From 2016ad733630cdede9b1f2ad8287e2a950419f10 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:17:05 -0300 Subject: [PATCH 01/63] (feat) Added support for tendermint module queries --- .../tendermint/query/1_GetNodeInfo.py | 16 + .../tendermint/query/2_GetSyncing.py | 16 + .../tendermint/query/3_GetLatestBlock.py | 16 + .../tendermint/query/4_GetBlockByHeight.py | 16 + .../query/5_GetLatestValidatorSet.py | 19 + .../query/6_GetValidatorSetByHeight.py | 22 + pyinjective/async_client.py | 57 ++- .../core/tx/grpc/tenderming_grpc_api.py | 69 ++++ .../configurable_tendermint_query_servicer.py | 43 ++ .../core/tx/grpc/test_tendermint_grpc_api.py | 387 ++++++++++++++++++ .../test_async_client_deprecation_warnings.py | 25 ++ 11 files changed, 679 insertions(+), 7 deletions(-) create mode 100644 examples/chain_client/tendermint/query/1_GetNodeInfo.py create mode 100644 examples/chain_client/tendermint/query/2_GetSyncing.py create mode 100644 examples/chain_client/tendermint/query/3_GetLatestBlock.py create mode 100644 examples/chain_client/tendermint/query/4_GetBlockByHeight.py create mode 100644 examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py create mode 100644 examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py create mode 100644 pyinjective/core/tx/grpc/tenderming_grpc_api.py create mode 100644 tests/core/tx/grpc/configurable_tendermint_query_servicer.py create mode 100644 tests/core/tx/grpc/test_tendermint_grpc_api.py diff --git a/examples/chain_client/tendermint/query/1_GetNodeInfo.py b/examples/chain_client/tendermint/query/1_GetNodeInfo.py new file mode 100644 index 00000000..9e116e80 --- /dev/null +++ b/examples/chain_client/tendermint/query/1_GetNodeInfo.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + node_info = await client.fetch_node_info() + print(node_info) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/2_GetSyncing.py b/examples/chain_client/tendermint/query/2_GetSyncing.py new file mode 100644 index 00000000..29a8b5b7 --- /dev/null +++ b/examples/chain_client/tendermint/query/2_GetSyncing.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + syncing = await client.fetch_syncing() + print(syncing) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/3_GetLatestBlock.py b/examples/chain_client/tendermint/query/3_GetLatestBlock.py new file mode 100644 index 00000000..a30748e5 --- /dev/null +++ b/examples/chain_client/tendermint/query/3_GetLatestBlock.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + latest_block = await client.fetch_latest_block() + print(latest_block) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/4_GetBlockByHeight.py b/examples/chain_client/tendermint/query/4_GetBlockByHeight.py new file mode 100644 index 00000000..fdab714b --- /dev/null +++ b/examples/chain_client/tendermint/query/4_GetBlockByHeight.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + block = await client.fetch_block_by_height(height=15793860) + print(block) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py b/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py new file mode 100644 index 00000000..204cd06f --- /dev/null +++ b/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py @@ -0,0 +1,19 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + validator_set = await client.fetch_latest_validator_set() + print(validator_set) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py b/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py new file mode 100644 index 00000000..118ec2b3 --- /dev/null +++ b/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + validator_set = await client.fetch_validator_set_by_height(height=23040174, pagination=pagination) + print(validator_set) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index d684a234..d89e63e5 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -39,6 +39,7 @@ from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network from pyinjective.core.token import Token +from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc @@ -49,6 +50,7 @@ query_pb2 as tendermint_query, query_pb2_grpc as tendermint_query_grpc, ) +from pyinjective.proto.cosmos.crypto.ed25519 import keys_pb2 as ed25519_keys # noqa: F401 for validator set responses from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as tx_service, service_pb2_grpc as tx_service_grpc from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_rpc_pb, @@ -192,6 +194,12 @@ def __init__( metadata_query_provider=self._chain_cookie_metadata_requestor ), ) + self.tendermint_api = TendermintGrpcApi( + channel=self.chain_channel, + metadata_provider=lambda: self.network.chain_metadata( + metadata_query_provider=self._chain_cookie_metadata_requestor + ), + ) self.token_factory_api = ChainGrpcTokenFactoryApi( channel=self.chain_channel, metadata_provider=lambda: self.network.chain_metadata( @@ -379,8 +387,8 @@ async def close_chain_channel(self): async def sync_timeout_height(self): try: - block = await self.get_latest_block() - self.timeout_height = block.block.header.height + DEFAULT_TIMEOUTHEIGHT + block = await self.fetch_latest_block() + self.timeout_height = int(block["block"]["header"]["height"]) + DEFAULT_TIMEOUTHEIGHT except Exception as e: LoggerProvider().logger_for_class(logging_class=self.__class__).debug( f"error while fetching latest block, setting timeout height to 0: {e}" @@ -388,9 +396,6 @@ async def sync_timeout_height(self): self.timeout_height = 0 # default client methods - async def get_latest_block(self) -> tendermint_query.GetLatestBlockResponse: - req = tendermint_query.GetLatestBlockRequest() - return await self.stubCosmosTendermint.GetLatestBlock(req) async def get_account(self, address: str) -> Optional[account_pb2.EthAccount]: """ @@ -500,8 +505,8 @@ async def send_tx_block_mode(self, tx_byte: bytes) -> abci_type.TxResponse: return result.tx_response async def get_chain_id(self) -> str: - latest_block = await self.get_latest_block() - return latest_block.block.header.chain_id + latest_block = await self.fetch_latest_block() + return latest_block["block"]["header"]["chainId"] async def get_grants(self, granter: str, grantee: str, **kwargs): """ @@ -1225,6 +1230,44 @@ async def fetch_denoms_from_creator( async def fetch_tokenfactory_module_state(self) -> Dict[str, Any]: return await self.token_factory_api.fetch_tokenfactory_module_state() + # ------------------------------ + # region Tendermint module + async def fetch_node_info(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_node_info() + + async def fetch_syncing(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_syncing() + + async def get_latest_block(self) -> tendermint_query.GetLatestBlockResponse: + """ + This method is deprecated and will be removed soon. Please use `fetch_latest_block` instead + """ + warn("This method is deprecated. Use fetch_latest_block instead", DeprecationWarning, stacklevel=2) + req = tendermint_query.GetLatestBlockRequest() + return await self.stubCosmosTendermint.GetLatestBlock(req) + + async def fetch_latest_block(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_latest_block() + + async def fetch_block_by_height(self, height: int) -> Dict[str, Any]: + return await self.tendermint_api.fetch_block_by_height(height=height) + + async def fetch_latest_validator_set(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_latest_validator_set() + + async def fetch_validator_set_by_height( + self, height: int, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + return await self.tendermint_api.fetch_validator_set_by_height(height=height, pagination=pagination) + + async def abci_query( + self, path: str, data: Optional[bytes] = None, height: Optional[int] = None, prove: bool = False + ) -> Dict[str, Any]: + return await self.tendermint_api.abci_query(path=path, data=data, height=height, prove=prove) + + # endregion + + # ------------------------------ # Explorer RPC async def get_tx_by_hash(self, tx_hash: str): diff --git a/pyinjective/core/tx/grpc/tenderming_grpc_api.py b/pyinjective/core/tx/grpc/tenderming_grpc_api.py new file mode 100644 index 00000000..c6e091c6 --- /dev/null +++ b/pyinjective/core/tx/grpc/tenderming_grpc_api.py @@ -0,0 +1,69 @@ +from typing import Any, Callable, Dict, Optional + +from grpc.aio import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import ( + query_pb2 as tendermint_query, + query_pb2_grpc as tendermint_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class TendermintGrpcApi: + def __init__(self, channel: Channel, metadata_provider: Callable): + self._stub = tendermint_query_grpc.ServiceStub(channel) + self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + + async def fetch_node_info(self) -> Dict[str, Any]: + request = tendermint_query.GetNodeInfoRequest() + response = await self._execute_call(call=self._stub.GetNodeInfo, request=request) + + return response + + async def fetch_syncing(self) -> Dict[str, Any]: + request = tendermint_query.GetSyncingRequest() + response = await self._execute_call(call=self._stub.GetSyncing, request=request) + + return response + + async def fetch_latest_block(self) -> Dict[str, Any]: + request = tendermint_query.GetLatestBlockRequest() + response = await self._execute_call(call=self._stub.GetLatestBlock, request=request) + + return response + + async def fetch_block_by_height(self, height: int) -> Dict[str, Any]: + request = tendermint_query.GetBlockByHeightRequest(height=height) + response = await self._execute_call(call=self._stub.GetBlockByHeight, request=request) + + return response + + async def fetch_latest_validator_set(self) -> Dict[str, Any]: + request = tendermint_query.GetLatestValidatorSetRequest() + response = await self._execute_call(call=self._stub.GetLatestValidatorSet, request=request) + + return response + + async def fetch_validator_set_by_height( + self, height: int, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = tendermint_query.GetValidatorSetByHeightRequest( + height=height, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.GetValidatorSetByHeight, request=request) + + return response + + async def abci_query( + self, path: str, data: Optional[bytes] = None, height: Optional[int] = None, prove: bool = False + ) -> Dict[str, Any]: + request = tendermint_query.ABCIQueryRequest(path=path, data=data, height=height, prove=prove) + response = await self._execute_call(call=self._stub.ABCIQuery, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/tests/core/tx/grpc/configurable_tendermint_query_servicer.py b/tests/core/tx/grpc/configurable_tendermint_query_servicer.py new file mode 100644 index 00000000..004e3e47 --- /dev/null +++ b/tests/core/tx/grpc/configurable_tendermint_query_servicer.py @@ -0,0 +1,43 @@ +from collections import deque + +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import ( + query_pb2 as tendermint_query, + query_pb2_grpc as tendermint_query_grpc, +) + + +class ConfigurableTendermintQueryServicer(tendermint_query_grpc.ServiceServicer): + def __init__(self): + super().__init__() + self.get_node_info_responses = deque() + self.get_syncing_responses = deque() + self.get_latest_block_responses = deque() + self.get_block_by_height_responses = deque() + self.get_latest_validator_set_responses = deque() + self.get_validator_set_by_height_responses = deque() + self.abci_query_responses = deque() + + async def GetNodeInfo(self, request: tendermint_query.GetNodeInfoRequest, context=None, metadata=None): + return self.get_node_info_responses.pop() + + async def GetSyncing(self, request: tendermint_query.GetSyncingRequest, context=None, metadata=None): + return self.get_syncing_responses.pop() + + async def GetLatestBlock(self, request: tendermint_query.GetLatestBlockRequest, context=None, metadata=None): + return self.get_latest_block_responses.pop() + + async def GetBlockByHeight(self, request: tendermint_query.GetBlockByHeightRequest, context=None, metadata=None): + return self.get_block_by_height_responses.pop() + + async def GetLatestValidatorSet( + self, request: tendermint_query.GetLatestValidatorSetRequest, context=None, metadata=None + ): + return self.get_latest_validator_set_responses.pop() + + async def GetValidatorSetByHeight( + self, request: tendermint_query.GetValidatorSetByHeightRequest, context=None, metadata=None + ): + return self.get_validator_set_by_height_responses.pop() + + async def ABCIQuery(self, request: tendermint_query.ABCIQueryRequest, context=None, metadata=None): + return self.abci_query_responses.pop() diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tx/grpc/test_tendermint_grpc_api.py new file mode 100644 index 00000000..96098247 --- /dev/null +++ b/tests/core/tx/grpc/test_tendermint_grpc_api.py @@ -0,0 +1,387 @@ +import base64 + +import grpc +import pytest + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network +from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query +from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_p2p_types +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_types +from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer + + +@pytest.fixture +def tendermint_servicer(): + return ConfigurableTendermintQueryServicer() + + +class TestTxGrpcApi: + @pytest.mark.asyncio + async def test_fetch_node_info( + self, + tendermint_servicer, + ): + protocol_version = tendermint_p2p_types.ProtocolVersion( + p2p=7, + block=10, + app=0, + ) + other = tendermint_p2p_types.DefaultNodeInfoOther( + tx_index="on", + rpc_address="tcp://0.0.0.0:26657", + ) + node_info = tendermint_p2p_types.DefaultNodeInfo( + protocol_version=protocol_version, + default_node_id="dda2a9ee6dc43955d0942be709a16a301f7ba318", + listen_addr="tcp://0.0.0.0:26656", + network="injective-1", + version="0.34.13", + channels="channels".encode(), + moniker="injective", + other=other, + ) + module = tendermint_query.Module( + path="cloud.google.com/go", + version="v0.110.4", + sum="h1:1JYyxKMN9hd5dR2MYTPWkGUgcoxVVhg0LKNKEo0qvmk=", + ) + application_version = tendermint_query.VersionInfo( + name="injective", + app_name="injectived", + version="0.0.1", + git_commit="1f0a39381", + build_tags="netgo,ledger", + go_version="go version go1.19.13 linux/amd64", + build_deps=[module], + cosmos_sdk_version="v0.47.5", + ) + + tendermint_servicer.get_node_info_responses.append( + tendermint_query.GetNodeInfoResponse( + default_node_info=node_info, + application_version=application_version, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_info = await api.fetch_node_info() + expected_info = { + "defaultNodeInfo": { + "protocolVersion": { + "p2p": str(protocol_version.p2p), + "block": str(protocol_version.block), + "app": str(protocol_version.app), + }, + "defaultNodeId": node_info.default_node_id, + "listenAddr": node_info.listen_addr, + "network": node_info.network, + "version": node_info.version, + "channels": base64.b64encode(node_info.channels).decode(), + "moniker": node_info.moniker, + "other": { + "txIndex": other.tx_index, + "rpcAddress": other.rpc_address, + }, + }, + "applicationVersion": { + "name": application_version.name, + "appName": application_version.app_name, + "version": application_version.version, + "gitCommit": application_version.git_commit, + "buildTags": application_version.build_tags, + "goVersion": application_version.go_version, + "buildDeps": [ + { + "path": module.path, + "version": module.version, + "sum": module.sum, + } + ], + "cosmosSdkVersion": application_version.cosmos_sdk_version, + }, + } + + assert result_info == expected_info + + @pytest.mark.asyncio + async def test_fetch_syncing( + self, + tendermint_servicer, + ): + response = tendermint_query.GetSyncingResponse( + syncing=True, + ) + + tendermint_servicer.get_syncing_responses.append(response) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_syncing = await api.fetch_syncing() + expected_syncing = { + "syncing": response.syncing, + } + + assert result_syncing == expected_syncing + + @pytest.mark.asyncio + async def test_fetch_latest_block( + self, + tendermint_servicer, + ): + block_id = tendermint_types.BlockID( + hash="bdc7f6e819864a8fd050dd4494dd560c1a1519fba3383dfabbec0ea271a34979".encode(), + part_set_header=tendermint_types.PartSetHeader( + total=1, + hash="859e00bfb56409cc182a308bd72d0816e24d57f18fe5f2c5748111daaeb19fbd".encode(), + ), + ) + + tendermint_servicer.get_latest_block_responses.append( + tendermint_query.GetLatestBlockResponse( + block_id=block_id, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_block = await api.fetch_latest_block() + expected_block = { + "blockId": { + "hash": base64.b64encode(block_id.hash).decode(), + "partSetHeader": { + "total": block_id.part_set_header.total, + "hash": base64.b64encode(block_id.part_set_header.hash).decode(), + }, + }, + } + + assert result_block == expected_block + + @pytest.mark.asyncio + async def test_fetch_block_by_height( + self, + tendermint_servicer, + ): + block_id = tendermint_types.BlockID( + hash="bdc7f6e819864a8fd050dd4494dd560c1a1519fba3383dfabbec0ea271a34979".encode(), + part_set_header=tendermint_types.PartSetHeader( + total=1, + hash="859e00bfb56409cc182a308bd72d0816e24d57f18fe5f2c5748111daaeb19fbd".encode(), + ), + ) + + tendermint_servicer.get_block_by_height_responses.append( + tendermint_query.GetBlockByHeightResponse( + block_id=block_id, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_block = await api.fetch_block_by_height(height=1) + expected_block = { + "blockId": { + "hash": base64.b64encode(block_id.hash).decode(), + "partSetHeader": { + "total": block_id.part_set_header.total, + "hash": base64.b64encode(block_id.part_set_header.hash).decode(), + }, + }, + } + + assert result_block == expected_block + + @pytest.mark.asyncio + async def test_fetch_latest_validator_set( + self, + tendermint_servicer, + ): + block_height = 1 + validator = tendermint_query.Validator( + address="inj1xml3ew93xmjtuf5zwpcl9jzznphte30hvdre9a", + voting_power=10, + proposer_priority=1, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + tendermint_servicer.get_latest_validator_set_responses.append( + tendermint_query.GetLatestValidatorSetResponse( + block_height=block_height, + validators=[validator], + pagination=result_pagination, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_validator_set = await api.fetch_latest_validator_set() + expected_validator_set = { + "blockHeight": str(block_height), + "validators": [ + { + "address": validator.address, + "votingPower": str(validator.voting_power), + "proposerPriority": str(validator.proposer_priority), + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_validator_set == expected_validator_set + + @pytest.mark.asyncio + async def test_fetch_validator_set_by_height( + self, + tendermint_servicer, + ): + block_height = 1 + validator = tendermint_query.Validator( + address="inj1xml3ew93xmjtuf5zwpcl9jzznphte30hvdre9a", + voting_power=10, + proposer_priority=1, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + tendermint_servicer.get_validator_set_by_height_responses.append( + tendermint_query.GetValidatorSetByHeightResponse( + block_height=block_height, + validators=[validator], + pagination=result_pagination, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_validator_set = await api.fetch_validator_set_by_height( + height=block_height, pagination=pagination_option + ) + expected_validator_set = { + "blockHeight": str(block_height), + "validators": [ + { + "address": validator.address, + "votingPower": str(validator.voting_power), + "proposerPriority": str(validator.proposer_priority), + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_validator_set == expected_validator_set + + @pytest.mark.asyncio + async def test_abci_query( + self, + tendermint_servicer, + ): + proof_op = tendermint_query.ProofOp( + type="test type", + key="proof key".encode(), + data="proof data".encode(), + ) + + code = 0 + log = "test log" + info = "test info" + index = 1 + key = "test key".encode() + value = "test value".encode() + proof_ops = tendermint_query.ProofOps(ops=[proof_op]) + height = 4567 + codespace = "test codespace" + + tendermint_servicer.abci_query_responses.append( + tendermint_query.ABCIQueryResponse( + code=code, + log=log, + info=info, + index=index, + key=key, + value=value, + proof_ops=proof_ops, + height=height, + codespace=codespace, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_validator_set = await api.abci_query( + data="query data".encode(), + path="/custom/test", + height=height, + prove=True, + ) + expected_validator_set = { + "code": code, + "log": log, + "info": info, + "index": str(index), + "key": base64.b64encode(key).decode(), + "value": base64.b64encode(value).decode(), + "proofOps": { + "ops": [ + { + "type": proof_op.type, + "key": base64.b64encode(proof_op.key).decode(), + "data": base64.b64encode(proof_op.data).decode(), + } + ] + }, + "height": str(height), + "codespace": codespace, + } + + assert result_validator_set == expected_validator_set + + async def _dummy_metadata_provider(self): + return None diff --git a/tests/test_async_client_deprecation_warnings.py b/tests/test_async_client_deprecation_warnings.py index 1df77fe8..9b1f9995 100644 --- a/tests/test_async_client_deprecation_warnings.py +++ b/tests/test_async_client_deprecation_warnings.py @@ -6,6 +6,7 @@ from pyinjective.core.network import Network from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as authz_query from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as bank_query_pb +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as tx_service from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_pb, @@ -33,6 +34,7 @@ from tests.client.indexer.configurable_oracle_query_servicer import ConfigurableOracleQueryServicer from tests.client.indexer.configurable_portfolio_query_servicer import ConfigurablePortfolioQueryServicer from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer +from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer from tests.core.tx.grpc.configurable_tx_query_servicer import ConfigurableTxQueryServicer @@ -106,6 +108,11 @@ def tx_servicer(): return ConfigurableTxQueryServicer() +@pytest.fixture +def tendermint_servicer(): + return ConfigurableTendermintQueryServicer() + + class TestAsyncClientDeprecationWarnings: def test_insecure_parameter_deprecation_warning( self, @@ -1700,3 +1707,21 @@ async def test_chain_stream_deprecation_warning( assert ( str(deprecation_warnings[0].message) == "This method is deprecated. Use listen_chain_stream_updates instead" ) + + @pytest.mark.asyncio + async def test_get_latest_block_deprecation_warning( + self, + tendermint_servicer, + ): + client = AsyncClient( + network=Network.local(), + ) + client.stubCosmosTendermint = tendermint_servicer + tendermint_servicer.get_latest_block_responses.append(tendermint_query.GetLatestBlockResponse()) + + with catch_warnings(record=True) as all_warnings: + await client.get_latest_block() + + deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] + assert len(deprecation_warnings) == 1 + assert str(deprecation_warnings[0].message) == "This method is deprecated. Use fetch_latest_block instead" From 75a982e291fc31031dba532489916bf32c790e26 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:18:58 -0300 Subject: [PATCH 02/63] (fix) Updated changelog and version number --- CHANGELOG.md | 4 ++++ pyproject.toml | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 876c5845..40227092 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,10 @@ All notable changes to this project will be documented in this file. +## [1.5.0] - 9999-99-99 +### Added +- Added support for all queries in the chain 'tendermint' module + ## [1.4.0] - 2024-03-11 ### Added - Added support for all queries and messages in the chain 'distribution' module diff --git a/pyproject.toml b/pyproject.toml index c983dd07..281d7c59 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,6 +1,6 @@ [tool.poetry] name = "injective-py" -version = "1.4.0-pre" +version = "1.5.0-pre" description = "Injective Python SDK, with Exchange API Client" authors = ["Injective Labs "] license = "Apache-2.0" From 136174c6717b05856212ab01294f70b9d45ebe63 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:45:27 -0300 Subject: [PATCH 03/63] (fix) Fixed typo --- .../tx/grpc/{tenderming_grpc_api.py => tendermint_grpc_api.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename pyinjective/core/tx/grpc/{tenderming_grpc_api.py => tendermint_grpc_api.py} (100%) diff --git a/pyinjective/core/tx/grpc/tenderming_grpc_api.py b/pyinjective/core/tx/grpc/tendermint_grpc_api.py similarity index 100% rename from pyinjective/core/tx/grpc/tenderming_grpc_api.py rename to pyinjective/core/tx/grpc/tendermint_grpc_api.py From 6b102f290a439e72e5e3920a9cd21fcb798a2f7b Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:48:17 -0300 Subject: [PATCH 04/63] (fix) Fixed typo --- pyinjective/async_client.py | 2 +- tests/core/tx/grpc/test_tendermint_grpc_api.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index d89e63e5..86c74833 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -39,7 +39,7 @@ from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network from pyinjective.core.token import Token -from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tx/grpc/test_tendermint_grpc_api.py index 96098247..ed9333f6 100644 --- a/tests/core/tx/grpc/test_tendermint_grpc_api.py +++ b/tests/core/tx/grpc/test_tendermint_grpc_api.py @@ -5,7 +5,7 @@ from pyinjective.client.model.pagination import PaginationOption from pyinjective.core.network import Network -from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_p2p_types From 211b8883ad9796dffb4c2e57c1b2d8c12efaa65d Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:17:05 -0300 Subject: [PATCH 05/63] (feat) Added support for tendermint module queries --- .../tendermint/query/1_GetNodeInfo.py | 16 + .../tendermint/query/2_GetSyncing.py | 16 + .../tendermint/query/3_GetLatestBlock.py | 16 + .../tendermint/query/4_GetBlockByHeight.py | 16 + .../query/5_GetLatestValidatorSet.py | 19 + .../query/6_GetValidatorSetByHeight.py | 22 + pyinjective/async_client.py | 57 ++- .../core/tx/grpc/tenderming_grpc_api.py | 69 ++++ .../configurable_tendermint_query_servicer.py | 43 ++ .../core/tx/grpc/test_tendermint_grpc_api.py | 387 ++++++++++++++++++ .../test_async_client_deprecation_warnings.py | 25 ++ 11 files changed, 679 insertions(+), 7 deletions(-) create mode 100644 examples/chain_client/tendermint/query/1_GetNodeInfo.py create mode 100644 examples/chain_client/tendermint/query/2_GetSyncing.py create mode 100644 examples/chain_client/tendermint/query/3_GetLatestBlock.py create mode 100644 examples/chain_client/tendermint/query/4_GetBlockByHeight.py create mode 100644 examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py create mode 100644 examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py create mode 100644 pyinjective/core/tx/grpc/tenderming_grpc_api.py create mode 100644 tests/core/tx/grpc/configurable_tendermint_query_servicer.py create mode 100644 tests/core/tx/grpc/test_tendermint_grpc_api.py diff --git a/examples/chain_client/tendermint/query/1_GetNodeInfo.py b/examples/chain_client/tendermint/query/1_GetNodeInfo.py new file mode 100644 index 00000000..9e116e80 --- /dev/null +++ b/examples/chain_client/tendermint/query/1_GetNodeInfo.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + node_info = await client.fetch_node_info() + print(node_info) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/2_GetSyncing.py b/examples/chain_client/tendermint/query/2_GetSyncing.py new file mode 100644 index 00000000..29a8b5b7 --- /dev/null +++ b/examples/chain_client/tendermint/query/2_GetSyncing.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + syncing = await client.fetch_syncing() + print(syncing) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/3_GetLatestBlock.py b/examples/chain_client/tendermint/query/3_GetLatestBlock.py new file mode 100644 index 00000000..a30748e5 --- /dev/null +++ b/examples/chain_client/tendermint/query/3_GetLatestBlock.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + latest_block = await client.fetch_latest_block() + print(latest_block) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/4_GetBlockByHeight.py b/examples/chain_client/tendermint/query/4_GetBlockByHeight.py new file mode 100644 index 00000000..fdab714b --- /dev/null +++ b/examples/chain_client/tendermint/query/4_GetBlockByHeight.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + block = await client.fetch_block_by_height(height=15793860) + print(block) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py b/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py new file mode 100644 index 00000000..204cd06f --- /dev/null +++ b/examples/chain_client/tendermint/query/5_GetLatestValidatorSet.py @@ -0,0 +1,19 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + validator_set = await client.fetch_latest_validator_set() + print(validator_set) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py b/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py new file mode 100644 index 00000000..118ec2b3 --- /dev/null +++ b/examples/chain_client/tendermint/query/6_GetValidatorSetByHeight.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + validator_set = await client.fetch_validator_set_by_height(height=23040174, pagination=pagination) + print(validator_set) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index d684a234..d89e63e5 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -39,6 +39,7 @@ from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network from pyinjective.core.token import Token +from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc @@ -49,6 +50,7 @@ query_pb2 as tendermint_query, query_pb2_grpc as tendermint_query_grpc, ) +from pyinjective.proto.cosmos.crypto.ed25519 import keys_pb2 as ed25519_keys # noqa: F401 for validator set responses from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as tx_service, service_pb2_grpc as tx_service_grpc from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_rpc_pb, @@ -192,6 +194,12 @@ def __init__( metadata_query_provider=self._chain_cookie_metadata_requestor ), ) + self.tendermint_api = TendermintGrpcApi( + channel=self.chain_channel, + metadata_provider=lambda: self.network.chain_metadata( + metadata_query_provider=self._chain_cookie_metadata_requestor + ), + ) self.token_factory_api = ChainGrpcTokenFactoryApi( channel=self.chain_channel, metadata_provider=lambda: self.network.chain_metadata( @@ -379,8 +387,8 @@ async def close_chain_channel(self): async def sync_timeout_height(self): try: - block = await self.get_latest_block() - self.timeout_height = block.block.header.height + DEFAULT_TIMEOUTHEIGHT + block = await self.fetch_latest_block() + self.timeout_height = int(block["block"]["header"]["height"]) + DEFAULT_TIMEOUTHEIGHT except Exception as e: LoggerProvider().logger_for_class(logging_class=self.__class__).debug( f"error while fetching latest block, setting timeout height to 0: {e}" @@ -388,9 +396,6 @@ async def sync_timeout_height(self): self.timeout_height = 0 # default client methods - async def get_latest_block(self) -> tendermint_query.GetLatestBlockResponse: - req = tendermint_query.GetLatestBlockRequest() - return await self.stubCosmosTendermint.GetLatestBlock(req) async def get_account(self, address: str) -> Optional[account_pb2.EthAccount]: """ @@ -500,8 +505,8 @@ async def send_tx_block_mode(self, tx_byte: bytes) -> abci_type.TxResponse: return result.tx_response async def get_chain_id(self) -> str: - latest_block = await self.get_latest_block() - return latest_block.block.header.chain_id + latest_block = await self.fetch_latest_block() + return latest_block["block"]["header"]["chainId"] async def get_grants(self, granter: str, grantee: str, **kwargs): """ @@ -1225,6 +1230,44 @@ async def fetch_denoms_from_creator( async def fetch_tokenfactory_module_state(self) -> Dict[str, Any]: return await self.token_factory_api.fetch_tokenfactory_module_state() + # ------------------------------ + # region Tendermint module + async def fetch_node_info(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_node_info() + + async def fetch_syncing(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_syncing() + + async def get_latest_block(self) -> tendermint_query.GetLatestBlockResponse: + """ + This method is deprecated and will be removed soon. Please use `fetch_latest_block` instead + """ + warn("This method is deprecated. Use fetch_latest_block instead", DeprecationWarning, stacklevel=2) + req = tendermint_query.GetLatestBlockRequest() + return await self.stubCosmosTendermint.GetLatestBlock(req) + + async def fetch_latest_block(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_latest_block() + + async def fetch_block_by_height(self, height: int) -> Dict[str, Any]: + return await self.tendermint_api.fetch_block_by_height(height=height) + + async def fetch_latest_validator_set(self) -> Dict[str, Any]: + return await self.tendermint_api.fetch_latest_validator_set() + + async def fetch_validator_set_by_height( + self, height: int, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + return await self.tendermint_api.fetch_validator_set_by_height(height=height, pagination=pagination) + + async def abci_query( + self, path: str, data: Optional[bytes] = None, height: Optional[int] = None, prove: bool = False + ) -> Dict[str, Any]: + return await self.tendermint_api.abci_query(path=path, data=data, height=height, prove=prove) + + # endregion + + # ------------------------------ # Explorer RPC async def get_tx_by_hash(self, tx_hash: str): diff --git a/pyinjective/core/tx/grpc/tenderming_grpc_api.py b/pyinjective/core/tx/grpc/tenderming_grpc_api.py new file mode 100644 index 00000000..c6e091c6 --- /dev/null +++ b/pyinjective/core/tx/grpc/tenderming_grpc_api.py @@ -0,0 +1,69 @@ +from typing import Any, Callable, Dict, Optional + +from grpc.aio import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import ( + query_pb2 as tendermint_query, + query_pb2_grpc as tendermint_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class TendermintGrpcApi: + def __init__(self, channel: Channel, metadata_provider: Callable): + self._stub = tendermint_query_grpc.ServiceStub(channel) + self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + + async def fetch_node_info(self) -> Dict[str, Any]: + request = tendermint_query.GetNodeInfoRequest() + response = await self._execute_call(call=self._stub.GetNodeInfo, request=request) + + return response + + async def fetch_syncing(self) -> Dict[str, Any]: + request = tendermint_query.GetSyncingRequest() + response = await self._execute_call(call=self._stub.GetSyncing, request=request) + + return response + + async def fetch_latest_block(self) -> Dict[str, Any]: + request = tendermint_query.GetLatestBlockRequest() + response = await self._execute_call(call=self._stub.GetLatestBlock, request=request) + + return response + + async def fetch_block_by_height(self, height: int) -> Dict[str, Any]: + request = tendermint_query.GetBlockByHeightRequest(height=height) + response = await self._execute_call(call=self._stub.GetBlockByHeight, request=request) + + return response + + async def fetch_latest_validator_set(self) -> Dict[str, Any]: + request = tendermint_query.GetLatestValidatorSetRequest() + response = await self._execute_call(call=self._stub.GetLatestValidatorSet, request=request) + + return response + + async def fetch_validator_set_by_height( + self, height: int, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = tendermint_query.GetValidatorSetByHeightRequest( + height=height, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.GetValidatorSetByHeight, request=request) + + return response + + async def abci_query( + self, path: str, data: Optional[bytes] = None, height: Optional[int] = None, prove: bool = False + ) -> Dict[str, Any]: + request = tendermint_query.ABCIQueryRequest(path=path, data=data, height=height, prove=prove) + response = await self._execute_call(call=self._stub.ABCIQuery, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/tests/core/tx/grpc/configurable_tendermint_query_servicer.py b/tests/core/tx/grpc/configurable_tendermint_query_servicer.py new file mode 100644 index 00000000..004e3e47 --- /dev/null +++ b/tests/core/tx/grpc/configurable_tendermint_query_servicer.py @@ -0,0 +1,43 @@ +from collections import deque + +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import ( + query_pb2 as tendermint_query, + query_pb2_grpc as tendermint_query_grpc, +) + + +class ConfigurableTendermintQueryServicer(tendermint_query_grpc.ServiceServicer): + def __init__(self): + super().__init__() + self.get_node_info_responses = deque() + self.get_syncing_responses = deque() + self.get_latest_block_responses = deque() + self.get_block_by_height_responses = deque() + self.get_latest_validator_set_responses = deque() + self.get_validator_set_by_height_responses = deque() + self.abci_query_responses = deque() + + async def GetNodeInfo(self, request: tendermint_query.GetNodeInfoRequest, context=None, metadata=None): + return self.get_node_info_responses.pop() + + async def GetSyncing(self, request: tendermint_query.GetSyncingRequest, context=None, metadata=None): + return self.get_syncing_responses.pop() + + async def GetLatestBlock(self, request: tendermint_query.GetLatestBlockRequest, context=None, metadata=None): + return self.get_latest_block_responses.pop() + + async def GetBlockByHeight(self, request: tendermint_query.GetBlockByHeightRequest, context=None, metadata=None): + return self.get_block_by_height_responses.pop() + + async def GetLatestValidatorSet( + self, request: tendermint_query.GetLatestValidatorSetRequest, context=None, metadata=None + ): + return self.get_latest_validator_set_responses.pop() + + async def GetValidatorSetByHeight( + self, request: tendermint_query.GetValidatorSetByHeightRequest, context=None, metadata=None + ): + return self.get_validator_set_by_height_responses.pop() + + async def ABCIQuery(self, request: tendermint_query.ABCIQueryRequest, context=None, metadata=None): + return self.abci_query_responses.pop() diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tx/grpc/test_tendermint_grpc_api.py new file mode 100644 index 00000000..96098247 --- /dev/null +++ b/tests/core/tx/grpc/test_tendermint_grpc_api.py @@ -0,0 +1,387 @@ +import base64 + +import grpc +import pytest + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network +from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query +from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_p2p_types +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_types +from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer + + +@pytest.fixture +def tendermint_servicer(): + return ConfigurableTendermintQueryServicer() + + +class TestTxGrpcApi: + @pytest.mark.asyncio + async def test_fetch_node_info( + self, + tendermint_servicer, + ): + protocol_version = tendermint_p2p_types.ProtocolVersion( + p2p=7, + block=10, + app=0, + ) + other = tendermint_p2p_types.DefaultNodeInfoOther( + tx_index="on", + rpc_address="tcp://0.0.0.0:26657", + ) + node_info = tendermint_p2p_types.DefaultNodeInfo( + protocol_version=protocol_version, + default_node_id="dda2a9ee6dc43955d0942be709a16a301f7ba318", + listen_addr="tcp://0.0.0.0:26656", + network="injective-1", + version="0.34.13", + channels="channels".encode(), + moniker="injective", + other=other, + ) + module = tendermint_query.Module( + path="cloud.google.com/go", + version="v0.110.4", + sum="h1:1JYyxKMN9hd5dR2MYTPWkGUgcoxVVhg0LKNKEo0qvmk=", + ) + application_version = tendermint_query.VersionInfo( + name="injective", + app_name="injectived", + version="0.0.1", + git_commit="1f0a39381", + build_tags="netgo,ledger", + go_version="go version go1.19.13 linux/amd64", + build_deps=[module], + cosmos_sdk_version="v0.47.5", + ) + + tendermint_servicer.get_node_info_responses.append( + tendermint_query.GetNodeInfoResponse( + default_node_info=node_info, + application_version=application_version, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_info = await api.fetch_node_info() + expected_info = { + "defaultNodeInfo": { + "protocolVersion": { + "p2p": str(protocol_version.p2p), + "block": str(protocol_version.block), + "app": str(protocol_version.app), + }, + "defaultNodeId": node_info.default_node_id, + "listenAddr": node_info.listen_addr, + "network": node_info.network, + "version": node_info.version, + "channels": base64.b64encode(node_info.channels).decode(), + "moniker": node_info.moniker, + "other": { + "txIndex": other.tx_index, + "rpcAddress": other.rpc_address, + }, + }, + "applicationVersion": { + "name": application_version.name, + "appName": application_version.app_name, + "version": application_version.version, + "gitCommit": application_version.git_commit, + "buildTags": application_version.build_tags, + "goVersion": application_version.go_version, + "buildDeps": [ + { + "path": module.path, + "version": module.version, + "sum": module.sum, + } + ], + "cosmosSdkVersion": application_version.cosmos_sdk_version, + }, + } + + assert result_info == expected_info + + @pytest.mark.asyncio + async def test_fetch_syncing( + self, + tendermint_servicer, + ): + response = tendermint_query.GetSyncingResponse( + syncing=True, + ) + + tendermint_servicer.get_syncing_responses.append(response) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_syncing = await api.fetch_syncing() + expected_syncing = { + "syncing": response.syncing, + } + + assert result_syncing == expected_syncing + + @pytest.mark.asyncio + async def test_fetch_latest_block( + self, + tendermint_servicer, + ): + block_id = tendermint_types.BlockID( + hash="bdc7f6e819864a8fd050dd4494dd560c1a1519fba3383dfabbec0ea271a34979".encode(), + part_set_header=tendermint_types.PartSetHeader( + total=1, + hash="859e00bfb56409cc182a308bd72d0816e24d57f18fe5f2c5748111daaeb19fbd".encode(), + ), + ) + + tendermint_servicer.get_latest_block_responses.append( + tendermint_query.GetLatestBlockResponse( + block_id=block_id, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_block = await api.fetch_latest_block() + expected_block = { + "blockId": { + "hash": base64.b64encode(block_id.hash).decode(), + "partSetHeader": { + "total": block_id.part_set_header.total, + "hash": base64.b64encode(block_id.part_set_header.hash).decode(), + }, + }, + } + + assert result_block == expected_block + + @pytest.mark.asyncio + async def test_fetch_block_by_height( + self, + tendermint_servicer, + ): + block_id = tendermint_types.BlockID( + hash="bdc7f6e819864a8fd050dd4494dd560c1a1519fba3383dfabbec0ea271a34979".encode(), + part_set_header=tendermint_types.PartSetHeader( + total=1, + hash="859e00bfb56409cc182a308bd72d0816e24d57f18fe5f2c5748111daaeb19fbd".encode(), + ), + ) + + tendermint_servicer.get_block_by_height_responses.append( + tendermint_query.GetBlockByHeightResponse( + block_id=block_id, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_block = await api.fetch_block_by_height(height=1) + expected_block = { + "blockId": { + "hash": base64.b64encode(block_id.hash).decode(), + "partSetHeader": { + "total": block_id.part_set_header.total, + "hash": base64.b64encode(block_id.part_set_header.hash).decode(), + }, + }, + } + + assert result_block == expected_block + + @pytest.mark.asyncio + async def test_fetch_latest_validator_set( + self, + tendermint_servicer, + ): + block_height = 1 + validator = tendermint_query.Validator( + address="inj1xml3ew93xmjtuf5zwpcl9jzznphte30hvdre9a", + voting_power=10, + proposer_priority=1, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + tendermint_servicer.get_latest_validator_set_responses.append( + tendermint_query.GetLatestValidatorSetResponse( + block_height=block_height, + validators=[validator], + pagination=result_pagination, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_validator_set = await api.fetch_latest_validator_set() + expected_validator_set = { + "blockHeight": str(block_height), + "validators": [ + { + "address": validator.address, + "votingPower": str(validator.voting_power), + "proposerPriority": str(validator.proposer_priority), + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_validator_set == expected_validator_set + + @pytest.mark.asyncio + async def test_fetch_validator_set_by_height( + self, + tendermint_servicer, + ): + block_height = 1 + validator = tendermint_query.Validator( + address="inj1xml3ew93xmjtuf5zwpcl9jzznphte30hvdre9a", + voting_power=10, + proposer_priority=1, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + tendermint_servicer.get_validator_set_by_height_responses.append( + tendermint_query.GetValidatorSetByHeightResponse( + block_height=block_height, + validators=[validator], + pagination=result_pagination, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_validator_set = await api.fetch_validator_set_by_height( + height=block_height, pagination=pagination_option + ) + expected_validator_set = { + "blockHeight": str(block_height), + "validators": [ + { + "address": validator.address, + "votingPower": str(validator.voting_power), + "proposerPriority": str(validator.proposer_priority), + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_validator_set == expected_validator_set + + @pytest.mark.asyncio + async def test_abci_query( + self, + tendermint_servicer, + ): + proof_op = tendermint_query.ProofOp( + type="test type", + key="proof key".encode(), + data="proof data".encode(), + ) + + code = 0 + log = "test log" + info = "test info" + index = 1 + key = "test key".encode() + value = "test value".encode() + proof_ops = tendermint_query.ProofOps(ops=[proof_op]) + height = 4567 + codespace = "test codespace" + + tendermint_servicer.abci_query_responses.append( + tendermint_query.ABCIQueryResponse( + code=code, + log=log, + info=info, + index=index, + key=key, + value=value, + proof_ops=proof_ops, + height=height, + codespace=codespace, + ) + ) + + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + + api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) + api._stub = tendermint_servicer + + result_validator_set = await api.abci_query( + data="query data".encode(), + path="/custom/test", + height=height, + prove=True, + ) + expected_validator_set = { + "code": code, + "log": log, + "info": info, + "index": str(index), + "key": base64.b64encode(key).decode(), + "value": base64.b64encode(value).decode(), + "proofOps": { + "ops": [ + { + "type": proof_op.type, + "key": base64.b64encode(proof_op.key).decode(), + "data": base64.b64encode(proof_op.data).decode(), + } + ] + }, + "height": str(height), + "codespace": codespace, + } + + assert result_validator_set == expected_validator_set + + async def _dummy_metadata_provider(self): + return None diff --git a/tests/test_async_client_deprecation_warnings.py b/tests/test_async_client_deprecation_warnings.py index 2a6a1960..90375112 100644 --- a/tests/test_async_client_deprecation_warnings.py +++ b/tests/test_async_client_deprecation_warnings.py @@ -6,6 +6,7 @@ from pyinjective.core.network import Network from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as authz_query from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as bank_query_pb +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as tx_service from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_pb, @@ -33,6 +34,7 @@ from tests.client.indexer.configurable_oracle_query_servicer import ConfigurableOracleQueryServicer from tests.client.indexer.configurable_portfolio_query_servicer import ConfigurablePortfolioQueryServicer from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer +from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer from tests.core.tx.grpc.configurable_tx_query_servicer import ConfigurableTxQueryServicer @@ -106,6 +108,11 @@ def tx_servicer(): return ConfigurableTxQueryServicer() +@pytest.fixture +def tendermint_servicer(): + return ConfigurableTendermintQueryServicer() + + class TestAsyncClientDeprecationWarnings: def test_insecure_parameter_deprecation_warning( self, @@ -1682,3 +1689,21 @@ async def test_chain_stream_deprecation_warning( assert ( str(deprecation_warnings[0].message) == "This method is deprecated. Use listen_chain_stream_updates instead" ) + + @pytest.mark.asyncio + async def test_get_latest_block_deprecation_warning( + self, + tendermint_servicer, + ): + client = AsyncClient( + network=Network.local(), + ) + client.stubCosmosTendermint = tendermint_servicer + tendermint_servicer.get_latest_block_responses.append(tendermint_query.GetLatestBlockResponse()) + + with catch_warnings(record=True) as all_warnings: + await client.get_latest_block() + + deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] + assert len(deprecation_warnings) == 1 + assert str(deprecation_warnings[0].message) == "This method is deprecated. Use fetch_latest_block instead" From 60202fcd14b61bb55ac5e90da08317ddc9ee0446 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:18:58 -0300 Subject: [PATCH 06/63] (fix) Updated changelog and version number --- CHANGELOG.md | 4 ++++ pyproject.toml | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b5231ce2..34ec054b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,10 @@ All notable changes to this project will be documented in this file. +## [1.5.0] - 9999-99-99 +### Added +- Added support for all queries in the chain 'tendermint' module + ## [1.4.1] - 2024-03-12 ### Changed - Updates example scripts that were still using deprecated methods diff --git a/pyproject.toml b/pyproject.toml index 767c9e88..281d7c59 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,6 +1,6 @@ [tool.poetry] name = "injective-py" -version = "1.4.1" +version = "1.5.0-pre" description = "Injective Python SDK, with Exchange API Client" authors = ["Injective Labs "] license = "Apache-2.0" From 94726ddf4c1f5bdf2375d9bbe561bae6c67676f0 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:45:27 -0300 Subject: [PATCH 07/63] (fix) Fixed typo --- .../tx/grpc/{tenderming_grpc_api.py => tendermint_grpc_api.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename pyinjective/core/tx/grpc/{tenderming_grpc_api.py => tendermint_grpc_api.py} (100%) diff --git a/pyinjective/core/tx/grpc/tenderming_grpc_api.py b/pyinjective/core/tx/grpc/tendermint_grpc_api.py similarity index 100% rename from pyinjective/core/tx/grpc/tenderming_grpc_api.py rename to pyinjective/core/tx/grpc/tendermint_grpc_api.py From 3f0254c44b8aa499004d36b3f0b88a36c6a956f6 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 14 Mar 2024 11:48:17 -0300 Subject: [PATCH 08/63] (fix) Fixed typo --- pyinjective/async_client.py | 2 +- tests/core/tx/grpc/test_tendermint_grpc_api.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index d89e63e5..86c74833 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -39,7 +39,7 @@ from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network from pyinjective.core.token import Token -from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tx/grpc/test_tendermint_grpc_api.py index 96098247..ed9333f6 100644 --- a/tests/core/tx/grpc/test_tendermint_grpc_api.py +++ b/tests/core/tx/grpc/test_tendermint_grpc_api.py @@ -5,7 +5,7 @@ from pyinjective.client.model.pagination import PaginationOption from pyinjective.core.network import Network -from pyinjective.core.tx.grpc.tenderming_grpc_api import TendermintGrpcApi +from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_p2p_types From 5eb92af1923b4d8e0f44dd5b55e772ad77a4b4eb Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 19 Mar 2024 10:14:53 -0300 Subject: [PATCH 09/63] (feat) Refactored cookies processing. Removed the Kubernetes cookies assistant and replaced it with a general ExpiringCookieAssistant. Updated all unit tests. --- CHANGELOG.md | 3 + pyinjective/async_client.py | 176 +++------ .../chain/grpc/chain_grpc_auction_api.py | 5 +- .../client/chain/grpc/chain_grpc_auth_api.py | 5 +- .../client/chain/grpc/chain_grpc_authz_api.py | 5 +- .../client/chain/grpc/chain_grpc_bank_api.py | 5 +- .../chain/grpc/chain_grpc_distribution_api.py | 5 +- .../chain/grpc/chain_grpc_exchange_api.py | 5 +- .../grpc/chain_grpc_token_factory_api.py | 5 +- .../client/chain/grpc/chain_grpc_wasm_api.py | 5 +- .../grpc_stream/chain_grpc_chain_stream.py | 5 +- .../indexer/grpc/indexer_grpc_account_api.py | 5 +- .../indexer/grpc/indexer_grpc_auction_api.py | 5 +- .../grpc/indexer_grpc_derivative_api.py | 5 +- .../indexer/grpc/indexer_grpc_explorer_api.py | 5 +- .../grpc/indexer_grpc_insurance_api.py | 5 +- .../indexer/grpc/indexer_grpc_meta_api.py | 5 +- .../indexer/grpc/indexer_grpc_oracle_api.py | 5 +- .../grpc/indexer_grpc_portfolio_api.py | 5 +- .../indexer/grpc/indexer_grpc_spot_api.py | 5 +- .../indexer_grpc_account_stream.py | 5 +- .../indexer_grpc_auction_stream.py | 5 +- .../indexer_grpc_derivative_stream.py | 5 +- .../indexer_grpc_explorer_stream.py | 5 +- .../grpc_stream/indexer_grpc_meta_stream.py | 5 +- .../grpc_stream/indexer_grpc_oracle_stream.py | 5 +- .../indexer_grpc_portfolio_stream.py | 5 +- .../grpc_stream/indexer_grpc_spot_stream.py | 5 +- pyinjective/core/network.py | 242 +++++------- .../core/tx/grpc/tendermint_grpc_api.py | 5 +- pyinjective/core/tx/grpc/tx_grpc_api.py | 5 +- .../utils/grpc_api_request_assistant.py | 13 +- .../utils/grpc_api_stream_assistant.py | 8 +- .../chain/grpc/test_chain_grpc_auction_api.py | 37 +- .../chain/grpc/test_chain_grpc_auth_api.py | 31 +- .../chain/grpc/test_chain_grpc_authz_api.py | 31 +- .../chain/grpc/test_chain_grpc_bank_api.py | 85 ++--- .../grpc/test_chain_grpc_distribution_api.py | 73 +--- .../grpc/test_chain_grpc_exchange_api.py | 349 ++++-------------- .../grpc/test_chain_grpc_token_factory_api.py | 37 +- .../chain/grpc/test_chain_grpc_wasm_api.py | 79 ++-- .../test_chain_grpc_chain_stream.py | 18 +- .../grpc/test_indexer_grpc_account_api.py | 67 +--- .../grpc/test_indexer_grpc_auction_api.py | 25 +- .../grpc/test_indexer_grpc_derivative_api.py | 115 ++---- .../grpc/test_indexer_grpc_explorer_api.py | 127 ++----- .../grpc/test_indexer_grpc_insurance_api.py | 25 +- .../grpc/test_indexer_grpc_meta_api.py | 31 +- .../grpc/test_indexer_grpc_oracle_api.py | 25 +- .../grpc/test_indexer_grpc_portfolio_api.py | 25 +- .../grpc/test_indexer_grpc_spot_api.py | 79 ++-- .../test_indexer_grpc_account_stream.py | 19 +- .../test_indexer_grpc_auction_stream.py | 19 +- .../test_indexer_grpc_derivative_stream.py | 61 +-- .../test_indexer_grpc_explorer_stream.py | 25 +- .../test_indexer_grpc_meta_stream.py | 19 +- .../test_indexer_grpc_oracle_stream.py | 25 +- .../test_indexer_grpc_portfolio_stream.py | 19 +- .../test_indexer_grpc_spot_stream.py | 55 +-- tests/core/test_network.py | 137 ++++--- .../core/tx/grpc/test_tendermint_grpc_api.py | 55 +-- tests/core/tx/grpc/test_tx_grpc_api.py | 31 +- 62 files changed, 791 insertions(+), 1515 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 34ec054b..3cecfcd5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,9 @@ All notable changes to this project will be documented in this file. ### Added - Added support for all queries in the chain 'tendermint' module +### Changed +- Refactored cookies management logic to use all gRPC calls' responses to update the current cookies + ## [1.4.1] - 2024-03-12 ### Changed - Updates example scripts that were still using deprecated methods diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 86c74833..82689014 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -166,169 +166,115 @@ def __init__( self.bank_api = ChainGrpcBankApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.auth_api = ChainGrpcAuthApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.authz_api = ChainGrpcAuthZApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.distribution_api = ChainGrpcDistributionApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.chain_exchange_api = ChainGrpcExchangeApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.tendermint_api = TendermintGrpcApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.token_factory_api = ChainGrpcTokenFactoryApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.tx_api = TxGrpcApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.wasm_api = ChainGrpcWasmApi( channel=self.chain_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.chain_stream_api = ChainGrpcChainStream( channel=self.chain_stream_channel, - metadata_provider=lambda: self.network.chain_metadata( - metadata_query_provider=self._chain_cookie_metadata_requestor - ), + cookie_assistant=network.chain_cookie_assistant, ) self.exchange_account_api = IndexerGrpcAccountApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_auction_api = IndexerGrpcAuctionApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_derivative_api = IndexerGrpcDerivativeApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_insurance_api = IndexerGrpcInsuranceApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_meta_api = IndexerGrpcMetaApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_oracle_api = IndexerGrpcOracleApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_portfolio_api = IndexerGrpcPortfolioApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_spot_api = IndexerGrpcSpotApi( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_account_stream_api = IndexerGrpcAccountStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_auction_stream_api = IndexerGrpcAuctionStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_derivative_stream_api = IndexerGrpcDerivativeStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_meta_stream_api = IndexerGrpcMetaStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_oracle_stream_api = IndexerGrpcOracleStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_portfolio_stream_api = IndexerGrpcPortfolioStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_spot_stream_api = IndexerGrpcSpotStream( channel=self.exchange_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ), + cookie_assistant=network.exchange_cookie_assistant, ) self.exchange_explorer_api = IndexerGrpcExplorerApi( channel=self.explorer_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._explorer_cookie_metadata_requestor - ), + cookie_assistant=network.explorer_cookie_assistant, ) self.exchange_explorer_stream_api = IndexerGrpcExplorerStream( channel=self.explorer_channel, - metadata_provider=lambda: self.network.exchange_metadata( - metadata_query_provider=self._explorer_cookie_metadata_requestor - ), + cookie_assistant=network.explorer_cookie_assistant, ) async def all_tokens(self) -> Dict[str, Token]: @@ -404,7 +350,7 @@ async def get_account(self, address: str) -> Optional[account_pb2.EthAccount]: warn("This method is deprecated. Use fetch_account instead", DeprecationWarning, stacklevel=2) try: - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() account_any = ( await self.stubAuth.Account(auth_query.QueryAccountRequest(address=address), metadata=metadata) ).account @@ -460,7 +406,7 @@ async def simulate_tx(self, tx_byte: bytes) -> Tuple[Union[abci_type.SimulationR warn("This method is deprecated. Use simulate instead", DeprecationWarning, stacklevel=2) try: req = tx_service.SimulateRequest(tx_bytes=tx_byte) - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() return await self.stubTx.Simulate(request=req, metadata=metadata), True except grpc.RpcError as err: return err, False @@ -474,7 +420,7 @@ async def send_tx_sync_mode(self, tx_byte: bytes) -> abci_type.TxResponse: """ warn("This method is deprecated. Use broadcast_tx_sync_mode instead", DeprecationWarning, stacklevel=2) req = tx_service.BroadcastTxRequest(tx_bytes=tx_byte, mode=tx_service.BroadcastMode.BROADCAST_MODE_SYNC) - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() result = await self.stubTx.BroadcastTx(request=req, metadata=metadata) return result.tx_response @@ -487,7 +433,7 @@ async def send_tx_async_mode(self, tx_byte: bytes) -> abci_type.TxResponse: """ warn("This method is deprecated. Use broadcast_tx_async_mode instead", DeprecationWarning, stacklevel=2) req = tx_service.BroadcastTxRequest(tx_bytes=tx_byte, mode=tx_service.BroadcastMode.BROADCAST_MODE_ASYNC) - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() result = await self.stubTx.BroadcastTx(request=req, metadata=metadata) return result.tx_response @@ -500,7 +446,7 @@ async def send_tx_block_mode(self, tx_byte: bytes) -> abci_type.TxResponse: """ warn("This method is deprecated. BLOCK broadcast mode should not be used", DeprecationWarning, stacklevel=2) req = tx_service.BroadcastTxRequest(tx_bytes=tx_byte, mode=tx_service.BroadcastMode.BROADCAST_MODE_BLOCK) - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() result = await self.stubTx.BroadcastTx(request=req, metadata=metadata) return result.tx_response @@ -1838,9 +1784,7 @@ async def stream_spot_markets(self, **kwargs): warn("This method is deprecated. Use listen_spot_markets_updates instead", DeprecationWarning, stacklevel=2) req = spot_exchange_rpc_pb.StreamMarketsRequest(market_ids=kwargs.get("market_ids")) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamMarkets(request=req, metadata=metadata) async def listen_spot_markets_updates( @@ -2030,9 +1974,7 @@ async def stream_spot_orderbook_snapshot(self, market_ids: List[str]): """ warn("This method is deprecated. Use listen_spot_orderbook_snapshots instead", DeprecationWarning, stacklevel=2) req = spot_exchange_rpc_pb.StreamOrderbookV2Request(market_ids=market_ids) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamOrderbookV2(request=req, metadata=metadata) async def listen_spot_orderbook_snapshots( @@ -2055,9 +1997,7 @@ async def stream_spot_orderbook_update(self, market_ids: List[str]): """ warn("This method is deprecated. Use listen_spot_orderbook_updates instead", DeprecationWarning, stacklevel=2) req = spot_exchange_rpc_pb.StreamOrderbookUpdateRequest(market_ids=market_ids) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamOrderbookUpdate(request=req, metadata=metadata) async def listen_spot_orderbook_updates( @@ -2093,9 +2033,7 @@ async def stream_spot_orders(self, market_id: str, **kwargs): trade_id=kwargs.get("trade_id"), cid=kwargs.get("cid"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamOrders(request=req, metadata=metadata) async def listen_spot_orders_updates( @@ -2143,9 +2081,7 @@ async def stream_historical_spot_orders(self, market_id: str, **kwargs): state=kwargs.get("state"), execution_types=kwargs.get("execution_types"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamOrdersHistory(request=req, metadata=metadata) async def listen_spot_orders_history_updates( @@ -2190,9 +2126,7 @@ async def stream_historical_derivative_orders(self, market_id: str, **kwargs): state=kwargs.get("state"), execution_types=kwargs.get("execution_types"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamOrdersHistory(request=req, metadata=metadata) async def listen_derivative_orders_history_updates( @@ -2240,9 +2174,7 @@ async def stream_spot_trades(self, **kwargs): account_address=kwargs.get("account_address"), cid=kwargs.get("cid"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubSpotExchange.StreamTrades(request=req, metadata=metadata) async def listen_spot_trades_updates( @@ -2375,9 +2307,7 @@ async def stream_derivative_markets(self, **kwargs): "This method is deprecated. Use listen_derivative_market_updates instead", DeprecationWarning, stacklevel=2 ) req = derivative_exchange_rpc_pb.StreamMarketRequest(market_ids=kwargs.get("market_ids")) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamMarket(request=req, metadata=metadata) async def listen_derivative_market_updates( @@ -2580,9 +2510,7 @@ async def stream_derivative_orderbook_snapshot(self, market_ids: List[str]): stacklevel=2, ) req = derivative_exchange_rpc_pb.StreamOrderbookV2Request(market_ids=market_ids) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamOrderbookV2(request=req, metadata=metadata) async def listen_derivative_orderbook_snapshots( @@ -2609,9 +2537,7 @@ async def stream_derivative_orderbook_update(self, market_ids: List[str]): stacklevel=2, ) req = derivative_exchange_rpc_pb.StreamOrderbookUpdateRequest(market_ids=market_ids) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamOrderbookUpdate(request=req, metadata=metadata) async def listen_derivative_orderbook_updates( @@ -2651,9 +2577,7 @@ async def stream_derivative_orders(self, market_id: str, **kwargs): trade_id=kwargs.get("trade_id"), cid=kwargs.get("cid"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamOrders(request=req, metadata=metadata) async def listen_derivative_orders_updates( @@ -2711,9 +2635,7 @@ async def stream_derivative_trades(self, **kwargs): account_address=kwargs.get("account_address"), cid=kwargs.get("cid"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamTrades(request=req, metadata=metadata) async def listen_derivative_trades_updates( @@ -2793,9 +2715,7 @@ async def stream_derivative_positions(self, **kwargs): subaccount_id=kwargs.get("subaccount_id"), subaccount_ids=kwargs.get("subaccount_ids"), ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubDerivativeExchange.StreamPositions(request=req, metadata=metadata) async def listen_derivative_positions_updates( @@ -3008,9 +2928,7 @@ async def stream_account_portfolio(self, account_address: str, **kwargs): req = portfolio_rpc_pb.StreamAccountPortfolioRequest( account_address=account_address, subaccount_id=kwargs.get("subaccount_id"), type=kwargs.get("type") ) - metadata = await self.network.exchange_metadata( - metadata_query_provider=self._exchange_cookie_metadata_requestor - ) + metadata = self.network.exchange_cookie_assistant.metadata() return self.stubPortfolio.StreamAccountPortfolio(request=req, metadata=metadata) async def listen_account_portfolio_updates( @@ -3060,7 +2978,7 @@ async def chain_stream( positions_filter=positions_filter, oracle_price_filter=oracle_price_filter, ) - metadata = await self.network.chain_metadata(metadata_query_provider=self._chain_cookie_metadata_requestor) + metadata = self.network.chain_cookie_assistant.metadata() return self.chain_stream_stub.Stream(request=request, metadata=metadata) async def listen_chain_stream_updates( diff --git a/pyinjective/client/chain/grpc/chain_grpc_auction_api.py b/pyinjective/client/chain/grpc/chain_grpc_auction_api.py index 3f9d89fb..d2d2a211 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_auction_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_auction_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.injective.auction.v1beta1 import ( query_pb2 as auction_query_pb, query_pb2_grpc as auction_query_grpc, @@ -10,9 +11,9 @@ class ChainGrpcAuctionApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = auction_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = auction_query_pb.QueryAuctionParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_auth_api.py b/pyinjective/client/chain/grpc/chain_grpc_auth_api.py index 7b0c73dc..6980369a 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_auth_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_auth_api.py @@ -3,14 +3,15 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query_pb, query_pb2_grpc as auth_query_grpc from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant class ChainGrpcAuthApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = auth_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = auth_query_pb.QueryParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_authz_api.py b/pyinjective/client/chain/grpc/chain_grpc_authz_api.py index dae2e3c5..d06b4e8c 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_authz_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_authz_api.py @@ -3,14 +3,15 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as authz_query, query_pb2_grpc as authz_query_grpc from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant class ChainGrpcAuthZApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = authz_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_grants( self, diff --git a/pyinjective/client/chain/grpc/chain_grpc_bank_api.py b/pyinjective/client/chain/grpc/chain_grpc_bank_api.py index 69d0cd0e..cdbd3f1b 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_bank_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_bank_api.py @@ -3,14 +3,15 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as bank_query_pb, query_pb2_grpc as bank_query_grpc from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant class ChainGrpcBankApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = bank_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = bank_query_pb.QueryParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_distribution_api.py b/pyinjective/client/chain/grpc/chain_grpc_distribution_api.py index e7da0966..7e201a42 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_distribution_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_distribution_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.distribution.v1beta1 import ( query_pb2 as distribution_query_pb, query_pb2_grpc as distribution_query_grpc, @@ -11,9 +12,9 @@ class ChainGrpcDistributionApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = distribution_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = distribution_query_pb.QueryParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_exchange_api.py b/pyinjective/client/chain/grpc/chain_grpc_exchange_api.py index b79e8569..6ac66a67 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_exchange_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_exchange_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.injective.exchange.v1beta1 import ( query_pb2 as exchange_query_pb, query_pb2_grpc as exchange_query_grpc, @@ -11,9 +12,9 @@ class ChainGrpcExchangeApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = exchange_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_exchange_params(self) -> Dict[str, Any]: request = exchange_query_pb.QueryExchangeParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_token_factory_api.py b/pyinjective/client/chain/grpc/chain_grpc_token_factory_api.py index 48e1df1c..457f6f1b 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_token_factory_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_token_factory_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.injective.tokenfactory.v1beta1 import ( query_pb2 as token_factory_query_pb, query_pb2_grpc as token_factory_query_grpc, @@ -11,10 +12,10 @@ class ChainGrpcTokenFactoryApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._query_stub = token_factory_query_grpc.QueryStub(channel) self._tx_stub = token_factory_tx_grpc.MsgStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = token_factory_query_pb.QueryParamsRequest() diff --git a/pyinjective/client/chain/grpc/chain_grpc_wasm_api.py b/pyinjective/client/chain/grpc/chain_grpc_wasm_api.py index 1d08e1c3..adc65e88 100644 --- a/pyinjective/client/chain/grpc/chain_grpc_wasm_api.py +++ b/pyinjective/client/chain/grpc/chain_grpc_wasm_api.py @@ -3,14 +3,15 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as wasm_query_pb, query_pb2_grpc as wasm_query_grpc from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant class ChainGrpcWasmApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = wasm_query_grpc.QueryStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_module_params(self) -> Dict[str, Any]: request = wasm_query_pb.QueryParamsRequest() diff --git a/pyinjective/client/chain/grpc_stream/chain_grpc_chain_stream.py b/pyinjective/client/chain/grpc_stream/chain_grpc_chain_stream.py index 46b99780..019ecc31 100644 --- a/pyinjective/client/chain/grpc_stream/chain_grpc_chain_stream.py +++ b/pyinjective/client/chain/grpc_stream/chain_grpc_chain_stream.py @@ -2,14 +2,15 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as chain_stream_pb, query_pb2_grpc as chain_stream_grpc from pyinjective.utils.grpc_api_stream_assistant import GrpcApiStreamAssistant class ChainGrpcChainStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = chain_stream_grpc.StreamStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream( self, diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_account_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_account_api.py index 8fc387c1..3d985595 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_account_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_account_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_pb, injective_accounts_rpc_pb2_grpc as exchange_accounts_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcAccountApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_accounts_grpc.InjectiveAccountsRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_portfolio(self, account_address: str) -> Dict[str, Any]: request = exchange_accounts_pb.PortfolioRequest(account_address=account_address) diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_auction_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_auction_api.py index c9b9d853..e543d16e 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_auction_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_auction_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_auction_rpc_pb2 as exchange_auction_pb, injective_auction_rpc_pb2_grpc as exchange_auction_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcAuctionApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_auction_grpc.InjectiveAuctionRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_auction(self, round: int) -> Dict[str, Any]: request = exchange_auction_pb.AuctionEndpointRequest(round=round) diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_derivative_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_derivative_api.py index 7f28c7ac..1d0220ee 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_derivative_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_derivative_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_derivative_exchange_rpc_pb2 as exchange_derivative_pb, injective_derivative_exchange_rpc_pb2_grpc as exchange_derivative_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcDerivativeApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_derivative_grpc.InjectiveDerivativeExchangeRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_markets( self, diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_explorer_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_explorer_api.py index 89bfc3c7..b08f5390 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_explorer_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_explorer_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_explorer_rpc_pb2 as exchange_explorer_pb, injective_explorer_rpc_pb2_grpc as exchange_explorer_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcExplorerApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_explorer_grpc.InjectiveExplorerRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_account_txs( self, diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_insurance_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_insurance_api.py index 95476677..ea658bda 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_insurance_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_insurance_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_insurance_rpc_pb2 as exchange_insurance_pb, injective_insurance_rpc_pb2_grpc as exchange_insurance_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcInsuranceApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_insurance_grpc.InjectiveInsuranceRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_insurance_funds(self) -> Dict[str, Any]: request = exchange_insurance_pb.FundsRequest() diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_meta_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_meta_api.py index 27e108e1..0d06f884 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_meta_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_meta_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_meta_rpc_pb2 as exchange_meta_pb, injective_meta_rpc_pb2_grpc as exchange_meta_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcMetaApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_meta_grpc.InjectiveMetaRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_ping(self) -> Dict[str, Any]: request = exchange_meta_pb.PingRequest() diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_oracle_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_oracle_api.py index 72416be7..ccf16ee9 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_oracle_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_oracle_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_oracle_rpc_pb2 as exchange_oracle_pb, injective_oracle_rpc_pb2_grpc as exchange_oracle_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcOracleApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_oracle_grpc.InjectiveOracleRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_oracle_list(self) -> Dict[str, Any]: request = exchange_oracle_pb.OracleListRequest() diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_portfolio_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_portfolio_api.py index 510f7054..d9d7460c 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_portfolio_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_portfolio_api.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_portfolio_rpc_pb2 as exchange_portfolio_pb, injective_portfolio_rpc_pb2_grpc as exchange_portfolio_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcPortfolioApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_portfolio_grpc.InjectivePortfolioRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_account_portfolio(self, account_address: str) -> Dict[str, Any]: request = exchange_portfolio_pb.AccountPortfolioRequest(account_address=account_address) diff --git a/pyinjective/client/indexer/grpc/indexer_grpc_spot_api.py b/pyinjective/client/indexer/grpc/indexer_grpc_spot_api.py index 994b2685..f91ecaf8 100644 --- a/pyinjective/client/indexer/grpc/indexer_grpc_spot_api.py +++ b/pyinjective/client/indexer/grpc/indexer_grpc_spot_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_spot_exchange_rpc_pb2 as exchange_spot_pb, injective_spot_exchange_rpc_pb2_grpc as exchange_spot_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcSpotApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_spot_grpc.InjectiveSpotExchangeRPCStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_markets( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_account_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_account_stream.py index 04ba1af3..6fcaf1c8 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_account_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_account_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_accounts_rpc_pb2 as exchange_accounts_pb, injective_accounts_rpc_pb2_grpc as exchange_accounts_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcAccountStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_accounts_grpc.InjectiveAccountsRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_subaccount_balance( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_auction_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_auction_stream.py index 43009ee9..f2477c82 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_auction_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_auction_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_auction_rpc_pb2 as exchange_auction_pb, injective_auction_rpc_pb2_grpc as exchange_auction_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcAuctionStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_auction_grpc.InjectiveAuctionRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_bids( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_derivative_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_derivative_stream.py index b5c790db..2759e6a5 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_derivative_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_derivative_stream.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_derivative_exchange_rpc_pb2 as exchange_derivative_pb, injective_derivative_exchange_rpc_pb2_grpc as exchange_derivative_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcDerivativeStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_derivative_grpc.InjectiveDerivativeExchangeRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_market( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_explorer_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_explorer_stream.py index aa4a69ae..faf96647 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_explorer_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_explorer_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_explorer_rpc_pb2 as exchange_explorer_pb, injective_explorer_rpc_pb2_grpc as exchange_explorer_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcExplorerStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_explorer_grpc.InjectiveExplorerRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_txs( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_meta_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_meta_stream.py index aeff1132..bc2a9a7c 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_meta_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_meta_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_meta_rpc_pb2 as exchange_meta_pb, injective_meta_rpc_pb2_grpc as exchange_meta_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcMetaStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_meta_grpc.InjectiveMetaRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_keepalive( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_oracle_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_oracle_stream.py index 0bad6e35..5ff2e4d5 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_oracle_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_oracle_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_oracle_rpc_pb2 as exchange_oracle_pb, injective_oracle_rpc_pb2_grpc as exchange_oracle_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcOracleStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_oracle_grpc.InjectiveOracleRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_oracle_prices( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_portfolio_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_portfolio_stream.py index 59b0acfa..e1c202d2 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_portfolio_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_portfolio_stream.py @@ -2,6 +2,7 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_portfolio_rpc_pb2 as exchange_portfolio_pb, injective_portfolio_rpc_pb2_grpc as exchange_portfolio_grpc, @@ -10,9 +11,9 @@ class IndexerGrpcPortfolioStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_portfolio_grpc.InjectivePortfolioRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_account_portfolio( self, diff --git a/pyinjective/client/indexer/grpc_stream/indexer_grpc_spot_stream.py b/pyinjective/client/indexer/grpc_stream/indexer_grpc_spot_stream.py index 79b185af..0d7f32c9 100644 --- a/pyinjective/client/indexer/grpc_stream/indexer_grpc_spot_stream.py +++ b/pyinjective/client/indexer/grpc_stream/indexer_grpc_spot_stream.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.exchange import ( injective_spot_exchange_rpc_pb2 as exchange_spot_pb, injective_spot_exchange_rpc_pb2_grpc as exchange_spot_grpc, @@ -11,9 +12,9 @@ class IndexerGrpcSpotStream: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = self._stub = exchange_spot_grpc.InjectiveSpotExchangeRPCStub(channel) - self._assistant = GrpcApiStreamAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiStreamAssistant(cookie_assistant=cookie_assistant) async def stream_markets( self, diff --git a/pyinjective/core/network.py b/pyinjective/core/network.py index 93d006eb..e11528ec 100644 --- a/pyinjective/core/network.py +++ b/pyinjective/core/network.py @@ -1,171 +1,103 @@ -import asyncio import datetime -import time from abc import ABC, abstractmethod from http.cookies import SimpleCookie -from typing import Callable, Optional, Tuple +from typing import List, Optional +from grpc.aio import Call, Metadata -class CookieAssistant(ABC): - SESSION_RENEWAL_OFFSET = 120 +class CookieAssistant(ABC): @abstractmethod - async def chain_cookie(self, metadata_query_provider: Callable) -> str: + def cookie(self) -> Optional[str]: ... @abstractmethod - async def exchange_cookie(self, metadata_query_provider: Callable) -> str: + async def process_response_metadata(self, grpc_call: Call): ... - async def chain_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: - cookie = await self.chain_cookie(metadata_query_provider=metadata_query_provider) - return (("cookie", cookie),) - - async def exchange_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: - cookie = await self.exchange_cookie(metadata_query_provider=metadata_query_provider) - metadata = None + def metadata(self) -> Metadata: + cookie = self.cookie() + metadata = Metadata() if cookie is not None and cookie != "": - metadata = (("cookie", cookie),) + metadata.add("cookie", cookie) return metadata -class KubernetesLoadBalancedCookieAssistant(CookieAssistant): +class BareMetalLoadBalancedCookieAssistant(CookieAssistant): def __init__(self): - self._chain_cookie: Optional[str] = None - self._exchange_cookie: Optional[str] = None - self._chain_cookie_initialization_lock = asyncio.Lock() - self._exchange_cookie_initialization_lock = asyncio.Lock() - - async def chain_cookie(self, metadata_query_provider: Callable) -> str: - if self._chain_cookie is None: - async with self._chain_cookie_initialization_lock: - if self._chain_cookie is None: - await self._fetch_chain_cookie(metadata_query_provider=metadata_query_provider) - cookie = self._chain_cookie - self._check_chain_cookie_expiration() - - return cookie - - async def exchange_cookie(self, metadata_query_provider: Callable) -> str: - if self._exchange_cookie is None: - async with self._exchange_cookie_initialization_lock: - if self._exchange_cookie is None: - await self._fetch_exchange_cookie(metadata_query_provider=metadata_query_provider) - cookie = self._exchange_cookie - self._check_exchange_cookie_expiration() - - return cookie - - async def _fetch_chain_cookie(self, metadata_query_provider: Callable): - metadata = await metadata_query_provider() - cookie_info = next((value for key, value in metadata if key == "set-cookie"), None) + self._cookie: Optional[str] = None - if cookie_info is None: - raise RuntimeError(f"Error fetching chain cookie ({metadata})") + def cookie(self) -> Optional[str]: + self._check_cookie_expiration() - self._chain_cookie = cookie_info + return self._cookie - async def _fetch_exchange_cookie(self, metadata_query_provider: Callable): - metadata = await metadata_query_provider() - cookie_info = next((value for key, value in metadata if key == "set-cookie"), None) + async def process_response_metadata(self, grpc_call: Call): + metadata = await grpc_call.initial_metadata() + if "set-cookie" in metadata: + self._cookie = metadata["set-cookie"] - if cookie_info is None: - cookie_info = "" - - self._exchange_cookie = cookie_info - - def _check_chain_cookie_expiration(self): - if self._is_cookie_expired(cookie_data=self._chain_cookie): - self._chain_cookie = None - - def _check_exchange_cookie_expiration(self): - if self._is_cookie_expired(cookie_data=self._exchange_cookie): - self._exchange_cookie = None + def _check_cookie_expiration(self): + if self._is_cookie_expired(cookie_data=self._cookie): + self._cookie = None def _is_cookie_expired(self, cookie_data: str) -> bool: - cookie = SimpleCookie() - cookie.load(cookie_data) - - expiration_data: Optional[str] = cookie.get("GCLB", {}).get("expires", None) - if expiration_data is None: - expiration_time = 0 - else: - expiration_time = datetime.datetime.strptime(expiration_data, "%a, %d-%b-%Y %H:%M:%S %Z").timestamp() - - timestamp_diff = expiration_time - time.time() - return timestamp_diff < self.SESSION_RENEWAL_OFFSET - - -class BareMetalLoadBalancedCookieAssistant(CookieAssistant): - def __init__(self): - self._chain_cookie: Optional[str] = None - self._exchange_cookie: Optional[str] = None - self._chain_cookie_initialization_lock = asyncio.Lock() - self._exchange_cookie_initialization_lock = asyncio.Lock() - - async def chain_cookie(self, metadata_query_provider: Callable) -> str: - if self._chain_cookie is None: - async with self._chain_cookie_initialization_lock: - if self._chain_cookie is None: - await self._fetch_chain_cookie(metadata_query_provider=metadata_query_provider) - cookie = self._chain_cookie - self._check_chain_cookie_expiration() + # The cookies for these nodes do not expire + return False - return cookie - async def exchange_cookie(self, metadata_query_provider: Callable) -> str: - if self._exchange_cookie is None: - async with self._exchange_cookie_initialization_lock: - if self._exchange_cookie is None: - await self._fetch_exchange_cookie(metadata_query_provider=metadata_query_provider) - cookie = self._exchange_cookie - self._check_exchange_cookie_expiration() +class ExpiringCookieAssistant(CookieAssistant): + def __init__(self, expiration_time_keys_sequence: List[str], time_format: str): + self._cookie: Optional[str] = None + self._expiration_time_keys_sequence = expiration_time_keys_sequence + self._time_format = time_format - return cookie + @classmethod + def for_kubernetes_public_server(cls): + return cls( + expiration_time_keys_sequence=["grpc-cookie", "expires"], + time_format="%a, %d-%b-%Y %H:%M:%S %Z", + ) - async def _fetch_chain_cookie(self, metadata_query_provider: Callable): - metadata = await metadata_query_provider() - cookie_info = next((value for key, value in metadata if key == "set-cookie"), None) + def cookie(self) -> Optional[str]: + self._check_cookie_expiration() - if cookie_info is None: - raise RuntimeError(f"Error fetching chain cookie ({metadata})") + return self._cookie - self._chain_cookie = cookie_info + async def process_response_metadata(self, grpc_call: Call): + metadata = await grpc_call.initial_metadata() + if "set-cookie" in metadata: + self._cookie = metadata["set-cookie"] - async def _fetch_exchange_cookie(self, metadata_query_provider: Callable): - metadata = await metadata_query_provider() - cookie_info = next((value for key, value in metadata if key == "set-cookie"), None) + def _check_cookie_expiration(self): + if self._is_cookie_expired(): + self._cookie = None - if cookie_info is None: - cookie_info = "" + def _is_cookie_expired(self) -> bool: + is_expired = False - self._exchange_cookie = cookie_info + if self._cookie is not None: + cookie = SimpleCookie() + cookie.load(self._cookie) + cookie_map = cookie - def _check_chain_cookie_expiration(self): - if self._is_cookie_expired(cookie_data=self._chain_cookie): - self._chain_cookie = None + for key in self._expiration_time_keys_sequence[:-1]: + cookie_map = cookie.get(key, {}) - def _check_exchange_cookie_expiration(self): - if self._is_cookie_expired(cookie_data=self._exchange_cookie): - self._exchange_cookie = None + expiration_data: Optional[str] = cookie_map.get(self._expiration_time_keys_sequence[-1], None) + if expiration_data is not None: + expiration_time = datetime.datetime.strptime(expiration_data, self._time_format) + is_expired = datetime.datetime.utcnow() >= expiration_time - def _is_cookie_expired(self, cookie_data: str) -> bool: - # The cookies for these nodes do not expire - return False + return is_expired class DisabledCookieAssistant(CookieAssistant): - async def chain_cookie(self, metadata_query_provider: Callable) -> str: - pass - - async def exchange_cookie(self, metadata_query_provider: Callable) -> str: - pass - - async def chain_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: + def cookie(self) -> Optional[str]: return None - async def exchange_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: - return None + async def process_response_metadata(self, grpc_call: Call): + pass class Network: @@ -180,7 +112,9 @@ def __init__( chain_id: str, fee_denom: str, env: str, - cookie_assistant: CookieAssistant, + chain_cookie_assistant: CookieAssistant, + exchange_cookie_assistant: CookieAssistant, + explorer_cookie_assistant: CookieAssistant, use_secure_connection: bool = False, ): self.lcd_endpoint = lcd_endpoint @@ -192,7 +126,9 @@ def __init__( self.chain_id = chain_id self.fee_denom = fee_denom self.env = env - self.cookie_assistant = cookie_assistant + self.chain_cookie_assistant = chain_cookie_assistant + self.exchange_cookie_assistant = exchange_cookie_assistant + self.explorer_cookie_assistant = explorer_cookie_assistant self.use_secure_connection = use_secure_connection @classmethod @@ -207,7 +143,9 @@ def devnet(cls): chain_id="injective-777", fee_denom="inj", env="devnet", - cookie_assistant=DisabledCookieAssistant(), + chain_cookie_assistant=DisabledCookieAssistant(), + exchange_cookie_assistant=DisabledCookieAssistant(), + explorer_cookie_assistant=DisabledCookieAssistant(), ) @classmethod @@ -226,7 +164,9 @@ def testnet(cls, node="lb"): grpc_exchange_endpoint = "testnet.sentry.exchange.grpc.injective.network:443" grpc_explorer_endpoint = "testnet.sentry.explorer.grpc.injective.network:443" chain_stream_endpoint = "testnet.sentry.chain.stream.injective.network:443" - cookie_assistant = BareMetalLoadBalancedCookieAssistant() + chain_cookie_assistant = BareMetalLoadBalancedCookieAssistant() + exchange_cookie_assistant = BareMetalLoadBalancedCookieAssistant() + explorer_cookie_assistant = BareMetalLoadBalancedCookieAssistant() use_secure_connection = True else: lcd_endpoint = "https://testnet.lcd.injective.network:443" @@ -235,7 +175,9 @@ def testnet(cls, node="lb"): grpc_exchange_endpoint = "testnet.exchange.grpc.injective.network:443" grpc_explorer_endpoint = "testnet.explorer.grpc.injective.network:443" chain_stream_endpoint = "testnet.chain.stream.injective.network:443" - cookie_assistant = DisabledCookieAssistant() + chain_cookie_assistant = DisabledCookieAssistant() + exchange_cookie_assistant = DisabledCookieAssistant() + explorer_cookie_assistant = DisabledCookieAssistant() use_secure_connection = True return cls( @@ -248,7 +190,9 @@ def testnet(cls, node="lb"): chain_id="injective-888", fee_denom="inj", env="testnet", - cookie_assistant=cookie_assistant, + chain_cookie_assistant=chain_cookie_assistant, + exchange_cookie_assistant=exchange_cookie_assistant, + explorer_cookie_assistant=explorer_cookie_assistant, use_secure_connection=use_secure_connection, ) @@ -266,7 +210,9 @@ def mainnet(cls, node="lb"): grpc_exchange_endpoint = "sentry.exchange.grpc.injective.network:443" grpc_explorer_endpoint = "sentry.explorer.grpc.injective.network:443" chain_stream_endpoint = "sentry.chain.stream.injective.network:443" - cookie_assistant = BareMetalLoadBalancedCookieAssistant() + chain_cookie_assistant = BareMetalLoadBalancedCookieAssistant() + exchange_cookie_assistant = BareMetalLoadBalancedCookieAssistant() + explorer_cookie_assistant = BareMetalLoadBalancedCookieAssistant() use_secure_connection = True return cls( @@ -279,7 +225,9 @@ def mainnet(cls, node="lb"): chain_id="injective-1", fee_denom="inj", env="mainnet", - cookie_assistant=cookie_assistant, + chain_cookie_assistant=chain_cookie_assistant, + exchange_cookie_assistant=exchange_cookie_assistant, + explorer_cookie_assistant=explorer_cookie_assistant, use_secure_connection=use_secure_connection, ) @@ -295,7 +243,9 @@ def local(cls): chain_id="injective-1", fee_denom="inj", env="local", - cookie_assistant=DisabledCookieAssistant(), + chain_cookie_assistant=DisabledCookieAssistant(), + exchange_cookie_assistant=DisabledCookieAssistant(), + explorer_cookie_assistant=DisabledCookieAssistant(), use_secure_connection=False, ) @@ -310,10 +260,14 @@ def custom( chain_stream_endpoint, chain_id, env, - cookie_assistant: Optional[CookieAssistant] = None, + chain_cookie_assistant: Optional[CookieAssistant] = None, + exchange_cookie_assistant: Optional[CookieAssistant] = None, + explorer_cookie_assistant: Optional[CookieAssistant] = None, use_secure_connection: bool = False, ): - assistant = cookie_assistant or DisabledCookieAssistant() + chain_assistant = chain_cookie_assistant or DisabledCookieAssistant() + exchange_assistant = exchange_cookie_assistant or DisabledCookieAssistant() + explorer_assistant = explorer_cookie_assistant or DisabledCookieAssistant() return cls( lcd_endpoint=lcd_endpoint, tm_websocket_endpoint=tm_websocket_endpoint, @@ -324,15 +278,11 @@ def custom( chain_id=chain_id, fee_denom="inj", env=env, - cookie_assistant=assistant, + chain_cookie_assistant=chain_assistant, + exchange_cookie_assistant=exchange_assistant, + explorer_cookie_assistant=explorer_assistant, use_secure_connection=use_secure_connection, ) def string(self): return self.env - - async def chain_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: - return await self.cookie_assistant.chain_metadata(metadata_query_provider=metadata_query_provider) - - async def exchange_metadata(self, metadata_query_provider: Callable) -> Tuple[Tuple[str, str]]: - return await self.cookie_assistant.exchange_metadata(metadata_query_provider=metadata_query_provider) diff --git a/pyinjective/core/tx/grpc/tendermint_grpc_api.py b/pyinjective/core/tx/grpc/tendermint_grpc_api.py index c6e091c6..352f98c4 100644 --- a/pyinjective/core/tx/grpc/tendermint_grpc_api.py +++ b/pyinjective/core/tx/grpc/tendermint_grpc_api.py @@ -3,6 +3,7 @@ from grpc.aio import Channel from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.base.tendermint.v1beta1 import ( query_pb2 as tendermint_query, query_pb2_grpc as tendermint_query_grpc, @@ -11,9 +12,9 @@ class TendermintGrpcApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = tendermint_query_grpc.ServiceStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def fetch_node_info(self) -> Dict[str, Any]: request = tendermint_query.GetNodeInfoRequest() diff --git a/pyinjective/core/tx/grpc/tx_grpc_api.py b/pyinjective/core/tx/grpc/tx_grpc_api.py index d984dbf6..28cd7feb 100644 --- a/pyinjective/core/tx/grpc/tx_grpc_api.py +++ b/pyinjective/core/tx/grpc/tx_grpc_api.py @@ -2,14 +2,15 @@ from grpc.aio import Channel +from pyinjective.core.network import CookieAssistant from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as tx_service, service_pb2_grpc as tx_service_grpc from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant class TxGrpcApi: - def __init__(self, channel: Channel, metadata_provider: Callable): + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): self._stub = tx_service_grpc.ServiceStub(channel) - self._assistant = GrpcApiRequestAssistant(metadata_provider=metadata_provider) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) async def simulate(self, tx_bytes: bytes) -> Dict[str, Any]: request = tx_service.SimulateRequest(tx_bytes=tx_bytes) diff --git a/pyinjective/utils/grpc_api_request_assistant.py b/pyinjective/utils/grpc_api_request_assistant.py index 5ed3c5fa..1b278bb9 100644 --- a/pyinjective/utils/grpc_api_request_assistant.py +++ b/pyinjective/utils/grpc_api_request_assistant.py @@ -2,15 +2,20 @@ from google.protobuf import json_format +from pyinjective.core.network import CookieAssistant + class GrpcApiRequestAssistant: - def __init__(self, metadata_provider: Callable): + def __init__(self, cookie_assistant: CookieAssistant): super().__init__() - self._metadata_provider = metadata_provider + self._cookie_assistant = cookie_assistant async def execute_call(self, call: Callable, request) -> Dict[str, Any]: - metadata = await self._metadata_provider() - response = await call(request, metadata=metadata) + metadata = self._cookie_assistant.metadata() + grpc_call = call(request, metadata=metadata) + response = await grpc_call + + await self._cookie_assistant.process_response_metadata(grpc_call=grpc_call) result = json_format.MessageToDict( message=response, diff --git a/pyinjective/utils/grpc_api_stream_assistant.py b/pyinjective/utils/grpc_api_stream_assistant.py index 50092def..e55b52c4 100644 --- a/pyinjective/utils/grpc_api_stream_assistant.py +++ b/pyinjective/utils/grpc_api_stream_assistant.py @@ -4,11 +4,13 @@ from google.protobuf import json_format from grpc import RpcError +from pyinjective.core.network import CookieAssistant + class GrpcApiStreamAssistant: - def __init__(self, metadata_provider: Callable): + def __init__(self, cookie_assistant: CookieAssistant): super().__init__() - self._metadata_provider = metadata_provider + self._cookie_assistant = cookie_assistant async def listen_stream( self, @@ -18,7 +20,7 @@ async def listen_stream( on_end_callback: Optional[Callable] = None, on_status_callback: Optional[Callable] = None, ): - metadata = await self._metadata_provider() + metadata = self._cookie_assistant.metadata() stream = call(request, metadata=metadata) try: diff --git a/tests/client/chain/grpc/test_chain_grpc_auction_api.py b/tests/client/chain/grpc/test_chain_grpc_auction_api.py index 968ee238..9de9c63a 100644 --- a/tests/client/chain/grpc/test_chain_grpc_auction_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_auction_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.chain.grpc.chain_grpc_auction_api import ChainGrpcAuctionApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.injective.auction.v1beta1 import ( auction_pb2 as auction_pb, @@ -26,11 +26,7 @@ async def test_fetch_module_params( params = auction_pb.Params(auction_period=604800, min_next_bid_increment_rate="2500000000000000") auction_servicer.auction_params.append(auction_query_pb.QueryAuctionParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) module_params = await api.fetch_module_params() expected_params = {"params": {"auctionPeriod": "604800", "minNextBidIncrementRate": "2500000000000000"}} @@ -55,11 +51,7 @@ async def test_fetch_module_state( ) auction_servicer.module_states.append(auction_query_pb.QueryModuleStateResponse(state=state)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) module_state = await api.fetch_module_state() expected_state = { @@ -92,11 +84,7 @@ async def test_fetch_module_state_when_no_highest_bid_present( ) auction_servicer.module_states.append(auction_query_pb.QueryModuleStateResponse(state=state)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) module_state = await api.fetch_module_state() expected_state = { @@ -136,11 +124,7 @@ async def test_fetch_current_basket( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) current_basket = await api.fetch_current_basket() expected_basket = { @@ -162,5 +146,12 @@ async def test_fetch_current_basket( assert expected_basket == current_basket - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcAuctionApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_auth_api.py b/tests/client/chain/grpc/test_chain_grpc_auth_api.py index 03032cb1..25507eb2 100644 --- a/tests/client/chain/grpc/test_chain_grpc_auth_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_auth_api.py @@ -6,7 +6,7 @@ from pyinjective.client.chain.grpc.chain_grpc_auth_api import ChainGrpcAuthApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as auth_pb, query_pb2 as auth_query_pb from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.injective.crypto.v1beta1.ethsecp256k1 import keys_pb2 as keys_pb @@ -34,11 +34,7 @@ async def test_fetch_module_params( ) auth_servicer.auth_params.append(auth_query_pb.QueryParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auth_servicer + api = self._api_instance(servicer=auth_servicer) module_params = await api.fetch_module_params() expected_params = { @@ -78,11 +74,7 @@ async def test_fetch_account( any_account.Pack(account, type_url_prefix="") auth_servicer.account_responses.append(auth_query_pb.QueryAccountResponse(account=any_account)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auth_servicer + api = self._api_instance(servicer=auth_servicer) response_account = await api.fetch_account(address="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr") expected_account = { @@ -138,11 +130,7 @@ async def test_fetch_accounts( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auth_servicer + api = self._api_instance(servicer=auth_servicer) pagination_option = PaginationOption( key="011ab4075a94245dff7338e3042db5b7cc3f42e1", @@ -170,5 +158,12 @@ async def test_fetch_accounts( assert result_pagination.next_key == base64.b64decode(response_pagination["nextKey"]) assert result_pagination.total == int(response_pagination["total"]) - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcAuthApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_authz_api.py b/tests/client/chain/grpc/test_chain_grpc_authz_api.py index 9d1d5586..315f051f 100644 --- a/tests/client/chain/grpc/test_chain_grpc_authz_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_authz_api.py @@ -4,7 +4,7 @@ from pyinjective.client.chain.grpc.chain_grpc_authz_api import ChainGrpcAuthZApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2, query_pb2 as authz_query from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from tests.client.chain.grpc.configurable_authz_query_servicer import ConfigurableAuthZQueryServicer @@ -47,11 +47,7 @@ async def test_fetch_grants( count_total=True, ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthZApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = authz_servicer + api = self._api_instance(servicer=authz_servicer) result_grants = await api.fetch_grants( granter="inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku", @@ -109,11 +105,7 @@ async def test_fetch_granter_grants( count_total=True, ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthZApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = authz_servicer + api = self._api_instance(servicer=authz_servicer) result_grants = await api.fetch_granter_grants( granter="inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku", @@ -171,11 +163,7 @@ async def test_fetch_grantee_grants( count_total=True, ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcAuthZApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = authz_servicer + api = self._api_instance(servicer=authz_servicer) result_grants = await api.fetch_grantee_grants( grantee="inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r", @@ -198,5 +186,12 @@ async def test_fetch_grantee_grants( assert result_grants == expected_grants - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcAuthZApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_bank_api.py b/tests/client/chain/grpc/test_chain_grpc_bank_api.py index f2c6cbdd..64b14f95 100644 --- a/tests/client/chain/grpc/test_chain_grpc_bank_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_bank_api.py @@ -5,7 +5,7 @@ from pyinjective.client.chain.grpc.chain_grpc_bank_api import ChainGrpcBankApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as bank_pb, query_pb2 as bank_query_pb from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb @@ -26,11 +26,7 @@ async def test_fetch_module_params( params = bank_pb.Params(default_send_enabled=True) bank_servicer.bank_params.append(bank_query_pb.QueryParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) module_params = await api.fetch_module_params() expected_params = { @@ -50,11 +46,7 @@ async def test_fetch_balance( balance = coin_pb.Coin(denom="inj", amount="988987297011197594664") bank_servicer.balance_responses.append(bank_query_pb.QueryBalanceResponse(balance=balance)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) bank_balance = await api.fetch_balance( account_address="inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r", denom="inj" @@ -71,11 +63,7 @@ async def test_fetch_balance( balance = coin_pb.Coin(denom="inj", amount="988987297011197594664") bank_servicer.balance_responses.append(bank_query_pb.QueryBalanceResponse(balance=balance)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) bank_balance = await api.fetch_balance( account_address="inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r", denom="inj" @@ -105,11 +93,7 @@ async def test_fetch_balances( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) bank_balances = await api.fetch_balances( account_address="inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r", @@ -137,11 +121,7 @@ async def test_fetch_spendable_balances( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) balances = await api.fetch_spendable_balances( account_address="inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r", @@ -168,11 +148,7 @@ async def test_fetch_spendable_balances_by_denom( bank_query_pb.QuerySpendableBalanceByDenomResponse(balance=first_balance) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) balances = await api.fetch_spendable_balances_by_denom( account_address="inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r", @@ -210,11 +186,7 @@ async def test_fetch_total_supply( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) total_supply = await api.fetch_total_supply() next_key = "factory/inj1vkrp72xd67plcggcfjtjelqa4t5a093xljf2vj/inj1spw6nd0pj3kd3fgjljhuqpc8tv72a9v89myuja" @@ -243,11 +215,7 @@ async def test_fetch_supply_of( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) total_supply = await api.fetch_supply_of(denom=first_supply.denom) expected_supply = {"amount": {"denom": first_supply.denom, "amount": first_supply.amount}} @@ -284,11 +252,7 @@ async def test_fetch_denom_metadata( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) denom_metadata = await api.fetch_denom_metadata(denom=metadata.base) @@ -347,11 +311,7 @@ async def test_fetch_denoms_metadata( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) denoms_metadata = await api.fetch_denoms_metadata( pagination=PaginationOption( @@ -405,11 +365,7 @@ async def test_fetch_denom_owners( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) denoms_metadata = await api.fetch_denom_owners( denom=balance.denom, @@ -460,11 +416,7 @@ async def test_fetch_send_enabled( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcBankApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = bank_servicer + api = self._api_instance(servicer=bank_servicer) denoms_metadata = await api.fetch_send_enabled( denoms=[send_enabled.denom], @@ -489,5 +441,12 @@ async def test_fetch_send_enabled( assert expected_denoms_metadata == denoms_metadata - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcBankApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_distribution_api.py b/tests/client/chain/grpc/test_chain_grpc_distribution_api.py index 9f8ee9a6..4f54b539 100644 --- a/tests/client/chain/grpc/test_chain_grpc_distribution_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_distribution_api.py @@ -5,7 +5,7 @@ from pyinjective.client.chain.grpc.chain_grpc_distribution_api import ChainGrpcDistributionApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.cosmos.distribution.v1beta1 import ( @@ -35,11 +35,7 @@ async def test_fetch_module_params( distribution_servicer.distribution_params.append(distribution_query_pb.QueryParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) module_params = await api.fetch_module_params() expected_params = { @@ -68,11 +64,7 @@ async def test_fetch_validator_distribution_info( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) validator_info = await api.fetch_validator_distribution_info(validator_address=operator) expected_info = { @@ -98,11 +90,7 @@ async def test_fetch_validator_outstanding_rewards( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) validator_rewards = await api.fetch_validator_outstanding_rewards(validator_address=operator) expected_rewards = {"rewards": {"rewards": [{"denom": reward.denom, "amount": reward.amount}]}} @@ -124,11 +112,7 @@ async def test_fetch_validator_commission( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) commission = await api.fetch_validator_commission(validator_address=operator) expected_commission = { @@ -156,11 +140,7 @@ async def test_fetch_validator_slashes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) slashes = await api.fetch_validator_slashes( validator_address=operator, @@ -198,11 +178,7 @@ async def test_fetch_delegation_rewards( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) rewards = await api.fetch_delegation_rewards( delegator_address=delegator, @@ -233,11 +209,7 @@ async def test_fetch_delegation_total_rewards( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) rewards = await api.fetch_delegation_total_rewards( delegator_address=delegator, @@ -268,11 +240,7 @@ async def test_fetch_delegator_validators( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) validators = await api.fetch_delegator_validators( delegator_address=delegator, @@ -296,11 +264,7 @@ async def test_fetch_delegator_withdraw_address( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) withdraw_address = await api.fetch_delegator_withdraw_address( delegator_address=delegator, @@ -323,16 +287,19 @@ async def test_fetch_community_pool( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcDistributionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = distribution_servicer + api = self._api_instance(servicer=distribution_servicer) community_pool = await api.fetch_community_pool() expected_community_pool = {"pool": [{"denom": coin.denom, "amount": coin.amount}]} assert community_pool == expected_community_pool - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcDistributionApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py index 7ff77bbc..66dde459 100644 --- a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py @@ -5,7 +5,7 @@ from pyinjective.client.chain.grpc.chain_grpc_exchange_api import ChainGrpcExchangeApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.injective.exchange.v1beta1 import ( exchange_pb2 as exchange_pb, @@ -59,11 +59,7 @@ async def test_fetch_exchange_params( ) exchange_servicer.exchange_params.append(exchange_query_pb.QueryExchangeParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) module_params = await api.fetch_exchange_params() expected_params = { @@ -123,11 +119,7 @@ async def test_fetch_subaccount_deposits( exchange_query_pb.QuerySubaccountDepositsResponse(deposits={deposit_denom: deposit}) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) deposits = await api.fetch_subaccount_deposits( subaccount_id="0x5303d92e49a619bb29de8fb6f59c0e7589213cc8000000000000000000000001", @@ -158,11 +150,7 @@ async def test_fetch_subaccount_deposit( exchange_query_pb.QuerySubaccountDepositResponse(deposits=deposit) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) deposit_response = await api.fetch_subaccount_deposit( subaccount_id="0x5303d92e49a619bb29de8fb6f59c0e7589213cc8000000000000000000000001", @@ -195,11 +183,7 @@ async def test_fetch_exchange_balances( exchange_query_pb.QueryExchangeBalancesResponse(balances=[balance]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) balances_response = await api.fetch_exchange_balances() expected_balances = { @@ -236,11 +220,7 @@ async def test_fetch_aggregate_volume( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) volume_response = await api.fetch_aggregate_volume(account="inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r") expected_volume = { @@ -289,11 +269,7 @@ async def test_fetch_aggregate_volumes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) volume_response = await api.fetch_aggregate_volumes( accounts=[account_volume.account], @@ -342,11 +318,7 @@ async def test_fetch_aggregate_market_volume( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) volume_response = await api.fetch_aggregate_market_volume( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe" @@ -379,11 +351,7 @@ async def test_fetch_aggregate_market_volumes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) volume_response = await api.fetch_aggregate_market_volumes( market_ids=[market_volume.market_id], @@ -414,11 +382,7 @@ async def test_fetch_denom_decimal( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) denom_decimal = await api.fetch_denom_decimal(denom="inj") expected_decimal = {"decimal": str(decimal)} @@ -440,11 +404,7 @@ async def test_fetch_denom_decimals( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) denom_decimals = await api.fetch_denom_decimals(denoms=[denom_decimal.denom]) expected_decimals = { @@ -481,11 +441,7 @@ async def test_fetch_spot_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) status_string = exchange_pb.MarketStatus.Name(market.status) markets = await api.fetch_spot_markets( @@ -534,11 +490,7 @@ async def test_fetch_spot_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) response_market = await api.fetch_spot_market( market_id=market.market_id, @@ -592,11 +544,7 @@ async def test_fetch_full_spot_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) status_string = exchange_pb.MarketStatus.Name(market.status) markets = await api.fetch_full_spot_markets( @@ -662,11 +610,7 @@ async def test_fetch_full_spot_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) status_string = exchange_pb.MarketStatus.Name(market.status) market_response = await api.fetch_full_spot_market( @@ -717,11 +661,7 @@ async def test_fetch_spot_orderbook( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orderbook = await api.fetch_spot_orderbook( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -765,11 +705,7 @@ async def test_fetch_trader_spot_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_trader_spot_orders( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -807,11 +743,7 @@ async def test_fetch_account_address_spot_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_account_address_spot_orders( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -849,11 +781,7 @@ async def test_fetch_spot_orders_by_hashes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_spot_orders_by_hashes( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -904,11 +832,7 @@ async def test_fetch_subaccount_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_subaccount_orders( subaccount_id="0x5303d92e49a619bb29de8fb6f59c0e7589213cc8000000000000000000000001", @@ -957,11 +881,7 @@ async def test_fetch_trader_spot_transient_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_trader_spot_transient_orders( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -993,11 +913,7 @@ async def test_fetch_spot_mid_price_and_tob( ) exchange_servicer.spot_mid_price_and_tob_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) prices = await api.fetch_spot_mid_price_and_tob( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -1022,11 +938,7 @@ async def test_fetch_derivative_mid_price_and_tob( ) exchange_servicer.derivative_mid_price_and_tob_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) prices = await api.fetch_derivative_mid_price_and_tob( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe", @@ -1059,11 +971,7 @@ async def test_fetch_derivative_orderbook( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orderbook = await api.fetch_derivative_orderbook( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1106,11 +1014,7 @@ async def test_fetch_trader_derivative_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_trader_derivative_orders( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1150,11 +1054,7 @@ async def test_fetch_account_address_derivative_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_account_address_derivative_orders( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1194,11 +1094,7 @@ async def test_fetch_derivative_orders_by_hashes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_derivative_orders_by_hashes( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1239,11 +1135,7 @@ async def test_fetch_trader_derivative_transient_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_trader_derivative_transient_orders( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1320,11 +1212,7 @@ async def test_fetch_derivative_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) status_string = exchange_pb.MarketStatus.Name(market.status) markets = await api.fetch_derivative_markets( @@ -1434,11 +1322,7 @@ async def test_fetch_derivative_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) status_string = exchange_pb.MarketStatus.Name(market.status) market_response = await api.fetch_derivative_market( @@ -1500,11 +1384,7 @@ async def test_fetch_derivative_market_address( ) exchange_servicer.derivative_market_address_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) address = await api.fetch_derivative_market_address( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1524,11 +1404,7 @@ async def test_fetch_subaccount_trade_nonce( response = exchange_query_pb.QuerySubaccountTradeNonceResponse(nonce=1234567879) exchange_servicer.subaccount_trade_nonce_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) nonce = await api.fetch_subaccount_trade_nonce( subaccount_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20000000000000000000000000", @@ -1560,11 +1436,7 @@ async def test_fetch_positions( exchange_query_pb.QueryPositionsResponse(state=[derivative_position]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) positions = await api.fetch_positions() expected_positions = { @@ -1606,11 +1478,7 @@ async def test_fetch_subaccount_positions( exchange_query_pb.QuerySubaccountPositionsResponse(state=[derivative_position]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) positions = await api.fetch_subaccount_positions(subaccount_id=derivative_position.subaccount_id) expected_positions = { @@ -1649,11 +1517,7 @@ async def test_fetch_subaccount_position_in_market( exchange_query_pb.QuerySubaccountPositionInMarketResponse(state=position) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) position_response = await api.fetch_subaccount_position_in_market( subaccount_id=subaccount_id, @@ -1689,11 +1553,7 @@ async def test_fetch_subaccount_effective_position_in_market( exchange_query_pb.QuerySubaccountEffectivePositionInMarketResponse(state=effective_position) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) position_response = await api.fetch_subaccount_effective_position_in_market( subaccount_id=subaccount_id, @@ -1726,11 +1586,7 @@ async def test_fetch_perpetual_market_info( exchange_query_pb.QueryPerpetualMarketInfoResponse(info=perpetual_market_info) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) market_info = await api.fetch_perpetual_market_info(market_id=perpetual_market_info.market_id) expected_market_info = { @@ -1761,11 +1617,7 @@ async def test_fetch_expiry_futures_market_info( exchange_query_pb.QueryExpiryFuturesMarketInfoResponse(info=expiry_futures_market_info) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) market_info = await api.fetch_expiry_futures_market_info(market_id=expiry_futures_market_info.market_id) expected_market_info = { @@ -1794,11 +1646,7 @@ async def test_fetch_perpetual_market_funding( exchange_query_pb.QueryPerpetualMarketFundingResponse(state=perpetual_market_funding) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) funding = await api.fetch_perpetual_market_funding( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6" @@ -1835,11 +1683,7 @@ async def test_fetch_subaccount_order_metadata( exchange_query_pb.QuerySubaccountOrderMetadataResponse(metadata=[subaccount_order_metadata]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) metadata_response = await api.fetch_subaccount_order_metadata( subaccount_id="0x5303d92e49a619bb29de8fb6f59c0e7589213cc8000000000000000000000001" @@ -1872,11 +1716,7 @@ async def test_fetch_trade_reward_points( response = exchange_query_pb.QueryTradeRewardPointsResponse(account_trade_reward_points=[points]) exchange_servicer.trade_reward_points_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) trade_reward_points = await api.fetch_trade_reward_points( accounts=["inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r"], @@ -1895,11 +1735,7 @@ async def test_fetch_pending_trade_reward_points( response = exchange_query_pb.QueryTradeRewardPointsResponse(account_trade_reward_points=[points]) exchange_servicer.pending_trade_reward_points_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) trade_reward_points = await api.fetch_pending_trade_reward_points( accounts=["inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r"], @@ -1961,11 +1797,7 @@ async def test_fetch_trade_reward_campaign( ) exchange_servicer.trade_reward_campaign_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) trade_reward_campaign = await api.fetch_trade_reward_campaign() expected_campaign = { @@ -2044,11 +1876,7 @@ async def test_fetch_fee_discount_account_info( ) exchange_servicer.fee_discount_account_info_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) fee_discount = await api.fetch_fee_discount_account_info(account="inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r") expected_fee_discount = { @@ -2091,11 +1919,7 @@ async def test_fetch_fee_discount_schedule( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) schedule = await api.fetch_fee_discount_schedule() expected_schedule = { @@ -2137,11 +1961,7 @@ async def test_fetch_balance_mismatches( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) mismatches = await api.fetch_balance_mismatches(dust_factor=20) expected_mismatches = { @@ -2178,11 +1998,7 @@ async def test_fetch_balance_with_balance_holds( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) balance = await api.fetch_balance_with_balance_holds() expected_balance = { @@ -2214,11 +2030,7 @@ async def test_fetch_fee_discount_tier_statistics( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) statistics = await api.fetch_fee_discount_tier_statistics() expected_statistics = { @@ -2249,11 +2061,7 @@ async def test_fetch_mito_vault_infos( ) exchange_servicer.mito_vault_infos_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) mito_vaults = await api.fetch_mito_vault_infos() expected_mito_vaults = { @@ -2277,11 +2085,7 @@ async def test_fetch_market_id_from_vault( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) market_id_response = await api.fetch_market_id_from_vault( vault_address="inj1zlh5sqevkfphtwnu9cul8p89vseme2eqt0snn9" @@ -2312,11 +2116,7 @@ async def test_fetch_historical_trade_records( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) records = await api.fetch_historical_trade_records(market_id=trade_record.market_id) expected_records = { @@ -2346,11 +2146,7 @@ async def test_fetch_is_opted_out_of_rewards( ) exchange_servicer.is_opted_out_of_rewards_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) is_opted_out = await api.fetch_is_opted_out_of_rewards(account="inj1zlh5sqevkfphtwnu9cul8p89vseme2eqt0snn9") expected_is_opted_out = { @@ -2369,11 +2165,7 @@ async def test_fetch_opted_out_of_rewards_accounts( ) exchange_servicer.opted_out_of_rewards_accounts_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) opted_out = await api.fetch_opted_out_of_rewards_accounts() expected_opted_out = { @@ -2408,11 +2200,7 @@ async def test_fetch_market_volatility( ) exchange_servicer.market_volatility_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) volatility = await api.fetch_market_volatility( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -2474,11 +2262,7 @@ async def test_fetch_binary_options_markets( ) exchange_servicer.binary_options_markets_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) markets = await api.fetch_binary_options_markets(status="Active") expected_markets = { @@ -2524,11 +2308,7 @@ async def test_fetch_trader_derivative_conditional_orders( response = exchange_query_pb.QueryTraderDerivativeConditionalOrdersResponse(orders=[order]) exchange_servicer.trader_derivative_conditional_orders_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) orders = await api.fetch_trader_derivative_conditional_orders( subaccount_id="0x5303d92e49a619bb29de8fb6f59c0e7589213cc8000000000000000000000001", @@ -2560,11 +2340,7 @@ async def test_fetch_market_atomic_execution_fee_multiplier( ) exchange_servicer.market_atomic_execution_fee_multiplier_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcExchangeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = exchange_servicer + api = self._api_instance(servicer=exchange_servicer) multiplier = await api.fetch_market_atomic_execution_fee_multiplier( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -2575,5 +2351,12 @@ async def test_fetch_market_atomic_execution_fee_multiplier( assert multiplier == expected_multiplier - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcExchangeApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py b/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py index 418dfb35..18cad1f2 100644 --- a/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.chain.grpc.chain_grpc_token_factory_api import ChainGrpcTokenFactoryApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.injective.tokenfactory.v1beta1 import ( authorityMetadata_pb2 as token_factory_authority_metadata_pb, @@ -30,11 +30,7 @@ async def test_fetch_module_params( ) token_factory_query_servicer.params_responses.append(token_factory_query_pb.QueryParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcTokenFactoryApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._query_stub = token_factory_query_servicer + api = self._api_instance(servicer=token_factory_query_servicer) module_params = await api.fetch_module_params() expected_params = { @@ -61,11 +57,7 @@ async def test_fetch_denom_authority_metadata( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcTokenFactoryApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._query_stub = token_factory_query_servicer + api = self._api_instance(servicer=token_factory_query_servicer) metadata = await api.fetch_denom_authority_metadata( creator=authority_metadata.admin, @@ -89,11 +81,7 @@ async def test_fetch_denoms_from_creator( token_factory_query_pb.QueryDenomsFromCreatorResponse(denoms=[denom]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcTokenFactoryApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._query_stub = token_factory_query_servicer + api = self._api_instance(servicer=token_factory_query_servicer) denoms = await api.fetch_denoms_from_creator(creator="inj1ady3s7whq30l4fx8sj3x6muv5mx4dfdlcpv8n7") expected_denoms = {"denoms": [denom]} @@ -126,11 +114,7 @@ async def test_fetch_tokenfactory_module_state( token_factory_query_pb.QueryModuleStateResponse(state=state) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcTokenFactoryApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._query_stub = token_factory_query_servicer + api = self._api_instance(servicer=token_factory_query_servicer) state = await api.fetch_tokenfactory_module_state() expected_state = { @@ -155,5 +139,12 @@ async def test_fetch_tokenfactory_module_state( assert state == expected_state - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcTokenFactoryApi(channel=channel, cookie_assistant=cookie_assistant) + api._query_stub = servicer + + return api diff --git a/tests/client/chain/grpc/test_chain_grpc_wasm_api.py b/tests/client/chain/grpc/test_chain_grpc_wasm_api.py index 254f382f..a8ebf1af 100644 --- a/tests/client/chain/grpc/test_chain_grpc_wasm_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_wasm_api.py @@ -6,7 +6,7 @@ from pyinjective.client.chain.grpc.chain_grpc_wasm_api import ChainGrpcWasmApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as wasm_query_pb, types_pb2 as wasm_types_pb from tests.client.chain.grpc.configurable_wasm_query_servicer import ConfigurableWasmQueryServicer @@ -33,11 +33,7 @@ async def test_fetch_module_params( ) wasm_servicer.params_responses.append(wasm_query_pb.QueryParamsResponse(params=params)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) module_params = await api.fetch_module_params() expected_params = { @@ -77,11 +73,7 @@ async def test_fetch_contract_info( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_contract_info(address=address) expected_contract_info = { @@ -130,11 +122,7 @@ async def test_fetch_contract_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_contract_history( address="inj18pp4vjwucpgg4nw3rr4wh4zyjg9ct5t8v9wqgj", @@ -183,11 +171,7 @@ async def test_fetch_contracts_by_code( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_contracts_by_code( code_id=3770, @@ -231,11 +215,7 @@ async def test_fetch_all_contracts_state( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_all_contracts_state( address="inj1z4l7jc8dj3y9484aqcrmf6y8mcctvkmm9zkf7n", @@ -266,11 +246,7 @@ async def test_fetch_raw_contract_state( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_raw_contract_state( address="inj1z4l7jc8dj3y9484aqcrmf6y8mcctvkmm9zkf7n", @@ -294,11 +270,7 @@ async def test_fetch_smart_contract_state( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_smart_contract_state( address="inj1z4l7jc8dj3y9484aqcrmf6y8mcctvkmm9zkf7n", @@ -333,11 +305,7 @@ async def test_fetch_code( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) info = await api.fetch_code(code_id=code_info_response.code_id) expected_contract_info = { @@ -384,11 +352,7 @@ async def test_fetch_codes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) codes = await api.fetch_codes( pagination=PaginationOption( @@ -436,11 +400,7 @@ async def test_fetch_pinned_codes( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) codes = await api.fetch_pinned_codes( pagination=PaginationOption( @@ -478,11 +438,7 @@ async def test_contracts_by_creator( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = ChainGrpcWasmApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = wasm_servicer + api = self._api_instance(servicer=wasm_servicer) codes = await api.fetch_contracts_by_creator( creator_address="inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku", @@ -501,5 +457,12 @@ async def test_contracts_by_creator( assert codes == expected_codes - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcWasmApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/chain/stream_grpc/test_chain_grpc_chain_stream.py b/tests/client/chain/stream_grpc/test_chain_grpc_chain_stream.py index 8b932770..39513fdc 100644 --- a/tests/client/chain/stream_grpc/test_chain_grpc_chain_stream.py +++ b/tests/client/chain/stream_grpc/test_chain_grpc_chain_stream.py @@ -6,7 +6,7 @@ from pyinjective.client.chain.grpc_stream.chain_grpc_chain_stream import ChainGrpcChainStream from pyinjective.composer import Composer -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as exchange_pb from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as chain_stream_pb @@ -194,10 +194,7 @@ async def test_stream( network = Network.devnet() composer = Composer(network=network.string()) - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = ChainGrpcChainStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = chain_stream_servicer + api = self._api_instance(servicer=chain_stream_servicer) events = asyncio.Queue() end_event = asyncio.Event() @@ -408,5 +405,12 @@ async def test_stream( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcChainStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_account_api.py b/tests/client/indexer/grpc/test_indexer_grpc_account_api.py index 895e35c0..85443837 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_account_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_account_api.py @@ -3,7 +3,7 @@ from pyinjective.client.indexer.grpc.indexer_grpc_account_api import IndexerGrpcAccountApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_accounts_pb from tests.client.indexer.configurable_account_query_servicer import ConfigurableAccountQueryServicer @@ -34,11 +34,7 @@ async def test_fetch_portfolio( ) account_servicer.portfolio_responses.append(exchange_accounts_pb.PortfolioResponse(portfolio=portfolio)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) account_address = "inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku" result_portfolio = await api.fetch_portfolio(account_address=account_address) @@ -84,11 +80,7 @@ async def test_order_states( exchange_accounts_pb.OrderStatesResponse(spot_order_states=[order_state]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_order_states = await api.fetch_order_states(spot_order_hashes=[order_state.order_hash]) expected_order_states = { @@ -124,11 +116,7 @@ async def test_subaccounts_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_subaccounts_list = await api.fetch_subaccounts_list(address="testAddress") expected_subaccounts_list = { @@ -156,11 +144,7 @@ async def test_subaccount_balances_list( exchange_accounts_pb.SubaccountBalancesListResponse(balances=[balance]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_subaccount_balances_list = await api.fetch_subaccount_balances_list( subaccount_id=balance.subaccount_id, denoms=[balance.denom] @@ -200,11 +184,7 @@ async def test_subaccount_balance( exchange_accounts_pb.SubaccountBalanceEndpointResponse(balance=balance) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_subaccount_balance = await api.fetch_subaccount_balance( subaccount_id=balance.subaccount_id, @@ -249,11 +229,7 @@ async def test_subaccount_history( exchange_accounts_pb.SubaccountHistoryResponse(transfers=[transfer], paging=paging) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_subaccount_history = await api.fetch_subaccount_history( subaccount_id=transfer.dst_subaccount_id, @@ -297,11 +273,7 @@ async def test_subaccount_order_summary( exchange_accounts_pb.SubaccountOrderSummaryResponse(spot_orders_total=0, derivative_orders_total=20) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_subaccount_order_summary = await api.fetch_subaccount_order_summary( subaccount_id="0xaf79152ac5df276d9a8e1e2e22822f9713474902000000000000000000000000", @@ -330,11 +302,7 @@ async def test_fetch_rewards( account_servicer.rewards_responses.append(exchange_accounts_pb.RewardsResponse(rewards=[reward])) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_rewards = await api.fetch_rewards(account_address=reward.account_address, epoch=1) expected_rewards = { @@ -372,11 +340,7 @@ async def test_fetch_rewards( account_servicer.rewards_responses.append(exchange_accounts_pb.RewardsResponse(rewards=[reward])) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) result_rewards = await api.fetch_rewards(account_address=reward.account_address, epoch=1) expected_rewards = { @@ -396,5 +360,12 @@ async def test_fetch_rewards( assert result_rewards == expected_rewards - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcAccountApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_auction_api.py b/tests/client/indexer/grpc/test_indexer_grpc_auction_api.py index 8be68ddb..f9d372c7 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_auction_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_auction_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.indexer.grpc.indexer_grpc_auction_api import IndexerGrpcAuctionApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_auction_pb from tests.client.indexer.configurable_auction_query_servicer import ConfigurableAuctionQueryServicer @@ -44,11 +44,7 @@ async def test_fetch_auction( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) result_auction = await api.fetch_auction(round=auction.round) expected_auction = { @@ -90,11 +86,7 @@ async def test_fetch_auctions( auction_servicer.auctions_responses.append(exchange_auction_pb.AuctionsResponse(auctions=[auction])) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAuctionApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) result_auctions = await api.fetch_auctions() expected_auctions = { @@ -117,5 +109,12 @@ async def test_fetch_auctions( assert result_auctions == expected_auctions - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcAuctionApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py b/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py index 932596ca..c5ae19e0 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py @@ -3,7 +3,7 @@ from pyinjective.client.indexer.grpc.indexer_grpc_derivative_api import IndexerGrpcDerivativeApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_derivative_pb from tests.client.indexer.configurable_derivative_query_servicer import ConfigurableDerivativeQueryServicer @@ -67,11 +67,7 @@ async def test_fetch_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_markets = await api.fetch_markets( market_statuses=[market.market_status], @@ -174,11 +170,7 @@ async def test_fetch_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_market = await api.fetch_market(market_id=market.market_id) expected_market = { @@ -263,11 +255,7 @@ async def test_fetch_binary_options_markets( exchange_derivative_pb.BinaryOptionsMarketsResponse(markets=[market], paging=paging) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_markets = await api.fetch_binary_options_markets( market_status=market.market_status, @@ -355,11 +343,7 @@ async def test_fetch_binary_options_market( exchange_derivative_pb.BinaryOptionsMarketResponse(market=market) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_markets = await api.fetch_binary_options_market(market_id=market.market_id) expected_markets = { @@ -422,11 +406,7 @@ async def test_fetch_orderbook_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orderbook = await api.fetch_orderbook_v2( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6" @@ -488,11 +468,7 @@ async def test_fetch_orderbooks_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orderbook = await api.fetch_orderbooks_v2(market_ids=[single_orderbook.market_id]) expected_orderbook = { @@ -563,11 +539,7 @@ async def test_fetch_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_orders( market_ids=[order.market_id], @@ -654,11 +626,7 @@ async def test_fetch_positions( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_positions( market_ids=[position.market_id], @@ -729,11 +697,7 @@ async def test_fetch_positions_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_positions_v2( market_ids=[position.market_id], @@ -798,11 +762,7 @@ async def test_fetch_liquidable_positions( exchange_derivative_pb.LiquidablePositionsResponse(positions=[position]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_liquidable_positions( market_id=position.market_id, @@ -854,11 +814,7 @@ async def test_fetch_funding_payments( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_funding_payments( market_ids=[payment.market_id], @@ -910,11 +866,7 @@ async def test_fetch_funding_rates( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_funding_rates( market_id=funding_rate.market_id, @@ -981,11 +933,7 @@ async def test_fetch_trades( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_trades = await api.fetch_trades( market_ids=[trade.market_id], @@ -1077,11 +1025,7 @@ async def test_fetch_subaccount_orders_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_subaccount_orders_list( subaccount_id=order.subaccount_id, @@ -1163,11 +1107,7 @@ async def test_fetch_subaccount_trades_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_trades = await api.fetch_subaccount_trades_list( subaccount_id=trade.subaccount_id, @@ -1245,11 +1185,7 @@ async def test_fetch_orders_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_orders = await api.fetch_orders_history( subaccount_id=order.subaccount_id, @@ -1344,11 +1280,7 @@ async def test_fetch_trades_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) result_trades = await api.fetch_trades_v2( market_ids=[trade.market_id], @@ -1400,5 +1332,12 @@ async def test_fetch_trades_v2( assert result_trades == expected_trades - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcDerivativeApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_explorer_api.py b/tests/client/indexer/grpc/test_indexer_grpc_explorer_api.py index 3572174d..faf4364a 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_explorer_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_explorer_api.py @@ -5,7 +5,7 @@ from pyinjective.client.indexer.grpc.indexer_grpc_explorer_api import IndexerGrpcExplorerApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_explorer_pb from tests.client.indexer.configurable_explorer_query_servicer import ConfigurableExplorerQueryServicer @@ -90,11 +90,7 @@ async def test_fetch_account_txs( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_txs = await api.fetch_account_txs( address="inj1phd706jqzd9wznkk5hgsfkrc8jqxv0kmlj0kex", @@ -245,11 +241,7 @@ async def test_fetch_contract_txs( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_contract_txs = await api.fetch_contract_txs( address="inj1phd706jqzd9wznkk5hgsfkrc8jqxv0kmlj0kex", @@ -345,11 +337,7 @@ async def test_fetch_blocks( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_blocks = await api.fetch_blocks( before=221419, @@ -418,11 +406,7 @@ async def test_fetch_block( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_block = await api.fetch_block(block_id=str(block_info.height)) expected_block = { @@ -496,11 +480,7 @@ async def test_fetch_validators( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_validators = await api.fetch_validators() expected_validators = { @@ -581,11 +561,7 @@ async def test_fetch_validator( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_validator = await api.fetch_validator(address=validator.operator_address) expected_validator = { @@ -645,11 +621,7 @@ async def test_fetch_validator_uptime( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_validator = await api.fetch_validator_uptime(address="injvaloper156t3yxd4udv0h9gwagfcmwnmm3quy0nph7tyh5") expected_validator = { @@ -716,11 +688,7 @@ async def test_fetch_txs( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_txs = await api.fetch_txs( before=221439, @@ -837,11 +805,7 @@ async def test_fetch_tx_by_hash( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_tx = await api.fetch_tx_by_tx_hash(tx_hash=tx_data.hash) expected_tx = { @@ -921,11 +885,7 @@ async def test_fetch_peggy_deposit_txs( exchange_explorer_pb.GetPeggyDepositTxsResponse(field=[tx_data]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_tx = await api.fetch_peggy_deposit_txs( sender=tx_data.sender, @@ -985,11 +945,7 @@ async def test_fetch_peggy_withdrawal_txs( exchange_explorer_pb.GetPeggyWithdrawalTxsResponse(field=[tx_data]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_tx = await api.fetch_peggy_withdrawal_txs( sender=tx_data.sender, @@ -1056,11 +1012,7 @@ async def test_fetch_ibc_transfer_txs( exchange_explorer_pb.GetIBCTransferTxsResponse(field=[tx_data]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_tx = await api.fetch_ibc_transfer_txs( sender=tx_data.sender, @@ -1135,11 +1087,7 @@ async def test_fetch_wasm_codes( exchange_explorer_pb.GetWasmCodesResponse(paging=paging, data=[wasm_code]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_codes = await api.fetch_wasm_codes( from_number=1, @@ -1214,11 +1162,7 @@ async def test_fetch_wasm_code_by_id( explorer_servicer.wasm_code_by_id_responses.append(wasm_code) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_code = await api.fetch_wasm_code_by_id(code_id=wasm_code.code_id) expected_wasm_code = { @@ -1285,11 +1229,7 @@ async def test_fetch_wasm_contracts( exchange_explorer_pb.GetWasmContractsResponse(paging=paging, data=[wasm_contract]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_contracts = await api.fetch_wasm_contracts( code_id=wasm_contract.code_id, @@ -1368,11 +1308,7 @@ async def test_fetch_wasm_contract_by_address( explorer_servicer.wasm_contract_by_address_responses.append(wasm_contract) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_contract = await api.fetch_wasm_contract_by_address(address=wasm_contract.address) expected_wasm_contract = { @@ -1429,11 +1365,7 @@ async def test_fetch_cw20_balance( exchange_explorer_pb.GetCw20BalanceResponse(field=[wasm_balance]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_contract = await api.fetch_cw20_balance( address=wasm_balance.account, @@ -1483,11 +1415,7 @@ async def test_fetch_relayers( explorer_servicer.relayers_responses.append(exchange_explorer_pb.RelayersResponse(field=[relayers])) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_wasm_contract = await api.fetch_relayers( market_ids=[relayers.market_id], @@ -1532,11 +1460,7 @@ async def test_fetch_bank_transfers( exchange_explorer_pb.GetBankTransfersResponse(paging=paging, data=[bank_transfer]) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) result_transfers = await api.fetch_bank_transfers( senders=[bank_transfer.sender], @@ -1578,5 +1502,12 @@ async def test_fetch_bank_transfers( assert result_transfers == expected_transfers - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcExplorerApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_insurance_api.py b/tests/client/indexer/grpc/test_indexer_grpc_insurance_api.py index 2499b7db..27e3ee9f 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_insurance_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_insurance_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.indexer.grpc.indexer_grpc_insurance_api import IndexerGrpcInsuranceApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_insurance_pb from tests.client.indexer.configurable_insurance_query_servicer import ConfigurableInsuranceQueryServicer @@ -38,11 +38,7 @@ async def test_fetch_insurance_funds( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcInsuranceApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = insurance_servicer + api = self._api_instance(servicer=insurance_servicer) result_insurance_list = await api.fetch_insurance_funds() expected_insurance_list = { @@ -89,11 +85,7 @@ async def test_fetch_redemptions( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcInsuranceApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = insurance_servicer + api = self._api_instance(servicer=insurance_servicer) result_insurance_list = await api.fetch_redemptions( address=redemption_schedule.redeemer, @@ -119,5 +111,12 @@ async def test_fetch_redemptions( assert result_insurance_list == expected_insurance_list - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcInsuranceApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_meta_api.py b/tests/client/indexer/grpc/test_indexer_grpc_meta_api.py index e9fe8d94..b7ee7378 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_meta_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_meta_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.indexer.grpc.indexer_grpc_meta_api import IndexerGrpcMetaApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_meta_pb from tests.client.indexer.configurable_meta_query_servicer import ConfigurableMetaQueryServicer @@ -20,11 +20,7 @@ async def test_fetch_portfolio( ): meta_servicer.ping_responses.append(exchange_meta_pb.PingResponse()) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcMetaApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = meta_servicer + api = self._api_instance(servicer=meta_servicer) result_ping = await api.fetch_ping() expected_ping = {} @@ -48,11 +44,7 @@ async def test_fetch_version( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcMetaApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = meta_servicer + api = self._api_instance(servicer=meta_servicer) result_version = await api.fetch_version() expected_version = {"build": build, "version": version} @@ -78,11 +70,7 @@ async def test_fetch_info( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcMetaApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = meta_servicer + api = self._api_instance(servicer=meta_servicer) result_info = await api.fetch_info() expected_info = { @@ -95,5 +83,12 @@ async def test_fetch_info( assert result_info == expected_info - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcMetaApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_oracle_api.py b/tests/client/indexer/grpc/test_indexer_grpc_oracle_api.py index 25c39733..96ac10d7 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_oracle_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_oracle_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.indexer.grpc.indexer_grpc_oracle_api import IndexerGrpcOracleApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_oracle_pb from tests.client.indexer.configurable_oracle_query_servicer import ConfigurableOracleQueryServicer @@ -32,11 +32,7 @@ async def test_fetch_oracle_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcOracleApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = oracle_servicer + api = self._api_instance(servicer=oracle_servicer) result_oracle_list = await api.fetch_oracle_list() expected_oracle_list = { @@ -66,11 +62,7 @@ async def test_fetch_oracle_price( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcOracleApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = oracle_servicer + api = self._api_instance(servicer=oracle_servicer) result_oracle_list = await api.fetch_oracle_price( base_symbol="Gold", @@ -82,5 +74,12 @@ async def test_fetch_oracle_price( assert result_oracle_list == expected_oracle_list - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcOracleApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_portfolio_api.py b/tests/client/indexer/grpc/test_indexer_grpc_portfolio_api.py index ad88d127..45d5ea62 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_portfolio_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_portfolio_api.py @@ -2,7 +2,7 @@ import pytest from pyinjective.client.indexer.grpc.indexer_grpc_portfolio_api import IndexerGrpcPortfolioApi -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_portfolio_pb from tests.client.indexer.configurable_portfolio_query_servicer import ConfigurablePortfolioQueryServicer @@ -63,11 +63,7 @@ async def test_fetch_account_portfolio( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcPortfolioApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = portfolio_servicer + api = self._api_instance(servicer=portfolio_servicer) result_auction = await api.fetch_account_portfolio(account_address=portfolio.account_address) expected_auction = { @@ -144,11 +140,7 @@ async def test_fetch_account_portfolio_balances( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcPortfolioApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = portfolio_servicer + api = self._api_instance(servicer=portfolio_servicer) result_auction = await api.fetch_account_portfolio_balances(account_address=portfolio.account_address) expected_auction = { @@ -175,5 +167,12 @@ async def test_fetch_account_portfolio_balances( assert result_auction == expected_auction - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcPortfolioApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py b/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py index 01b8fda9..095ca9a1 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py @@ -3,7 +3,7 @@ from pyinjective.client.indexer.grpc.indexer_grpc_spot_api import IndexerGrpcSpotApi from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_spot_pb from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer @@ -57,11 +57,7 @@ async def test_fetch_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_markets = await api.fetch_markets( market_statuses=[market.market_status], @@ -146,11 +142,7 @@ async def test_fetch_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_market = await api.fetch_market(market_id=market.market_id) expected_market = { @@ -215,11 +207,7 @@ async def test_fetch_orderbook_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_orderbook = await api.fetch_orderbook_v2( market_id="0x0611780ba69656949525013d947713300f56c37b6175e02f26bffa495c3208fe" @@ -281,11 +269,7 @@ async def test_fetch_orderbooks_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_orderbook = await api.fetch_orderbooks_v2(market_ids=[single_orderbook.market_id]) expected_orderbook = { @@ -348,11 +332,7 @@ async def test_fetch_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_orders = await api.fetch_orders( market_ids=[order.market_id], @@ -435,11 +415,7 @@ async def test_fetch_trades( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_trades = await api.fetch_trades( market_ids=[trade.market_id], @@ -521,11 +497,7 @@ async def test_fetch_subaccount_orders_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_orders = await api.fetch_subaccount_orders_list( subaccount_id=order.subaccount_id, @@ -597,11 +569,7 @@ async def test_fetch_subaccount_trades_list( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_trades = await api.fetch_subaccount_trades_list( subaccount_id=trade.subaccount_id, @@ -672,11 +640,7 @@ async def test_fetch_orders_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_orders = await api.fetch_orders_history( subaccount_id=order.subaccount_id, @@ -759,11 +723,7 @@ async def test_fetch_atomic_swap_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_history = await api.fetch_atomic_swap_history( address=atomic_swap.sender, @@ -838,11 +798,7 @@ async def test_fetch_trades_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) result_trades = await api.fetch_trades_v2( market_ids=[trade.market_id], @@ -892,5 +848,12 @@ async def test_fetch_trades_v2( assert result_trades == expected_trades - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcSpotApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_account_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_account_stream.py index f5579bee..925e85c8 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_account_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_account_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_account_stream import IndexerGrpcAccountStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_accounts_pb from tests.client.indexer.configurable_account_query_servicer import ConfigurableAccountQueryServicer @@ -34,11 +34,7 @@ async def test_fetch_portfolio( exchange_accounts_pb.StreamSubaccountBalanceResponse(balance=balance, timestamp=1672218001897) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAccountStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = account_servicer + api = self._api_instance(servicer=account_servicer) balance_updates = asyncio.Queue() end_event = asyncio.Event() @@ -74,5 +70,12 @@ async def test_fetch_portfolio( assert first_balance_update == expected_balance_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcAccountStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_auction_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_auction_stream.py index 8c88d717..ef76134e 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_auction_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_auction_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_auction_stream import IndexerGrpcAuctionStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_auction_pb from tests.client.indexer.configurable_auction_query_servicer import ConfigurableAuctionQueryServicer @@ -29,11 +29,7 @@ async def test_stream_oracle_prices_by_markets( exchange_auction_pb.StreamBidsResponse(bidder=bidder, bid_amount=amount, round=round, timestamp=timestamp) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcAuctionStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = auction_servicer + api = self._api_instance(servicer=auction_servicer) bid_updates = asyncio.Queue() end_event = asyncio.Event() @@ -61,5 +57,12 @@ async def test_stream_oracle_prices_by_markets( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcAuctionStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py index ffa83c9a..fb9e9827 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py @@ -5,7 +5,7 @@ from pyinjective.client.indexer.grpc_stream.indexer_grpc_derivative_stream import IndexerGrpcDerivativeStream from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_derivative_pb from tests.client.indexer.configurable_derivative_query_servicer import ConfigurableDerivativeQueryServicer @@ -74,11 +74,7 @@ async def test_stream_market( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) market_updates = asyncio.Queue() end_event = asyncio.Event() @@ -178,11 +174,7 @@ async def test_stream_orderbook_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) orderbook_updates = asyncio.Queue() end_event = asyncio.Event() @@ -266,11 +258,7 @@ async def test_stream_orderbook_update( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) orderbook_updates = asyncio.Queue() end_event = asyncio.Event() @@ -348,11 +336,7 @@ async def test_stream_positions( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) positions = asyncio.Queue() end_event = asyncio.Event() @@ -434,11 +418,7 @@ async def test_stream_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) orders_updates = asyncio.Queue() end_event = asyncio.Event() @@ -542,11 +522,7 @@ async def test_stream_trades( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) trade_updates = asyncio.Queue() end_event = asyncio.Event() @@ -646,11 +622,7 @@ async def test_stream_orders_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) orders_history_updates = asyncio.Queue() end_event = asyncio.Event() @@ -744,11 +716,7 @@ async def test_stream_trades_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcDerivativeStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = derivative_servicer + api = self._api_instance(servicer=derivative_servicer) trade_updates = asyncio.Queue() end_event = asyncio.Event() @@ -808,5 +776,12 @@ async def test_stream_trades_v2( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcDerivativeStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_explorer_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_explorer_stream.py index 98eed906..b960076a 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_explorer_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_explorer_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_explorer_stream import IndexerGrpcExplorerStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_explorer_pb from tests.client.indexer.configurable_explorer_query_servicer import ConfigurableExplorerQueryServicer @@ -41,11 +41,7 @@ async def test_stream_txs( explorer_servicer.stream_txs_responses.append(tx_data) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) txs_updates = asyncio.Queue() end_event = asyncio.Event() @@ -97,11 +93,7 @@ async def test_stream_blocks( explorer_servicer.stream_blocks_responses.append(block_info) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcExplorerStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = explorer_servicer + api = self._api_instance(servicer=explorer_servicer) blocks_updates = asyncio.Queue() end_event = asyncio.Event() @@ -134,5 +126,12 @@ async def test_stream_blocks( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcExplorerStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_meta_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_meta_stream.py index 2a003c62..0e476e76 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_meta_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_meta_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_meta_stream import IndexerGrpcMetaStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_meta_pb from tests.client.indexer.configurable_meta_query_servicer import ConfigurableMetaQueryServicer @@ -32,11 +32,7 @@ async def test_fetch_portfolio( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcMetaStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = meta_servicer + api = self._api_instance(servicer=meta_servicer) keepalive_updates = asyncio.Queue() end_event = asyncio.Event() @@ -59,5 +55,12 @@ async def test_fetch_portfolio( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcMetaStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_oracle_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_oracle_stream.py index 3389948a..2e60d84a 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_oracle_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_oracle_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_oracle_stream import IndexerGrpcOracleStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_oracle_pb from tests.client.indexer.configurable_oracle_query_servicer import ConfigurableOracleQueryServicer @@ -30,11 +30,7 @@ async def test_stream_oracle_prices( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcOracleStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = oracle_servicer + api = self._api_instance(servicer=oracle_servicer) price_updates = asyncio.Queue() end_event = asyncio.Event() @@ -77,11 +73,7 @@ async def test_stream_oracle_prices_by_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcOracleStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = oracle_servicer + api = self._api_instance(servicer=oracle_servicer) price_updates = asyncio.Queue() end_event = asyncio.Event() @@ -105,5 +97,12 @@ async def test_stream_oracle_prices_by_markets( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcOracleStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_portfolio_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_portfolio_stream.py index 2f09ed40..f992fb9b 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_portfolio_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_portfolio_stream.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.indexer.grpc_stream.indexer_grpc_portfolio_stream import IndexerGrpcPortfolioStream -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_portfolio_pb from tests.client.indexer.configurable_portfolio_query_servicer import ConfigurablePortfolioQueryServicer @@ -36,11 +36,7 @@ async def test_stream_account_portfolio( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcPortfolioStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = portfolio_servicer + api = self._api_instance(servicer=portfolio_servicer) portfolio_updates = asyncio.Queue() end_event = asyncio.Event() @@ -72,5 +68,12 @@ async def test_stream_account_portfolio( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcPortfolioStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py index 6b55ce88..be13f590 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py @@ -5,7 +5,7 @@ from pyinjective.client.indexer.grpc_stream.indexer_grpc_spot_stream import IndexerGrpcSpotStream from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_spot_pb from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer @@ -64,11 +64,7 @@ async def test_stream_markets( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) market_updates = asyncio.Queue() end_event = asyncio.Event() @@ -159,11 +155,7 @@ async def test_stream_orderbook_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) orderbook_updates = asyncio.Queue() end_event = asyncio.Event() @@ -247,11 +239,7 @@ async def test_stream_orderbook_update( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) orderbook_updates = asyncio.Queue() end_event = asyncio.Event() @@ -333,11 +321,7 @@ async def test_stream_orders( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) orders_updates = asyncio.Queue() end_event = asyncio.Event() @@ -429,11 +413,7 @@ async def test_stream_trades( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) trade_updates = asyncio.Queue() end_event = asyncio.Event() @@ -526,11 +506,7 @@ async def test_stream_orders_history( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) orders_history_updates = asyncio.Queue() end_event = asyncio.Event() @@ -617,11 +593,7 @@ async def test_stream_trades_v2( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - - api = IndexerGrpcSpotStream(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = spot_servicer + api = self._api_instance(servicer=spot_servicer) trade_updates = asyncio.Queue() end_event = asyncio.Event() @@ -679,5 +651,12 @@ async def test_stream_trades_v2( assert first_update == expected_update assert end_event.is_set() - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IndexerGrpcSpotStream(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/core/test_network.py b/tests/core/test_network.py index 479f7027..94857b41 100644 --- a/tests/core/test_network.py +++ b/tests/core/test_network.py @@ -1,105 +1,94 @@ -import pytest +import datetime +from zoneinfo import ZoneInfo -from pyinjective.core.network import BareMetalLoadBalancedCookieAssistant, KubernetesLoadBalancedCookieAssistant +import pytest +from grpc.aio import Metadata +from pyinjective.core.network import ( + BareMetalLoadBalancedCookieAssistant, + DisabledCookieAssistant, + ExpiringCookieAssistant, +) -class TestBareMetalLoadBalancedCookieAssistant: - @pytest.mark.asyncio - async def test_chain_metadata(self): - assistant = BareMetalLoadBalancedCookieAssistant() - dummy_metadata = [("set-cookie", "expected_cookie")] - async def dummy_metadata_provider(): - return dummy_metadata +class DummyCall: + def __init__(self, metadata: Metadata): + self._metadata = metadata - metadata = await assistant.chain_metadata(metadata_query_provider=dummy_metadata_provider) - expected_metadata = (("cookie", "expected_cookie"),) + async def initial_metadata(self): + return self._metadata - assert expected_metadata == metadata +class TestBareMetalLoadBalancedCookieAssistant: @pytest.mark.asyncio - async def test_chain_metadata_fails_when_cookie_info_not_included_in_server_response(self): + async def test_metadata_access(self): assistant = BareMetalLoadBalancedCookieAssistant() - dummy_metadata = [("invalid_key", "invalid_value")] - - async def dummy_metadata_provider(): - return dummy_metadata - with pytest.raises(RuntimeError, match=f"Error fetching chain cookie ({dummy_metadata})"): - await assistant.chain_metadata(metadata_query_provider=dummy_metadata_provider) + assert assistant.metadata() == Metadata() - @pytest.mark.asyncio - async def test_exchange_metadata(self): - assistant = BareMetalLoadBalancedCookieAssistant() - dummy_metadata = [("set-cookie", "expected_cookie")] + response_cookie = "lb=205989dfdbf02c2b4b9ed656ff8a081cb146d66797f69eefb4aee61ad5f13d4e; Path=/" + metadata = Metadata( + ("alt-svc", 'h3=":443"; ma=2592000'), + ("server", "Caddy"), + ("set-cookie", response_cookie), + ("x-cosmos-block-height", "23624674"), + ("date", "Mon, 18 Mar 2024 18:09:42 GMT"), + ) - async def dummy_metadata_provider(): - return dummy_metadata + grpc_call = DummyCall(metadata=metadata) + await assistant.process_response_metadata(grpc_call=grpc_call) - metadata = await assistant.exchange_metadata(metadata_query_provider=dummy_metadata_provider) - expected_metadata = (("cookie", "expected_cookie"),) + assert assistant.metadata() == Metadata(("cookie", response_cookie)) - assert expected_metadata == metadata +class TestExpiringCookieAssistant: @pytest.mark.asyncio - async def test_exchange_metadata_is_none_when_cookie_info_not_included_in_server_response(self): - assistant = BareMetalLoadBalancedCookieAssistant() - dummy_metadata = [("invalid_key", "invalid_value")] + async def test_cookie_expiration(self): + time_format = "%a, %d-%b-%Y %H:%M:%S %Z" - async def dummy_metadata_provider(): - return dummy_metadata + assistant = ExpiringCookieAssistant( + expiration_time_keys_sequence=["grpc-cookie", "expires"], + time_format=time_format, + ) - metadata = await assistant.exchange_metadata(metadata_query_provider=dummy_metadata_provider) + future_time = datetime.datetime.now(tz=ZoneInfo("GMT")) + datetime.timedelta(hours=1) + formatted_time = future_time.strftime(time_format) + cookie_value = ( + f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" + f" Max-Age=172800; Path=/; Secure; HttpOnly" + ) - assert metadata is None + metadata = Metadata(("set-cookie", cookie_value)) + grpc_call = DummyCall(metadata=metadata) + await assistant.process_response_metadata(grpc_call=grpc_call) -class TestKubernetesLoadBalancedCookieAssistant: - @pytest.mark.asyncio - async def test_chain_metadata(self): - assistant = KubernetesLoadBalancedCookieAssistant() - dummy_metadata = [("set-cookie", "expected_cookie")] + assert assistant.cookie() == cookie_value - async def dummy_metadata_provider(): - return dummy_metadata + past_time = datetime.datetime.now(tz=ZoneInfo("GMT")) + datetime.timedelta(hours=-1) + formatted_time = past_time.strftime(time_format) + cookie_value = ( + f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" + f" Max-Age=172800; Path=/; Secure; HttpOnly" + ) - metadata = await assistant.chain_metadata(metadata_query_provider=dummy_metadata_provider) - expected_metadata = (("cookie", "expected_cookie"),) + metadata = Metadata(("set-cookie", cookie_value)) + grpc_call = DummyCall(metadata=metadata) - assert expected_metadata == metadata + await assistant.process_response_metadata(grpc_call=grpc_call) - @pytest.mark.asyncio - async def test_chain_metadata_fails_when_cookie_info_not_included_in_server_response(self): - assistant = KubernetesLoadBalancedCookieAssistant() - dummy_metadata = [("invalid_key", "invalid_value")] + assert assistant.cookie() is None - async def dummy_metadata_provider(): - return dummy_metadata + def test_instance_creation_for_kubernetes_server(self): + assistant = ExpiringCookieAssistant.for_kubernetes_public_server() - with pytest.raises(RuntimeError, match=f"Error fetching chain cookie ({dummy_metadata})"): - await assistant.chain_metadata(metadata_query_provider=dummy_metadata_provider) - - @pytest.mark.asyncio - async def test_exchange_metadata(self): - assistant = KubernetesLoadBalancedCookieAssistant() - dummy_metadata = [("set-cookie", "expected_cookie")] + assert ["grpc-cookie", "expires"] == assistant._expiration_time_keys_sequence + assert "%a, %d-%b-%Y %H:%M:%S %Z" == assistant._time_format - async def dummy_metadata_provider(): - return dummy_metadata - - metadata = await assistant.exchange_metadata(metadata_query_provider=dummy_metadata_provider) - expected_metadata = (("cookie", "expected_cookie"),) - - assert expected_metadata == metadata +class TestDisabledCookieAssistant: @pytest.mark.asyncio - async def test_exchange_metadata_is_none_when_cookie_info_not_included_in_server_response(self): - assistant = KubernetesLoadBalancedCookieAssistant() - dummy_metadata = [("invalid_key", "invalid_value")] - - async def dummy_metadata_provider(): - return dummy_metadata - - metadata = await assistant.exchange_metadata(metadata_query_provider=dummy_metadata_provider) + async def test_metadata_access(self): + assistant = DisabledCookieAssistant() - assert metadata is None + assert assistant.metadata() == Metadata() diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tx/grpc/test_tendermint_grpc_api.py index ed9333f6..26496823 100644 --- a/tests/core/tx/grpc/test_tendermint_grpc_api.py +++ b/tests/core/tx/grpc/test_tendermint_grpc_api.py @@ -4,7 +4,7 @@ import pytest from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query @@ -66,11 +66,7 @@ async def test_fetch_node_info( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_info = await api.fetch_node_info() expected_info = { @@ -122,11 +118,7 @@ async def test_fetch_syncing( tendermint_servicer.get_syncing_responses.append(response) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_syncing = await api.fetch_syncing() expected_syncing = { @@ -154,11 +146,7 @@ async def test_fetch_latest_block( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_block = await api.fetch_latest_block() expected_block = { @@ -192,11 +180,7 @@ async def test_fetch_block_by_height( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_block = await api.fetch_block_by_height(height=1) expected_block = { @@ -234,11 +218,7 @@ async def test_fetch_latest_validator_set( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_validator_set = await api.fetch_latest_validator_set() expected_validator_set = { @@ -281,11 +261,7 @@ async def test_fetch_validator_set_by_height( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) pagination_option = PaginationOption( skip=10, @@ -349,11 +325,7 @@ async def test_abci_query( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TendermintGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tendermint_servicer + api = self._api_instance(servicer=tendermint_servicer) result_validator_set = await api.abci_query( data="query data".encode(), @@ -383,5 +355,12 @@ async def test_abci_query( assert result_validator_set == expected_validator_set - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = TendermintGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/core/tx/grpc/test_tx_grpc_api.py b/tests/core/tx/grpc/test_tx_grpc_api.py index 84b62817..b98dfbdb 100644 --- a/tests/core/tx/grpc/test_tx_grpc_api.py +++ b/tests/core/tx/grpc/test_tx_grpc_api.py @@ -4,7 +4,7 @@ import pytest from google.protobuf import any_pb2 -from pyinjective.core.network import Network +from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as abci_type from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb @@ -37,11 +37,7 @@ async def test_simulate( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TxGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tx_servicer + api = self._api_instance(servicer=tx_servicer) result_simulate = await api.simulate(tx_bytes="Transaction content".encode()) expected_simulate = { @@ -100,11 +96,7 @@ async def test_get_tx( tx_servicer.get_tx_responses.append(tx_service.GetTxResponse(tx=transaction, tx_response=transaction_response)) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TxGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tx_servicer + api = self._api_instance(servicer=tx_servicer) result_tx = await api.fetch_tx(hash=transaction_response.txhash) expected_tx = { @@ -174,11 +166,7 @@ async def test_broadcast( ) ) - network = Network.devnet() - channel = grpc.aio.insecure_channel(network.grpc_endpoint) - - api = TxGrpcApi(channel=channel, metadata_provider=lambda: self._dummy_metadata_provider()) - api._stub = tx_servicer + api = self._api_instance(servicer=tx_servicer) result_broadcast = await api.broadcast( tx_bytes="Transaction content".encode(), @@ -203,5 +191,12 @@ async def test_broadcast( assert result_broadcast == expected_broadcast - async def _dummy_metadata_provider(self): - return None + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = TxGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api From 27acd848f864b66bba05249ef896efb44dd803de Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 19 Mar 2024 10:19:33 -0300 Subject: [PATCH 10/63] (feat) Removed no longer necessary cookies methods in the AsyncClient --- pyinjective/async_client.py | 14 +------------- 1 file changed, 1 insertion(+), 13 deletions(-) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 82689014..dc1968e7 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -3,7 +3,7 @@ import time from copy import deepcopy from decimal import Decimal -from typing import Any, Callable, Coroutine, Dict, List, Optional, Tuple, Union +from typing import Any, Callable, Dict, List, Optional, Tuple, Union from warnings import warn import grpc @@ -3207,18 +3207,6 @@ def _token_representation( return tokens_by_denom[denom] - def _chain_cookie_metadata_requestor(self) -> Coroutine: - request = tendermint_query.GetLatestBlockRequest() - return self.stubCosmosTendermint.GetLatestBlock(request).initial_metadata() - - def _exchange_cookie_metadata_requestor(self) -> Coroutine: - request = exchange_meta_rpc_pb.VersionRequest() - return self.stubMeta.Version(request).initial_metadata() - - def _explorer_cookie_metadata_requestor(self) -> Coroutine: - request = explorer_rpc_pb.GetBlocksRequest() - return self.stubExplorer.GetBlocks(request).initial_metadata() - def _initialize_timeout_height_sync_task(self): self._cancel_timeout_height_sync_task() self._timeout_height_sync_task = asyncio.get_event_loop().create_task(self._timeout_height_sync_process()) From 3bd98e5b613d953507ed062b14e169d80dc3d2db Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 19 Mar 2024 10:31:03 -0300 Subject: [PATCH 11/63] (fix) Fix cookies admin test to use a ZoneInfo compatible with Windows too --- tests/core/test_network.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/core/test_network.py b/tests/core/test_network.py index 94857b41..e93a401e 100644 --- a/tests/core/test_network.py +++ b/tests/core/test_network.py @@ -51,7 +51,7 @@ async def test_cookie_expiration(self): time_format=time_format, ) - future_time = datetime.datetime.now(tz=ZoneInfo("GMT")) + datetime.timedelta(hours=1) + future_time = datetime.datetime.now(tz=ZoneInfo("Etc/GMT")) + datetime.timedelta(hours=1) formatted_time = future_time.strftime(time_format) cookie_value = ( f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" From b65aeebab7153aef5b55e25d682d2be488a207b0 Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 19 Mar 2024 10:45:23 -0300 Subject: [PATCH 12/63] (fix) Fix cookies admin test to use a ZoneInfo compatible with Windows too --- tests/core/test_network.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/core/test_network.py b/tests/core/test_network.py index e93a401e..05b186b3 100644 --- a/tests/core/test_network.py +++ b/tests/core/test_network.py @@ -51,7 +51,7 @@ async def test_cookie_expiration(self): time_format=time_format, ) - future_time = datetime.datetime.now(tz=ZoneInfo("Etc/GMT")) + datetime.timedelta(hours=1) + future_time = datetime.datetime.now(tz=ZoneInfo("Europe/London")) + datetime.timedelta(hours=1) formatted_time = future_time.strftime(time_format) cookie_value = ( f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" From 378e2acfc186cdc22f3b2b609687be9ada12a891 Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 19 Mar 2024 11:05:27 -0300 Subject: [PATCH 13/63] (fix) Fix cookies admin test to use a ZoneInfo compatible with Windows too --- tests/core/test_network.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/tests/core/test_network.py b/tests/core/test_network.py index 05b186b3..d226645e 100644 --- a/tests/core/test_network.py +++ b/tests/core/test_network.py @@ -1,5 +1,4 @@ import datetime -from zoneinfo import ZoneInfo import pytest from grpc.aio import Metadata @@ -45,13 +44,14 @@ class TestExpiringCookieAssistant: @pytest.mark.asyncio async def test_cookie_expiration(self): time_format = "%a, %d-%b-%Y %H:%M:%S %Z" + gmt_timezone = datetime.timezone(offset=datetime.timedelta(seconds=0), name="GMT") assistant = ExpiringCookieAssistant( expiration_time_keys_sequence=["grpc-cookie", "expires"], time_format=time_format, ) - future_time = datetime.datetime.now(tz=ZoneInfo("Europe/London")) + datetime.timedelta(hours=1) + future_time = datetime.datetime.now(tz=gmt_timezone) + datetime.timedelta(hours=1) formatted_time = future_time.strftime(time_format) cookie_value = ( f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" @@ -65,7 +65,7 @@ async def test_cookie_expiration(self): assert assistant.cookie() == cookie_value - past_time = datetime.datetime.now(tz=ZoneInfo("GMT")) + datetime.timedelta(hours=-1) + past_time = datetime.datetime.now(tz=gmt_timezone) + datetime.timedelta(hours=-1) formatted_time = past_time.strftime(time_format) cookie_value = ( f"grpc-cookie=bb3a543cef4d9182587375c26556c15f; Expires={formatted_time};" From 40cff4b53dacbee64f92e180b87315aed6fb578d Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 10 Apr 2024 15:32:09 -0300 Subject: [PATCH 14/63] (feat) Added support for IBC transfer module queries and the transfer message. Added unit tests and script examples --- .../ibc/transfer/1_MsgTransfer.py | 61 ++++++ .../ibc/transfer/query/1_DenomTrace.py | 26 +++ .../ibc/transfer/query/2_DenomTraces.py | 22 ++ .../ibc/transfer/query/3_DenomHash.py | 23 +++ .../ibc/transfer/query/4_EscrowAddress.py | 22 ++ .../transfer/query/5_TotalEscrowForDenom.py | 21 ++ pyinjective/async_client.py | 23 +++ pyinjective/composer.py | 38 +++- .../core/tx/grpc/ibc_transfer_grpc_api.py | 58 ++++++ ...onfigurable_ibc_transfer_query_servicer.py | 37 ++++ .../tx/grpc/test_ibc_transfer_grpc_api.py | 191 ++++++++++++++++++ tests/test_composer.py | 40 ++++ 12 files changed, 560 insertions(+), 2 deletions(-) create mode 100644 examples/chain_client/ibc/transfer/1_MsgTransfer.py create mode 100644 examples/chain_client/ibc/transfer/query/1_DenomTrace.py create mode 100644 examples/chain_client/ibc/transfer/query/2_DenomTraces.py create mode 100644 examples/chain_client/ibc/transfer/query/3_DenomHash.py create mode 100644 examples/chain_client/ibc/transfer/query/4_EscrowAddress.py create mode 100644 examples/chain_client/ibc/transfer/query/5_TotalEscrowForDenom.py create mode 100644 pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py create mode 100644 tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py create mode 100644 tests/core/tx/grpc/test_ibc_transfer_grpc_api.py diff --git a/examples/chain_client/ibc/transfer/1_MsgTransfer.py b/examples/chain_client/ibc/transfer/1_MsgTransfer.py new file mode 100644 index 00000000..604ece6e --- /dev/null +++ b/examples/chain_client/ibc/transfer/1_MsgTransfer.py @@ -0,0 +1,61 @@ +import asyncio +import os +from decimal import Decimal + +import dotenv + +from pyinjective.async_client import AsyncClient +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + configured_private_key = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.testnet() + + # initialize grpc client + client = AsyncClient(network) + await client.initialize_tokens_from_chain_denoms() + composer = await client.composer() + await client.sync_timeout_height() + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=configured_private_key, + ) + + # load account + priv_key = PrivateKey.from_hex(configured_private_key) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + await client.fetch_account(address.to_acc_bech32()) + + source_port = "transfer" + source_channel = "channel-126" + token_amount = composer.create_coin_amount(amount=Decimal("0.1"), token_name="INJ") + sender = address.to_acc_bech32() + receiver = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + timeout_height = 10 + + # prepare tx msg + message = composer.msg_ibc_transfer( + source_port=source_port, + source_channel=source_channel, + token_amount=token_amount, + sender=sender, + receiver=receiver, + timeout_height=timeout_height, + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/transfer/query/1_DenomTrace.py b/examples/chain_client/ibc/transfer/query/1_DenomTrace.py new file mode 100644 index 00000000..adb980d0 --- /dev/null +++ b/examples/chain_client/ibc/transfer/query/1_DenomTrace.py @@ -0,0 +1,26 @@ +import asyncio +from hashlib import sha256 + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + path = "transfer/channel-126" + base_denom = "uluna" + full_path = f"{path}/{base_denom}" + path_hash = sha256(full_path.encode()).hexdigest() + trace_hash = f"ibc/{path_hash}" + + denom_trace = await client.fetch_denom_trace(hash=trace_hash) + print(denom_trace) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/transfer/query/2_DenomTraces.py b/examples/chain_client/ibc/transfer/query/2_DenomTraces.py new file mode 100644 index 00000000..8e8d9deb --- /dev/null +++ b/examples/chain_client/ibc/transfer/query/2_DenomTraces.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + denom_traces = await client.fetch_denom_traces(pagination=pagination) + print(denom_traces) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/transfer/query/3_DenomHash.py b/examples/chain_client/ibc/transfer/query/3_DenomHash.py new file mode 100644 index 00000000..db1db07e --- /dev/null +++ b/examples/chain_client/ibc/transfer/query/3_DenomHash.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + path = "transfer/channel-126" + base_denom = "uluna" + full_path = f"{path}/{base_denom}" + + denom_hash = await client.fetch_denom_hash(trace=full_path) + print(denom_hash) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/transfer/query/4_EscrowAddress.py b/examples/chain_client/ibc/transfer/query/4_EscrowAddress.py new file mode 100644 index 00000000..90d69838 --- /dev/null +++ b/examples/chain_client/ibc/transfer/query/4_EscrowAddress.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + + escrow_address = await client.fetch_escrow_address(port_id=port_id, channel_id=channel_id) + print(escrow_address) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/transfer/query/5_TotalEscrowForDenom.py b/examples/chain_client/ibc/transfer/query/5_TotalEscrowForDenom.py new file mode 100644 index 00000000..b7b4df68 --- /dev/null +++ b/examples/chain_client/ibc/transfer/query/5_TotalEscrowForDenom.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + base_denom = "uluna" + + escrow = await client.fetch_total_escrow_for_denom(denom=base_denom) + print(escrow) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index dc1968e7..b771a65e 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -39,6 +39,7 @@ from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network from pyinjective.core.token import Token +from pyinjective.core.tx.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError @@ -184,6 +185,10 @@ def __init__( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, ) + self.ibc_transfer_api = IBCTransferGrpcApi( + channel=self.chain_channel, + cookie_assistant=network.chain_cookie_assistant, + ) self.tendermint_api = TendermintGrpcApi( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, @@ -3013,6 +3018,24 @@ async def listen_chain_stream_updates( oracle_price_filter=oracle_price_filter, ) + # region IBC Apps module + async def fetch_denom_trace(self, hash: str) -> Dict[str, Any]: + return await self.ibc_transfer_api.fetch_denom_trace(hash=hash) + + async def fetch_denom_traces(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + return await self.ibc_transfer_api.fetch_denom_traces(pagination=pagination) + + async def fetch_denom_hash(self, trace: str) -> Dict[str, Any]: + return await self.ibc_transfer_api.fetch_denom_hash(trace=trace) + + async def fetch_escrow_address(self, port_id: str, channel_id: str) -> Dict[str, Any]: + return await self.ibc_transfer_api.fetch_escrow_address(port_id=port_id, channel_id=channel_id) + + async def fetch_total_escrow_for_denom(self, denom: str) -> Dict[str, Any]: + return await self.ibc_transfer_api.fetch_total_escrow_for_denom(denom=denom) + + # endregion + async def composer(self): return Composer( network=self.network.string(), diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 9a0807c9..dff94363 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -22,6 +22,8 @@ from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_staking_tx_pb from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as wasm_tx_pb from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as explorer_pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_transfer_tx_pb +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_core_client_pb from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_auction_tx_pb from pyinjective.proto.injective.exchange.v1beta1 import ( authz_pb2 as injective_authz_pb, @@ -143,14 +145,14 @@ def Coin(self, amount: int, denom: str): warn("This method is deprecated. Use coin instead", DeprecationWarning, stacklevel=2) return base_coin_pb.Coin(amount=str(amount), denom=denom) - def coin(self, amount: int, denom: str): + def coin(self, amount: int, denom: str) -> base_coin_pb.Coin: """ This method create an instance of Coin gRPC type, considering the amount is already expressed in chain format """ formatted_amount_string = str(int(amount)) return base_coin_pb.Coin(amount=formatted_amount_string, denom=denom) - def create_coin_amount(self, amount: Decimal, token_name: str): + def create_coin_amount(self, amount: Decimal, token_name: str) -> base_coin_pb.Coin: """ This method create an instance of Coin gRPC type, considering the amount is already expressed in chain format """ @@ -2142,6 +2144,38 @@ def msg_update_distribution_params(self, authority: str, community_tax: str, wit def msg_community_pool_spend(self, authority: str, recipient: str, amount: List[base_coin_pb.Coin]): return cosmos_distribution_tx_pb.MsgCommunityPoolSpend(authority=authority, recipient=recipient, amount=amount) + # region IBC Transfer module + def msg_ibc_transfer( + self, + source_port: str, + source_channel: str, + token_amount: base_coin_pb.Coin, + sender: str, + receiver: str, + timeout_height: Optional[int] = None, + timeout_timestamp: Optional[int] = None, + memo: Optional[str] = None, + ) -> ibc_transfer_tx_pb.MsgTransfer: + if timeout_height is None and timeout_timestamp is None: + raise ValueError("IBC Transfer error: Either timeout_height or timeout_timestamp must be provided") + parsed_timeout_height = None + if timeout_height: + parsed_timeout_height = ibc_core_client_pb.Height( + revision_number=timeout_height, revision_height=timeout_height + ) + return ibc_transfer_tx_pb.MsgTransfer( + source_port=source_port, + source_channel=source_channel, + token=token_amount, + sender=sender, + receiver=receiver, + timeout_height=parsed_timeout_height, + timeout_timestamp=timeout_timestamp, + memo=memo, + ) + + # endregion + # data field format: [request-msg-header][raw-byte-msg-response] # you need to figure out this magic prefix number to trim request-msg-header off the data # this method handles only exchange responses diff --git a/pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py b/pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py new file mode 100644 index 00000000..c2e5fa38 --- /dev/null +++ b/pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py @@ -0,0 +1,58 @@ +from typing import Any, Callable, Dict, Optional + +from grpc.aio import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant +from pyinjective.proto.ibc.applications.transfer.v1 import ( + query_pb2 as ibc_transfer_query, + query_pb2_grpc as ibc_transfer_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class IBCTransferGrpcApi: + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): + self._stub = ibc_transfer_query_grpc.QueryStub(channel) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) + + async def fetch_params(self) -> Dict[str, Any]: + request = ibc_transfer_query.QueryParamsRequest() + response = await self._execute_call(call=self._stub.Params, request=request) + + return response + + async def fetch_denom_trace(self, hash: str) -> Dict[str, Any]: + request = ibc_transfer_query.QueryDenomTraceRequest(hash=hash) + response = await self._execute_call(call=self._stub.DenomTrace, request=request) + + return response + + async def fetch_denom_traces(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_transfer_query.QueryDenomTracesRequest(pagination=pagination.create_pagination_request()) + response = await self._execute_call(call=self._stub.DenomTraces, request=request) + + return response + + async def fetch_denom_hash(self, trace: str) -> Dict[str, Any]: + request = ibc_transfer_query.QueryDenomHashRequest(trace=trace) + response = await self._execute_call(call=self._stub.DenomHash, request=request) + + return response + + async def fetch_escrow_address(self, port_id: str, channel_id: str) -> Dict[str, Any]: + request = ibc_transfer_query.QueryEscrowAddressRequest(port_id=port_id, channel_id=channel_id) + response = await self._execute_call(call=self._stub.EscrowAddress, request=request) + + return response + + async def fetch_total_escrow_for_denom(self, denom: str) -> Dict[str, Any]: + request = ibc_transfer_query.QueryTotalEscrowForDenomRequest(denom=denom) + response = await self._execute_call(call=self._stub.TotalEscrowForDenom, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py b/tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py new file mode 100644 index 00000000..70a176c6 --- /dev/null +++ b/tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py @@ -0,0 +1,37 @@ +from collections import deque + +from pyinjective.proto.ibc.applications.transfer.v1 import ( + query_pb2 as ibc_transfer_query, + query_pb2_grpc as ibc_transfer_query_grpc, +) + + +class ConfigurableIBCTransferQueryServicer(ibc_transfer_query_grpc.QueryServicer): + def __init__(self): + super().__init__() + self.denom_trace_responses = deque() + self.denom_traces_responses = deque() + self.params_responses = deque() + self.denom_hash_responses = deque() + self.escrow_address_responses = deque() + self.total_escrow_for_denom_responses = deque() + + async def DenomTrace(self, request: ibc_transfer_query.QueryDenomTraceRequest, context=None, metadata=None): + return self.denom_trace_responses.pop() + + async def DenomTraces(self, request: ibc_transfer_query.QueryDenomTracesRequest, context=None, metadata=None): + return self.denom_traces_responses.pop() + + async def Params(self, request: ibc_transfer_query.QueryParamsRequest, context=None, metadata=None): + return self.params_responses.pop() + + async def DenomHash(self, request: ibc_transfer_query.QueryDenomHashRequest, context=None, metadata=None): + return self.denom_hash_responses.pop() + + async def EscrowAddress(self, request: ibc_transfer_query.QueryEscrowAddressRequest, context=None, metadata=None): + return self.escrow_address_responses.pop() + + async def TotalEscrowForDenom( + self, request: ibc_transfer_query.QueryTotalEscrowForDenomRequest, context=None, metadata=None + ): + return self.total_escrow_for_denom_responses.pop() diff --git a/tests/core/tx/grpc/test_ibc_transfer_grpc_api.py b/tests/core/tx/grpc/test_ibc_transfer_grpc_api.py new file mode 100644 index 00000000..d23e3483 --- /dev/null +++ b/tests/core/tx/grpc/test_ibc_transfer_grpc_api.py @@ -0,0 +1,191 @@ +import base64 + +import grpc +import pytest + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import DisabledCookieAssistant, Network +from pyinjective.core.tx.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb +from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_transfer_query, transfer_pb2 as ibc_transfer +from tests.core.tx.grpc.configurable_ibc_transfer_query_servicer import ConfigurableIBCTransferQueryServicer + + +@pytest.fixture +def ibc_transfer_servicer(): + return ConfigurableIBCTransferQueryServicer() + + +class TestTxGrpcApi: + @pytest.mark.asyncio + async def test_fetch_params( + self, + ibc_transfer_servicer, + ): + params = ibc_transfer.Params( + send_enabled=True, + receive_enabled=False, + ) + + ibc_transfer_servicer.params_responses.append( + ibc_transfer_query.QueryParamsResponse( + params=params, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + result_params = await api.fetch_params() + expected_params = {"params": {"sendEnabled": params.send_enabled, "receiveEnabled": params.receive_enabled}} + + assert result_params == expected_params + + @pytest.mark.asyncio + async def test_fetch_denom_trace( + self, + ibc_transfer_servicer, + ): + denom_trace = ibc_transfer.DenomTrace( + path="transfer/channel-126", + base_denom="uluna", + ) + + ibc_transfer_servicer.denom_trace_responses.append( + ibc_transfer_query.QueryDenomTraceResponse( + denom_trace=denom_trace, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + result_trace = await api.fetch_denom_trace(hash=denom_trace.base_denom) + expected_trace = { + "denomTrace": { + "path": denom_trace.path, + "baseDenom": denom_trace.base_denom, + } + } + + assert result_trace == expected_trace + + @pytest.mark.asyncio + async def test_fetch_denom_traces( + self, + ibc_transfer_servicer, + ): + denom_trace = ibc_transfer.DenomTrace( + path="transfer/channel-126", + base_denom="uluna", + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_transfer_servicer.denom_traces_responses.append( + ibc_transfer_query.QueryDenomTracesResponse( + denom_traces=[denom_trace], + pagination=result_pagination, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_traces = await api.fetch_denom_traces(pagination=pagination_option) + expected_traces = { + "denomTraces": [ + { + "path": denom_trace.path, + "baseDenom": denom_trace.base_denom, + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_traces == expected_traces + + @pytest.mark.asyncio + async def test_fetch_denom_hash( + self, + ibc_transfer_servicer, + ): + denom_hash = "97498452BF27CC90656FD7D6EFDA287FA2BFFFF3E84691C84CB9E0451F6DF0A4" + + ibc_transfer_servicer.denom_hash_responses.append( + ibc_transfer_query.QueryDenomHashResponse( + hash=denom_hash, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + result_hash = await api.fetch_denom_hash(trace="transfer/channel-126/uluna") + expected_hash = {"hash": denom_hash} + + assert result_hash == expected_hash + + @pytest.mark.asyncio + async def test_fetch_escrow_address( + self, + ibc_transfer_servicer, + ): + address = "inj1w8ent9jwwqy2d5s8grq6muk2hqa6kj2863m3mg" + + ibc_transfer_servicer.escrow_address_responses.append( + ibc_transfer_query.QueryEscrowAddressResponse( + escrow_address=address, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + result_escrow = await api.fetch_escrow_address(port_id="port", channel_id="channel") + expected_escrow = {"escrowAddress": address} + + assert result_escrow == expected_escrow + + @pytest.mark.asyncio + async def test_fetch_total_escrow_for_denom( + self, + ibc_transfer_servicer, + ): + coin = coin_pb.Coin(denom="inj", amount="988987297011197594664") + + ibc_transfer_servicer.total_escrow_for_denom_responses.append( + ibc_transfer_query.QueryTotalEscrowForDenomResponse( + amount=coin, + ) + ) + + api = self._api_instance(servicer=ibc_transfer_servicer) + + result_escrow = await api.fetch_total_escrow_for_denom(denom="inj") + expected_escrow = { + "amount": { + "denom": coin.denom, + "amount": coin.amount, + } + } + + assert result_escrow == expected_escrow + + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IBCTransferGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/test_composer.py b/tests/test_composer.py index 2dcbd056..38a47dce 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -1430,3 +1430,43 @@ def test_msg_admin_update_binary_options_market(self, basic_composer): including_default_value_fields=True, ) assert dict_message == expected_message + + def test_msg_ibc_transfer(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + source_port = "transfer" + source_channel = "channel-126" + token_amount = basic_composer.create_coin_amount(amount=Decimal("0.1"), token_name="INJ") + receiver = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + timeout_height = 10 + timeout_timestamp = 1630000000 + memo = "memo" + + message = basic_composer.msg_ibc_transfer( + source_port=source_port, + source_channel=source_channel, + token_amount=token_amount, + sender=sender, + receiver=receiver, + timeout_height=timeout_height, + timeout_timestamp=timeout_timestamp, + memo=memo, + ) + + expected_message = { + "sourcePort": source_port, + "sourceChannel": source_channel, + "token": { + "amount": "100000000000000000", + "denom": "inj", + }, + "sender": sender, + "receiver": receiver, + "timeoutHeight": {"revisionNumber": str(timeout_height), "revisionHeight": str(timeout_height)}, + "timeoutTimestamp": str(timeout_timestamp), + "memo": memo, + } + dict_message = json_format.MessageToDict( + message=message, + including_default_value_fields=True, + ) + assert dict_message == expected_message From 3d9761d37457d9ebddb18c31dbef9679d28e2309 Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 10 Apr 2024 15:43:22 -0300 Subject: [PATCH 15/63] (fix) Updated changelog --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3cecfcd5..f633a392 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,7 @@ All notable changes to this project will be documented in this file. ## [1.5.0] - 9999-99-99 ### Added - Added support for all queries in the chain 'tendermint' module +- Added support for all queries in the IBC Transfer module ### Changed - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies From 52074565bbaa2970802482f27d5c2336de6567ef Mon Sep 17 00:00:00 2001 From: abel Date: Fri, 12 Apr 2024 16:42:39 -0300 Subject: [PATCH 16/63] (feat) Added IBC Core Channel module queries, with unit tests and example scripts --- .../query/10_PacketAcknowledgements.py | 30 + .../ibc/channel/query/11_UnreceivedPackets.py | 25 + .../ibc/channel/query/12_UnreceivedAcks.py | 25 + .../channel/query/13_NextSequenceReceive.py | 25 + .../ibc/channel/query/1_Channel.py | 22 + .../ibc/channel/query/2_Channels.py | 22 + .../ibc/channel/query/3_ConnectionChannels.py | 23 + .../ibc/channel/query/4_ChannelClientState.py | 22 + .../channel/query/5_ChannelConsensusState.py | 26 + .../ibc/channel/query/6_PacketCommitment.py | 23 + .../ibc/channel/query/7_PacketCommitments.py | 28 + .../ibc/channel/query/8_PacketReceipt.py | 23 + .../channel/query/9_PacketAcknowledgement.py | 25 + pyinjective/async_client.py | 98 ++- pyinjective/core/ibc/__init__.py | 0 pyinjective/core/ibc/channel/__init__.py | 0 pyinjective/core/ibc/channel/grpc/__init__.py | 0 .../ibc/channel/grpc/ibc_channel_grpc_api.py | 170 ++++ pyinjective/core/ibc/transfer/__init__.py | 0 .../core/ibc/transfer/grpc/__init__.py | 0 .../transfer}/grpc/ibc_transfer_grpc_api.py | 0 pyinjective/core/tendermint/__init__.py | 0 pyinjective/core/tendermint/grpc/__init__.py | 0 .../grpc/tendermint_grpc_api.py | 0 tests/core/ibc/__init__.py | 0 tests/core/ibc/channel/__init__.py | 0 tests/core/ibc/channel/grpc/__init__.py | 0 ...configurable_ibc_channel_query_servicer.py | 81 ++ .../channel/grpc/test_ibc_channel_grpc_api.py | 793 ++++++++++++++++++ tests/core/ibc/transfer/__init__.py | 0 tests/core/ibc/transfer/grpc/__init__.py | 0 ...onfigurable_ibc_transfer_query_servicer.py | 0 .../grpc/test_ibc_transfer_grpc_api.py | 6 +- tests/core/tendermint/__init__.py | 0 tests/core/tendermint/grpc/__init__.py | 0 .../configurable_tendermint_query_servicer.py | 0 .../grpc/test_tendermint_grpc_api.py | 4 +- .../test_async_client_deprecation_warnings.py | 2 +- 38 files changed, 1464 insertions(+), 9 deletions(-) create mode 100644 examples/chain_client/ibc/channel/query/10_PacketAcknowledgements.py create mode 100644 examples/chain_client/ibc/channel/query/11_UnreceivedPackets.py create mode 100644 examples/chain_client/ibc/channel/query/12_UnreceivedAcks.py create mode 100644 examples/chain_client/ibc/channel/query/13_NextSequenceReceive.py create mode 100644 examples/chain_client/ibc/channel/query/1_Channel.py create mode 100644 examples/chain_client/ibc/channel/query/2_Channels.py create mode 100644 examples/chain_client/ibc/channel/query/3_ConnectionChannels.py create mode 100644 examples/chain_client/ibc/channel/query/4_ChannelClientState.py create mode 100644 examples/chain_client/ibc/channel/query/5_ChannelConsensusState.py create mode 100644 examples/chain_client/ibc/channel/query/6_PacketCommitment.py create mode 100644 examples/chain_client/ibc/channel/query/7_PacketCommitments.py create mode 100644 examples/chain_client/ibc/channel/query/8_PacketReceipt.py create mode 100644 examples/chain_client/ibc/channel/query/9_PacketAcknowledgement.py create mode 100644 pyinjective/core/ibc/__init__.py create mode 100644 pyinjective/core/ibc/channel/__init__.py create mode 100644 pyinjective/core/ibc/channel/grpc/__init__.py create mode 100644 pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py create mode 100644 pyinjective/core/ibc/transfer/__init__.py create mode 100644 pyinjective/core/ibc/transfer/grpc/__init__.py rename pyinjective/core/{tx => ibc/transfer}/grpc/ibc_transfer_grpc_api.py (100%) create mode 100644 pyinjective/core/tendermint/__init__.py create mode 100644 pyinjective/core/tendermint/grpc/__init__.py rename pyinjective/core/{tx => tendermint}/grpc/tendermint_grpc_api.py (100%) create mode 100644 tests/core/ibc/__init__.py create mode 100644 tests/core/ibc/channel/__init__.py create mode 100644 tests/core/ibc/channel/grpc/__init__.py create mode 100644 tests/core/ibc/channel/grpc/configurable_ibc_channel_query_servicer.py create mode 100644 tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py create mode 100644 tests/core/ibc/transfer/__init__.py create mode 100644 tests/core/ibc/transfer/grpc/__init__.py rename tests/core/{tx => ibc/transfer}/grpc/configurable_ibc_transfer_query_servicer.py (100%) rename tests/core/{tx => ibc/transfer}/grpc/test_ibc_transfer_grpc_api.py (96%) create mode 100644 tests/core/tendermint/__init__.py create mode 100644 tests/core/tendermint/grpc/__init__.py rename tests/core/{tx => tendermint}/grpc/configurable_tendermint_query_servicer.py (100%) rename tests/core/{tx => tendermint}/grpc/test_tendermint_grpc_api.py (98%) diff --git a/examples/chain_client/ibc/channel/query/10_PacketAcknowledgements.py b/examples/chain_client/ibc/channel/query/10_PacketAcknowledgements.py new file mode 100644 index 00000000..4d3d9edd --- /dev/null +++ b/examples/chain_client/ibc/channel/query/10_PacketAcknowledgements.py @@ -0,0 +1,30 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + sequences = [1, 2] + pagination = PaginationOption(skip=2, limit=4) + + acknowledgements = await client.fetch_ibc_packet_acknowledgements( + port_id=port_id, + channel_id=channel_id, + packet_commitment_sequences=sequences, + pagination=pagination, + ) + print(acknowledgements) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/11_UnreceivedPackets.py b/examples/chain_client/ibc/channel/query/11_UnreceivedPackets.py new file mode 100644 index 00000000..81c2298a --- /dev/null +++ b/examples/chain_client/ibc/channel/query/11_UnreceivedPackets.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + sequences = [1, 2] + + packets = await client.fetch_ibc_unreceived_packets( + port_id=port_id, channel_id=channel_id, packet_commitment_sequences=sequences + ) + print(packets) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/12_UnreceivedAcks.py b/examples/chain_client/ibc/channel/query/12_UnreceivedAcks.py new file mode 100644 index 00000000..530828df --- /dev/null +++ b/examples/chain_client/ibc/channel/query/12_UnreceivedAcks.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + + acks = await client.fetch_ibc_unreceived_acks( + port_id=port_id, + channel_id=channel_id, + ) + print(acks) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/13_NextSequenceReceive.py b/examples/chain_client/ibc/channel/query/13_NextSequenceReceive.py new file mode 100644 index 00000000..099a5bad --- /dev/null +++ b/examples/chain_client/ibc/channel/query/13_NextSequenceReceive.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + + sequence = await client.fetch_next_sequence_receive( + port_id=port_id, + channel_id=channel_id, + ) + print(sequence) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/1_Channel.py b/examples/chain_client/ibc/channel/query/1_Channel.py new file mode 100644 index 00000000..09712d03 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/1_Channel.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + + channel = await client.fetch_ibc_channel(port_id=port_id, channel_id=channel_id) + print(channel) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/2_Channels.py b/examples/chain_client/ibc/channel/query/2_Channels.py new file mode 100644 index 00000000..7f7a7f91 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/2_Channels.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + channels = await client.fetch_ibc_channels(pagination=pagination) + print(channels) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/3_ConnectionChannels.py b/examples/chain_client/ibc/channel/query/3_ConnectionChannels.py new file mode 100644 index 00000000..fbff67d9 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/3_ConnectionChannels.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + connection = "connection-182" + pagination = PaginationOption(skip=2, limit=4) + + channels = await client.fetch_ibc_connection_channels(connection=connection, pagination=pagination) + print(channels) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/4_ChannelClientState.py b/examples/chain_client/ibc/channel/query/4_ChannelClientState.py new file mode 100644 index 00000000..f4e96b64 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/4_ChannelClientState.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + + state = await client.fetch_ibc_channel_client_state(port_id=port_id, channel_id=channel_id) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/5_ChannelConsensusState.py b/examples/chain_client/ibc/channel/query/5_ChannelConsensusState.py new file mode 100644 index 00000000..fd4f64b2 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/5_ChannelConsensusState.py @@ -0,0 +1,26 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + revision_number = 1 + revision_height = 7990906 + + state = await client.fetch_ibc_channel_consensus_state( + port_id=port_id, channel_id=channel_id, revision_number=revision_number, revision_height=revision_height + ) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/6_PacketCommitment.py b/examples/chain_client/ibc/channel/query/6_PacketCommitment.py new file mode 100644 index 00000000..b190af42 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/6_PacketCommitment.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + sequence = 1 + + commitment = await client.fetch_ibc_packet_commitment(port_id=port_id, channel_id=channel_id, sequence=sequence) + print(commitment) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/7_PacketCommitments.py b/examples/chain_client/ibc/channel/query/7_PacketCommitments.py new file mode 100644 index 00000000..537120f6 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/7_PacketCommitments.py @@ -0,0 +1,28 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + pagination = PaginationOption(skip=2, limit=4) + + commitment = await client.fetch_ibc_packet_commitments( + port_id=port_id, + channel_id=channel_id, + pagination=pagination, + ) + print(commitment) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/8_PacketReceipt.py b/examples/chain_client/ibc/channel/query/8_PacketReceipt.py new file mode 100644 index 00000000..a64fe215 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/8_PacketReceipt.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + sequence = 1 + + receipt = await client.fetch_ibc_packet_receipt(port_id=port_id, channel_id=channel_id, sequence=sequence) + print(receipt) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/channel/query/9_PacketAcknowledgement.py b/examples/chain_client/ibc/channel/query/9_PacketAcknowledgement.py new file mode 100644 index 00000000..e9cdc324 --- /dev/null +++ b/examples/chain_client/ibc/channel/query/9_PacketAcknowledgement.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + port_id = "transfer" + channel_id = "channel-126" + sequence = 1 + + acknowledgement = await client.fetch_ibc_packet_acknowledgement( + port_id=port_id, channel_id=channel_id, sequence=sequence + ) + print(acknowledgement) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index b771a65e..8acc474f 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -36,11 +36,12 @@ from pyinjective.client.indexer.grpc_stream.indexer_grpc_spot_stream import IndexerGrpcSpotStream from pyinjective.client.model.pagination import PaginationOption from pyinjective.composer import Composer +from pyinjective.core.ibc.channel.grpc.ibc_channel_grpc_api import IBCChannelGrpcApi +from pyinjective.core.ibc.transfer.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network +from pyinjective.core.tendermint.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.token import Token -from pyinjective.core.tx.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi -from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc @@ -73,6 +74,9 @@ injective_spot_exchange_rpc_pb2 as spot_exchange_rpc_pb, injective_spot_exchange_rpc_pb2_grpc as spot_exchange_rpc_grpc, ) +from pyinjective.proto.ibc.lightclients.tendermint.v1 import ( # noqa: F401 for validator set responses + tendermint_pb2 as ibc_tendermint, +) from pyinjective.proto.injective.stream.v1beta1 import ( query_pb2 as chain_stream_query, query_pb2_grpc as stream_rpc_grpc, @@ -185,6 +189,10 @@ def __init__( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, ) + self.ibc_channel_api = IBCChannelGrpcApi( + channel=self.chain_channel, + cookie_assistant=network.chain_cookie_assistant, + ) self.ibc_transfer_api = IBCTransferGrpcApi( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, @@ -3018,7 +3026,7 @@ async def listen_chain_stream_updates( oracle_price_filter=oracle_price_filter, ) - # region IBC Apps module + # region IBC Transfer module async def fetch_denom_trace(self, hash: str) -> Dict[str, Any]: return await self.ibc_transfer_api.fetch_denom_trace(hash=hash) @@ -3036,6 +3044,90 @@ async def fetch_total_escrow_for_denom(self, denom: str) -> Dict[str, Any]: # endregion + # region IBC Channel module + async def fetch_ibc_channel(self, port_id: str, channel_id: str) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_channel(port_id=port_id, channel_id=channel_id) + + async def fetch_ibc_channels(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_channels(pagination=pagination) + + async def fetch_ibc_connection_channels( + self, connection: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_connection_channels(connection=connection, pagination=pagination) + + async def fetch_ibc_channel_client_state(self, port_id: str, channel_id: str) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_channel_client_state(port_id=port_id, channel_id=channel_id) + + async def fetch_ibc_channel_consensus_state( + self, + port_id: str, + channel_id: str, + revision_number: int, + revision_height: int, + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_channel_consensus_state( + port_id=port_id, + channel_id=channel_id, + revision_number=revision_number, + revision_height=revision_height, + ) + + async def fetch_ibc_packet_commitment(self, port_id: str, channel_id: str, sequence: int) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_packet_commitment( + port_id=port_id, channel_id=channel_id, sequence=sequence + ) + + async def fetch_ibc_packet_commitments( + self, port_id: str, channel_id: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_packet_commitments( + port_id=port_id, channel_id=channel_id, pagination=pagination + ) + + async def fetch_ibc_packet_receipt(self, port_id: str, channel_id: str, sequence: int) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_packet_receipt( + port_id=port_id, channel_id=channel_id, sequence=sequence + ) + + async def fetch_ibc_packet_acknowledgement(self, port_id: str, channel_id: str, sequence: int) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_packet_acknowledgement( + port_id=port_id, channel_id=channel_id, sequence=sequence + ) + + async def fetch_ibc_packet_acknowledgements( + self, + port_id: str, + channel_id: str, + packet_commitment_sequences: Optional[List[int]] = None, + pagination: Optional[PaginationOption] = None, + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_packet_acknowledgements( + port_id=port_id, + channel_id=channel_id, + packet_commitment_sequences=packet_commitment_sequences, + pagination=pagination, + ) + + async def fetch_ibc_unreceived_packets( + self, port_id: str, channel_id: str, packet_commitment_sequences: Optional[List[int]] = None + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_unreceived_packets( + port_id=port_id, channel_id=channel_id, packet_commitment_sequences=packet_commitment_sequences + ) + + async def fetch_ibc_unreceived_acks( + self, port_id: str, channel_id: str, packet_ack_sequences: Optional[List[int]] = None + ) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_unreceived_acks( + port_id=port_id, channel_id=channel_id, packet_ack_sequences=packet_ack_sequences + ) + + async def fetch_next_sequence_receive(self, port_id: str, channel_id: str) -> Dict[str, Any]: + return await self.ibc_channel_api.fetch_next_sequence_receive(port_id=port_id, channel_id=channel_id) + + # endregion + async def composer(self): return Composer( network=self.network.string(), diff --git a/pyinjective/core/ibc/__init__.py b/pyinjective/core/ibc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/channel/__init__.py b/pyinjective/core/ibc/channel/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/channel/grpc/__init__.py b/pyinjective/core/ibc/channel/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py b/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py new file mode 100644 index 00000000..b87589e5 --- /dev/null +++ b/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py @@ -0,0 +1,170 @@ +from typing import Any, Callable, Dict, List, Optional + +from grpc._cython.cygrpc import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant +from pyinjective.proto.ibc.core.channel.v1 import ( + query_pb2 as ibc_channel_query, + query_pb2_grpc as ibc_channel_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class IBCChannelGrpcApi: + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): + self._stub = ibc_channel_query_grpc.QueryStub(channel) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) + + async def fetch_channel(self, port_id: str, channel_id: str) -> Dict[str, Any]: + request = ibc_channel_query.QueryChannelRequest(port_id=port_id, channel_id=channel_id) + response = await self._execute_call(call=self._stub.Channel, request=request) + + return response + + async def fetch_channels(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_channel_query.QueryChannelsRequest(pagination=pagination.create_pagination_request()) + response = await self._execute_call(call=self._stub.Channels, request=request) + + return response + + async def fetch_connection_channels( + self, connection: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_channel_query.QueryConnectionChannelsRequest( + connection=connection, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.ConnectionChannels, request=request) + + return response + + async def fetch_channel_client_state( + self, + port_id: str, + channel_id: str, + ) -> Dict[str, Any]: + request = ibc_channel_query.QueryChannelClientStateRequest( + port_id=port_id, + channel_id=channel_id, + ) + response = await self._execute_call(call=self._stub.ChannelClientState, request=request) + + return response + + async def fetch_channel_consensus_state( + self, + port_id: str, + channel_id: str, + revision_number: int, + revision_height: int, + ) -> Dict[str, Any]: + request = ibc_channel_query.QueryChannelConsensusStateRequest( + port_id=port_id, + channel_id=channel_id, + revision_number=revision_number, + revision_height=revision_height, + ) + response = await self._execute_call(call=self._stub.ChannelConsensusState, request=request) + + return response + + async def fetch_packet_commitment( + self, + port_id: str, + channel_id: str, + sequence: int, + ) -> Dict[str, Any]: + request = ibc_channel_query.QueryPacketCommitmentRequest( + port_id=port_id, + channel_id=channel_id, + sequence=sequence, + ) + response = await self._execute_call(call=self._stub.PacketCommitment, request=request) + + return response + + async def fetch_packet_commitments( + self, port_id: str, channel_id: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_channel_query.QueryPacketCommitmentsRequest( + port_id=port_id, channel_id=channel_id, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.PacketCommitments, request=request) + + return response + + async def fetch_packet_receipt(self, port_id: str, channel_id: str, sequence: int) -> Dict[str, Any]: + request = ibc_channel_query.QueryPacketReceiptRequest(port_id=port_id, channel_id=channel_id, sequence=sequence) + response = await self._execute_call(call=self._stub.PacketReceipt, request=request) + + return response + + async def fetch_packet_acknowledgement(self, port_id: str, channel_id: str, sequence: int) -> Dict[str, Any]: + request = ibc_channel_query.QueryPacketAcknowledgementRequest( + port_id=port_id, channel_id=channel_id, sequence=sequence + ) + response = await self._execute_call(call=self._stub.PacketAcknowledgement, request=request) + + return response + + async def fetch_packet_acknowledgements( + self, + port_id: str, + channel_id: str, + packet_commitment_sequences: Optional[List[int]] = None, + pagination: Optional[PaginationOption] = None, + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + + request = ibc_channel_query.QueryPacketAcknowledgementsRequest( + port_id=port_id, + channel_id=channel_id, + packet_commitment_sequences=packet_commitment_sequences, + pagination=pagination.create_pagination_request(), + ) + response = await self._execute_call(call=self._stub.PacketAcknowledgements, request=request) + + return response + + async def fetch_unreceived_packets( + self, port_id: str, channel_id: str, packet_commitment_sequences: Optional[List[int]] = None + ) -> Dict[str, Any]: + request = ibc_channel_query.QueryUnreceivedPacketsRequest( + port_id=port_id, + channel_id=channel_id, + packet_commitment_sequences=packet_commitment_sequences, + ) + response = await self._execute_call(call=self._stub.UnreceivedPackets, request=request) + + return response + + async def fetch_unreceived_acks( + self, port_id: str, channel_id: str, packet_ack_sequences: Optional[List[int]] = None + ) -> Dict[str, Any]: + request = ibc_channel_query.QueryUnreceivedAcksRequest( + port_id=port_id, + channel_id=channel_id, + packet_ack_sequences=packet_ack_sequences, + ) + response = await self._execute_call(call=self._stub.UnreceivedAcks, request=request) + + return response + + async def fetch_next_sequence_receive(self, port_id: str, channel_id: str) -> Dict[str, Any]: + request = ibc_channel_query.QueryNextSequenceReceiveRequest( + port_id=port_id, + channel_id=channel_id, + ) + response = await self._execute_call(call=self._stub.NextSequenceReceive, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/pyinjective/core/ibc/transfer/__init__.py b/pyinjective/core/ibc/transfer/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/transfer/grpc/__init__.py b/pyinjective/core/ibc/transfer/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py b/pyinjective/core/ibc/transfer/grpc/ibc_transfer_grpc_api.py similarity index 100% rename from pyinjective/core/tx/grpc/ibc_transfer_grpc_api.py rename to pyinjective/core/ibc/transfer/grpc/ibc_transfer_grpc_api.py diff --git a/pyinjective/core/tendermint/__init__.py b/pyinjective/core/tendermint/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/tendermint/grpc/__init__.py b/pyinjective/core/tendermint/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/tx/grpc/tendermint_grpc_api.py b/pyinjective/core/tendermint/grpc/tendermint_grpc_api.py similarity index 100% rename from pyinjective/core/tx/grpc/tendermint_grpc_api.py rename to pyinjective/core/tendermint/grpc/tendermint_grpc_api.py diff --git a/tests/core/ibc/__init__.py b/tests/core/ibc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/channel/__init__.py b/tests/core/ibc/channel/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/channel/grpc/__init__.py b/tests/core/ibc/channel/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/channel/grpc/configurable_ibc_channel_query_servicer.py b/tests/core/ibc/channel/grpc/configurable_ibc_channel_query_servicer.py new file mode 100644 index 00000000..c687c97a --- /dev/null +++ b/tests/core/ibc/channel/grpc/configurable_ibc_channel_query_servicer.py @@ -0,0 +1,81 @@ +from collections import deque + +from pyinjective.proto.ibc.core.channel.v1 import ( + query_pb2 as ibc_channel_query, + query_pb2_grpc as ibc_channel_query_grpc, +) + + +class ConfigurableIBCChannelQueryServicer(ibc_channel_query_grpc.QueryServicer): + def __init__(self): + super().__init__() + self.channel_responses = deque() + self.channels_responses = deque() + self.connection_channels_responses = deque() + self.channel_client_state_responses = deque() + self.channel_consensus_state_responses = deque() + self.packet_commitment_responses = deque() + self.packet_commitments_responses = deque() + self.packet_receipt_responses = deque() + self.packet_acknowledgement_responses = deque() + self.packet_acknowledgements_responses = deque() + self.unreceived_packets_responses = deque() + self.unreceived_acks_responses = deque() + self.next_sequence_receive_responses = deque() + + async def Channel(self, request: ibc_channel_query.QueryChannelRequest, context=None, metadata=None): + return self.channel_responses.pop() + + async def Channels(self, request: ibc_channel_query.QueryChannelsRequest, context=None, metadata=None): + return self.channels_responses.pop() + + async def ConnectionChannels( + self, request: ibc_channel_query.QueryConnectionChannelsRequest, context=None, metadata=None + ): + return self.connection_channels_responses.pop() + + async def ChannelClientState( + self, request: ibc_channel_query.QueryChannelClientStateRequest, context=None, metadata=None + ): + return self.channel_client_state_responses.pop() + + async def ChannelConsensusState( + self, request: ibc_channel_query.QueryChannelConsensusStateRequest, context=None, metadata=None + ): + return self.channel_consensus_state_responses.pop() + + async def PacketCommitment( + self, request: ibc_channel_query.QueryPacketCommitmentRequest, context=None, metadata=None + ): + return self.packet_commitment_responses.pop() + + async def PacketCommitments( + self, request: ibc_channel_query.QueryPacketCommitmentsRequest, context=None, metadata=None + ): + return self.packet_commitments_responses.pop() + + async def PacketReceipt(self, request: ibc_channel_query.QueryPacketReceiptRequest, context=None, metadata=None): + return self.packet_receipt_responses.pop() + + async def PacketAcknowledgement( + self, request: ibc_channel_query.QueryPacketAcknowledgementRequest, context=None, metadata=None + ): + return self.packet_acknowledgement_responses.pop() + + async def PacketAcknowledgements( + self, request: ibc_channel_query.QueryPacketAcknowledgementsRequest, context=None, metadata=None + ): + return self.packet_acknowledgements_responses.pop() + + async def UnreceivedPackets( + self, request: ibc_channel_query.QueryUnreceivedPacketsRequest, context=None, metadata=None + ): + return self.unreceived_packets_responses.pop() + + async def UnreceivedAcks(self, request: ibc_channel_query.QueryUnreceivedAcksRequest, context=None, metadata=None): + return self.unreceived_acks_responses.pop() + + async def NextSequenceReceive( + self, request: ibc_channel_query.QueryNextSequenceReceiveRequest, context=None, metadata=None + ): + return self.next_sequence_receive_responses.pop() diff --git a/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py b/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py new file mode 100644 index 00000000..d3373afc --- /dev/null +++ b/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py @@ -0,0 +1,793 @@ +import base64 + +import grpc +import pytest +from google.protobuf import any_pb2 + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.ibc.channel.grpc.ibc_channel_grpc_api import IBCChannelGrpcApi +from pyinjective.core.network import DisabledCookieAssistant, Network +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as ics23_proofs +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_channel, query_pb2 as ibc_channel_query +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_client +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_commitment +from pyinjective.proto.ibc.lightclients.tendermint.v1 import tendermint_pb2 as ibc_tendermint +from tests.core.ibc.channel.grpc.configurable_ibc_channel_query_servicer import ConfigurableIBCChannelQueryServicer + + +@pytest.fixture +def ibc_channel_servicer(): + return ConfigurableIBCChannelQueryServicer() + + +class TestIBCChannelGrpcApi: + @pytest.mark.asyncio + async def test_fetch_channel( + self, + ibc_channel_servicer, + ): + counterparty = ibc_channel.Counterparty( + port_id="transfer", + channel_id="channel-126", + ) + connection_hop = "connection-182" + version = ( + '{"version":"ics27-1","controller_connection_id":"connection-9",' + '"host_connection_id":"connection-182",' + '"address":"inj1urqc59ft3hl75mxhru4848xusu5rhpghz48zdfypyuu923w2gzyqm8y02d","encoding":"proto3",' + '"tx_type":"sdk_multi_msg"}' + ) + channel = ibc_channel.Channel( + state=3, + ordering=1, + counterparty=counterparty, + connection_hops=[connection_hop], + version=version, + ) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.channel_responses.append( + ibc_channel_query.QueryChannelResponse( + channel=channel, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_channel = await api.fetch_channel(port_id=counterparty.port_id, channel_id=counterparty.channel_id) + expected_channel = { + "channel": { + "state": ibc_channel.State.Name(channel.state), + "ordering": ibc_channel.Order.Name(channel.ordering), + "counterparty": { + "portId": counterparty.port_id, + "channelId": counterparty.channel_id, + }, + "connectionHops": [connection_hop], + "version": version, + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_channel == expected_channel + + @pytest.mark.asyncio + async def test_fetch_channels( + self, + ibc_channel_servicer, + ): + counterparty = ibc_channel.Counterparty( + port_id="transfer", + channel_id="channel-126", + ) + connection_hop = "connection-182" + version = ( + '{"version":"ics27-1","controller_connection_id":"connection-9",' + '"host_connection_id":"connection-182",' + '"address":"inj1urqc59ft3hl75mxhru4848xusu5rhpghz48zdfypyuu923w2gzyqm8y02d","encoding":"proto3",' + '"tx_type":"sdk_multi_msg"}' + ) + port_id = "wasm.xion18pmp7n2j6a84dkmuqlc7lwp2pgr0gg3ssmvrm8vgjuy2vs66e4usm2w3ln" + channel_id = "channel-34" + channel = ibc_channel.IdentifiedChannel( + state=3, + ordering=1, + counterparty=counterparty, + connection_hops=[connection_hop], + version=version, + port_id=port_id, + channel_id=channel_id, + ) + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_channel_servicer.channels_responses.append( + ibc_channel_query.QueryChannelsResponse( + channels=[channel], + pagination=result_pagination, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_channels = await api.fetch_channels(pagination=pagination_option) + expected_channels = { + "channels": [ + { + "state": ibc_channel.State.Name(channel.state), + "ordering": ibc_channel.Order.Name(channel.ordering), + "counterparty": { + "portId": counterparty.port_id, + "channelId": counterparty.channel_id, + }, + "connectionHops": [connection_hop], + "version": version, + "portId": port_id, + "channelId": channel_id, + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_channels == expected_channels + + @pytest.mark.asyncio + async def test_fetch_connection_channels( + self, + ibc_channel_servicer, + ): + counterparty = ibc_channel.Counterparty( + port_id="transfer", + channel_id="channel-126", + ) + connection_hop = "connection-182" + version = ( + '{"version":"ics27-1","controller_connection_id":"connection-9",' + '"host_connection_id":"connection-182",' + '"address":"inj1urqc59ft3hl75mxhru4848xusu5rhpghz48zdfypyuu923w2gzyqm8y02d","encoding":"proto3",' + '"tx_type":"sdk_multi_msg"}' + ) + port_id = "wasm.xion18pmp7n2j6a84dkmuqlc7lwp2pgr0gg3ssmvrm8vgjuy2vs66e4usm2w3ln" + channel_id = "channel-34" + channel = ibc_channel.IdentifiedChannel( + state=3, + ordering=1, + counterparty=counterparty, + connection_hops=[connection_hop], + version=version, + port_id=port_id, + channel_id=channel_id, + ) + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_channel_servicer.connection_channels_responses.append( + ibc_channel_query.QueryConnectionChannelsResponse( + channels=[channel], + pagination=result_pagination, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_channels = await api.fetch_connection_channels(connection=connection_hop, pagination=pagination_option) + expected_channels = { + "channels": [ + { + "state": ibc_channel.State.Name(channel.state), + "ordering": ibc_channel.Order.Name(channel.ordering), + "counterparty": { + "portId": counterparty.port_id, + "channelId": counterparty.channel_id, + }, + "connectionHops": [connection_hop], + "version": version, + "portId": port_id, + "channelId": channel_id, + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_channels == expected_channels + + @pytest.mark.asyncio + async def test_fetch_connection_client_state( + self, + ibc_channel_servicer, + ): + trust_level = ibc_tendermint.Fraction( + numerator=1, + denominator=3, + ) + leaf_spec = ics23_proofs.LeafOp( + hash=0, + prehash_key=1, + prehash_value=2, + length=3, + prefix=b"prefix", + ) + inner_spec = ics23_proofs.InnerSpec( + child_order=[0, 1, 2, 3], + child_size=4, + min_prefix_length=5, + max_prefix_length=6, + empty_child=b"empty", + hash=1, + ) + proof_spec = ics23_proofs.ProofSpec( + leaf_spec=leaf_spec, + inner_spec=inner_spec, + max_depth=5, + min_depth=1, + prehash_key_before_comparison=True, + ) + tendermint_client_state = ibc_tendermint.ClientState( + chain_id="injective-1", + trust_level=trust_level, + # trusting_period="10s", + # unbonding_period="20s", + # max_clock_drift="1s", + frozen_height=ibc_client.Height( + revision_number=1, + revision_height=2, + ), + latest_height=ibc_client.Height( + revision_number=3, + revision_height=4, + ), + proof_specs=[proof_spec], + upgrade_path=["upgrade", "upgradedIBCState"], + allow_update_after_expiry=False, + allow_update_after_misbehaviour=False, + ) + any_client_state = any_pb2.Any() + any_client_state.Pack(tendermint_client_state) + client_state = ibc_client.IdentifiedClientState( + client_id="client-1", + client_state=any_client_state, + ) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.channel_client_state_responses.append( + ibc_channel_query.QueryChannelClientStateResponse( + identified_client_state=client_state, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_client_state = await api.fetch_channel_client_state( + port_id="icahost", + channel_id="channel-1", + ) + expected_client_state = { + "identifiedClientState": { + "clientId": client_state.client_id, + "clientState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ClientState", + "chainId": tendermint_client_state.chain_id, + "trustLevel": { + "numerator": str(trust_level.numerator), + "denominator": str(trust_level.denominator), + }, + "frozenHeight": { + "revisionNumber": str(tendermint_client_state.frozen_height.revision_number), + "revisionHeight": str(tendermint_client_state.frozen_height.revision_height), + }, + "latestHeight": { + "revisionNumber": str(tendermint_client_state.latest_height.revision_number), + "revisionHeight": str(tendermint_client_state.latest_height.revision_height), + }, + "proofSpecs": [ + { + "leafSpec": { + "hash": ics23_proofs.HashOp.Name(leaf_spec.hash), + "prehashKey": ics23_proofs.HashOp.Name(leaf_spec.prehash_key), + "prehashValue": ics23_proofs.HashOp.Name(leaf_spec.prehash_value), + "length": ics23_proofs.LengthOp.Name(leaf_spec.length), + "prefix": base64.b64encode(leaf_spec.prefix).decode(), + }, + "innerSpec": { + "childOrder": inner_spec.child_order, + "childSize": inner_spec.child_size, + "minPrefixLength": inner_spec.min_prefix_length, + "maxPrefixLength": inner_spec.max_prefix_length, + "emptyChild": base64.b64encode(inner_spec.empty_child).decode(), + "hash": ics23_proofs.HashOp.Name(inner_spec.hash), + }, + "maxDepth": proof_spec.max_depth, + "minDepth": proof_spec.min_depth, + "prehashKeyBeforeComparison": proof_spec.prehash_key_before_comparison, + }, + ], + "upgradePath": tendermint_client_state.upgrade_path, + "allowUpdateAfterExpiry": tendermint_client_state.allow_update_after_expiry, + "allowUpdateAfterMisbehaviour": tendermint_client_state.allow_update_after_misbehaviour, + }, + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + result_client_state["identifiedClientState"]["clientState"] = dict( + result_client_state["identifiedClientState"]["clientState"] + ) + + assert result_client_state == expected_client_state + + @pytest.mark.asyncio + async def test_fetch_channel_consensus_state( + self, + ibc_channel_servicer, + ): + root = ibc_commitment.MerkleRoot( + hash=b"root", + ) + consensus_state = ibc_tendermint.ConsensusState( + root=root, + next_validators_hash=b"next_validators_hash", + ) + any_consensus_state = any_pb2.Any() + any_consensus_state.Pack(consensus_state) + client_id = "client-1" + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.channel_consensus_state_responses.append( + ibc_channel_query.QueryChannelConsensusStateResponse( + consensus_state=any_consensus_state, + client_id=client_id, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_state = await api.fetch_channel_consensus_state( + port_id="icahost", + channel_id="channel-1", + revision_number=1, + revision_height=2, + ) + expected_state = { + "consensusState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ConsensusState", + "root": { + "hash": base64.b64encode(root.hash).decode(), + }, + "nextValidatorsHash": base64.b64encode(consensus_state.next_validators_hash).decode(), + }, + "clientId": client_id, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_state == expected_state + + @pytest.mark.asyncio + async def test_fetch_packet_commitment( + self, + ibc_channel_servicer, + ): + commitment = b"commitment" + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.packet_commitment_responses.append( + ibc_channel_query.QueryPacketCommitmentResponse( + commitment=commitment, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_commitment = await api.fetch_packet_commitment( + port_id="icahost", + channel_id="channel-1", + sequence=1, + ) + expected_commitment = { + "commitment": base64.b64encode(commitment).decode(), + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_commitment == expected_commitment + + @pytest.mark.asyncio + async def test_fetch_packet_commitments( + self, + ibc_channel_servicer, + ): + packet_state = ibc_channel.PacketState( + port_id="transfer", + channel_id="channel-126", + sequence=1, + data=b"data", + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.packet_commitments_responses.append( + ibc_channel_query.QueryPacketCommitmentsResponse( + commitments=[packet_state], + pagination=result_pagination, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_commitments = await api.fetch_packet_commitments( + port_id="icahost", + channel_id="channel-1", + pagination=pagination_option, + ) + expected_commitments = { + "commitments": [ + { + "portId": packet_state.port_id, + "channelId": packet_state.channel_id, + "sequence": str(packet_state.sequence), + "data": base64.b64encode(packet_state.data).decode(), + } + ], + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_commitments == expected_commitments + + @pytest.mark.asyncio + async def test_fetch_packet_receipt( + self, + ibc_channel_servicer, + ): + received = True + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.packet_receipt_responses.append( + ibc_channel_query.QueryPacketReceiptResponse( + received=received, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_receipt = await api.fetch_packet_receipt( + port_id="icahost", + channel_id="channel-1", + sequence=1, + ) + expected_receipt = { + "received": received, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_receipt == expected_receipt + + @pytest.mark.asyncio + async def test_fetch_packet_acknowledgement( + self, + ibc_channel_servicer, + ): + acknowledgement = b"acknowledgement" + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.packet_acknowledgement_responses.append( + ibc_channel_query.QueryPacketAcknowledgementResponse( + acknowledgement=acknowledgement, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_acknowledgement = await api.fetch_packet_acknowledgement( + port_id="icahost", + channel_id="channel-1", + sequence=1, + ) + expected_acknowledgement = { + "acknowledgement": base64.b64encode(acknowledgement).decode(), + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_acknowledgement == expected_acknowledgement + + @pytest.mark.asyncio + async def test_fetch_packet_acknowledgements( + self, + ibc_channel_servicer, + ): + packet_state = ibc_channel.PacketState( + port_id="transfer", + channel_id="channel-126", + sequence=1, + data=b"data", + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.packet_acknowledgements_responses.append( + ibc_channel_query.QueryPacketAcknowledgementsResponse( + acknowledgements=[packet_state], + pagination=result_pagination, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_acknowledgement = await api.fetch_packet_acknowledgements( + port_id="icahost", + channel_id="channel-1", + packet_commitment_sequences=[1, 2], + pagination=pagination_option, + ) + expected_acknowledgement = { + "acknowledgements": [ + { + "portId": packet_state.port_id, + "channelId": packet_state.channel_id, + "sequence": str(packet_state.sequence), + "data": base64.b64encode(packet_state.data).decode(), + } + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_acknowledgement == expected_acknowledgement + + @pytest.mark.asyncio + async def test_fetch_unreceived_packets( + self, + ibc_channel_servicer, + ): + sequences = [1, 2] + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.unreceived_packets_responses.append( + ibc_channel_query.QueryUnreceivedPacketsResponse( + sequences=sequences, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_packets = await api.fetch_unreceived_packets( + port_id="icahost", + channel_id="channel-1", + packet_commitment_sequences=[1, 2], + ) + expected_packets = { + "sequences": [str(sequence) for sequence in sequences], + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_packets == expected_packets + + @pytest.mark.asyncio + async def test_fetch_unreceived_acks( + self, + ibc_channel_servicer, + ): + sequences = [1, 2] + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.unreceived_acks_responses.append( + ibc_channel_query.QueryUnreceivedAcksResponse( + sequences=sequences, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_packets = await api.fetch_unreceived_acks( + port_id="icahost", + channel_id="channel-1", + packet_ack_sequences=[1, 2], + ) + expected_packets = { + "sequences": [str(sequence) for sequence in sequences], + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_packets == expected_packets + + @pytest.mark.asyncio + async def test_fetch_next_sequence_receive( + self, + ibc_channel_servicer, + ): + next_sequence_receive = 21 + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_channel_servicer.next_sequence_receive_responses.append( + ibc_channel_query.QueryNextSequenceReceiveResponse( + next_sequence_receive=next_sequence_receive, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_channel_servicer) + + result_sequence = await api.fetch_next_sequence_receive( + port_id="icahost", + channel_id="channel-1", + ) + expected_sequence = { + "nextSequenceReceive": str(next_sequence_receive), + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_sequence == expected_sequence + + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IBCChannelGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/core/ibc/transfer/__init__.py b/tests/core/ibc/transfer/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/transfer/grpc/__init__.py b/tests/core/ibc/transfer/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py b/tests/core/ibc/transfer/grpc/configurable_ibc_transfer_query_servicer.py similarity index 100% rename from tests/core/tx/grpc/configurable_ibc_transfer_query_servicer.py rename to tests/core/ibc/transfer/grpc/configurable_ibc_transfer_query_servicer.py diff --git a/tests/core/tx/grpc/test_ibc_transfer_grpc_api.py b/tests/core/ibc/transfer/grpc/test_ibc_transfer_grpc_api.py similarity index 96% rename from tests/core/tx/grpc/test_ibc_transfer_grpc_api.py rename to tests/core/ibc/transfer/grpc/test_ibc_transfer_grpc_api.py index d23e3483..98b68488 100644 --- a/tests/core/tx/grpc/test_ibc_transfer_grpc_api.py +++ b/tests/core/ibc/transfer/grpc/test_ibc_transfer_grpc_api.py @@ -4,12 +4,12 @@ import pytest from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.ibc.transfer.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.core.network import DisabledCookieAssistant, Network -from pyinjective.core.tx.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_transfer_query, transfer_pb2 as ibc_transfer -from tests.core.tx.grpc.configurable_ibc_transfer_query_servicer import ConfigurableIBCTransferQueryServicer +from tests.core.ibc.transfer.grpc.configurable_ibc_transfer_query_servicer import ConfigurableIBCTransferQueryServicer @pytest.fixture @@ -17,7 +17,7 @@ def ibc_transfer_servicer(): return ConfigurableIBCTransferQueryServicer() -class TestTxGrpcApi: +class TestIBCTransferGrpcApi: @pytest.mark.asyncio async def test_fetch_params( self, diff --git a/tests/core/tendermint/__init__.py b/tests/core/tendermint/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/tendermint/grpc/__init__.py b/tests/core/tendermint/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/tx/grpc/configurable_tendermint_query_servicer.py b/tests/core/tendermint/grpc/configurable_tendermint_query_servicer.py similarity index 100% rename from tests/core/tx/grpc/configurable_tendermint_query_servicer.py rename to tests/core/tendermint/grpc/configurable_tendermint_query_servicer.py diff --git a/tests/core/tx/grpc/test_tendermint_grpc_api.py b/tests/core/tendermint/grpc/test_tendermint_grpc_api.py similarity index 98% rename from tests/core/tx/grpc/test_tendermint_grpc_api.py rename to tests/core/tendermint/grpc/test_tendermint_grpc_api.py index 26496823..cf61f18b 100644 --- a/tests/core/tx/grpc/test_tendermint_grpc_api.py +++ b/tests/core/tendermint/grpc/test_tendermint_grpc_api.py @@ -5,12 +5,12 @@ from pyinjective.client.model.pagination import PaginationOption from pyinjective.core.network import DisabledCookieAssistant, Network -from pyinjective.core.tx.grpc.tendermint_grpc_api import TendermintGrpcApi +from pyinjective.core.tendermint.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as tendermint_query from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_p2p_types from pyinjective.proto.tendermint.types import types_pb2 as tendermint_types -from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer +from tests.core.tendermint.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer @pytest.fixture diff --git a/tests/test_async_client_deprecation_warnings.py b/tests/test_async_client_deprecation_warnings.py index 90375112..0f7cea3f 100644 --- a/tests/test_async_client_deprecation_warnings.py +++ b/tests/test_async_client_deprecation_warnings.py @@ -34,7 +34,7 @@ from tests.client.indexer.configurable_oracle_query_servicer import ConfigurableOracleQueryServicer from tests.client.indexer.configurable_portfolio_query_servicer import ConfigurablePortfolioQueryServicer from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer -from tests.core.tx.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer +from tests.core.tendermint.grpc.configurable_tendermint_query_servicer import ConfigurableTendermintQueryServicer from tests.core.tx.grpc.configurable_tx_query_servicer import ConfigurableTxQueryServicer From 5998b5eb7f263db9e028745b2a449e9738091910 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 18 Apr 2024 17:15:37 -0300 Subject: [PATCH 17/63] (feat) Refactoring in Network class to support mixed secure and insecure endpoints --- pyinjective/async_client.py | 33 ++---- pyinjective/core/network.py | 112 ++++++++++++++++-- .../core/test_network_deprecation_warnings.py | 54 +++++++++ .../test_async_client_deprecation_warnings.py | 15 +++ 4 files changed, 183 insertions(+), 31 deletions(-) create mode 100644 tests/core/test_network_deprecation_warnings.py diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 8acc474f..eeb30b29 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -95,7 +95,7 @@ def __init__( self, network: Network, insecure: Optional[bool] = None, - credentials=grpc.ssl_channel_credentials(), + credentials=None, ): # the `insecure` parameter is ignored and will be deprecated soon. The value is taken directly from `network` if insecure is not None: @@ -104,6 +104,13 @@ def __init__( DeprecationWarning, stacklevel=2, ) + # the `credentials` parameter is ignored and will be deprecated soon. The value is taken directly from `network` + if credentials is not None: + warn( + "credentials parameter in AsyncClient is no longer used and will be deprecated", + DeprecationWarning, + stacklevel=2, + ) self.addr = "" self.number = 0 @@ -112,11 +119,7 @@ def __init__( self.network = network # chain stubs - self.chain_channel = ( - grpc.aio.secure_channel(network.grpc_endpoint, credentials) - if (network.use_secure_connection and credentials is not None) - else grpc.aio.insecure_channel(network.grpc_endpoint) - ) + self.chain_channel = self.network.create_chain_grpc_channel() self.stubCosmosTendermint = tendermint_query_grpc.ServiceStub(self.chain_channel) self.stubAuth = auth_query_grpc.QueryStub(self.chain_channel) @@ -128,11 +131,7 @@ def __init__( self.timeout_height = 1 # exchange stubs - self.exchange_channel = ( - grpc.aio.secure_channel(network.grpc_exchange_endpoint, credentials) - if (network.use_secure_connection and credentials is not None) - else grpc.aio.insecure_channel(network.grpc_exchange_endpoint) - ) + self.exchange_channel = self.network.create_exchange_grpc_channel() self.stubMeta = exchange_meta_rpc_grpc.InjectiveMetaRPCStub(self.exchange_channel) self.stubExchangeAccount = exchange_accounts_rpc_grpc.InjectiveAccountsRPCStub(self.exchange_channel) self.stubOracle = oracle_rpc_grpc.InjectiveOracleRPCStub(self.exchange_channel) @@ -145,18 +144,10 @@ def __init__( self.stubPortfolio = portfolio_rpc_grpc.InjectivePortfolioRPCStub(self.exchange_channel) # explorer stubs - self.explorer_channel = ( - grpc.aio.secure_channel(network.grpc_explorer_endpoint, credentials) - if (network.use_secure_connection and credentials is not None) - else grpc.aio.insecure_channel(network.grpc_explorer_endpoint) - ) + self.explorer_channel = self.network.create_explorer_grpc_channel() self.stubExplorer = explorer_rpc_grpc.InjectiveExplorerRPCStub(self.explorer_channel) - self.chain_stream_channel = ( - grpc.aio.secure_channel(network.chain_stream_endpoint, credentials) - if (network.use_secure_connection and credentials is not None) - else grpc.aio.insecure_channel(network.chain_stream_endpoint) - ) + self.chain_stream_channel = self.network.create_chain_stream_grpc_channel() self.chain_stream_stub = stream_rpc_grpc.StreamStub(channel=self.chain_stream_channel) self._timeout_height_sync_task = None diff --git a/pyinjective/core/network.py b/pyinjective/core/network.py index e11528ec..9ed2ea89 100644 --- a/pyinjective/core/network.py +++ b/pyinjective/core/network.py @@ -2,7 +2,10 @@ from abc import ABC, abstractmethod from http.cookies import SimpleCookie from typing import List, Optional +from warnings import warn +import grpc +from grpc import ChannelCredentials from grpc.aio import Call, Metadata @@ -115,8 +118,20 @@ def __init__( chain_cookie_assistant: CookieAssistant, exchange_cookie_assistant: CookieAssistant, explorer_cookie_assistant: CookieAssistant, - use_secure_connection: bool = False, + use_secure_connection: Optional[bool] = None, + grpc_channel_credentials: Optional[ChannelCredentials] = None, + grpc_exchange_channel_credentials: Optional[ChannelCredentials] = None, + grpc_explorer_channel_credentials: Optional[ChannelCredentials] = None, + chain_stream_channel_credentials: Optional[ChannelCredentials] = None, ): + # the `use_secure_connection` parameter is ignored and will be deprecated soon. + if use_secure_connection is not None: + warn( + "use_secure_connection parameter in Network is no longer used and will be deprecated", + DeprecationWarning, + stacklevel=2, + ) + self.lcd_endpoint = lcd_endpoint self.tm_websocket_endpoint = tm_websocket_endpoint self.grpc_endpoint = grpc_endpoint @@ -129,7 +144,10 @@ def __init__( self.chain_cookie_assistant = chain_cookie_assistant self.exchange_cookie_assistant = exchange_cookie_assistant self.explorer_cookie_assistant = explorer_cookie_assistant - self.use_secure_connection = use_secure_connection + self.grpc_channel_credentials = grpc_channel_credentials + self.grpc_exchange_channel_credentials = grpc_exchange_channel_credentials + self.grpc_explorer_channel_credentials = grpc_explorer_channel_credentials + self.chain_stream_channel_credentials = chain_stream_channel_credentials @classmethod def devnet(cls): @@ -157,6 +175,11 @@ def testnet(cls, node="lb"): if node not in nodes: raise ValueError("Must be one of {}".format(nodes)) + grpc_channel_credentials = grpc.ssl_channel_credentials() + grpc_exchange_channel_credentials = grpc.ssl_channel_credentials() + grpc_explorer_channel_credentials = grpc.ssl_channel_credentials() + chain_stream_channel_credentials = grpc.ssl_channel_credentials() + if node == "lb": lcd_endpoint = "https://testnet.sentry.lcd.injective.network:443" tm_websocket_endpoint = "wss://testnet.sentry.tm.injective.network:443/websocket" @@ -167,7 +190,6 @@ def testnet(cls, node="lb"): chain_cookie_assistant = BareMetalLoadBalancedCookieAssistant() exchange_cookie_assistant = BareMetalLoadBalancedCookieAssistant() explorer_cookie_assistant = BareMetalLoadBalancedCookieAssistant() - use_secure_connection = True else: lcd_endpoint = "https://testnet.lcd.injective.network:443" tm_websocket_endpoint = "wss://testnet.tm.injective.network:443/websocket" @@ -178,7 +200,6 @@ def testnet(cls, node="lb"): chain_cookie_assistant = DisabledCookieAssistant() exchange_cookie_assistant = DisabledCookieAssistant() explorer_cookie_assistant = DisabledCookieAssistant() - use_secure_connection = True return cls( lcd_endpoint=lcd_endpoint, @@ -193,7 +214,10 @@ def testnet(cls, node="lb"): chain_cookie_assistant=chain_cookie_assistant, exchange_cookie_assistant=exchange_cookie_assistant, explorer_cookie_assistant=explorer_cookie_assistant, - use_secure_connection=use_secure_connection, + grpc_channel_credentials=grpc_channel_credentials, + grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, + grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, + chain_stream_channel_credentials=chain_stream_channel_credentials, ) @classmethod @@ -213,7 +237,10 @@ def mainnet(cls, node="lb"): chain_cookie_assistant = BareMetalLoadBalancedCookieAssistant() exchange_cookie_assistant = BareMetalLoadBalancedCookieAssistant() explorer_cookie_assistant = BareMetalLoadBalancedCookieAssistant() - use_secure_connection = True + grpc_channel_credentials = grpc.ssl_channel_credentials() + grpc_exchange_channel_credentials = grpc.ssl_channel_credentials() + grpc_explorer_channel_credentials = grpc.ssl_channel_credentials() + chain_stream_channel_credentials = grpc.ssl_channel_credentials() return cls( lcd_endpoint=lcd_endpoint, @@ -228,7 +255,10 @@ def mainnet(cls, node="lb"): chain_cookie_assistant=chain_cookie_assistant, exchange_cookie_assistant=exchange_cookie_assistant, explorer_cookie_assistant=explorer_cookie_assistant, - use_secure_connection=use_secure_connection, + grpc_channel_credentials=grpc_channel_credentials, + grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, + grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, + chain_stream_channel_credentials=chain_stream_channel_credentials, ) @classmethod @@ -246,7 +276,6 @@ def local(cls): chain_cookie_assistant=DisabledCookieAssistant(), exchange_cookie_assistant=DisabledCookieAssistant(), explorer_cookie_assistant=DisabledCookieAssistant(), - use_secure_connection=False, ) @classmethod @@ -263,8 +292,20 @@ def custom( chain_cookie_assistant: Optional[CookieAssistant] = None, exchange_cookie_assistant: Optional[CookieAssistant] = None, explorer_cookie_assistant: Optional[CookieAssistant] = None, - use_secure_connection: bool = False, + use_secure_connection: Optional[bool] = None, + grpc_channel_credentials: Optional[ChannelCredentials] = None, + grpc_exchange_channel_credentials: Optional[ChannelCredentials] = None, + grpc_explorer_channel_credentials: Optional[ChannelCredentials] = None, + chain_stream_channel_credentials: Optional[ChannelCredentials] = None, ): + # the `use_secure_connection` parameter is ignored and will be deprecated soon. + if use_secure_connection is not None: + warn( + "use_secure_connection parameter in Network is no longer used and will be deprecated", + DeprecationWarning, + stacklevel=2, + ) + chain_assistant = chain_cookie_assistant or DisabledCookieAssistant() exchange_assistant = exchange_cookie_assistant or DisabledCookieAssistant() explorer_assistant = explorer_cookie_assistant or DisabledCookieAssistant() @@ -281,8 +322,59 @@ def custom( chain_cookie_assistant=chain_assistant, exchange_cookie_assistant=exchange_assistant, explorer_cookie_assistant=explorer_assistant, - use_secure_connection=use_secure_connection, + grpc_channel_credentials=grpc_channel_credentials, + grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, + grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, + chain_stream_channel_credentials=chain_stream_channel_credentials, + ) + + @classmethod + def custom_chain_and_public_indexer_mainnet( + cls, + lcd_endpoint, + tm_websocket_endpoint, + grpc_endpoint, + chain_stream_endpoint, + chain_cookie_assistant: Optional[CookieAssistant] = None, + ): + mainnet_network = cls.mainnet() + + return cls.custom( + lcd_endpoint=lcd_endpoint, + tm_websocket_endpoint=tm_websocket_endpoint, + grpc_endpoint=grpc_endpoint, + grpc_exchange_endpoint=mainnet_network.grpc_exchange_endpoint, + grpc_explorer_endpoint=mainnet_network.grpc_explorer_endpoint, + chain_stream_endpoint=chain_stream_endpoint, + chain_id="injective-1", + env="mainnet", + chain_cookie_assistant=chain_cookie_assistant or DisabledCookieAssistant(), + exchange_cookie_assistant=mainnet_network.exchange_cookie_assistant, + explorer_cookie_assistant=mainnet_network.explorer_cookie_assistant, + grpc_channel_credentials=None, + grpc_exchange_channel_credentials=mainnet_network.grpc_exchange_channel_credentials, + grpc_explorer_channel_credentials=mainnet_network.grpc_explorer_channel_credentials, + chain_stream_channel_credentials=None, ) def string(self): return self.env + + def create_chain_grpc_channel(self) -> grpc.Channel: + return self._create_grpc_channel(self.grpc_endpoint, self.grpc_channel_credentials) + + def create_exchange_grpc_channel(self) -> grpc.Channel: + return self._create_grpc_channel(self.grpc_exchange_endpoint, self.grpc_exchange_channel_credentials) + + def create_explorer_grpc_channel(self) -> grpc.Channel: + return self._create_grpc_channel(self.grpc_explorer_endpoint, self.grpc_explorer_channel_credentials) + + def create_chain_stream_grpc_channel(self) -> grpc.Channel: + return self._create_grpc_channel(self.chain_stream_endpoint, self.chain_stream_channel_credentials) + + def _create_grpc_channel(self, endpoint: str, credentials: Optional[ChannelCredentials]) -> grpc.Channel: + if credentials is None: + channel = grpc.insecure_channel(endpoint) + else: + channel = grpc.secure_channel(endpoint, credentials) + return channel diff --git a/tests/core/test_network_deprecation_warnings.py b/tests/core/test_network_deprecation_warnings.py new file mode 100644 index 00000000..db27655b --- /dev/null +++ b/tests/core/test_network_deprecation_warnings.py @@ -0,0 +1,54 @@ +from warnings import catch_warnings + +from pyinjective.core.network import DisabledCookieAssistant, Network + + +class TestNetworkDeprecationWarnings: + def test_use_secure_connection_parameter_deprecation_warning(self): + with catch_warnings(record=True) as all_warnings: + Network( + lcd_endpoint="lcd_endpoint", + tm_websocket_endpoint="tm_websocket_endpoint", + grpc_endpoint="grpc_endpoint", + grpc_exchange_endpoint="grpc_exchange_endpoint", + grpc_explorer_endpoint="grpc_explorer_endpoint", + chain_stream_endpoint="chain_stream_endpoint", + chain_id="chain_id", + fee_denom="fee_denom", + env="env", + chain_cookie_assistant=DisabledCookieAssistant(), + exchange_cookie_assistant=DisabledCookieAssistant(), + explorer_cookie_assistant=DisabledCookieAssistant(), + use_secure_connection=True, + ) + + deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] + assert len(deprecation_warnings) == 1 + assert ( + str(deprecation_warnings[0].message) + == "use_secure_connection parameter in Network is no longer used and will be deprecated" + ) + + def test_use_secure_connection_parameter_in_custom_network_deprecation_warning(self): + with catch_warnings(record=True) as all_warnings: + Network.custom( + lcd_endpoint="lcd_endpoint", + tm_websocket_endpoint="tm_websocket_endpoint", + grpc_endpoint="grpc_endpoint", + grpc_exchange_endpoint="grpc_exchange_endpoint", + grpc_explorer_endpoint="grpc_explorer_endpoint", + chain_stream_endpoint="chain_stream_endpoint", + chain_id="chain_id", + env="env", + chain_cookie_assistant=DisabledCookieAssistant(), + exchange_cookie_assistant=DisabledCookieAssistant(), + explorer_cookie_assistant=DisabledCookieAssistant(), + use_secure_connection=True, + ) + + deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] + assert len(deprecation_warnings) == 1 + assert ( + str(deprecation_warnings[0].message) + == "use_secure_connection parameter in Network is no longer used and will be deprecated" + ) diff --git a/tests/test_async_client_deprecation_warnings.py b/tests/test_async_client_deprecation_warnings.py index 0f7cea3f..b142b335 100644 --- a/tests/test_async_client_deprecation_warnings.py +++ b/tests/test_async_client_deprecation_warnings.py @@ -1,5 +1,6 @@ from warnings import catch_warnings +import grpc import pytest from pyinjective.async_client import AsyncClient @@ -1707,3 +1708,17 @@ async def test_get_latest_block_deprecation_warning( deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] assert len(deprecation_warnings) == 1 assert str(deprecation_warnings[0].message) == "This method is deprecated. Use fetch_latest_block instead" + + def test_credentials_parameter_deprecation_warning( + self, + auth_servicer, + ): + with catch_warnings(record=True) as all_warnings: + AsyncClient(network=Network.local(), credentials=grpc.ssl_channel_credentials()) + + deprecation_warnings = [warning for warning in all_warnings if issubclass(warning.category, DeprecationWarning)] + assert len(deprecation_warnings) == 1 + assert ( + str(deprecation_warnings[0].message) + == "credentials parameter in AsyncClient is no longer used and will be deprecated" + ) From 79a4eb3a16010af9fbad80dccdd000814d107354 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 18 Apr 2024 23:28:02 -0300 Subject: [PATCH 18/63] (fix) Fix issue when creating gRPC channels (we need to use grpc.aio channels) --- pyinjective/core/network.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/pyinjective/core/network.py b/pyinjective/core/network.py index 9ed2ea89..2c40d1a2 100644 --- a/pyinjective/core/network.py +++ b/pyinjective/core/network.py @@ -374,7 +374,7 @@ def create_chain_stream_grpc_channel(self) -> grpc.Channel: def _create_grpc_channel(self, endpoint: str, credentials: Optional[ChannelCredentials]) -> grpc.Channel: if credentials is None: - channel = grpc.insecure_channel(endpoint) + channel = grpc.aio.insecure_channel(endpoint) else: - channel = grpc.secure_channel(endpoint, credentials) + channel = grpc.aio.secure_channel(endpoint, credentials) return channel From 3f777fb0f2f9db88128fbca9ae029c93e4ae7731 Mon Sep 17 00:00:00 2001 From: abel Date: Mon, 22 Apr 2024 12:12:57 -0300 Subject: [PATCH 19/63] (feat) Added support for all IBC Core Client queries. Included example scripts for all queries and unit tests --- CHANGELOG.md | 6 +- examples/chain_client/ibc/client/__init__.py | 0 .../ibc/client/query/1_ClientState.py | 21 + .../ibc/client/query/2_ClientStates.py | 22 + .../ibc/client/query/3_ConsensusState.py | 25 + .../ibc/client/query/4_ConsensusStates.py | 23 + .../client/query/5_ConsensusStateHeights.py | 23 + .../ibc/client/query/6_ClientStatus.py | 21 + .../ibc/client/query/7_ClientParams.py | 19 + .../ibc/client/query/8_UpgradedClientState.py | 19 + .../client/query/9_UpgradedConsensusState.py | 19 + .../chain_client/ibc/client/query/__init__.py | 0 pyinjective/async_client.py | 54 ++ .../ibc/channel/grpc/ibc_channel_grpc_api.py | 2 +- pyinjective/core/ibc/client/__init__.py | 0 .../core/ibc/client/ibc_client_grpc_api.py | 96 +++ tests/core/ibc/client/__init__.py | 0 tests/core/ibc/client/grpc/__init__.py | 0 .../configurable_ibc_client_query_servicer.py | 50 ++ .../client/grpc/test_ibc_client_grpc_api.py | 638 ++++++++++++++++++ 20 files changed, 1035 insertions(+), 3 deletions(-) create mode 100644 examples/chain_client/ibc/client/__init__.py create mode 100644 examples/chain_client/ibc/client/query/1_ClientState.py create mode 100644 examples/chain_client/ibc/client/query/2_ClientStates.py create mode 100644 examples/chain_client/ibc/client/query/3_ConsensusState.py create mode 100644 examples/chain_client/ibc/client/query/4_ConsensusStates.py create mode 100644 examples/chain_client/ibc/client/query/5_ConsensusStateHeights.py create mode 100644 examples/chain_client/ibc/client/query/6_ClientStatus.py create mode 100644 examples/chain_client/ibc/client/query/7_ClientParams.py create mode 100644 examples/chain_client/ibc/client/query/8_UpgradedClientState.py create mode 100644 examples/chain_client/ibc/client/query/9_UpgradedConsensusState.py create mode 100644 examples/chain_client/ibc/client/query/__init__.py create mode 100644 pyinjective/core/ibc/client/__init__.py create mode 100644 pyinjective/core/ibc/client/ibc_client_grpc_api.py create mode 100644 tests/core/ibc/client/__init__.py create mode 100644 tests/core/ibc/client/grpc/__init__.py create mode 100644 tests/core/ibc/client/grpc/configurable_ibc_client_query_servicer.py create mode 100644 tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py diff --git a/CHANGELOG.md b/CHANGELOG.md index f6b5fd53..ca40f4fc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,8 +4,10 @@ All notable changes to this project will be documented in this file. ## [1.6.0] - 9999-99-99 ### Added -- Added support for all queries in the chain 'tendermint' module -- Added support for all queries in the IBC Transfer module +- Support for all queries in the chain 'tendermint' module +- Support for all queries in the IBC Transfer module +- Support for all queries in the IBC Channel module +- Support for all queries in the IBC Client module ### Changed - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies diff --git a/examples/chain_client/ibc/client/__init__.py b/examples/chain_client/ibc/client/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/examples/chain_client/ibc/client/query/1_ClientState.py b/examples/chain_client/ibc/client/query/1_ClientState.py new file mode 100644 index 00000000..47ad1eda --- /dev/null +++ b/examples/chain_client/ibc/client/query/1_ClientState.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + + state = await client.fetch_ibc_client_state(client_id=client_id) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/2_ClientStates.py b/examples/chain_client/ibc/client/query/2_ClientStates.py new file mode 100644 index 00000000..511bc33c --- /dev/null +++ b/examples/chain_client/ibc/client/query/2_ClientStates.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + states = await client.fetch_ibc_client_states(pagination=pagination) + print(states) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/3_ConsensusState.py b/examples/chain_client/ibc/client/query/3_ConsensusState.py new file mode 100644 index 00000000..33220967 --- /dev/null +++ b/examples/chain_client/ibc/client/query/3_ConsensusState.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + revision_number = 0 + revision_height = 7379538 + + state = await client.fetch_ibc_consensus_state( + client_id=client_id, revision_number=revision_number, revision_height=revision_height + ) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/4_ConsensusStates.py b/examples/chain_client/ibc/client/query/4_ConsensusStates.py new file mode 100644 index 00000000..66b946dd --- /dev/null +++ b/examples/chain_client/ibc/client/query/4_ConsensusStates.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + pagination = PaginationOption(skip=2, limit=4) + + states = await client.fetch_ibc_consensus_states(client_id=client_id, pagination=pagination) + print(states) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/5_ConsensusStateHeights.py b/examples/chain_client/ibc/client/query/5_ConsensusStateHeights.py new file mode 100644 index 00000000..acd4a440 --- /dev/null +++ b/examples/chain_client/ibc/client/query/5_ConsensusStateHeights.py @@ -0,0 +1,23 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + pagination = PaginationOption(skip=2, limit=4) + + states = await client.fetch_ibc_consensus_state_heights(client_id=client_id, pagination=pagination) + print(states) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/6_ClientStatus.py b/examples/chain_client/ibc/client/query/6_ClientStatus.py new file mode 100644 index 00000000..9d5954aa --- /dev/null +++ b/examples/chain_client/ibc/client/query/6_ClientStatus.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + + state = await client.fetch_ibc_client_status(client_id=client_id) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/7_ClientParams.py b/examples/chain_client/ibc/client/query/7_ClientParams.py new file mode 100644 index 00000000..1b461b5c --- /dev/null +++ b/examples/chain_client/ibc/client/query/7_ClientParams.py @@ -0,0 +1,19 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + params = await client.fetch_ibc_client_params() + print(params) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/8_UpgradedClientState.py b/examples/chain_client/ibc/client/query/8_UpgradedClientState.py new file mode 100644 index 00000000..e200ae80 --- /dev/null +++ b/examples/chain_client/ibc/client/query/8_UpgradedClientState.py @@ -0,0 +1,19 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + state = await client.fetch_ibc_upgraded_client_state() + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/9_UpgradedConsensusState.py b/examples/chain_client/ibc/client/query/9_UpgradedConsensusState.py new file mode 100644 index 00000000..a6e00f7c --- /dev/null +++ b/examples/chain_client/ibc/client/query/9_UpgradedConsensusState.py @@ -0,0 +1,19 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + state = await client.fetch_ibc_upgraded_consensus_state() + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/client/query/__init__.py b/examples/chain_client/ibc/client/query/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index eeb30b29..20c959a4 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -37,6 +37,7 @@ from pyinjective.client.model.pagination import PaginationOption from pyinjective.composer import Composer from pyinjective.core.ibc.channel.grpc.ibc_channel_grpc_api import IBCChannelGrpcApi +from pyinjective.core.ibc.client.ibc_client_grpc_api import IBCClientGrpcApi from pyinjective.core.ibc.transfer.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network @@ -184,6 +185,10 @@ def __init__( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, ) + self.ibc_client_api = IBCClientGrpcApi( + channel=self.chain_channel, + cookie_assistant=network.chain_cookie_assistant, + ) self.ibc_transfer_api = IBCTransferGrpcApi( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, @@ -3119,6 +3124,55 @@ async def fetch_next_sequence_receive(self, port_id: str, channel_id: str) -> Di # endregion + # region IBC Client module + async def fetch_ibc_client_state(self, client_id: str) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_client_state(client_id=client_id) + + async def fetch_ibc_client_states(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_client_states(pagination=pagination) + + async def fetch_ibc_consensus_state( + self, + client_id: str, + revision_number: int, + revision_height: int, + latest_height: Optional[bool] = None, + ) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_consensus_state( + client_id=client_id, + revision_number=revision_number, + revision_height=revision_height, + latest_height=latest_height, + ) + + async def fetch_ibc_consensus_states( + self, + client_id: str, + pagination: Optional[PaginationOption] = None, + ) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_consensus_states(client_id=client_id, pagination=pagination) + + async def fetch_ibc_consensus_state_heights( + self, + client_id: str, + pagination: Optional[PaginationOption] = None, + ) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_consensus_state_heights(client_id=client_id, pagination=pagination) + + async def fetch_ibc_client_status(self, client_id: str) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_client_status(client_id=client_id) + + async def fetch_ibc_client_params(self) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_client_params() + + async def fetch_ibc_upgraded_client_state(self) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_upgraded_client_state() + + async def fetch_ibc_upgraded_consensus_state(self) -> Dict[str, Any]: + return await self.ibc_client_api.fetch_upgraded_consensus_state() + + # endregion + async def composer(self): return Composer( network=self.network.string(), diff --git a/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py b/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py index b87589e5..362e67e2 100644 --- a/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py +++ b/pyinjective/core/ibc/channel/grpc/ibc_channel_grpc_api.py @@ -1,6 +1,6 @@ from typing import Any, Callable, Dict, List, Optional -from grpc._cython.cygrpc import Channel +from grpc import Channel from pyinjective.client.model.pagination import PaginationOption from pyinjective.core.network import CookieAssistant diff --git a/pyinjective/core/ibc/client/__init__.py b/pyinjective/core/ibc/client/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/client/ibc_client_grpc_api.py b/pyinjective/core/ibc/client/ibc_client_grpc_api.py new file mode 100644 index 00000000..084dfd89 --- /dev/null +++ b/pyinjective/core/ibc/client/ibc_client_grpc_api.py @@ -0,0 +1,96 @@ +from typing import Any, Callable, Dict, Optional + +from grpc import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant +from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_client_query, query_pb2_grpc as ibc_client_query_grpc +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class IBCClientGrpcApi: + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): + self._stub = ibc_client_query_grpc.QueryStub(channel) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) + + async def fetch_client_state(self, client_id: str) -> Dict[str, Any]: + request = ibc_client_query.QueryClientStateRequest(client_id=client_id) + response = await self._execute_call(call=self._stub.ClientState, request=request) + + return response + + async def fetch_client_states(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_client_query.QueryClientStatesRequest(pagination=pagination.create_pagination_request()) + response = await self._execute_call(call=self._stub.ClientStates, request=request) + + return response + + async def fetch_consensus_state( + self, + client_id: str, + revision_number: int, + revision_height: int, + latest_height: Optional[bool] = None, + ) -> Dict[str, Any]: + request = ibc_client_query.QueryConsensusStateRequest( + client_id=client_id, + revision_number=revision_number, + revision_height=revision_height, + latest_height=latest_height, + ) + response = await self._execute_call(call=self._stub.ConsensusState, request=request) + + return response + + async def fetch_consensus_states( + self, client_id: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_client_query.QueryConsensusStatesRequest( + client_id=client_id, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.ConsensusStates, request=request) + + return response + + async def fetch_consensus_state_heights( + self, client_id: str, pagination: Optional[PaginationOption] = None + ) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_client_query.QueryConsensusStateHeightsRequest( + client_id=client_id, pagination=pagination.create_pagination_request() + ) + response = await self._execute_call(call=self._stub.ConsensusStateHeights, request=request) + + return response + + async def fetch_client_status(self, client_id: str) -> Dict[str, Any]: + request = ibc_client_query.QueryClientStatusRequest(client_id=client_id) + response = await self._execute_call(call=self._stub.ClientStatus, request=request) + + return response + + async def fetch_client_params(self) -> Dict[str, Any]: + request = ibc_client_query.QueryClientParamsRequest() + response = await self._execute_call(call=self._stub.ClientParams, request=request) + + return response + + async def fetch_upgraded_client_state(self) -> Dict[str, Any]: + request = ibc_client_query.QueryUpgradedClientStateRequest() + response = await self._execute_call(call=self._stub.UpgradedClientState, request=request) + + return response + + async def fetch_upgraded_consensus_state(self) -> Dict[str, Any]: + request = ibc_client_query.QueryUpgradedConsensusStateRequest() + response = await self._execute_call(call=self._stub.UpgradedConsensusState, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/tests/core/ibc/client/__init__.py b/tests/core/ibc/client/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/client/grpc/__init__.py b/tests/core/ibc/client/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/client/grpc/configurable_ibc_client_query_servicer.py b/tests/core/ibc/client/grpc/configurable_ibc_client_query_servicer.py new file mode 100644 index 00000000..135a0270 --- /dev/null +++ b/tests/core/ibc/client/grpc/configurable_ibc_client_query_servicer.py @@ -0,0 +1,50 @@ +from collections import deque + +from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_client_query, query_pb2_grpc as ibc_client_query_grpc + + +class ConfigurableIBCClientQueryServicer(ibc_client_query_grpc.QueryServicer): + def __init__(self): + super().__init__() + self.client_state_responses = deque() + self.client_states_responses = deque() + self.consensus_state_responses = deque() + self.consensus_states_responses = deque() + self.consensus_state_heights_responses = deque() + self.client_status_responses = deque() + self.client_params_responses = deque() + self.upgraded_client_state_responses = deque() + self.upgraded_consensus_state_responses = deque() + + async def ClientState(self, request: ibc_client_query.QueryClientStateRequest, context=None, metadata=None): + return self.client_state_responses.pop() + + async def ClientStates(self, request: ibc_client_query.QueryClientStatesRequest, context=None, metadata=None): + return self.client_states_responses.pop() + + async def ConsensusState(self, request: ibc_client_query.QueryConsensusStateRequest, context=None, metadata=None): + return self.consensus_state_responses.pop() + + async def ConsensusStates(self, request: ibc_client_query.QueryConsensusStatesRequest, context=None, metadata=None): + return self.consensus_states_responses.pop() + + async def ConsensusStateHeights( + self, request: ibc_client_query.QueryConsensusStateHeightsRequest, context=None, metadata=None + ): + return self.consensus_state_heights_responses.pop() + + async def ClientStatus(self, request: ibc_client_query.QueryClientStatusRequest, context=None, metadata=None): + return self.client_status_responses.pop() + + async def ClientParams(self, request: ibc_client_query.QueryClientParamsRequest, context=None, metadata=None): + return self.client_params_responses.pop() + + async def UpgradedClientState( + self, request: ibc_client_query.QueryUpgradedClientStateRequest, context=None, metadata=None + ): + return self.upgraded_client_state_responses.pop() + + async def UpgradedConsensusState( + self, request: ibc_client_query.QueryUpgradedConsensusStateRequest, context=None, metadata=None + ): + return self.upgraded_consensus_state_responses.pop() diff --git a/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py b/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py new file mode 100644 index 00000000..6f3157e6 --- /dev/null +++ b/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py @@ -0,0 +1,638 @@ +import base64 + +import grpc +import pytest +from google.protobuf import any_pb2 + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.ibc.client.ibc_client_grpc_api import IBCClientGrpcApi +from pyinjective.core.network import DisabledCookieAssistant, Network +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as ics23_proofs +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_client, query_pb2 as ibc_client_query +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_commitment +from pyinjective.proto.ibc.lightclients.tendermint.v1 import tendermint_pb2 as ibc_tendermint +from tests.core.ibc.client.grpc.configurable_ibc_client_query_servicer import ConfigurableIBCClientQueryServicer + + +@pytest.fixture +def ibc_client_servicer(): + return ConfigurableIBCClientQueryServicer() + + +class TestIBCClientGrpcApi: + @pytest.mark.asyncio + async def test_fetch_client_state( + self, + ibc_client_servicer, + ): + trust_level = ibc_tendermint.Fraction( + numerator=1, + denominator=3, + ) + leaf_spec = ics23_proofs.LeafOp( + hash=0, + prehash_key=1, + prehash_value=2, + length=3, + prefix=b"prefix", + ) + inner_spec = ics23_proofs.InnerSpec( + child_order=[0, 1, 2, 3], + child_size=4, + min_prefix_length=5, + max_prefix_length=6, + empty_child=b"empty", + hash=1, + ) + proof_spec = ics23_proofs.ProofSpec( + leaf_spec=leaf_spec, + inner_spec=inner_spec, + max_depth=5, + min_depth=1, + prehash_key_before_comparison=True, + ) + tendermint_client_state = ibc_tendermint.ClientState( + chain_id="injective-1", + trust_level=trust_level, + frozen_height=ibc_client.Height( + revision_number=1, + revision_height=2, + ), + latest_height=ibc_client.Height( + revision_number=3, + revision_height=4, + ), + proof_specs=[proof_spec], + upgrade_path=["upgrade", "upgradedIBCState"], + allow_update_after_expiry=False, + allow_update_after_misbehaviour=False, + ) + any_client_state = any_pb2.Any() + any_client_state.Pack(tendermint_client_state) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_client_servicer.client_state_responses.append( + ibc_client_query.QueryClientStateResponse( + client_state=any_client_state, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_client_state = await api.fetch_client_state(client_id="client-id") + expected_client_state = { + "clientState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ClientState", + "chainId": tendermint_client_state.chain_id, + "trustLevel": { + "numerator": str(trust_level.numerator), + "denominator": str(trust_level.denominator), + }, + "frozenHeight": { + "revisionNumber": str(tendermint_client_state.frozen_height.revision_number), + "revisionHeight": str(tendermint_client_state.frozen_height.revision_height), + }, + "latestHeight": { + "revisionNumber": str(tendermint_client_state.latest_height.revision_number), + "revisionHeight": str(tendermint_client_state.latest_height.revision_height), + }, + "proofSpecs": [ + { + "leafSpec": { + "hash": ics23_proofs.HashOp.Name(leaf_spec.hash), + "prehashKey": ics23_proofs.HashOp.Name(leaf_spec.prehash_key), + "prehashValue": ics23_proofs.HashOp.Name(leaf_spec.prehash_value), + "length": ics23_proofs.LengthOp.Name(leaf_spec.length), + "prefix": base64.b64encode(leaf_spec.prefix).decode(), + }, + "innerSpec": { + "childOrder": inner_spec.child_order, + "childSize": inner_spec.child_size, + "minPrefixLength": inner_spec.min_prefix_length, + "maxPrefixLength": inner_spec.max_prefix_length, + "emptyChild": base64.b64encode(inner_spec.empty_child).decode(), + "hash": ics23_proofs.HashOp.Name(inner_spec.hash), + }, + "maxDepth": proof_spec.max_depth, + "minDepth": proof_spec.min_depth, + "prehashKeyBeforeComparison": proof_spec.prehash_key_before_comparison, + }, + ], + "upgradePath": tendermint_client_state.upgrade_path, + "allowUpdateAfterExpiry": tendermint_client_state.allow_update_after_expiry, + "allowUpdateAfterMisbehaviour": tendermint_client_state.allow_update_after_misbehaviour, + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + result_client_state["clientState"] = dict(result_client_state["clientState"]) + + assert result_client_state == expected_client_state + + @pytest.mark.asyncio + async def test_fetch_client_states( + self, + ibc_client_servicer, + ): + trust_level = ibc_tendermint.Fraction( + numerator=1, + denominator=3, + ) + leaf_spec = ics23_proofs.LeafOp( + hash=0, + prehash_key=1, + prehash_value=2, + length=3, + prefix=b"prefix", + ) + inner_spec = ics23_proofs.InnerSpec( + child_order=[0, 1, 2, 3], + child_size=4, + min_prefix_length=5, + max_prefix_length=6, + empty_child=b"empty", + hash=1, + ) + proof_spec = ics23_proofs.ProofSpec( + leaf_spec=leaf_spec, + inner_spec=inner_spec, + max_depth=5, + min_depth=1, + prehash_key_before_comparison=True, + ) + tendermint_client_state = ibc_tendermint.ClientState( + chain_id="injective-1", + trust_level=trust_level, + frozen_height=ibc_client.Height( + revision_number=1, + revision_height=2, + ), + latest_height=ibc_client.Height( + revision_number=3, + revision_height=4, + ), + proof_specs=[proof_spec], + upgrade_path=["upgrade", "upgradedIBCState"], + allow_update_after_expiry=False, + allow_update_after_misbehaviour=False, + ) + any_client_state = any_pb2.Any() + any_client_state.Pack(tendermint_client_state) + client_state = ibc_client.IdentifiedClientState( + client_id="client-1", + client_state=any_client_state, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_client_servicer.client_states_responses.append( + ibc_client_query.QueryClientStatesResponse( + client_states=[client_state], + pagination=result_pagination, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_client_states = await api.fetch_client_states(pagination=pagination_option) + expected_client_states = { + "clientStates": [ + { + "clientId": client_state.client_id, + "clientState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ClientState", + "chainId": tendermint_client_state.chain_id, + "trustLevel": { + "numerator": str(trust_level.numerator), + "denominator": str(trust_level.denominator), + }, + "frozenHeight": { + "revisionNumber": str(tendermint_client_state.frozen_height.revision_number), + "revisionHeight": str(tendermint_client_state.frozen_height.revision_height), + }, + "latestHeight": { + "revisionNumber": str(tendermint_client_state.latest_height.revision_number), + "revisionHeight": str(tendermint_client_state.latest_height.revision_height), + }, + "proofSpecs": [ + { + "leafSpec": { + "hash": ics23_proofs.HashOp.Name(leaf_spec.hash), + "prehashKey": ics23_proofs.HashOp.Name(leaf_spec.prehash_key), + "prehashValue": ics23_proofs.HashOp.Name(leaf_spec.prehash_value), + "length": ics23_proofs.LengthOp.Name(leaf_spec.length), + "prefix": base64.b64encode(leaf_spec.prefix).decode(), + }, + "innerSpec": { + "childOrder": inner_spec.child_order, + "childSize": inner_spec.child_size, + "minPrefixLength": inner_spec.min_prefix_length, + "maxPrefixLength": inner_spec.max_prefix_length, + "emptyChild": base64.b64encode(inner_spec.empty_child).decode(), + "hash": ics23_proofs.HashOp.Name(inner_spec.hash), + }, + "maxDepth": proof_spec.max_depth, + "minDepth": proof_spec.min_depth, + "prehashKeyBeforeComparison": proof_spec.prehash_key_before_comparison, + }, + ], + "upgradePath": tendermint_client_state.upgrade_path, + "allowUpdateAfterExpiry": tendermint_client_state.allow_update_after_expiry, + "allowUpdateAfterMisbehaviour": tendermint_client_state.allow_update_after_misbehaviour, + }, + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_client_states == expected_client_states + + @pytest.mark.asyncio + async def test_fetch_consensus_state( + self, + ibc_client_servicer, + ): + root = ibc_commitment.MerkleRoot( + hash=b"root", + ) + consensus_state = ibc_tendermint.ConsensusState( + root=root, + next_validators_hash=b"next_validators_hash", + ) + any_consensus_state = any_pb2.Any() + any_consensus_state.Pack(consensus_state) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_client_servicer.consensus_state_responses.append( + ibc_client_query.QueryConsensusStateResponse( + consensus_state=any_consensus_state, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_state = await api.fetch_consensus_state( + client_id="client-id", + revision_number=1, + revision_height=2, + latest_height=False, + ) + expected_state = { + "consensusState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ConsensusState", + "root": { + "hash": base64.b64encode(root.hash).decode(), + }, + "nextValidatorsHash": base64.b64encode(consensus_state.next_validators_hash).decode(), + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_state == expected_state + + @pytest.mark.asyncio + async def test_fetch_consensus_states( + self, + ibc_client_servicer, + ): + root = ibc_commitment.MerkleRoot( + hash=b"root", + ) + consensus_state = ibc_tendermint.ConsensusState( + root=root, + next_validators_hash=b"next_validators_hash", + ) + any_consensus_state = any_pb2.Any() + any_consensus_state.Pack(consensus_state) + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + state_with_height = ibc_client.ConsensusStateWithHeight( + consensus_state=any_consensus_state, + height=proof_height, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_client_servicer.consensus_states_responses.append( + ibc_client_query.QueryConsensusStatesResponse( + consensus_states=[state_with_height], + pagination=result_pagination, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_states = await api.fetch_consensus_states( + client_id="client-id", + pagination=pagination_option, + ) + expected_states = { + "consensusStates": [ + { + "consensusState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ConsensusState", + "root": { + "hash": base64.b64encode(root.hash).decode(), + }, + "nextValidatorsHash": base64.b64encode(consensus_state.next_validators_hash).decode(), + }, + "height": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_states == expected_states + + @pytest.mark.asyncio + async def test_fetch_consensus_state_heights( + self, + ibc_client_servicer, + ): + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_client_servicer.consensus_state_heights_responses.append( + ibc_client_query.QueryConsensusStateHeightsResponse( + consensus_state_heights=[height], + pagination=result_pagination, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_heights = await api.fetch_consensus_state_heights( + client_id="client-id", + pagination=pagination_option, + ) + expected_heights = { + "consensusStateHeights": [ + { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + } + + assert result_heights == expected_heights + + @pytest.mark.asyncio + async def test_fetch_client_status( + self, + ibc_client_servicer, + ): + status = "Expired" + + ibc_client_servicer.client_status_responses.append(ibc_client_query.QueryClientStatusResponse(status=status)) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_status = await api.fetch_client_status( + client_id="client-id", + ) + expected_status = {"status": status} + + assert result_status == expected_status + + @pytest.mark.asyncio + async def test_fetch_client_params( + self, + ibc_client_servicer, + ): + params = ibc_client.Params( + allowed_clients=["injective-1", "injective-2"], + ) + + ibc_client_servicer.client_params_responses.append(ibc_client_query.QueryClientParamsResponse(params=params)) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_params = await api.fetch_client_params() + expected_params = { + "params": { + "allowedClients": params.allowed_clients, + }, + } + + assert result_params == expected_params + + @pytest.mark.asyncio + async def test_fetch_upgraded_client_state( + self, + ibc_client_servicer, + ): + trust_level = ibc_tendermint.Fraction( + numerator=1, + denominator=3, + ) + leaf_spec = ics23_proofs.LeafOp( + hash=0, + prehash_key=1, + prehash_value=2, + length=3, + prefix=b"prefix", + ) + inner_spec = ics23_proofs.InnerSpec( + child_order=[0, 1, 2, 3], + child_size=4, + min_prefix_length=5, + max_prefix_length=6, + empty_child=b"empty", + hash=1, + ) + proof_spec = ics23_proofs.ProofSpec( + leaf_spec=leaf_spec, + inner_spec=inner_spec, + max_depth=5, + min_depth=1, + prehash_key_before_comparison=True, + ) + tendermint_client_state = ibc_tendermint.ClientState( + chain_id="injective-1", + trust_level=trust_level, + frozen_height=ibc_client.Height( + revision_number=1, + revision_height=2, + ), + latest_height=ibc_client.Height( + revision_number=3, + revision_height=4, + ), + proof_specs=[proof_spec], + upgrade_path=["upgrade", "upgradedIBCState"], + allow_update_after_expiry=False, + allow_update_after_misbehaviour=False, + ) + any_client_state = any_pb2.Any() + any_client_state.Pack(tendermint_client_state) + + ibc_client_servicer.upgraded_client_state_responses.append( + ibc_client_query.QueryUpgradedClientStateResponse( + upgraded_client_state=any_client_state, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_client_state = await api.fetch_upgraded_client_state() + expected_client_state = { + "upgradedClientState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ClientState", + "chainId": tendermint_client_state.chain_id, + "trustLevel": { + "numerator": str(trust_level.numerator), + "denominator": str(trust_level.denominator), + }, + "frozenHeight": { + "revisionNumber": str(tendermint_client_state.frozen_height.revision_number), + "revisionHeight": str(tendermint_client_state.frozen_height.revision_height), + }, + "latestHeight": { + "revisionNumber": str(tendermint_client_state.latest_height.revision_number), + "revisionHeight": str(tendermint_client_state.latest_height.revision_height), + }, + "proofSpecs": [ + { + "leafSpec": { + "hash": ics23_proofs.HashOp.Name(leaf_spec.hash), + "prehashKey": ics23_proofs.HashOp.Name(leaf_spec.prehash_key), + "prehashValue": ics23_proofs.HashOp.Name(leaf_spec.prehash_value), + "length": ics23_proofs.LengthOp.Name(leaf_spec.length), + "prefix": base64.b64encode(leaf_spec.prefix).decode(), + }, + "innerSpec": { + "childOrder": inner_spec.child_order, + "childSize": inner_spec.child_size, + "minPrefixLength": inner_spec.min_prefix_length, + "maxPrefixLength": inner_spec.max_prefix_length, + "emptyChild": base64.b64encode(inner_spec.empty_child).decode(), + "hash": ics23_proofs.HashOp.Name(inner_spec.hash), + }, + "maxDepth": proof_spec.max_depth, + "minDepth": proof_spec.min_depth, + "prehashKeyBeforeComparison": proof_spec.prehash_key_before_comparison, + }, + ], + "upgradePath": tendermint_client_state.upgrade_path, + "allowUpdateAfterExpiry": tendermint_client_state.allow_update_after_expiry, + "allowUpdateAfterMisbehaviour": tendermint_client_state.allow_update_after_misbehaviour, + }, + } + + result_client_state["upgradedClientState"] = dict(result_client_state["upgradedClientState"]) + + assert result_client_state == expected_client_state + + @pytest.mark.asyncio + async def test_fetch_upgraded_consensus_state( + self, + ibc_client_servicer, + ): + root = ibc_commitment.MerkleRoot( + hash=b"root", + ) + consensus_state = ibc_tendermint.ConsensusState( + root=root, + next_validators_hash=b"next_validators_hash", + ) + any_consensus_state = any_pb2.Any() + any_consensus_state.Pack(consensus_state) + + ibc_client_servicer.upgraded_consensus_state_responses.append( + ibc_client_query.QueryUpgradedConsensusStateResponse( + upgraded_consensus_state=any_consensus_state, + ) + ) + + api = self._api_instance(servicer=ibc_client_servicer) + + result_state = await api.fetch_upgraded_consensus_state() + expected_state = { + "upgradedConsensusState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ConsensusState", + "root": { + "hash": base64.b64encode(root.hash).decode(), + }, + "nextValidatorsHash": base64.b64encode(consensus_state.next_validators_hash).decode(), + }, + } + + assert result_state == expected_state + + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IBCClientGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api From e074077019d4133db501f8112a719d9505e51452 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 22 Apr 2024 17:52:00 +0200 Subject: [PATCH 20/63] Update CHANGELOG.md Co-authored-by: coderabbitai[bot] <136622811+coderabbitai[bot]@users.noreply.github.com> --- CHANGELOG.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ca40f4fc..60b398a1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,10 +4,10 @@ All notable changes to this project will be documented in this file. ## [1.6.0] - 9999-99-99 ### Added -- Support for all queries in the chain 'tendermint' module -- Support for all queries in the IBC Transfer module -- Support for all queries in the IBC Channel module -- Support for all queries in the IBC Client module +- Support for all queries in the chain "tendermint" module +- Support for all queries in the "IBC Transfer" module +- Support for all queries in the "IBC Channel" module +- Support for all queries in the "IBC Client" module ### Changed - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies From 1c592e089e6fba5d9119c791ebd36b899044edad Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 24 Apr 2024 23:58:07 -0300 Subject: [PATCH 21/63] (feat) Added support for all queries in the IBC Core Connection module. Included example scripts and unit tests --- CHANGELOG.md | 1 + .../ibc/connection/query/1_Connection.py | 21 + .../ibc/connection/query/2_Connections.py | 22 + .../connection/query/3_ClientConnections.py | 21 + .../query/4_ConnectionClientState.py | 21 + .../query/5_ConnectionConsensusState.py | 25 ++ .../connection/query/6_ConnectionParams.py | 25 ++ pyinjective/async_client.py | 35 +- .../core/ibc/client/grpc}/__init__.py | 0 .../client/{ => grpc}/ibc_client_grpc_api.py | 0 .../core/ibc/connection}/__init__.py | 0 .../core/ibc/connection/grpc/__init__.py | 0 .../grpc/ibc_connection_grpc_api.py | 67 +++ .../client/grpc/test_ibc_client_grpc_api.py | 2 +- tests/core/ibc/connection/__init__.py | 0 tests/core/ibc/connection/grpc/__init__.py | 0 ...figurable_ibc_connection_query_servicer.py | 43 ++ .../grpc/test_ibc_connection_grpc_api.py | 415 ++++++++++++++++++ 18 files changed, 696 insertions(+), 2 deletions(-) create mode 100644 examples/chain_client/ibc/connection/query/1_Connection.py create mode 100644 examples/chain_client/ibc/connection/query/2_Connections.py create mode 100644 examples/chain_client/ibc/connection/query/3_ClientConnections.py create mode 100644 examples/chain_client/ibc/connection/query/4_ConnectionClientState.py create mode 100644 examples/chain_client/ibc/connection/query/5_ConnectionConsensusState.py create mode 100644 examples/chain_client/ibc/connection/query/6_ConnectionParams.py rename {examples/chain_client/ibc/client => pyinjective/core/ibc/client/grpc}/__init__.py (100%) rename pyinjective/core/ibc/client/{ => grpc}/ibc_client_grpc_api.py (100%) rename {examples/chain_client/ibc/client/query => pyinjective/core/ibc/connection}/__init__.py (100%) create mode 100644 pyinjective/core/ibc/connection/grpc/__init__.py create mode 100644 pyinjective/core/ibc/connection/grpc/ibc_connection_grpc_api.py create mode 100644 tests/core/ibc/connection/__init__.py create mode 100644 tests/core/ibc/connection/grpc/__init__.py create mode 100644 tests/core/ibc/connection/grpc/configurable_ibc_connection_query_servicer.py create mode 100644 tests/core/ibc/connection/grpc/test_ibc_connection_grpc_api.py diff --git a/CHANGELOG.md b/CHANGELOG.md index 60b398a1..39956e78 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,6 +8,7 @@ All notable changes to this project will be documented in this file. - Support for all queries in the "IBC Transfer" module - Support for all queries in the "IBC Channel" module - Support for all queries in the "IBC Client" module +- Support for all queries in the "IBC Connection" module ### Changed - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies diff --git a/examples/chain_client/ibc/connection/query/1_Connection.py b/examples/chain_client/ibc/connection/query/1_Connection.py new file mode 100644 index 00000000..eb40118f --- /dev/null +++ b/examples/chain_client/ibc/connection/query/1_Connection.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + connection_id = "connection-0" + + connection = await client.fetch_ibc_connection(connection_id=connection_id) + print(connection) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/connection/query/2_Connections.py b/examples/chain_client/ibc/connection/query/2_Connections.py new file mode 100644 index 00000000..8b5532f6 --- /dev/null +++ b/examples/chain_client/ibc/connection/query/2_Connections.py @@ -0,0 +1,22 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + pagination = PaginationOption(skip=2, limit=4) + + connections = await client.fetch_ibc_connections(pagination=pagination) + print(connections) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/connection/query/3_ClientConnections.py b/examples/chain_client/ibc/connection/query/3_ClientConnections.py new file mode 100644 index 00000000..5306dc51 --- /dev/null +++ b/examples/chain_client/ibc/connection/query/3_ClientConnections.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + client_id = "07-tendermint-0" + + connections = await client.fetch_ibc_client_connections(client_id=client_id) + print(connections) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/connection/query/4_ConnectionClientState.py b/examples/chain_client/ibc/connection/query/4_ConnectionClientState.py new file mode 100644 index 00000000..35de5638 --- /dev/null +++ b/examples/chain_client/ibc/connection/query/4_ConnectionClientState.py @@ -0,0 +1,21 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + connection_id = "connection-0" + + state = await client.fetch_ibc_connection_client_state(connection_id=connection_id) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/connection/query/5_ConnectionConsensusState.py b/examples/chain_client/ibc/connection/query/5_ConnectionConsensusState.py new file mode 100644 index 00000000..d541b502 --- /dev/null +++ b/examples/chain_client/ibc/connection/query/5_ConnectionConsensusState.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + connection_id = "connection-0" + revision_number = 0 + revision_height = 7379538 + + state = await client.fetch_ibc_connection_consensus_state( + connection_id=connection_id, revision_number=revision_number, revision_height=revision_height + ) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/ibc/connection/query/6_ConnectionParams.py b/examples/chain_client/ibc/connection/query/6_ConnectionParams.py new file mode 100644 index 00000000..d541b502 --- /dev/null +++ b/examples/chain_client/ibc/connection/query/6_ConnectionParams.py @@ -0,0 +1,25 @@ +import asyncio + +from google.protobuf import symbol_database + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + connection_id = "connection-0" + revision_number = 0 + revision_height = 7379538 + + state = await client.fetch_ibc_connection_consensus_state( + connection_id=connection_id, revision_number=revision_number, revision_height=revision_height + ) + print(state) + + +if __name__ == "__main__": + symbol_db = symbol_database.Default() + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 20c959a4..b09b39b3 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -37,7 +37,8 @@ from pyinjective.client.model.pagination import PaginationOption from pyinjective.composer import Composer from pyinjective.core.ibc.channel.grpc.ibc_channel_grpc_api import IBCChannelGrpcApi -from pyinjective.core.ibc.client.ibc_client_grpc_api import IBCClientGrpcApi +from pyinjective.core.ibc.client.grpc.ibc_client_grpc_api import IBCClientGrpcApi +from pyinjective.core.ibc.connection.grpc.ibc_connection_grpc_api import IBCConnectionGrpcApi from pyinjective.core.ibc.transfer.grpc.ibc_transfer_grpc_api import IBCTransferGrpcApi from pyinjective.core.market import BinaryOptionMarket, DerivativeMarket, SpotMarket from pyinjective.core.network import Network @@ -189,6 +190,10 @@ def __init__( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, ) + self.ibc_connection_api = IBCConnectionGrpcApi( + channel=self.chain_channel, + cookie_assistant=network.chain_cookie_assistant, + ) self.ibc_transfer_api = IBCTransferGrpcApi( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, @@ -3173,6 +3178,34 @@ async def fetch_ibc_upgraded_consensus_state(self) -> Dict[str, Any]: # endregion + # region IBC Connection module + async def fetch_ibc_connection(self, connection_id: str) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_connection(connection_id=connection_id) + + async def fetch_ibc_connections(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_connections(pagination=pagination) + + async def fetch_ibc_client_connections(self, client_id: str) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_client_connections(client_id=client_id) + + async def fetch_ibc_connection_client_state(self, connection_id: str) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_connection_client_state(connection_id=connection_id) + + async def fetch_ibc_connection_consensus_state( + self, + connection_id: str, + revision_number: int, + revision_height: int, + ) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_connection_consensus_state( + connection_id=connection_id, revision_number=revision_number, revision_height=revision_height + ) + + async def fetch_ibc_connection_params(self) -> Dict[str, Any]: + return await self.ibc_connection_api.fetch_connection_params() + + # endregion + async def composer(self): return Composer( network=self.network.string(), diff --git a/examples/chain_client/ibc/client/__init__.py b/pyinjective/core/ibc/client/grpc/__init__.py similarity index 100% rename from examples/chain_client/ibc/client/__init__.py rename to pyinjective/core/ibc/client/grpc/__init__.py diff --git a/pyinjective/core/ibc/client/ibc_client_grpc_api.py b/pyinjective/core/ibc/client/grpc/ibc_client_grpc_api.py similarity index 100% rename from pyinjective/core/ibc/client/ibc_client_grpc_api.py rename to pyinjective/core/ibc/client/grpc/ibc_client_grpc_api.py diff --git a/examples/chain_client/ibc/client/query/__init__.py b/pyinjective/core/ibc/connection/__init__.py similarity index 100% rename from examples/chain_client/ibc/client/query/__init__.py rename to pyinjective/core/ibc/connection/__init__.py diff --git a/pyinjective/core/ibc/connection/grpc/__init__.py b/pyinjective/core/ibc/connection/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/pyinjective/core/ibc/connection/grpc/ibc_connection_grpc_api.py b/pyinjective/core/ibc/connection/grpc/ibc_connection_grpc_api.py new file mode 100644 index 00000000..ab6d852e --- /dev/null +++ b/pyinjective/core/ibc/connection/grpc/ibc_connection_grpc_api.py @@ -0,0 +1,67 @@ +from typing import Any, Callable, Dict, Optional + +from grpc import Channel + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import CookieAssistant +from pyinjective.proto.ibc.core.connection.v1 import ( + query_pb2 as ibc_connection_query, + query_pb2_grpc as ibc_connection_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class IBCConnectionGrpcApi: + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): + self._stub = ibc_connection_query_grpc.QueryStub(channel) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) + + async def fetch_connection(self, connection_id: str) -> Dict[str, Any]: + request = ibc_connection_query.QueryConnectionRequest(connection_id=connection_id) + response = await self._execute_call(call=self._stub.Connection, request=request) + + return response + + async def fetch_connections(self, pagination: Optional[PaginationOption] = None) -> Dict[str, Any]: + if pagination is None: + pagination = PaginationOption() + request = ibc_connection_query.QueryConnectionsRequest(pagination=pagination.create_pagination_request()) + response = await self._execute_call(call=self._stub.Connections, request=request) + + return response + + async def fetch_client_connections(self, client_id: str) -> Dict[str, Any]: + request = ibc_connection_query.QueryClientConnectionsRequest(client_id=client_id) + response = await self._execute_call(call=self._stub.ClientConnections, request=request) + + return response + + async def fetch_connection_client_state(self, connection_id: str) -> Dict[str, Any]: + request = ibc_connection_query.QueryConnectionClientStateRequest(connection_id=connection_id) + response = await self._execute_call(call=self._stub.ConnectionClientState, request=request) + + return response + + async def fetch_connection_consensus_state( + self, + connection_id: str, + revision_number: int, + revision_height: int, + ) -> Dict[str, Any]: + request = ibc_connection_query.QueryConnectionConsensusStateRequest( + connection_id=connection_id, + revision_number=revision_number, + revision_height=revision_height, + ) + response = await self._execute_call(call=self._stub.ConnectionConsensusState, request=request) + + return response + + async def fetch_connection_params(self) -> Dict[str, Any]: + request = ibc_connection_query.QueryConnectionParamsRequest() + response = await self._execute_call(call=self._stub.ConnectionParams, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py b/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py index 6f3157e6..c45e85dd 100644 --- a/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py +++ b/tests/core/ibc/client/grpc/test_ibc_client_grpc_api.py @@ -5,7 +5,7 @@ from google.protobuf import any_pb2 from pyinjective.client.model.pagination import PaginationOption -from pyinjective.core.ibc.client.ibc_client_grpc_api import IBCClientGrpcApi +from pyinjective.core.ibc.client.grpc.ibc_client_grpc_api import IBCClientGrpcApi from pyinjective.core.network import DisabledCookieAssistant, Network from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as ics23_proofs diff --git a/tests/core/ibc/connection/__init__.py b/tests/core/ibc/connection/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/connection/grpc/__init__.py b/tests/core/ibc/connection/grpc/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/core/ibc/connection/grpc/configurable_ibc_connection_query_servicer.py b/tests/core/ibc/connection/grpc/configurable_ibc_connection_query_servicer.py new file mode 100644 index 00000000..a4e0099d --- /dev/null +++ b/tests/core/ibc/connection/grpc/configurable_ibc_connection_query_servicer.py @@ -0,0 +1,43 @@ +from collections import deque + +from pyinjective.proto.ibc.core.connection.v1 import ( + query_pb2 as ibc_connection_query, + query_pb2_grpc as ibc_connection_query_grpc, +) + + +class ConfigurableIBCConnectionQueryServicer(ibc_connection_query_grpc.QueryServicer): + def __init__(self): + super().__init__() + self.connection_responses = deque() + self.connections_responses = deque() + self.client_connections_responses = deque() + self.connection_client_state_responses = deque() + self.connection_consensus_state_responses = deque() + self.connection_params_responses = deque() + + async def Connection(self, request: ibc_connection_query.QueryConnectionRequest, context=None, metadata=None): + return self.connection_responses.pop() + + async def Connections(self, request: ibc_connection_query.QueryConnectionsRequest, context=None, metadata=None): + return self.connections_responses.pop() + + async def ClientConnections( + self, request: ibc_connection_query.QueryClientConnectionsRequest, context=None, metadata=None + ): + return self.client_connections_responses.pop() + + async def ConnectionClientState( + self, request: ibc_connection_query.QueryConnectionClientStateRequest, context=None, metadata=None + ): + return self.connection_client_state_responses.pop() + + async def ConnectionConsensusState( + self, request: ibc_connection_query.QueryConnectionConsensusStateRequest, context=None, metadata=None + ): + return self.connection_consensus_state_responses.pop() + + async def ConnectionParams( + self, request: ibc_connection_query.QueryConnectionParamsRequest, context=None, metadata=None + ): + return self.connection_params_responses.pop() diff --git a/tests/core/ibc/connection/grpc/test_ibc_connection_grpc_api.py b/tests/core/ibc/connection/grpc/test_ibc_connection_grpc_api.py new file mode 100644 index 00000000..03835830 --- /dev/null +++ b/tests/core/ibc/connection/grpc/test_ibc_connection_grpc_api.py @@ -0,0 +1,415 @@ +import base64 + +import grpc +import pytest +from google.protobuf import any_pb2 + +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.ibc.connection.grpc.ibc_connection_grpc_api import IBCConnectionGrpcApi +from pyinjective.core.network import DisabledCookieAssistant, Network +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as ics23_proofs +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_client +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_commitment +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_connection, query_pb2 as ibc_connection_query +from pyinjective.proto.ibc.lightclients.tendermint.v1 import tendermint_pb2 as ibc_tendermint +from tests.core.ibc.connection.grpc.configurable_ibc_connection_query_servicer import ( + ConfigurableIBCConnectionQueryServicer, +) + + +@pytest.fixture +def ibc_connection_servicer(): + return ConfigurableIBCConnectionQueryServicer() + + +class TestIBCConnectionGrpcApi: + @pytest.mark.asyncio + async def test_fetch_connection( + self, + ibc_connection_servicer, + ): + version = ibc_connection.Version( + identifier="connection-0", + features=["ORDER_ORDERED", "ORDER_UNORDERED"], + ) + prefix = ibc_commitment.MerklePrefix(key_prefix=b"prefix") + counterparty = ibc_connection.Counterparty( + client_id="07-tendermint-0", + connection_id="connection-0", + prefix=prefix, + ) + connection = ibc_connection.ConnectionEnd( + client_id="07-tendermint-0", + versions=[version], + state=3, + counterparty=counterparty, + delay_period=5, + ) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_connection_servicer.connection_responses.append( + ibc_connection_query.QueryConnectionResponse( + connection=connection, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + result_connection = await api.fetch_connection(connection_id=counterparty.connection_id) + expected_connection = { + "connection": { + "clientId": connection.client_id, + "versions": [{"identifier": version.identifier, "features": version.features}], + "state": ibc_connection.State.Name(connection.state), + "counterparty": { + "clientId": counterparty.client_id, + "connectionId": counterparty.connection_id, + "prefix": {"keyPrefix": base64.b64encode(prefix.key_prefix).decode()}, + }, + "delayPeriod": str(connection.delay_period), + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_connection == expected_connection + + @pytest.mark.asyncio + async def test_fetch_connections( + self, + ibc_connection_servicer, + ): + version = ibc_connection.Version( + identifier="connection-0", + features=["ORDER_ORDERED", "ORDER_UNORDERED"], + ) + prefix = ibc_commitment.MerklePrefix(key_prefix=b"prefix") + counterparty = ibc_connection.Counterparty( + client_id="07-tendermint-0", + connection_id="connection-0", + prefix=prefix, + ) + connection = ibc_connection.IdentifiedConnection( + id="connection-0", + client_id="07-tendermint-0", + versions=[version], + state=3, + counterparty=counterparty, + delay_period=5, + ) + height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + result_pagination = pagination_pb.PageResponse( + next_key=b"\001\032\264\007Z\224$]\377s8\343\004-\265\267\314?B\341", + total=16036, + ) + + ibc_connection_servicer.connections_responses.append( + ibc_connection_query.QueryConnectionsResponse( + connections=[connection], + pagination=result_pagination, + height=height, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + pagination_option = PaginationOption( + skip=10, + limit=30, + reverse=False, + count_total=True, + ) + + result_connections = await api.fetch_connections(pagination=pagination_option) + expected_connections = { + "connections": [ + { + "id": connection.id, + "clientId": connection.client_id, + "versions": [{"identifier": version.identifier, "features": version.features}], + "state": ibc_connection.State.Name(connection.state), + "counterparty": { + "clientId": counterparty.client_id, + "connectionId": counterparty.connection_id, + "prefix": {"keyPrefix": base64.b64encode(prefix.key_prefix).decode()}, + }, + "delayPeriod": str(connection.delay_period), + }, + ], + "pagination": { + "nextKey": base64.b64encode(result_pagination.next_key).decode(), + "total": str(result_pagination.total), + }, + "height": { + "revisionNumber": str(height.revision_number), + "revisionHeight": str(height.revision_height), + }, + } + + assert result_connections == expected_connections + + @pytest.mark.asyncio + async def test_fetch_client_connections( + self, + ibc_connection_servicer, + ): + connection_path = "connection path" + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_connection_servicer.client_connections_responses.append( + ibc_connection_query.QueryClientConnectionsResponse( + connection_paths=[connection_path], + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + result_connection = await api.fetch_client_connections(client_id="07-tendermint-0") + expected_connection = { + "connectionPaths": [connection_path], + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + assert result_connection == expected_connection + + @pytest.mark.asyncio + async def test_fetch_connection_client_state( + self, + ibc_connection_servicer, + ): + trust_level = ibc_tendermint.Fraction( + numerator=1, + denominator=3, + ) + leaf_spec = ics23_proofs.LeafOp( + hash=0, + prehash_key=1, + prehash_value=2, + length=3, + prefix=b"prefix", + ) + inner_spec = ics23_proofs.InnerSpec( + child_order=[0, 1, 2, 3], + child_size=4, + min_prefix_length=5, + max_prefix_length=6, + empty_child=b"empty", + hash=1, + ) + proof_spec = ics23_proofs.ProofSpec( + leaf_spec=leaf_spec, + inner_spec=inner_spec, + max_depth=5, + min_depth=1, + prehash_key_before_comparison=True, + ) + tendermint_client_state = ibc_tendermint.ClientState( + chain_id="injective-1", + trust_level=trust_level, + frozen_height=ibc_client.Height( + revision_number=1, + revision_height=2, + ), + latest_height=ibc_client.Height( + revision_number=3, + revision_height=4, + ), + proof_specs=[proof_spec], + upgrade_path=["upgrade", "upgradedIBCState"], + allow_update_after_expiry=False, + allow_update_after_misbehaviour=False, + ) + any_client_state = any_pb2.Any() + any_client_state.Pack(tendermint_client_state) + identified_client_state = ibc_client.IdentifiedClientState( + client_id="07-tendermint-0", + client_state=any_client_state, + ) + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_connection_servicer.connection_client_state_responses.append( + ibc_connection_query.QueryConnectionClientStateResponse( + identified_client_state=identified_client_state, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + result_state = await api.fetch_connection_client_state(connection_id="connection-0") + expected_state = { + "identifiedClientState": { + "clientId": identified_client_state.client_id, + "clientState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ClientState", + "chainId": tendermint_client_state.chain_id, + "trustLevel": { + "numerator": str(trust_level.numerator), + "denominator": str(trust_level.denominator), + }, + "frozenHeight": { + "revisionNumber": str(tendermint_client_state.frozen_height.revision_number), + "revisionHeight": str(tendermint_client_state.frozen_height.revision_height), + }, + "latestHeight": { + "revisionNumber": str(tendermint_client_state.latest_height.revision_number), + "revisionHeight": str(tendermint_client_state.latest_height.revision_height), + }, + "proofSpecs": [ + { + "leafSpec": { + "hash": ics23_proofs.HashOp.Name(leaf_spec.hash), + "prehashKey": ics23_proofs.HashOp.Name(leaf_spec.prehash_key), + "prehashValue": ics23_proofs.HashOp.Name(leaf_spec.prehash_value), + "length": ics23_proofs.LengthOp.Name(leaf_spec.length), + "prefix": base64.b64encode(leaf_spec.prefix).decode(), + }, + "innerSpec": { + "childOrder": inner_spec.child_order, + "childSize": inner_spec.child_size, + "minPrefixLength": inner_spec.min_prefix_length, + "maxPrefixLength": inner_spec.max_prefix_length, + "emptyChild": base64.b64encode(inner_spec.empty_child).decode(), + "hash": ics23_proofs.HashOp.Name(inner_spec.hash), + }, + "maxDepth": proof_spec.max_depth, + "minDepth": proof_spec.min_depth, + "prehashKeyBeforeComparison": proof_spec.prehash_key_before_comparison, + }, + ], + "upgradePath": tendermint_client_state.upgrade_path, + "allowUpdateAfterExpiry": tendermint_client_state.allow_update_after_expiry, + "allowUpdateAfterMisbehaviour": tendermint_client_state.allow_update_after_misbehaviour, + }, + }, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + result_state["identifiedClientState"] = dict(result_state["identifiedClientState"]) + + assert result_state == expected_state + + @pytest.mark.asyncio + async def test_fetch_connection_consensus_state( + self, + ibc_connection_servicer, + ): + root = ibc_commitment.MerkleRoot( + hash=b"root", + ) + consensus_state = ibc_tendermint.ConsensusState( + root=root, + next_validators_hash=b"next_validators_hash", + ) + any_consensus_state = any_pb2.Any() + any_consensus_state.Pack(consensus_state) + client_id = "07-tendermint-0" + proof = b"proof" + proof_height = ibc_client.Height( + revision_number=1, + revision_height=2, + ) + + ibc_connection_servicer.connection_consensus_state_responses.append( + ibc_connection_query.QueryConnectionConsensusStateResponse( + consensus_state=any_consensus_state, + client_id=client_id, + proof=proof, + proof_height=proof_height, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + result_state = await api.fetch_connection_consensus_state( + connection_id="connection-0", + revision_number=proof_height.revision_number, + revision_height=proof_height.revision_height, + ) + expected_state = { + "consensusState": { + "@type": "type.googleapis.com/ibc.lightclients.tendermint.v1.ConsensusState", + "root": { + "hash": base64.b64encode(root.hash).decode(), + }, + "nextValidatorsHash": base64.b64encode(consensus_state.next_validators_hash).decode(), + }, + "clientId": client_id, + "proof": base64.b64encode(proof).decode(), + "proofHeight": { + "revisionNumber": str(proof_height.revision_number), + "revisionHeight": str(proof_height.revision_height), + }, + } + + result_state["consensusState"] = dict(result_state["consensusState"]) + + assert result_state == expected_state + + @pytest.mark.asyncio + async def test_fetch_connection_params( + self, + ibc_connection_servicer, + ): + params = ibc_connection.Params( + max_expected_time_per_block=30000000000, + ) + + ibc_connection_servicer.connection_params_responses.append( + ibc_connection_query.QueryConnectionParamsResponse( + params=params, + ) + ) + + api = self._api_instance(servicer=ibc_connection_servicer) + + result_params = await api.fetch_connection_params() + expected_params = { + "params": { + "maxExpectedTimePerBlock": str(params.max_expected_time_per_block), + }, + } + + assert result_params == expected_params + + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = IBCConnectionGrpcApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api From e185d46b4aeb087b66bd471e70b71b90eeaa9355 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 25 Apr 2024 09:52:10 -0300 Subject: [PATCH 22/63] (fix) Updated dependencies --- poetry.lock | 980 ++++++++++++++++++++++++++++------------------------ 1 file changed, 536 insertions(+), 444 deletions(-) diff --git a/poetry.lock b/poetry.lock index cb27d761..f6d50174 100644 --- a/poetry.lock +++ b/poetry.lock @@ -2,87 +2,87 @@ [[package]] name = "aiohttp" -version = "3.9.3" +version = "3.9.5" description = "Async http client/server framework (asyncio)" optional = false python-versions = ">=3.8" files = [ - {file = "aiohttp-3.9.3-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:939677b61f9d72a4fa2a042a5eee2a99a24001a67c13da113b2e30396567db54"}, - {file = "aiohttp-3.9.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:1f5cd333fcf7590a18334c90f8c9147c837a6ec8a178e88d90a9b96ea03194cc"}, - {file = "aiohttp-3.9.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:82e6aa28dd46374f72093eda8bcd142f7771ee1eb9d1e223ff0fa7177a96b4a5"}, - {file = "aiohttp-3.9.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f56455b0c2c7cc3b0c584815264461d07b177f903a04481dfc33e08a89f0c26b"}, - {file = "aiohttp-3.9.3-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:bca77a198bb6e69795ef2f09a5f4c12758487f83f33d63acde5f0d4919815768"}, - {file = "aiohttp-3.9.3-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e083c285857b78ee21a96ba1eb1b5339733c3563f72980728ca2b08b53826ca5"}, - {file = "aiohttp-3.9.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ab40e6251c3873d86ea9b30a1ac6d7478c09277b32e14745d0d3c6e76e3c7e29"}, - {file = "aiohttp-3.9.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:df822ee7feaaeffb99c1a9e5e608800bd8eda6e5f18f5cfb0dc7eeb2eaa6bbec"}, - {file = "aiohttp-3.9.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:acef0899fea7492145d2bbaaaec7b345c87753168589cc7faf0afec9afe9b747"}, - {file = "aiohttp-3.9.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:cd73265a9e5ea618014802ab01babf1940cecb90c9762d8b9e7d2cc1e1969ec6"}, - {file = "aiohttp-3.9.3-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:a78ed8a53a1221393d9637c01870248a6f4ea5b214a59a92a36f18151739452c"}, - {file = "aiohttp-3.9.3-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:6b0e029353361f1746bac2e4cc19b32f972ec03f0f943b390c4ab3371840aabf"}, - {file = "aiohttp-3.9.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:7cf5c9458e1e90e3c390c2639f1017a0379a99a94fdfad3a1fd966a2874bba52"}, - {file = "aiohttp-3.9.3-cp310-cp310-win32.whl", hash = "sha256:3e59c23c52765951b69ec45ddbbc9403a8761ee6f57253250c6e1536cacc758b"}, - {file = "aiohttp-3.9.3-cp310-cp310-win_amd64.whl", hash = "sha256:055ce4f74b82551678291473f66dc9fb9048a50d8324278751926ff0ae7715e5"}, - {file = "aiohttp-3.9.3-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:6b88f9386ff1ad91ace19d2a1c0225896e28815ee09fc6a8932fded8cda97c3d"}, - {file = "aiohttp-3.9.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c46956ed82961e31557b6857a5ca153c67e5476972e5f7190015018760938da2"}, - {file = "aiohttp-3.9.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:07b837ef0d2f252f96009e9b8435ec1fef68ef8b1461933253d318748ec1acdc"}, - {file = "aiohttp-3.9.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:dad46e6f620574b3b4801c68255492e0159d1712271cc99d8bdf35f2043ec266"}, - {file = "aiohttp-3.9.3-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:5ed3e046ea7b14938112ccd53d91c1539af3e6679b222f9469981e3dac7ba1ce"}, - {file = "aiohttp-3.9.3-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:039df344b45ae0b34ac885ab5b53940b174530d4dd8a14ed8b0e2155b9dddccb"}, - {file = "aiohttp-3.9.3-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7943c414d3a8d9235f5f15c22ace69787c140c80b718dcd57caaade95f7cd93b"}, - {file = "aiohttp-3.9.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:84871a243359bb42c12728f04d181a389718710129b36b6aad0fc4655a7647d4"}, - {file = "aiohttp-3.9.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:5eafe2c065df5401ba06821b9a054d9cb2848867f3c59801b5d07a0be3a380ae"}, - {file = "aiohttp-3.9.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:9d3c9b50f19704552f23b4eaea1fc082fdd82c63429a6506446cbd8737823da3"}, - {file = "aiohttp-3.9.3-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:f033d80bc6283092613882dfe40419c6a6a1527e04fc69350e87a9df02bbc283"}, - {file = "aiohttp-3.9.3-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:2c895a656dd7e061b2fd6bb77d971cc38f2afc277229ce7dd3552de8313a483e"}, - {file = "aiohttp-3.9.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:1f5a71d25cd8106eab05f8704cd9167b6e5187bcdf8f090a66c6d88b634802b4"}, - {file = "aiohttp-3.9.3-cp311-cp311-win32.whl", hash = "sha256:50fca156d718f8ced687a373f9e140c1bb765ca16e3d6f4fe116e3df7c05b2c5"}, - {file = "aiohttp-3.9.3-cp311-cp311-win_amd64.whl", hash = "sha256:5fe9ce6c09668063b8447f85d43b8d1c4e5d3d7e92c63173e6180b2ac5d46dd8"}, - {file = "aiohttp-3.9.3-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:38a19bc3b686ad55804ae931012f78f7a534cce165d089a2059f658f6c91fa60"}, - {file = "aiohttp-3.9.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:770d015888c2a598b377bd2f663adfd947d78c0124cfe7b959e1ef39f5b13869"}, - {file = "aiohttp-3.9.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:ee43080e75fc92bf36219926c8e6de497f9b247301bbf88c5c7593d931426679"}, - {file = "aiohttp-3.9.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:52df73f14ed99cee84865b95a3d9e044f226320a87af208f068ecc33e0c35b96"}, - {file = "aiohttp-3.9.3-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dc9b311743a78043b26ffaeeb9715dc360335e5517832f5a8e339f8a43581e4d"}, - {file = "aiohttp-3.9.3-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b955ed993491f1a5da7f92e98d5dad3c1e14dc175f74517c4e610b1f2456fb11"}, - {file = "aiohttp-3.9.3-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:504b6981675ace64c28bf4a05a508af5cde526e36492c98916127f5a02354d53"}, - {file = "aiohttp-3.9.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a6fe5571784af92b6bc2fda8d1925cccdf24642d49546d3144948a6a1ed58ca5"}, - {file = "aiohttp-3.9.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:ba39e9c8627edc56544c8628cc180d88605df3892beeb2b94c9bc857774848ca"}, - {file = "aiohttp-3.9.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:e5e46b578c0e9db71d04c4b506a2121c0cb371dd89af17a0586ff6769d4c58c1"}, - {file = "aiohttp-3.9.3-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:938a9653e1e0c592053f815f7028e41a3062e902095e5a7dc84617c87267ebd5"}, - {file = "aiohttp-3.9.3-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:c3452ea726c76e92f3b9fae4b34a151981a9ec0a4847a627c43d71a15ac32aa6"}, - {file = "aiohttp-3.9.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:ff30218887e62209942f91ac1be902cc80cddb86bf00fbc6783b7a43b2bea26f"}, - {file = "aiohttp-3.9.3-cp312-cp312-win32.whl", hash = "sha256:38f307b41e0bea3294a9a2a87833191e4bcf89bb0365e83a8be3a58b31fb7f38"}, - {file = "aiohttp-3.9.3-cp312-cp312-win_amd64.whl", hash = "sha256:b791a3143681a520c0a17e26ae7465f1b6f99461a28019d1a2f425236e6eedb5"}, - {file = "aiohttp-3.9.3-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:0ed621426d961df79aa3b963ac7af0d40392956ffa9be022024cd16297b30c8c"}, - {file = "aiohttp-3.9.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:7f46acd6a194287b7e41e87957bfe2ad1ad88318d447caf5b090012f2c5bb528"}, - {file = "aiohttp-3.9.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:feeb18a801aacb098220e2c3eea59a512362eb408d4afd0c242044c33ad6d542"}, - {file = "aiohttp-3.9.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f734e38fd8666f53da904c52a23ce517f1b07722118d750405af7e4123933511"}, - {file = "aiohttp-3.9.3-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b40670ec7e2156d8e57f70aec34a7216407848dfe6c693ef131ddf6e76feb672"}, - {file = "aiohttp-3.9.3-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:fdd215b7b7fd4a53994f238d0f46b7ba4ac4c0adb12452beee724ddd0743ae5d"}, - {file = "aiohttp-3.9.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:017a21b0df49039c8f46ca0971b3a7fdc1f56741ab1240cb90ca408049766168"}, - {file = "aiohttp-3.9.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e99abf0bba688259a496f966211c49a514e65afa9b3073a1fcee08856e04425b"}, - {file = "aiohttp-3.9.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:648056db9a9fa565d3fa851880f99f45e3f9a771dd3ff3bb0c048ea83fb28194"}, - {file = "aiohttp-3.9.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:8aacb477dc26797ee089721536a292a664846489c49d3ef9725f992449eda5a8"}, - {file = "aiohttp-3.9.3-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:522a11c934ea660ff8953eda090dcd2154d367dec1ae3c540aff9f8a5c109ab4"}, - {file = "aiohttp-3.9.3-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:5bce0dc147ca85caa5d33debc4f4d65e8e8b5c97c7f9f660f215fa74fc49a321"}, - {file = "aiohttp-3.9.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:4b4af9f25b49a7be47c0972139e59ec0e8285c371049df1a63b6ca81fdd216a2"}, - {file = "aiohttp-3.9.3-cp38-cp38-win32.whl", hash = "sha256:298abd678033b8571995650ccee753d9458dfa0377be4dba91e4491da3f2be63"}, - {file = "aiohttp-3.9.3-cp38-cp38-win_amd64.whl", hash = "sha256:69361bfdca5468c0488d7017b9b1e5ce769d40b46a9f4a2eed26b78619e9396c"}, - {file = "aiohttp-3.9.3-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:0fa43c32d1643f518491d9d3a730f85f5bbaedcbd7fbcae27435bb8b7a061b29"}, - {file = "aiohttp-3.9.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:835a55b7ca49468aaaac0b217092dfdff370e6c215c9224c52f30daaa735c1c1"}, - {file = "aiohttp-3.9.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:06a9b2c8837d9a94fae16c6223acc14b4dfdff216ab9b7202e07a9a09541168f"}, - {file = "aiohttp-3.9.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:abf151955990d23f84205286938796c55ff11bbfb4ccfada8c9c83ae6b3c89a3"}, - {file = "aiohttp-3.9.3-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:59c26c95975f26e662ca78fdf543d4eeaef70e533a672b4113dd888bd2423caa"}, - {file = "aiohttp-3.9.3-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:f95511dd5d0e05fd9728bac4096319f80615aaef4acbecb35a990afebe953b0e"}, - {file = "aiohttp-3.9.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:595f105710293e76b9dc09f52e0dd896bd064a79346234b521f6b968ffdd8e58"}, - {file = "aiohttp-3.9.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c7c8b816c2b5af5c8a436df44ca08258fc1a13b449393a91484225fcb7545533"}, - {file = "aiohttp-3.9.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:f1088fa100bf46e7b398ffd9904f4808a0612e1d966b4aa43baa535d1b6341eb"}, - {file = "aiohttp-3.9.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:f59dfe57bb1ec82ac0698ebfcdb7bcd0e99c255bd637ff613760d5f33e7c81b3"}, - {file = "aiohttp-3.9.3-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:361a1026c9dd4aba0109e4040e2aecf9884f5cfe1b1b1bd3d09419c205e2e53d"}, - {file = "aiohttp-3.9.3-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:363afe77cfcbe3a36353d8ea133e904b108feea505aa4792dad6585a8192c55a"}, - {file = "aiohttp-3.9.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:8e2c45c208c62e955e8256949eb225bd8b66a4c9b6865729a786f2aa79b72e9d"}, - {file = "aiohttp-3.9.3-cp39-cp39-win32.whl", hash = "sha256:f7217af2e14da0856e082e96ff637f14ae45c10a5714b63c77f26d8884cf1051"}, - {file = "aiohttp-3.9.3-cp39-cp39-win_amd64.whl", hash = "sha256:27468897f628c627230dba07ec65dc8d0db566923c48f29e084ce382119802bc"}, - {file = "aiohttp-3.9.3.tar.gz", hash = "sha256:90842933e5d1ff760fae6caca4b2b3edba53ba8f4b71e95dacf2818a2aca06f7"}, + {file = "aiohttp-3.9.5-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:fcde4c397f673fdec23e6b05ebf8d4751314fa7c24f93334bf1f1364c1c69ac7"}, + {file = "aiohttp-3.9.5-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:5d6b3f1fabe465e819aed2c421a6743d8debbde79b6a8600739300630a01bf2c"}, + {file = "aiohttp-3.9.5-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:6ae79c1bc12c34082d92bf9422764f799aee4746fd7a392db46b7fd357d4a17a"}, + {file = "aiohttp-3.9.5-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4d3ebb9e1316ec74277d19c5f482f98cc65a73ccd5430540d6d11682cd857430"}, + {file = "aiohttp-3.9.5-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:84dabd95154f43a2ea80deffec9cb44d2e301e38a0c9d331cc4aa0166fe28ae3"}, + {file = "aiohttp-3.9.5-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c8a02fbeca6f63cb1f0475c799679057fc9268b77075ab7cf3f1c600e81dd46b"}, + {file = "aiohttp-3.9.5-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c26959ca7b75ff768e2776d8055bf9582a6267e24556bb7f7bd29e677932be72"}, + {file = "aiohttp-3.9.5-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:714d4e5231fed4ba2762ed489b4aec07b2b9953cf4ee31e9871caac895a839c0"}, + {file = "aiohttp-3.9.5-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:e7a6a8354f1b62e15d48e04350f13e726fa08b62c3d7b8401c0a1314f02e3558"}, + {file = "aiohttp-3.9.5-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:c413016880e03e69d166efb5a1a95d40f83d5a3a648d16486592c49ffb76d0db"}, + {file = "aiohttp-3.9.5-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:ff84aeb864e0fac81f676be9f4685f0527b660f1efdc40dcede3c251ef1e867f"}, + {file = "aiohttp-3.9.5-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:ad7f2919d7dac062f24d6f5fe95d401597fbb015a25771f85e692d043c9d7832"}, + {file = "aiohttp-3.9.5-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:702e2c7c187c1a498a4e2b03155d52658fdd6fda882d3d7fbb891a5cf108bb10"}, + {file = "aiohttp-3.9.5-cp310-cp310-win32.whl", hash = "sha256:67c3119f5ddc7261d47163ed86d760ddf0e625cd6246b4ed852e82159617b5fb"}, + {file = "aiohttp-3.9.5-cp310-cp310-win_amd64.whl", hash = "sha256:471f0ef53ccedec9995287f02caf0c068732f026455f07db3f01a46e49d76bbb"}, + {file = "aiohttp-3.9.5-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:e0ae53e33ee7476dd3d1132f932eeb39bf6125083820049d06edcdca4381f342"}, + {file = "aiohttp-3.9.5-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c088c4d70d21f8ca5c0b8b5403fe84a7bc8e024161febdd4ef04575ef35d474d"}, + {file = "aiohttp-3.9.5-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:639d0042b7670222f33b0028de6b4e2fad6451462ce7df2af8aee37dcac55424"}, + {file = "aiohttp-3.9.5-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f26383adb94da5e7fb388d441bf09c61e5e35f455a3217bfd790c6b6bc64b2ee"}, + {file = "aiohttp-3.9.5-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:66331d00fb28dc90aa606d9a54304af76b335ae204d1836f65797d6fe27f1ca2"}, + {file = "aiohttp-3.9.5-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:4ff550491f5492ab5ed3533e76b8567f4b37bd2995e780a1f46bca2024223233"}, + {file = "aiohttp-3.9.5-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f22eb3a6c1080d862befa0a89c380b4dafce29dc6cd56083f630073d102eb595"}, + {file = "aiohttp-3.9.5-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a81b1143d42b66ffc40a441379387076243ef7b51019204fd3ec36b9f69e77d6"}, + {file = "aiohttp-3.9.5-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:f64fd07515dad67f24b6ea4a66ae2876c01031de91c93075b8093f07c0a2d93d"}, + {file = "aiohttp-3.9.5-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:93e22add827447d2e26d67c9ac0161756007f152fdc5210277d00a85f6c92323"}, + {file = "aiohttp-3.9.5-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:55b39c8684a46e56ef8c8d24faf02de4a2b2ac60d26cee93bc595651ff545de9"}, + {file = "aiohttp-3.9.5-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:4715a9b778f4293b9f8ae7a0a7cef9829f02ff8d6277a39d7f40565c737d3771"}, + {file = "aiohttp-3.9.5-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:afc52b8d969eff14e069a710057d15ab9ac17cd4b6753042c407dcea0e40bf75"}, + {file = "aiohttp-3.9.5-cp311-cp311-win32.whl", hash = "sha256:b3df71da99c98534be076196791adca8819761f0bf6e08e07fd7da25127150d6"}, + {file = "aiohttp-3.9.5-cp311-cp311-win_amd64.whl", hash = "sha256:88e311d98cc0bf45b62fc46c66753a83445f5ab20038bcc1b8a1cc05666f428a"}, + {file = "aiohttp-3.9.5-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:c7a4b7a6cf5b6eb11e109a9755fd4fda7d57395f8c575e166d363b9fc3ec4678"}, + {file = "aiohttp-3.9.5-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:0a158704edf0abcac8ac371fbb54044f3270bdbc93e254a82b6c82be1ef08f3c"}, + {file = "aiohttp-3.9.5-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:d153f652a687a8e95ad367a86a61e8d53d528b0530ef382ec5aaf533140ed00f"}, + {file = "aiohttp-3.9.5-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:82a6a97d9771cb48ae16979c3a3a9a18b600a8505b1115cfe354dfb2054468b4"}, + {file = "aiohttp-3.9.5-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:60cdbd56f4cad9f69c35eaac0fbbdf1f77b0ff9456cebd4902f3dd1cf096464c"}, + {file = "aiohttp-3.9.5-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8676e8fd73141ded15ea586de0b7cda1542960a7b9ad89b2b06428e97125d4fa"}, + {file = "aiohttp-3.9.5-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:da00da442a0e31f1c69d26d224e1efd3a1ca5bcbf210978a2ca7426dfcae9f58"}, + {file = "aiohttp-3.9.5-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:18f634d540dd099c262e9f887c8bbacc959847cfe5da7a0e2e1cf3f14dbf2daf"}, + {file = "aiohttp-3.9.5-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:320e8618eda64e19d11bdb3bd04ccc0a816c17eaecb7e4945d01deee2a22f95f"}, + {file = "aiohttp-3.9.5-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:2faa61a904b83142747fc6a6d7ad8fccff898c849123030f8e75d5d967fd4a81"}, + {file = "aiohttp-3.9.5-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:8c64a6dc3fe5db7b1b4d2b5cb84c4f677768bdc340611eca673afb7cf416ef5a"}, + {file = "aiohttp-3.9.5-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:393c7aba2b55559ef7ab791c94b44f7482a07bf7640d17b341b79081f5e5cd1a"}, + {file = "aiohttp-3.9.5-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:c671dc117c2c21a1ca10c116cfcd6e3e44da7fcde37bf83b2be485ab377b25da"}, + {file = "aiohttp-3.9.5-cp312-cp312-win32.whl", hash = "sha256:5a7ee16aab26e76add4afc45e8f8206c95d1d75540f1039b84a03c3b3800dd59"}, + {file = "aiohttp-3.9.5-cp312-cp312-win_amd64.whl", hash = "sha256:5ca51eadbd67045396bc92a4345d1790b7301c14d1848feaac1d6a6c9289e888"}, + {file = "aiohttp-3.9.5-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:694d828b5c41255e54bc2dddb51a9f5150b4eefa9886e38b52605a05d96566e8"}, + {file = "aiohttp-3.9.5-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:0605cc2c0088fcaae79f01c913a38611ad09ba68ff482402d3410bf59039bfb8"}, + {file = "aiohttp-3.9.5-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:4558e5012ee03d2638c681e156461d37b7a113fe13970d438d95d10173d25f78"}, + {file = "aiohttp-3.9.5-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9dbc053ac75ccc63dc3a3cc547b98c7258ec35a215a92bd9f983e0aac95d3d5b"}, + {file = "aiohttp-3.9.5-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4109adee842b90671f1b689901b948f347325045c15f46b39797ae1bf17019de"}, + {file = "aiohttp-3.9.5-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a6ea1a5b409a85477fd8e5ee6ad8f0e40bf2844c270955e09360418cfd09abac"}, + {file = "aiohttp-3.9.5-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f3c2890ca8c59ee683fd09adf32321a40fe1cf164e3387799efb2acebf090c11"}, + {file = "aiohttp-3.9.5-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3916c8692dbd9d55c523374a3b8213e628424d19116ac4308e434dbf6d95bbdd"}, + {file = "aiohttp-3.9.5-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:8d1964eb7617907c792ca00b341b5ec3e01ae8c280825deadbbd678447b127e1"}, + {file = "aiohttp-3.9.5-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:d5ab8e1f6bee051a4bf6195e38a5c13e5e161cb7bad83d8854524798bd9fcd6e"}, + {file = "aiohttp-3.9.5-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:52c27110f3862a1afbcb2af4281fc9fdc40327fa286c4625dfee247c3ba90156"}, + {file = "aiohttp-3.9.5-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:7f64cbd44443e80094309875d4f9c71d0401e966d191c3d469cde4642bc2e031"}, + {file = "aiohttp-3.9.5-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:8b4f72fbb66279624bfe83fd5eb6aea0022dad8eec62b71e7bf63ee1caadeafe"}, + {file = "aiohttp-3.9.5-cp38-cp38-win32.whl", hash = "sha256:6380c039ec52866c06d69b5c7aad5478b24ed11696f0e72f6b807cfb261453da"}, + {file = "aiohttp-3.9.5-cp38-cp38-win_amd64.whl", hash = "sha256:da22dab31d7180f8c3ac7c7635f3bcd53808f374f6aa333fe0b0b9e14b01f91a"}, + {file = "aiohttp-3.9.5-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:1732102949ff6087589408d76cd6dea656b93c896b011ecafff418c9661dc4ed"}, + {file = "aiohttp-3.9.5-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:c6021d296318cb6f9414b48e6a439a7f5d1f665464da507e8ff640848ee2a58a"}, + {file = "aiohttp-3.9.5-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:239f975589a944eeb1bad26b8b140a59a3a320067fb3cd10b75c3092405a1372"}, + {file = "aiohttp-3.9.5-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3b7b30258348082826d274504fbc7c849959f1989d86c29bc355107accec6cfb"}, + {file = "aiohttp-3.9.5-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:cd2adf5c87ff6d8b277814a28a535b59e20bfea40a101db6b3bdca7e9926bc24"}, + {file = "aiohttp-3.9.5-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e9a3d838441bebcf5cf442700e3963f58b5c33f015341f9ea86dcd7d503c07e2"}, + {file = "aiohttp-3.9.5-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9e3a1ae66e3d0c17cf65c08968a5ee3180c5a95920ec2731f53343fac9bad106"}, + {file = "aiohttp-3.9.5-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9c69e77370cce2d6df5d12b4e12bdcca60c47ba13d1cbbc8645dd005a20b738b"}, + {file = "aiohttp-3.9.5-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:0cbf56238f4bbf49dab8c2dc2e6b1b68502b1e88d335bea59b3f5b9f4c001475"}, + {file = "aiohttp-3.9.5-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:d1469f228cd9ffddd396d9948b8c9cd8022b6d1bf1e40c6f25b0fb90b4f893ed"}, + {file = "aiohttp-3.9.5-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:45731330e754f5811c314901cebdf19dd776a44b31927fa4b4dbecab9e457b0c"}, + {file = "aiohttp-3.9.5-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:3fcb4046d2904378e3aeea1df51f697b0467f2aac55d232c87ba162709478c46"}, + {file = "aiohttp-3.9.5-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:8cf142aa6c1a751fcb364158fd710b8a9be874b81889c2bd13aa8893197455e2"}, + {file = "aiohttp-3.9.5-cp39-cp39-win32.whl", hash = "sha256:7b179eea70833c8dee51ec42f3b4097bd6370892fa93f510f76762105568cf09"}, + {file = "aiohttp-3.9.5-cp39-cp39-win_amd64.whl", hash = "sha256:38d80498e2e169bc61418ff36170e0aad0cd268da8b38a17c4cf29d254a8b3f1"}, + {file = "aiohttp-3.9.5.tar.gz", hash = "sha256:edea7d15772ceeb29db4aff55e482d4bcfb6ae160ce144f2682de02f6d693551"}, ] [package.dependencies] @@ -553,6 +553,100 @@ files = [ {file = "charset_normalizer-3.3.2-py3-none-any.whl", hash = "sha256:3e4d1f6587322d2788836a99c69062fbb091331ec940e02d12d179c1d53e25fc"}, ] +[[package]] +name = "ckzg" +version = "1.0.1" +description = "Python bindings for C-KZG-4844" +optional = false +python-versions = "*" +files = [ + {file = "ckzg-1.0.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:061c2c282d74f711fa62425c35be62188fdd20acca4a5eb2b988c7d6fd756412"}, + {file = "ckzg-1.0.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:a61bd0a3ed521bef3c60e97ba26419d9c77517ce5d31995cde50808455788a0e"}, + {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:73f0a70ff967c9783b126ff19f1af578ede241199a07c2f81b728cbf5a985590"}, + {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8184550ccb9b434ba18444fee9f446ce04e187298c0d52e6f007d0dd8d795f9f"}, + {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb2b144e3af0b0e0757af2c794dc68831216a7ad6a546201465106902e27a168"}, + {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:ed016c4604426f797eef4002a72140b263cd617248da91840e267057d0166db3"}, + {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:07b0e5c317bdd474da6ebedb505926fb10afc49bc5ae438921259398753e0a5b"}, + {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:179ef0e1d2019eef9d144b6f2ad68bb12603fd98c8a5a0a94115327b8d783146"}, + {file = "ckzg-1.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:f82cc4ec0ac1061267c08fdc07e1a9cf72e8e698498e315dcb3b31e7d5151ce4"}, + {file = "ckzg-1.0.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:f465b674cdb40f44248501ec4c01d38d1cc01a637550a43b7b6b32636f395daa"}, + {file = "ckzg-1.0.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:d15fe7db9487496ca5d5d9d92e069f7a69d5044e14aebccf21a8082c3388784d"}, + {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:efdf2dfb7017688e151154c301e1fd8604311ddbcfc9cb898a80012a05615ced"}, + {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7818f2f86dd4fb02ab73b9a8b1bb72b24beed77b2c3987b0f56edc0b3239eb0"}, + {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9fb32f3f7db41c32e5a3acf47ddec77a529b031bd69c1121595e51321477b7da"}, + {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:1300f0eedc57031f2277e54efd92a284373fb9baa82b846d2680793f3b0ce4cd"}, + {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:d8bc93a0b84888ad17ae818ea8c8264a93f2af573de41a999a3b0958b636ab1d"}, + {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:3ba82d321e3350beacf36cf0ae692dd021b77642e9a184ab58349c21db4e09d2"}, + {file = "ckzg-1.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:844233a223c87f1fd47caee11c276ea370c11eb5a89ad1925c0ed50930341b51"}, + {file = "ckzg-1.0.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:64af945ad8582adb42b3b00a3bebe4c1953a06a8ce92a221d0575170848fd653"}, + {file = "ckzg-1.0.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:f7550b78e9f569c4f97a39c0ff437836c3878c93f64a83fa75e0f5998c19ccba"}, + {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2958b3d495e6cb64e8fb55d44023f155eb07b43c5eebee9f29eedf5e262b84fc"}, + {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a06035732d834a0629f5c23b06906326fe3c4e0660120efec5889d0dacbc26c1"}, + {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:17206a1ed383cea5b6f3518f2b242c9031ca73c07471a85476848d02663e4a11"}, + {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:0c5323e8c7f477ffd94074b28ccde68dac4bab991cc360ec9c1eb0f147dd564e"}, + {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8acce33a1c7b005cfa37207ac70a9bcfb19238568093ef2fda8a182bc556cd6e"}, + {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:06ecf4fa1a9262cb7535b55a9590ce74bda158e2e8fc8c541823aecb978524cc"}, + {file = "ckzg-1.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:17aa0f9a1131302947cd828e245237e545c36c66acf7e413586d6cb51c826bdc"}, + {file = "ckzg-1.0.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:52b1954799e912f73201eb013e597f3e526ab4b38d99b7700035f18f818bccfd"}, + {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:394ef239a19ef896bf433778cd3153d9b992747c24155aabe9ff2005f3fb8c32"}, + {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2116d4b21b93e4067ff5df3b328112e48cbadefb00a21d3bb490355bb416acb0"}, + {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4b0d0d527725fa7f4b9abffbfe6233eb681d1279ece8f3b40920b0d0e29e5d3"}, + {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:8c7d27941e7082b92448684cab9d24b4f50df8807680396ca598770ea646520a"}, + {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:f5a1a1f58b010b8d53e5337bbd01b4c0ac8ad2c34b89631a3de8f3aa8a714388"}, + {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:f4bcae2a8d849ce6439abea0389d9184dc0a9c8ab5f88d7947e1b65434912406"}, + {file = "ckzg-1.0.1-cp36-cp36m-win_amd64.whl", hash = "sha256:bd415f5e5a0ecf5157a16ee6390122170816bff4f72cb97428c514c3fce94f40"}, + {file = "ckzg-1.0.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:5f2c3c289ba83834e7e9727c260ef4ae5e4aff389945b498034454ef1e0d2b27"}, + {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d9a2d01cbbb9106a23f4c23275015a1ca041379a385e84d21bad789fe493eb35"}, + {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ef7a743fbf10663bf54e4fa7a63f986c163770bd2d14423ba255d91c65ceae2b"}, + {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5e967482a04edcabecf6dbad04f1ef9ea9d5142a08f4001177f9149ce0e2ae81"}, + {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:9fc1196a44de1fccc4c275af70133cebce5ff16b1442b9989e162e3ae4534be3"}, + {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:62c5e0f1b31c8e9eb7b8db05c4ae14310acf41deb5909ac1e72d7a799ca61d13"}, + {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:4361ee4bc719d375d50e13de399976d42e13b1d7084defbd8914d7943cbc1b04"}, + {file = "ckzg-1.0.1-cp37-cp37m-win_amd64.whl", hash = "sha256:1c284dddc6a9269a3916b0654236aa5e713d2266bd119457e33d7b37c2416bbb"}, + {file = "ckzg-1.0.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:32e03048be386d262d71ddeb2dcc5e9aeca1de23126f5566d6a445e59f912d25"}, + {file = "ckzg-1.0.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:543c154c0d56a5c348d2b17e5b9925c38378d8d0dbb830fb6a894c622c86da7b"}, + {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0f58595cdbfcbb9c4fce36171688e56c4bdb804e7724c6c41ec71278042bf50a"}, + {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1fb1bacf6f8d1419dc26f3b6185e377a8a357707468d0ca96d1ca2a847a2df68"}, + {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:976b9347ae15b52948eed8891a4f94ff46faa4d7c5e5746780d41069da8a6fe5"}, + {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:8b809e5f1806583f53c9f3ae6c2ae86e90551393015ec29cfcdedf3261d66251"}, + {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:53db1fa73aaeadeb085eea5bd55676226d7dcdef26c711a6219f7d3a89f229ae"}, + {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:e9541dabc6c84b7fdfb305dab53e181c7c804943e92e8de2ff93ed1aa29f597f"}, + {file = "ckzg-1.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:79e7fa188b89ccf7c19b3c46f28961738dbf019580880b276fee3bc11fdfbb37"}, + {file = "ckzg-1.0.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:36e3864064f9f6ece4c79de70c9fc2d6de20cf4a6cc8527919494ab914fe9f04"}, + {file = "ckzg-1.0.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:1f8bd094d510425b7a8f05135b2784ab1e48e93cf9c61e21585e7245b713a872"}, + {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:48ec2376c89be53eaafda436fb1bca086f44fc44aa9856f8f288c29aaa85c6ad"}, + {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f928d42bb856dacc15ad78d5adeb9922d088ec3aa8bb56249cccc2bdf8418966"}, + {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e320d567eca502bec2b64f12c48ce9c8566712c456f39c49414ba19e0f49f76b"}, + {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:5844b792a621563230e9f1b15e2bf4733aff3c3e8f080843a12e6ba33ddd1b20"}, + {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:cd0fa7a7e792c24fb463f0bd41a65156413ec088276e61cf6d72e7be62812b2d"}, + {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:23b9d91e4f652fc1c648252cd305b6f247eaadba72f35d49b68376ae5f3ab2d9"}, + {file = "ckzg-1.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:622a801cf1fa5b4cb6619bfed279f5a9d45d59525513678343c64a79cb34f224"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:6a35342cc99afbbced9896588e74843f1e700a3161a4ef4a48a2ea8831831857"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:a31e53b35a8233a0f152eee529fcfc25ab5af36db64d9984e9536f3f8399fdbf"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0ab8407bf837a248fdda958bd4bba49be5b7be425883d1ee1abe9b6fef2967f8"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:79cbc0eb43de4eca8b7dc8c736322830a33a77eeb8040cfa9ab2b9a6a0ca9856"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:730fbe18f174362f801373798bc71d1b9d337c2c9c7da3ec5d8470864f9ee5a7"}, + {file = "ckzg-1.0.1-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:898f21dadd1f6f27b1e329bde0b33ce68c5f61f9ae4ee6fb7088c9a7c1494227"}, + {file = "ckzg-1.0.1-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:91f1e7e5453f47e6562c022a7e541735ad20b667e662b981de4a17344c2187b3"}, + {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:dd31a799f0353d95b3ffcfca5627cd2437129458fbf327bce15761abe9c55a9e"}, + {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:208a61131984a3dab545d3360d006d11ab2f815669d1169a93d03a3cc56fd9ac"}, + {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d47cdd945c117784a063901b392dc9f4ec009812ced5d344cdcd1887eb573768"}, + {file = "ckzg-1.0.1-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:367227f187072b24c1bfd0e9e5305b9bf75ddf6a01755b96dde79653ef468787"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:0b68147b7617f1a3f8044ed31671ff2e7186840d09a0a3b71bb56b8d20499f06"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b4b4cf32774f6b7f84e38b5fee8a0d69855279f42cf2bbd2056584d9ee3cbccd"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:dc100f52dc2c3e7016a36fa6232e4c63ef650dc1e4e198ca2da797d615bfec4f"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:86a5a005518ca8c436a56602eb090d11857c03e44e4f7c8ae40cd9f1ad6eac1a"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb05bd0ee8fcc779ed6600276b81306e76f4150a6e01f70bee8fa661b990ab4f"}, + {file = "ckzg-1.0.1-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:b9ddd4a32ecaa8806bfa0d43c41bd2471098f875eb6c28e5970a065e5a8f5d68"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:2f015641c33f0617b2732c7e5db5e132a349d668b41f8685942c4506059f9905"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:83c3d2514439375925925f16624fa388fc532ef43ee3cd0868d5d54432cd47a8"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:789a65cebd3cf5b100b8957a9a9b207b13f47bfe60b74921a91c2c7f82883a05"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f640cc5211beaf3d9f4bbf7054d96cf3434069ac5baa9ac09827ccbe913733bb"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:436168fe6a3c901cc8b57f44116efcc33126e3b2220f6b0bb2cf5774ec4413a9"}, + {file = "ckzg-1.0.1-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:d8c138e8f320e1b24febdef26f086b8b3a1a889c1eb4a933dea608eead347048"}, + {file = "ckzg-1.0.1.tar.gz", hash = "sha256:c114565de7d838d40ede39255f4477245824b42bde7b181a7ca1e8f5defad490"}, +] + [[package]] name = "click" version = "8.1.7" @@ -635,63 +729,63 @@ files = [ [[package]] name = "coverage" -version = "7.4.4" +version = "7.5.0" description = "Code coverage measurement for Python" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.4.4-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:e0be5efd5127542ef31f165de269f77560d6cdef525fffa446de6f7e9186cfb2"}, - {file = "coverage-7.4.4-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:ccd341521be3d1b3daeb41960ae94a5e87abe2f46f17224ba5d6f2b8398016cf"}, - {file = "coverage-7.4.4-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:09fa497a8ab37784fbb20ab699c246053ac294d13fc7eb40ec007a5043ec91f8"}, - {file = "coverage-7.4.4-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:b1a93009cb80730c9bca5d6d4665494b725b6e8e157c1cb7f2db5b4b122ea562"}, - {file = "coverage-7.4.4-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:690db6517f09336559dc0b5f55342df62370a48f5469fabf502db2c6d1cffcd2"}, - {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:09c3255458533cb76ef55da8cc49ffab9e33f083739c8bd4f58e79fecfe288f7"}, - {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:8ce1415194b4a6bd0cdcc3a1dfbf58b63f910dcb7330fe15bdff542c56949f87"}, - {file = "coverage-7.4.4-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:b91cbc4b195444e7e258ba27ac33769c41b94967919f10037e6355e998af255c"}, - {file = "coverage-7.4.4-cp310-cp310-win32.whl", hash = "sha256:598825b51b81c808cb6f078dcb972f96af96b078faa47af7dfcdf282835baa8d"}, - {file = "coverage-7.4.4-cp310-cp310-win_amd64.whl", hash = "sha256:09ef9199ed6653989ebbcaacc9b62b514bb63ea2f90256e71fea3ed74bd8ff6f"}, - {file = "coverage-7.4.4-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:0f9f50e7ef2a71e2fae92774c99170eb8304e3fdf9c8c3c7ae9bab3e7229c5cf"}, - {file = "coverage-7.4.4-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:623512f8ba53c422fcfb2ce68362c97945095b864cda94a92edbaf5994201083"}, - {file = "coverage-7.4.4-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0513b9508b93da4e1716744ef6ebc507aff016ba115ffe8ecff744d1322a7b63"}, - {file = "coverage-7.4.4-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:40209e141059b9370a2657c9b15607815359ab3ef9918f0196b6fccce8d3230f"}, - {file = "coverage-7.4.4-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8a2b2b78c78293782fd3767d53e6474582f62443d0504b1554370bde86cc8227"}, - {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:73bfb9c09951125d06ee473bed216e2c3742f530fc5acc1383883125de76d9cd"}, - {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:1f384c3cc76aeedce208643697fb3e8437604b512255de6d18dae3f27655a384"}, - {file = "coverage-7.4.4-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:54eb8d1bf7cacfbf2a3186019bcf01d11c666bd495ed18717162f7eb1e9dd00b"}, - {file = "coverage-7.4.4-cp311-cp311-win32.whl", hash = "sha256:cac99918c7bba15302a2d81f0312c08054a3359eaa1929c7e4b26ebe41e9b286"}, - {file = "coverage-7.4.4-cp311-cp311-win_amd64.whl", hash = "sha256:b14706df8b2de49869ae03a5ccbc211f4041750cd4a66f698df89d44f4bd30ec"}, - {file = "coverage-7.4.4-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:201bef2eea65e0e9c56343115ba3814e896afe6d36ffd37bab783261db430f76"}, - {file = "coverage-7.4.4-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:41c9c5f3de16b903b610d09650e5e27adbfa7f500302718c9ffd1c12cf9d6818"}, - {file = "coverage-7.4.4-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d898fe162d26929b5960e4e138651f7427048e72c853607f2b200909794ed978"}, - {file = "coverage-7.4.4-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3ea79bb50e805cd6ac058dfa3b5c8f6c040cb87fe83de10845857f5535d1db70"}, - {file = "coverage-7.4.4-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ce4b94265ca988c3f8e479e741693d143026632672e3ff924f25fab50518dd51"}, - {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:00838a35b882694afda09f85e469c96367daa3f3f2b097d846a7216993d37f4c"}, - {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:fdfafb32984684eb03c2d83e1e51f64f0906b11e64482df3c5db936ce3839d48"}, - {file = "coverage-7.4.4-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:69eb372f7e2ece89f14751fbcbe470295d73ed41ecd37ca36ed2eb47512a6ab9"}, - {file = "coverage-7.4.4-cp312-cp312-win32.whl", hash = "sha256:137eb07173141545e07403cca94ab625cc1cc6bc4c1e97b6e3846270e7e1fea0"}, - {file = "coverage-7.4.4-cp312-cp312-win_amd64.whl", hash = "sha256:d71eec7d83298f1af3326ce0ff1d0ea83c7cb98f72b577097f9083b20bdaf05e"}, - {file = "coverage-7.4.4-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:d5ae728ff3b5401cc320d792866987e7e7e880e6ebd24433b70a33b643bb0384"}, - {file = "coverage-7.4.4-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:cc4f1358cb0c78edef3ed237ef2c86056206bb8d9140e73b6b89fbcfcbdd40e1"}, - {file = "coverage-7.4.4-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8130a2aa2acb8788e0b56938786c33c7c98562697bf9f4c7d6e8e5e3a0501e4a"}, - {file = "coverage-7.4.4-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:cf271892d13e43bc2b51e6908ec9a6a5094a4df1d8af0bfc360088ee6c684409"}, - {file = "coverage-7.4.4-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a4cdc86d54b5da0df6d3d3a2f0b710949286094c3a6700c21e9015932b81447e"}, - {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:ae71e7ddb7a413dd60052e90528f2f65270aad4b509563af6d03d53e979feafd"}, - {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:38dd60d7bf242c4ed5b38e094baf6401faa114fc09e9e6632374388a404f98e7"}, - {file = "coverage-7.4.4-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:aa5b1c1bfc28384f1f53b69a023d789f72b2e0ab1b3787aae16992a7ca21056c"}, - {file = "coverage-7.4.4-cp38-cp38-win32.whl", hash = "sha256:dfa8fe35a0bb90382837b238fff375de15f0dcdb9ae68ff85f7a63649c98527e"}, - {file = "coverage-7.4.4-cp38-cp38-win_amd64.whl", hash = "sha256:b2991665420a803495e0b90a79233c1433d6ed77ef282e8e152a324bbbc5e0c8"}, - {file = "coverage-7.4.4-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:3b799445b9f7ee8bf299cfaed6f5b226c0037b74886a4e11515e569b36fe310d"}, - {file = "coverage-7.4.4-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:b4d33f418f46362995f1e9d4f3a35a1b6322cb959c31d88ae56b0298e1c22357"}, - {file = "coverage-7.4.4-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:aadacf9a2f407a4688d700e4ebab33a7e2e408f2ca04dbf4aef17585389eff3e"}, - {file = "coverage-7.4.4-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7c95949560050d04d46b919301826525597f07b33beba6187d04fa64d47ac82e"}, - {file = "coverage-7.4.4-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ff7687ca3d7028d8a5f0ebae95a6e4827c5616b31a4ee1192bdfde697db110d4"}, - {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:5fc1de20b2d4a061b3df27ab9b7c7111e9a710f10dc2b84d33a4ab25065994ec"}, - {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:c74880fc64d4958159fbd537a091d2a585448a8f8508bf248d72112723974cbd"}, - {file = "coverage-7.4.4-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:742a76a12aa45b44d236815d282b03cfb1de3b4323f3e4ec933acfae08e54ade"}, - {file = "coverage-7.4.4-cp39-cp39-win32.whl", hash = "sha256:d89d7b2974cae412400e88f35d86af72208e1ede1a541954af5d944a8ba46c57"}, - {file = "coverage-7.4.4-cp39-cp39-win_amd64.whl", hash = "sha256:9ca28a302acb19b6af89e90f33ee3e1906961f94b54ea37de6737b7ca9d8827c"}, - {file = "coverage-7.4.4-pp38.pp39.pp310-none-any.whl", hash = "sha256:b2c5edc4ac10a7ef6605a966c58929ec6c1bd0917fb8c15cb3363f65aa40e677"}, - {file = "coverage-7.4.4.tar.gz", hash = "sha256:c901df83d097649e257e803be22592aedfd5182f07b3cc87d640bbb9afd50f49"}, + {file = "coverage-7.5.0-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:432949a32c3e3f820af808db1833d6d1631664d53dd3ce487aa25d574e18ad1c"}, + {file = "coverage-7.5.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:2bd7065249703cbeb6d4ce679c734bef0ee69baa7bff9724361ada04a15b7e3b"}, + {file = "coverage-7.5.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bbfe6389c5522b99768a93d89aca52ef92310a96b99782973b9d11e80511f932"}, + {file = "coverage-7.5.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:39793731182c4be939b4be0cdecde074b833f6171313cf53481f869937129ed3"}, + {file = "coverage-7.5.0-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:85a5dbe1ba1bf38d6c63b6d2c42132d45cbee6d9f0c51b52c59aa4afba057517"}, + {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:357754dcdfd811462a725e7501a9b4556388e8ecf66e79df6f4b988fa3d0b39a"}, + {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:a81eb64feded34f40c8986869a2f764f0fe2db58c0530d3a4afbcde50f314880"}, + {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:51431d0abbed3a868e967f8257c5faf283d41ec882f58413cf295a389bb22e58"}, + {file = "coverage-7.5.0-cp310-cp310-win32.whl", hash = "sha256:f609ebcb0242d84b7adeee2b06c11a2ddaec5464d21888b2c8255f5fd6a98ae4"}, + {file = "coverage-7.5.0-cp310-cp310-win_amd64.whl", hash = "sha256:6782cd6216fab5a83216cc39f13ebe30adfac2fa72688c5a4d8d180cd52e8f6a"}, + {file = "coverage-7.5.0-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:e768d870801f68c74c2b669fc909839660180c366501d4cc4b87efd6b0eee375"}, + {file = "coverage-7.5.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:84921b10aeb2dd453247fd10de22907984eaf80901b578a5cf0bb1e279a587cb"}, + {file = "coverage-7.5.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:710c62b6e35a9a766b99b15cdc56d5aeda0914edae8bb467e9c355f75d14ee95"}, + {file = "coverage-7.5.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c379cdd3efc0658e652a14112d51a7668f6bfca7445c5a10dee7eabecabba19d"}, + {file = "coverage-7.5.0-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fea9d3ca80bcf17edb2c08a4704259dadac196fe5e9274067e7a20511fad1743"}, + {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:41327143c5b1d715f5f98a397608f90ab9ebba606ae4e6f3389c2145410c52b1"}, + {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:565b2e82d0968c977e0b0f7cbf25fd06d78d4856289abc79694c8edcce6eb2de"}, + {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:cf3539007202ebfe03923128fedfdd245db5860a36810136ad95a564a2fdffff"}, + {file = "coverage-7.5.0-cp311-cp311-win32.whl", hash = "sha256:bf0b4b8d9caa8d64df838e0f8dcf68fb570c5733b726d1494b87f3da85db3a2d"}, + {file = "coverage-7.5.0-cp311-cp311-win_amd64.whl", hash = "sha256:9c6384cc90e37cfb60435bbbe0488444e54b98700f727f16f64d8bfda0b84656"}, + {file = "coverage-7.5.0-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:fed7a72d54bd52f4aeb6c6e951f363903bd7d70bc1cad64dd1f087980d309ab9"}, + {file = "coverage-7.5.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:cbe6581fcff7c8e262eb574244f81f5faaea539e712a058e6707a9d272fe5b64"}, + {file = "coverage-7.5.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ad97ec0da94b378e593ef532b980c15e377df9b9608c7c6da3506953182398af"}, + {file = "coverage-7.5.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bd4bacd62aa2f1a1627352fe68885d6ee694bdaebb16038b6e680f2924a9b2cc"}, + {file = "coverage-7.5.0-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:adf032b6c105881f9d77fa17d9eebe0ad1f9bfb2ad25777811f97c5362aa07f2"}, + {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4ba01d9ba112b55bfa4b24808ec431197bb34f09f66f7cb4fd0258ff9d3711b1"}, + {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:f0bfe42523893c188e9616d853c47685e1c575fe25f737adf473d0405dcfa7eb"}, + {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:a9a7ef30a1b02547c1b23fa9a5564f03c9982fc71eb2ecb7f98c96d7a0db5cf2"}, + {file = "coverage-7.5.0-cp312-cp312-win32.whl", hash = "sha256:3c2b77f295edb9fcdb6a250f83e6481c679335ca7e6e4a955e4290350f2d22a4"}, + {file = "coverage-7.5.0-cp312-cp312-win_amd64.whl", hash = "sha256:427e1e627b0963ac02d7c8730ca6d935df10280d230508c0ba059505e9233475"}, + {file = "coverage-7.5.0-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:9dd88fce54abbdbf4c42fb1fea0e498973d07816f24c0e27a1ecaf91883ce69e"}, + {file = "coverage-7.5.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:a898c11dca8f8c97b467138004a30133974aacd572818c383596f8d5b2eb04a9"}, + {file = "coverage-7.5.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:07dfdd492d645eea1bd70fb1d6febdcf47db178b0d99161d8e4eed18e7f62fe7"}, + {file = "coverage-7.5.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d3d117890b6eee85887b1eed41eefe2e598ad6e40523d9f94c4c4b213258e4a4"}, + {file = "coverage-7.5.0-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6afd2e84e7da40fe23ca588379f815fb6dbbb1b757c883935ed11647205111cb"}, + {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:a9960dd1891b2ddf13a7fe45339cd59ecee3abb6b8326d8b932d0c5da208104f"}, + {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:ced268e82af993d7801a9db2dbc1d2322e786c5dc76295d8e89473d46c6b84d4"}, + {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:e7c211f25777746d468d76f11719e64acb40eed410d81c26cefac641975beb88"}, + {file = "coverage-7.5.0-cp38-cp38-win32.whl", hash = "sha256:262fffc1f6c1a26125d5d573e1ec379285a3723363f3bd9c83923c9593a2ac25"}, + {file = "coverage-7.5.0-cp38-cp38-win_amd64.whl", hash = "sha256:eed462b4541c540d63ab57b3fc69e7d8c84d5957668854ee4e408b50e92ce26a"}, + {file = "coverage-7.5.0-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:d0194d654e360b3e6cc9b774e83235bae6b9b2cac3be09040880bb0e8a88f4a1"}, + {file = "coverage-7.5.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:33c020d3322662e74bc507fb11488773a96894aa82a622c35a5a28673c0c26f5"}, + {file = "coverage-7.5.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0cbdf2cae14a06827bec50bd58e49249452d211d9caddd8bd80e35b53cb04631"}, + {file = "coverage-7.5.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3235d7c781232e525b0761730e052388a01548bd7f67d0067a253887c6e8df46"}, + {file = "coverage-7.5.0-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:db2de4e546f0ec4b2787d625e0b16b78e99c3e21bc1722b4977c0dddf11ca84e"}, + {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:4d0e206259b73af35c4ec1319fd04003776e11e859936658cb6ceffdeba0f5be"}, + {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:2055c4fb9a6ff624253d432aa471a37202cd8f458c033d6d989be4499aed037b"}, + {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:075299460948cd12722a970c7eae43d25d37989da682997687b34ae6b87c0ef0"}, + {file = "coverage-7.5.0-cp39-cp39-win32.whl", hash = "sha256:280132aada3bc2f0fac939a5771db4fbb84f245cb35b94fae4994d4c1f80dae7"}, + {file = "coverage-7.5.0-cp39-cp39-win_amd64.whl", hash = "sha256:c58536f6892559e030e6924896a44098bc1290663ea12532c78cef71d0df8493"}, + {file = "coverage-7.5.0-pp38.pp39.pp310-none-any.whl", hash = "sha256:2b57780b51084d5223eee7b59f0d4911c31c16ee5aa12737c7a02455829ff067"}, + {file = "coverage-7.5.0.tar.gz", hash = "sha256:cf62d17310f34084c59c01e027259076479128d11e4661bb6c9acb38c5e19bb8"}, ] [package.dependencies] @@ -843,13 +937,13 @@ files = [ [[package]] name = "ecdsa" -version = "0.18.0" +version = "0.19.0" description = "ECDSA cryptographic signature library (pure python)" optional = false -python-versions = ">=2.6, !=3.0.*, !=3.1.*, !=3.2.*" +python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,>=2.6" files = [ - {file = "ecdsa-0.18.0-py2.py3-none-any.whl", hash = "sha256:80600258e7ed2f16b9aa1d7c295bd70194109ad5a30fdee0eaeefef1d4c559dd"}, - {file = "ecdsa-0.18.0.tar.gz", hash = "sha256:190348041559e21b22a1d65cee485282ca11a6f81d503fddb84d5017e9ed1e49"}, + {file = "ecdsa-0.19.0-py2.py3-none-any.whl", hash = "sha256:2cea9b88407fdac7bbeca0833b189e4c9c53f2ef1e1eaa29f6224dbc809b707a"}, + {file = "ecdsa-0.19.0.tar.gz", hash = "sha256:60eaad1199659900dd0af521ed462b793bbdf867432b3948e87416ae4caf6bf8"}, ] [package.dependencies] @@ -861,19 +955,19 @@ gmpy2 = ["gmpy2"] [[package]] name = "eip712" -version = "0.2.4" +version = "0.2.7" description = "eip712: Message classes for typed structured data hashing and signing in Ethereum" optional = false -python-versions = ">=3.8,<4" +python-versions = "<4,>=3.8" files = [ - {file = "eip712-0.2.4-py3-none-any.whl", hash = "sha256:19d9abdb4b0ffb97f12a68addc2bbcdb2f0a2da17bc038a22c77b42353de1ecd"}, - {file = "eip712-0.2.4.tar.gz", hash = "sha256:e69760414523f60328279620776549a17ff72f89974688710d3467ae08717070"}, + {file = "eip712-0.2.7-py3-none-any.whl", hash = "sha256:a722400d8f72650b8ae8af3593894de35dfa6d158984e8bff933008e9710013f"}, + {file = "eip712-0.2.7.tar.gz", hash = "sha256:2d055fd6f14fffe338b9fba27935e75a9133f7e4417ea9b8331995c2ef58f3b6"}, ] [package.dependencies] dataclassy = ">=0.8.2,<1" -eth-abi = ">=4.2.1,<6" -eth-account = ">=0.10.0,<0.11" +eth-abi = ">=5.1.0,<6" +eth-account = ">=0.10.0,<0.12" eth-hash = {version = "*", extras = ["pycryptodome"]} eth-typing = ">=3.5.2,<4" eth-utils = ">=2.3.1,<3" @@ -899,19 +993,19 @@ files = [ [[package]] name = "eth-abi" -version = "5.0.1" +version = "5.1.0" description = "eth_abi: Python utilities for working with Ethereum ABI definitions, especially encoding and decoding" optional = false -python-versions = ">=3.8, <4" +python-versions = "<4,>=3.8" files = [ - {file = "eth_abi-5.0.1-py3-none-any.whl", hash = "sha256:521960d8b4beee514958e1774951dc6b48176aa274e3bd8b166f6921453047ef"}, - {file = "eth_abi-5.0.1.tar.gz", hash = "sha256:e9425110c6120c585c9f0db2e8a33d76c4b886b148a65e68fc0035d3917a3b9c"}, + {file = "eth_abi-5.1.0-py3-none-any.whl", hash = "sha256:84cac2626a7db8b7d9ebe62b0fdca676ab1014cc7f777189e3c0cd721a4c16d8"}, + {file = "eth_abi-5.1.0.tar.gz", hash = "sha256:33ddd756206e90f7ddff1330cc8cac4aa411a824fe779314a0a52abea2c8fc14"}, ] [package.dependencies] eth-typing = ">=3.0.0" eth-utils = ">=2.0.0" -parsimonious = ">=0.9.0,<0.10.0" +parsimonious = ">=0.10.0,<0.11.0" [package.extras] dev = ["build (>=0.9.0)", "bumpversion (>=0.5.3)", "eth-hash[pycryptodome]", "hypothesis (>=4.18.2,<5.0.0)", "ipython", "pre-commit (>=3.4.0)", "pytest (>=7.0.0)", "pytest-pythonpath (>=0.7.1)", "pytest-timeout (>=2.0.0)", "pytest-xdist (>=2.4.0)", "sphinx (>=6.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] @@ -921,17 +1015,18 @@ tools = ["hypothesis (>=4.18.2,<5.0.0)"] [[package]] name = "eth-account" -version = "0.10.0" +version = "0.11.2" description = "eth-account: Sign Ethereum transactions and messages with local private keys" optional = false -python-versions = ">=3.7, <4" +python-versions = "<4,>=3.8" files = [ - {file = "eth-account-0.10.0.tar.gz", hash = "sha256:474a2fccf7286230cf66502565f03b536921d7e1fdfceba198e42160e5ac4bc1"}, - {file = "eth_account-0.10.0-py3-none-any.whl", hash = "sha256:b7a83f506a8edf57926569e5f04471ce3f1700e572d3421b4ad0dad7a26c0978"}, + {file = "eth-account-0.11.2.tar.gz", hash = "sha256:b43daf2c0ae43f2a24ba754d66889f043fae4d3511559cb26eb0122bae9afbbd"}, + {file = "eth_account-0.11.2-py3-none-any.whl", hash = "sha256:95157c262a9823c1e08be826d4bc304bf32f0c32e80afb38c126a325a64f651a"}, ] [package.dependencies] bitarray = ">=2.4.0" +ckzg = ">=0.4.3" eth-abi = ">=4.0.0-b.2" eth-keyfile = ">=0.6.0" eth-keys = ">=0.4.0" @@ -941,9 +1036,8 @@ hexbytes = ">=0.1.0,<0.4.0" rlp = ">=1.0.0" [package.extras] -dev = ["black (>=23)", "build (>=0.9.0)", "bumpversion (>=0.5.3)", "coverage", "flake8 (==6.0.0)", "flake8-bugbear (==23.3.23)", "hypothesis (>=4.18.0,<5)", "ipython", "isort (>=5.10.1)", "mypy (==0.971)", "pydocstyle (>=6.0.0)", "pytest (>=7.0.0)", "pytest-watch (>=4.1.0)", "pytest-xdist (>=2.4.0)", "sphinx (>=5.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] -doc = ["sphinx (>=5.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)"] -lint = ["black (>=23)", "flake8 (==6.0.0)", "flake8-bugbear (==23.3.23)", "isort (>=5.10.1)", "mypy (==0.971)", "pydocstyle (>=6.0.0)"] +dev = ["build (>=0.9.0)", "bumpversion (>=0.5.3)", "coverage", "hypothesis (>=4.18.0,<5)", "ipython", "pre-commit (>=3.4.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)", "sphinx (>=6.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] +docs = ["sphinx (>=6.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)"] test = ["coverage", "hypothesis (>=4.18.0,<5)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] @@ -969,13 +1063,13 @@ test = ["pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] name = "eth-keyfile" -version = "0.8.0" +version = "0.8.1" description = "eth-keyfile: A library for handling the encrypted keyfiles used to store ethereum private keys" optional = false -python-versions = ">=3.8, <4" +python-versions = "<4,>=3.8" files = [ - {file = "eth-keyfile-0.8.0.tar.gz", hash = "sha256:02e3c2e564c7403b92db3fef8ecae3d21123b15787daecd5b643a57369c530f9"}, - {file = "eth_keyfile-0.8.0-py3-none-any.whl", hash = "sha256:9e09f5bc97c8309876c06bdea7a94f0051c25ba3109b5df37afb815418322efe"}, + {file = "eth_keyfile-0.8.1-py3-none-any.whl", hash = "sha256:65387378b82fe7e86d7cb9f8d98e6d639142661b2f6f490629da09fddbef6d64"}, + {file = "eth_keyfile-0.8.1.tar.gz", hash = "sha256:9708bc31f386b52cca0969238ff35b1ac72bd7a7186f2a84b86110d3c973bec1"}, ] [package.dependencies] @@ -990,13 +1084,13 @@ test = ["pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] name = "eth-keys" -version = "0.5.0" +version = "0.5.1" description = "eth-keys: Common API for Ethereum key operations" optional = false -python-versions = ">=3.8, <4" +python-versions = "<4,>=3.8" files = [ - {file = "eth-keys-0.5.0.tar.gz", hash = "sha256:a0abccb83f3d84322591a2c047a1e3aa52ea86b185fa3e82ce311d120ca2791e"}, - {file = "eth_keys-0.5.0-py3-none-any.whl", hash = "sha256:b2bed3ff3bcede68cc0cd4458c7147baaeaac1211a1efdb6ca019f9d3d989f2b"}, + {file = "eth_keys-0.5.1-py3-none-any.whl", hash = "sha256:ad13d920a2217a49bed3a1a7f54fb0980f53caf86d3bbab2139fd3330a17b97e"}, + {file = "eth_keys-0.5.1.tar.gz", hash = "sha256:2b587e4bbb9ac2195215a7ab0c0fb16042b17d4ec50240ed670bbb8f53da7a48"}, ] [package.dependencies] @@ -1005,9 +1099,9 @@ eth-utils = ">=2" [package.extras] coincurve = ["coincurve (>=12.0.0)"] -dev = ["asn1tools (>=0.146.2)", "build (>=0.9.0)", "bumpversion (>=0.5.3)", "coincurve (>=12.0.0)", "eth-hash[pysha3]", "factory-boy (>=3.0.1)", "hypothesis (>=5.10.3,<6)", "ipython", "pre-commit (>=3.4.0)", "pyasn1 (>=0.4.5)", "pytest (>=7.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] +dev = ["asn1tools (>=0.146.2)", "build (>=0.9.0)", "bumpversion (>=0.5.3)", "coincurve (>=12.0.0)", "eth-hash[pysha3]", "factory-boy (>=3.0.1)", "hypothesis (>=5.10.3)", "ipython", "pre-commit (>=3.4.0)", "pyasn1 (>=0.4.5)", "pytest (>=7.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] docs = ["towncrier (>=21,<22)"] -test = ["asn1tools (>=0.146.2)", "eth-hash[pysha3]", "factory-boy (>=3.0.1)", "hypothesis (>=5.10.3,<6)", "pyasn1 (>=0.4.5)", "pytest (>=7.0.0)"] +test = ["asn1tools (>=0.146.2)", "eth-hash[pysha3]", "factory-boy (>=3.0.1)", "hypothesis (>=5.10.3)", "pyasn1 (>=0.4.5)", "pytest (>=7.0.0)"] [[package]] name = "eth-rlp" @@ -1076,13 +1170,13 @@ test = ["hypothesis (>=4.43.0)", "mypy (==0.971)", "pytest (>=7.0.0)", "pytest-x [[package]] name = "exceptiongroup" -version = "1.2.0" +version = "1.2.1" description = "Backport of PEP 654 (exception groups)" optional = false python-versions = ">=3.7" files = [ - {file = "exceptiongroup-1.2.0-py3-none-any.whl", hash = "sha256:4bfd3996ac73b41e9b9628b04e079f193850720ea5945fc96a08633c66912f14"}, - {file = "exceptiongroup-1.2.0.tar.gz", hash = "sha256:91f5c769735f051a4290d52edd0858999b57e5876e9f85937691bd4c9fa3ed68"}, + {file = "exceptiongroup-1.2.1-py3-none-any.whl", hash = "sha256:5258b9ed329c5bbdd31a309f53cbfb0b155341807f6ff7606a1e801a891b29ad"}, + {file = "exceptiongroup-1.2.1.tar.gz", hash = "sha256:a4785e48b045528f5bfe627b6ad554ff32def154f42372786903b7abcfe1aa16"}, ] [package.extras] @@ -1090,18 +1184,18 @@ test = ["pytest (>=6)"] [[package]] name = "filelock" -version = "3.13.1" +version = "3.13.4" description = "A platform independent file lock." optional = false python-versions = ">=3.8" files = [ - {file = "filelock-3.13.1-py3-none-any.whl", hash = "sha256:57dbda9b35157b05fb3e58ee91448612eb674172fab98ee235ccb0b5bee19a1c"}, - {file = "filelock-3.13.1.tar.gz", hash = "sha256:521f5f56c50f8426f5e03ad3b281b490a87ef15bc6c526f168290f0c7148d44e"}, + {file = "filelock-3.13.4-py3-none-any.whl", hash = "sha256:404e5e9253aa60ad457cae1be07c0f0ca90a63931200a47d9b6a6af84fd7b45f"}, + {file = "filelock-3.13.4.tar.gz", hash = "sha256:d13f466618bfde72bd2c18255e269f72542c6e70e7bac83a0232d6b1cc5c8cf4"}, ] [package.extras] -docs = ["furo (>=2023.9.10)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.24)"] -testing = ["covdefaults (>=2.3)", "coverage (>=7.3.2)", "diff-cover (>=8)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)", "pytest-timeout (>=2.2)"] +docs = ["furo (>=2023.9.10)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.25.2)"] +testing = ["covdefaults (>=2.3)", "coverage (>=7.3.2)", "diff-cover (>=8.0.1)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)", "pytest-timeout (>=2.2)"] typing = ["typing-extensions (>=4.8)"] [[package]] @@ -1230,135 +1324,135 @@ files = [ [[package]] name = "grpcio" -version = "1.62.1" +version = "1.62.2" description = "HTTP/2-based RPC framework" optional = false python-versions = ">=3.7" files = [ - {file = "grpcio-1.62.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:179bee6f5ed7b5f618844f760b6acf7e910988de77a4f75b95bbfaa8106f3c1e"}, - {file = "grpcio-1.62.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:48611e4fa010e823ba2de8fd3f77c1322dd60cb0d180dc6630a7e157b205f7ea"}, - {file = "grpcio-1.62.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:b2a0e71b0a2158aa4bce48be9f8f9eb45cbd17c78c7443616d00abbe2a509f6d"}, - {file = "grpcio-1.62.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fbe80577c7880911d3ad65e5ecc997416c98f354efeba2f8d0f9112a67ed65a5"}, - {file = "grpcio-1.62.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:58f6c693d446964e3292425e1d16e21a97a48ba9172f2d0df9d7b640acb99243"}, - {file = "grpcio-1.62.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:77c339403db5a20ef4fed02e4d1a9a3d9866bf9c0afc77a42234677313ea22f3"}, - {file = "grpcio-1.62.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:b5a4ea906db7dec694098435d84bf2854fe158eb3cd51e1107e571246d4d1d70"}, - {file = "grpcio-1.62.1-cp310-cp310-win32.whl", hash = "sha256:4187201a53f8561c015bc745b81a1b2d278967b8de35f3399b84b0695e281d5f"}, - {file = "grpcio-1.62.1-cp310-cp310-win_amd64.whl", hash = "sha256:844d1f3fb11bd1ed362d3fdc495d0770cfab75761836193af166fee113421d66"}, - {file = "grpcio-1.62.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:833379943d1728a005e44103f17ecd73d058d37d95783eb8f0b28ddc1f54d7b2"}, - {file = "grpcio-1.62.1-cp311-cp311-macosx_10_10_universal2.whl", hash = "sha256:c7fcc6a32e7b7b58f5a7d27530669337a5d587d4066060bcb9dee7a8c833dfb7"}, - {file = "grpcio-1.62.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:fa7d28eb4d50b7cbe75bb8b45ed0da9a1dc5b219a0af59449676a29c2eed9698"}, - {file = "grpcio-1.62.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:48f7135c3de2f298b833be8b4ae20cafe37091634e91f61f5a7eb3d61ec6f660"}, - {file = "grpcio-1.62.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:71f11fd63365ade276c9d4a7b7df5c136f9030e3457107e1791b3737a9b9ed6a"}, - {file = "grpcio-1.62.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:4b49fd8fe9f9ac23b78437da94c54aa7e9996fbb220bac024a67469ce5d0825f"}, - {file = "grpcio-1.62.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:482ae2ae78679ba9ed5752099b32e5fe580443b4f798e1b71df412abf43375db"}, - {file = "grpcio-1.62.1-cp311-cp311-win32.whl", hash = "sha256:1faa02530b6c7426404372515fe5ddf66e199c2ee613f88f025c6f3bd816450c"}, - {file = "grpcio-1.62.1-cp311-cp311-win_amd64.whl", hash = "sha256:5bd90b8c395f39bc82a5fb32a0173e220e3f401ff697840f4003e15b96d1befc"}, - {file = "grpcio-1.62.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:b134d5d71b4e0837fff574c00e49176051a1c532d26c052a1e43231f252d813b"}, - {file = "grpcio-1.62.1-cp312-cp312-macosx_10_10_universal2.whl", hash = "sha256:d1f6c96573dc09d50dbcbd91dbf71d5cf97640c9427c32584010fbbd4c0e0037"}, - {file = "grpcio-1.62.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:359f821d4578f80f41909b9ee9b76fb249a21035a061a327f91c953493782c31"}, - {file = "grpcio-1.62.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a485f0c2010c696be269184bdb5ae72781344cb4e60db976c59d84dd6354fac9"}, - {file = "grpcio-1.62.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b50b09b4dc01767163d67e1532f948264167cd27f49e9377e3556c3cba1268e1"}, - {file = "grpcio-1.62.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:3227c667dccbe38f2c4d943238b887bac588d97c104815aecc62d2fd976e014b"}, - {file = "grpcio-1.62.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:3952b581eb121324853ce2b191dae08badb75cd493cb4e0243368aa9e61cfd41"}, - {file = "grpcio-1.62.1-cp312-cp312-win32.whl", hash = "sha256:83a17b303425104d6329c10eb34bba186ffa67161e63fa6cdae7776ff76df73f"}, - {file = "grpcio-1.62.1-cp312-cp312-win_amd64.whl", hash = "sha256:6696ffe440333a19d8d128e88d440f91fb92c75a80ce4b44d55800e656a3ef1d"}, - {file = "grpcio-1.62.1-cp37-cp37m-linux_armv7l.whl", hash = "sha256:e3393b0823f938253370ebef033c9fd23d27f3eae8eb9a8f6264900c7ea3fb5a"}, - {file = "grpcio-1.62.1-cp37-cp37m-macosx_10_10_universal2.whl", hash = "sha256:83e7ccb85a74beaeae2634f10eb858a0ed1a63081172649ff4261f929bacfd22"}, - {file = "grpcio-1.62.1-cp37-cp37m-manylinux_2_17_aarch64.whl", hash = "sha256:882020c87999d54667a284c7ddf065b359bd00251fcd70279ac486776dbf84ec"}, - {file = "grpcio-1.62.1-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a10383035e864f386fe096fed5c47d27a2bf7173c56a6e26cffaaa5a361addb1"}, - {file = "grpcio-1.62.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:960edebedc6b9ada1ef58e1c71156f28689978188cd8cff3b646b57288a927d9"}, - {file = "grpcio-1.62.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:23e2e04b83f347d0aadde0c9b616f4726c3d76db04b438fd3904b289a725267f"}, - {file = "grpcio-1.62.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:978121758711916d34fe57c1f75b79cdfc73952f1481bb9583399331682d36f7"}, - {file = "grpcio-1.62.1-cp37-cp37m-win_amd64.whl", hash = "sha256:9084086190cc6d628f282e5615f987288b95457292e969b9205e45b442276407"}, - {file = "grpcio-1.62.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:22bccdd7b23c420a27fd28540fb5dcbc97dc6be105f7698cb0e7d7a420d0e362"}, - {file = "grpcio-1.62.1-cp38-cp38-macosx_10_10_universal2.whl", hash = "sha256:8999bf1b57172dbc7c3e4bb3c732658e918f5c333b2942243f10d0d653953ba9"}, - {file = "grpcio-1.62.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:d9e52558b8b8c2f4ac05ac86344a7417ccdd2b460a59616de49eb6933b07a0bd"}, - {file = "grpcio-1.62.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1714e7bc935780bc3de1b3fcbc7674209adf5208ff825799d579ffd6cd0bd505"}, - {file = "grpcio-1.62.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c8842ccbd8c0e253c1f189088228f9b433f7a93b7196b9e5b6f87dba393f5d5d"}, - {file = "grpcio-1.62.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:1f1e7b36bdff50103af95a80923bf1853f6823dd62f2d2a2524b66ed74103e49"}, - {file = "grpcio-1.62.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:bba97b8e8883a8038606480d6b6772289f4c907f6ba780fa1f7b7da7dfd76f06"}, - {file = "grpcio-1.62.1-cp38-cp38-win32.whl", hash = "sha256:a7f615270fe534548112a74e790cd9d4f5509d744dd718cd442bf016626c22e4"}, - {file = "grpcio-1.62.1-cp38-cp38-win_amd64.whl", hash = "sha256:e6c8c8693df718c5ecbc7babb12c69a4e3677fd11de8886f05ab22d4e6b1c43b"}, - {file = "grpcio-1.62.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:73db2dc1b201d20ab7083e7041946910bb991e7e9761a0394bbc3c2632326483"}, - {file = "grpcio-1.62.1-cp39-cp39-macosx_10_10_universal2.whl", hash = "sha256:407b26b7f7bbd4f4751dbc9767a1f0716f9fe72d3d7e96bb3ccfc4aace07c8de"}, - {file = "grpcio-1.62.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:f8de7c8cef9261a2d0a62edf2ccea3d741a523c6b8a6477a340a1f2e417658de"}, - {file = "grpcio-1.62.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9bd5c8a1af40ec305d001c60236308a67e25419003e9bb3ebfab5695a8d0b369"}, - {file = "grpcio-1.62.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:be0477cb31da67846a33b1a75c611f88bfbcd427fe17701b6317aefceee1b96f"}, - {file = "grpcio-1.62.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:60dcd824df166ba266ee0cfaf35a31406cd16ef602b49f5d4dfb21f014b0dedd"}, - {file = "grpcio-1.62.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:973c49086cabab773525f6077f95e5a993bfc03ba8fc32e32f2c279497780585"}, - {file = "grpcio-1.62.1-cp39-cp39-win32.whl", hash = "sha256:12859468e8918d3bd243d213cd6fd6ab07208195dc140763c00dfe901ce1e1b4"}, - {file = "grpcio-1.62.1-cp39-cp39-win_amd64.whl", hash = "sha256:b7209117bbeebdfa5d898205cc55153a51285757902dd73c47de498ad4d11332"}, - {file = "grpcio-1.62.1.tar.gz", hash = "sha256:6c455e008fa86d9e9a9d85bb76da4277c0d7d9668a3bfa70dbe86e9f3c759947"}, + {file = "grpcio-1.62.2-cp310-cp310-linux_armv7l.whl", hash = "sha256:66344ea741124c38588a664237ac2fa16dfd226964cca23ddc96bd4accccbde5"}, + {file = "grpcio-1.62.2-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:5dab7ac2c1e7cb6179c6bfad6b63174851102cbe0682294e6b1d6f0981ad7138"}, + {file = "grpcio-1.62.2-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:3ad00f3f0718894749d5a8bb0fa125a7980a2f49523731a9b1fabf2b3522aa43"}, + {file = "grpcio-1.62.2-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2e72ddfee62430ea80133d2cbe788e0d06b12f865765cb24a40009668bd8ea05"}, + {file = "grpcio-1.62.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:53d3a59a10af4c2558a8e563aed9f256259d2992ae0d3037817b2155f0341de1"}, + {file = "grpcio-1.62.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:a1511a303f8074f67af4119275b4f954189e8313541da7b88b1b3a71425cdb10"}, + {file = "grpcio-1.62.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:b94d41b7412ef149743fbc3178e59d95228a7064c5ab4760ae82b562bdffb199"}, + {file = "grpcio-1.62.2-cp310-cp310-win32.whl", hash = "sha256:a75af2fc7cb1fe25785be7bed1ab18cef959a376cdae7c6870184307614caa3f"}, + {file = "grpcio-1.62.2-cp310-cp310-win_amd64.whl", hash = "sha256:80407bc007754f108dc2061e37480238b0dc1952c855e86a4fc283501ee6bb5d"}, + {file = "grpcio-1.62.2-cp311-cp311-linux_armv7l.whl", hash = "sha256:c1624aa686d4b36790ed1c2e2306cc3498778dffaf7b8dd47066cf819028c3ad"}, + {file = "grpcio-1.62.2-cp311-cp311-macosx_10_10_universal2.whl", hash = "sha256:1c1bb80299bdef33309dff03932264636450c8fdb142ea39f47e06a7153d3063"}, + {file = "grpcio-1.62.2-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:db068bbc9b1fa16479a82e1ecf172a93874540cb84be69f0b9cb9b7ac3c82670"}, + {file = "grpcio-1.62.2-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e2cc8a308780edbe2c4913d6a49dbdb5befacdf72d489a368566be44cadaef1a"}, + {file = "grpcio-1.62.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d0695ae31a89f1a8fc8256050329a91a9995b549a88619263a594ca31b76d756"}, + {file = "grpcio-1.62.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:88b4f9ee77191dcdd8810241e89340a12cbe050be3e0d5f2f091c15571cd3930"}, + {file = "grpcio-1.62.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:2a0204532aa2f1afd467024b02b4069246320405bc18abec7babab03e2644e75"}, + {file = "grpcio-1.62.2-cp311-cp311-win32.whl", hash = "sha256:6e784f60e575a0de554ef9251cbc2ceb8790914fe324f11e28450047f264ee6f"}, + {file = "grpcio-1.62.2-cp311-cp311-win_amd64.whl", hash = "sha256:112eaa7865dd9e6d7c0556c8b04ae3c3a2dc35d62ad3373ab7f6a562d8199200"}, + {file = "grpcio-1.62.2-cp312-cp312-linux_armv7l.whl", hash = "sha256:65034473fc09628a02fb85f26e73885cf1ed39ebd9cf270247b38689ff5942c5"}, + {file = "grpcio-1.62.2-cp312-cp312-macosx_10_10_universal2.whl", hash = "sha256:d2c1771d0ee3cf72d69bb5e82c6a82f27fbd504c8c782575eddb7839729fbaad"}, + {file = "grpcio-1.62.2-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:3abe6838196da518863b5d549938ce3159d809218936851b395b09cad9b5d64a"}, + {file = "grpcio-1.62.2-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c5ffeb269f10cedb4f33142b89a061acda9f672fd1357331dbfd043422c94e9e"}, + {file = "grpcio-1.62.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:404d3b4b6b142b99ba1cff0b2177d26b623101ea2ce51c25ef6e53d9d0d87bcc"}, + {file = "grpcio-1.62.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:262cda97efdabb20853d3b5a4c546a535347c14b64c017f628ca0cc7fa780cc6"}, + {file = "grpcio-1.62.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:17708db5b11b966373e21519c4c73e5a750555f02fde82276ea2a267077c68ad"}, + {file = "grpcio-1.62.2-cp312-cp312-win32.whl", hash = "sha256:b7ec9e2f8ffc8436f6b642a10019fc513722858f295f7efc28de135d336ac189"}, + {file = "grpcio-1.62.2-cp312-cp312-win_amd64.whl", hash = "sha256:aa787b83a3cd5e482e5c79be030e2b4a122ecc6c5c6c4c42a023a2b581fdf17b"}, + {file = "grpcio-1.62.2-cp37-cp37m-linux_armv7l.whl", hash = "sha256:cfd23ad29bfa13fd4188433b0e250f84ec2c8ba66b14a9877e8bce05b524cf54"}, + {file = "grpcio-1.62.2-cp37-cp37m-macosx_10_10_universal2.whl", hash = "sha256:af15e9efa4d776dfcecd1d083f3ccfb04f876d613e90ef8432432efbeeac689d"}, + {file = "grpcio-1.62.2-cp37-cp37m-manylinux_2_17_aarch64.whl", hash = "sha256:f4aa94361bb5141a45ca9187464ae81a92a2a135ce2800b2203134f7a1a1d479"}, + {file = "grpcio-1.62.2-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:82af3613a219512a28ee5c95578eb38d44dd03bca02fd918aa05603c41018051"}, + {file = "grpcio-1.62.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:55ddaf53474e8caeb29eb03e3202f9d827ad3110475a21245f3c7712022882a9"}, + {file = "grpcio-1.62.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:c79b518c56dddeec79e5500a53d8a4db90da995dfe1738c3ac57fe46348be049"}, + {file = "grpcio-1.62.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:a5eb4844e5e60bf2c446ef38c5b40d7752c6effdee882f716eb57ae87255d20a"}, + {file = "grpcio-1.62.2-cp37-cp37m-win_amd64.whl", hash = "sha256:aaae70364a2d1fb238afd6cc9fcb10442b66e397fd559d3f0968d28cc3ac929c"}, + {file = "grpcio-1.62.2-cp38-cp38-linux_armv7l.whl", hash = "sha256:1bcfe5070e4406f489e39325b76caeadab28c32bf9252d3ae960c79935a4cc36"}, + {file = "grpcio-1.62.2-cp38-cp38-macosx_10_10_universal2.whl", hash = "sha256:da6a7b6b938c15fa0f0568e482efaae9c3af31963eec2da4ff13a6d8ec2888e4"}, + {file = "grpcio-1.62.2-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:41955b641c34db7d84db8d306937b72bc4968eef1c401bea73081a8d6c3d8033"}, + {file = "grpcio-1.62.2-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c772f225483905f675cb36a025969eef9712f4698364ecd3a63093760deea1bc"}, + {file = "grpcio-1.62.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:07ce1f775d37ca18c7a141300e5b71539690efa1f51fe17f812ca85b5e73262f"}, + {file = "grpcio-1.62.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:26f415f40f4a93579fd648f48dca1c13dfacdfd0290f4a30f9b9aeb745026811"}, + {file = "grpcio-1.62.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:db707e3685ff16fc1eccad68527d072ac8bdd2e390f6daa97bc394ea7de4acea"}, + {file = "grpcio-1.62.2-cp38-cp38-win32.whl", hash = "sha256:589ea8e75de5fd6df387de53af6c9189c5231e212b9aa306b6b0d4f07520fbb9"}, + {file = "grpcio-1.62.2-cp38-cp38-win_amd64.whl", hash = "sha256:3c3ed41f4d7a3aabf0f01ecc70d6b5d00ce1800d4af652a549de3f7cf35c4abd"}, + {file = "grpcio-1.62.2-cp39-cp39-linux_armv7l.whl", hash = "sha256:162ccf61499c893831b8437120600290a99c0bc1ce7b51f2c8d21ec87ff6af8b"}, + {file = "grpcio-1.62.2-cp39-cp39-macosx_10_10_universal2.whl", hash = "sha256:f27246d7da7d7e3bd8612f63785a7b0c39a244cf14b8dd9dd2f2fab939f2d7f1"}, + {file = "grpcio-1.62.2-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:2507006c8a478f19e99b6fe36a2464696b89d40d88f34e4b709abe57e1337467"}, + {file = "grpcio-1.62.2-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a90ac47a8ce934e2c8d71e317d2f9e7e6aaceb2d199de940ce2c2eb611b8c0f4"}, + {file = "grpcio-1.62.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:99701979bcaaa7de8d5f60476487c5df8f27483624f1f7e300ff4669ee44d1f2"}, + {file = "grpcio-1.62.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:af7dc3f7a44f10863b1b0ecab4078f0a00f561aae1edbd01fd03ad4dcf61c9e9"}, + {file = "grpcio-1.62.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:fa63245271920786f4cb44dcada4983a3516be8f470924528cf658731864c14b"}, + {file = "grpcio-1.62.2-cp39-cp39-win32.whl", hash = "sha256:c6ad9c39704256ed91a1cffc1379d63f7d0278d6a0bad06b0330f5d30291e3a3"}, + {file = "grpcio-1.62.2-cp39-cp39-win_amd64.whl", hash = "sha256:16da954692fd61aa4941fbeda405a756cd96b97b5d95ca58a92547bba2c1624f"}, + {file = "grpcio-1.62.2.tar.gz", hash = "sha256:c77618071d96b7a8be2c10701a98537823b9c65ba256c0b9067e0594cdbd954d"}, ] [package.extras] -protobuf = ["grpcio-tools (>=1.62.1)"] +protobuf = ["grpcio-tools (>=1.62.2)"] [[package]] name = "grpcio-tools" -version = "1.62.1" +version = "1.62.2" description = "Protobuf code generator for gRPC" optional = false python-versions = ">=3.7" files = [ - {file = "grpcio-tools-1.62.1.tar.gz", hash = "sha256:a4991e5ee8a97ab791296d3bf7e8700b1445635cc1828cc98df945ca1802d7f2"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:f2b404bcae7e2ef9b0b9803b2a95119eb7507e6dc80ea4a64a78be052c30cebc"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:fdd987a580b4474769adfd40144486f54bcc73838d5ec5d3647a17883ea78e76"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:07af1a6442e2313cff22af93c2c4dd37ae32b5239b38e0d99e2cbf93de65429f"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:41384c9ee18e61ef20cad2774ef71bd8854b63efce263b5177aa06fccb84df1f"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5c38006f7702d2ff52122e4c77a47348709374050c76216e84b30a9f06e45afa"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:08fecc3c5b4e6dd3278f2b9d12837e423c7dcff551ca1e587018b4a0fc5f8019"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:a01e8dcd0f041f6fa6d815c54a2017d032950e310c41d514a8bc041e872c4d12"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-win32.whl", hash = "sha256:dd933b8e0b3c13fe3543d58f849a6a5e0d7987688cb6801834278378c724f695"}, - {file = "grpcio_tools-1.62.1-cp310-cp310-win_amd64.whl", hash = "sha256:2b04844a9382f1bde4b4174e476e654ab3976168d2469cb4b29e352f4f35a5aa"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:024380536ba71a96cdf736f0954f6ad03f5da609c09edbcc2ca02fdd639e0eed"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-macosx_10_10_universal2.whl", hash = "sha256:21f14b99e0cd38ad56754cc0b62b2bf3cf75f9f7fc40647da54669e0da0726fe"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:975ac5fb482c23f3608c16e06a43c8bab4d79c2e2564cdbc25cf753c6e998775"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:50739aaab0c8076ad5957204e71f2e0c9876e11fd8338f7f09de12c2d75163c5"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:598c54318f0326cf5020aa43fc95a15e933aba4a71943d3bff2677d2d21ddfa1"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:f309bdb33a61f8e049480d41498ee2e525cfb5e959958b326abfdf552bf9b9cb"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:f358effd3c11d66c150e0227f983d54a5cd30e14038566dadcf25f9f6844e6e8"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-win32.whl", hash = "sha256:b76aead9b73f1650a091870fe4e9ed15ac4d8ed136f962042367255199c23594"}, - {file = "grpcio_tools-1.62.1-cp311-cp311-win_amd64.whl", hash = "sha256:d66a5d47eaa427039752fa0a83a425ff2a487b6a0ac30556fd3be2f3a27a0130"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:575535d039b97d63e6a9abee626d6c7cd47bd8cb73dd00a5c84a98254a2164a4"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-macosx_10_10_universal2.whl", hash = "sha256:22644c90e43d1a888477899af917979e17364fdd6e9bbb92679cd6a54c4d36c3"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:156d3e1b227c16e903003a56881dbe60e40f2b4bd66f0bc3b27c53e466e6384d"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:5ad7c5691625a85327e5b683443baf73ae790fd5afc938252041ed5cd665e377"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0e140bbc08eea8abf51c0274f45fb1e8350220e64758998d7f3c7f985a0b2496"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7444fcab861911525470d398e5638b70d5cbea3b4674a3de92b5c58c5c515d4d"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:e643cd14a5d1e59865cba68a5a6f0175d987f36c5f4cb0db80dee9ed60b4c174"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-win32.whl", hash = "sha256:1344a773d2caa9bb7fbea7e879b84f33740c808c34a5bd2a2768e526117a6b44"}, - {file = "grpcio_tools-1.62.1-cp312-cp312-win_amd64.whl", hash = "sha256:2eea1db3748b2f37b4dce84d8e0c15d9bc811094807cabafe7b0ea47f424dfd5"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-linux_armv7l.whl", hash = "sha256:45d2e6cf04d27286b6f73e6e20ba3f0a1f6d8f5535e5dcb1356200419bb457f4"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-macosx_10_10_universal2.whl", hash = "sha256:46ae58e6926773e7315e9005f0f17aacedbc0895a8752bec087d24efa2f1fb21"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-manylinux_2_17_aarch64.whl", hash = "sha256:4c28086df31478023a36f45e50767872ab3aed2419afff09814cb61c88b77db4"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a4fba5b339f4797548591036c9481e6895bf920fab7d3dc664d2697f8fb7c0bf"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:23eb3d47f78f509fcd201749b1f1e44b76f447913f7fbb3b8bae20f109086295"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:fd5d47707bd6bc2b707ece765c362d2a1d2e8f6cd92b04c99fab49a929f3610c"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:d1924a6a943df7c73b9ef0048302327c75962b567451479710da729ead241228"}, - {file = "grpcio_tools-1.62.1-cp37-cp37m-win_amd64.whl", hash = "sha256:fe71ca30aabe42591e84ecb9694c0297dc699cc20c5b24d2cb267fb0fc01f947"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:1819fd055c1ae672d1d725ec75eefd1f700c18acba0ed9332202be31d69c401d"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-macosx_10_10_universal2.whl", hash = "sha256:5dbe1f7481dd14b6d477b4bace96d275090bc7636b9883975a08b802c94e7b78"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:771c051c5ece27ad03e4f2e33624a925f0ad636c01757ab7dbb04a37964af4ba"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:98209c438b38b6f1276dbc27b1c04e346a75bfaafe72a25a548f2dc5ce71d226"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2152308e5321cb90fb45aaa84d03d6dedb19735a8779aaf36c624f97b831842d"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:ed1f27dc2b2262c8b8d9036276619c1bb18791311c16ccbf1f31b660f2aad7cf"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:2744947b6c5e907af21133431809ccca535a037356864e32c122efed8cb9de1f"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-win32.whl", hash = "sha256:13b20e269d14ad629ff9a2c9a2450f3dbb119d5948de63b27ffe624fa7aea85a"}, - {file = "grpcio_tools-1.62.1-cp38-cp38-win_amd64.whl", hash = "sha256:999823758e9eacd0095863d06cd6d388be769f80c9abb65cdb11c4f2cfce3fea"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:941f8a5c31986053e75fa466bcfa743c2bf1b513b7978cf1f4ab4e96a8219d27"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-macosx_10_10_universal2.whl", hash = "sha256:b9c02c88c77ef6057c6cbeea8922d7c2424aabf46bfc40ddf42a32765ba91061"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:6abd4eb3ccb444383a40156139acc3aaa73745d395139cb6bc8e2a3429e1e627"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:449503213d142f8470b331a1c2f346f8457f16c7fe20f531bc2500e271f7c14c"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9a11bcf609d00cfc9baed77ab308223cabc1f0b22a05774a26dd4c94c0c80f1f"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:5d7bdea33354b55acf40bb4dd3ba7324d6f1ef6b4a1a4da0807591f8c7e87b9a"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:d03b645852d605f43003020e78fe6d573cae6ee6b944193e36b8b317e7549a20"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-win32.whl", hash = "sha256:52b185dfc3bf32e70929310367dbc66185afba60492a6a75a9b1141d407e160c"}, - {file = "grpcio_tools-1.62.1-cp39-cp39-win_amd64.whl", hash = "sha256:63a273b70896d3640b7a883eb4a080c3c263d91662d870a2e9c84b7bbd978e7b"}, + {file = "grpcio-tools-1.62.2.tar.gz", hash = "sha256:5fd5e1582b678e6b941ee5f5809340be5e0724691df5299aae8226640f94e18f"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-linux_armv7l.whl", hash = "sha256:1679b4903aed2dc5bd8cb22a452225b05dc8470a076f14fd703581efc0740cdb"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:9d41e0e47dd075c075bb8f103422968a65dd0d8dc8613288f573ae91eb1053ba"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:987e774f74296842bbffd55ea8826370f70c499e5b5f71a8cf3103838b6ee9c3"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:40cd4eeea4b25bcb6903b82930d579027d034ba944393c4751cdefd9c49e6989"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b6746bc823958499a3cf8963cc1de00072962fb5e629f26d658882d3f4c35095"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:2ed775e844566ce9ce089be9a81a8b928623b8ee5820f5e4d58c1a9d33dfc5ae"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:bdc5dd3f57b5368d5d661d5d3703bcaa38bceca59d25955dff66244dbc987271"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-win32.whl", hash = "sha256:3a8d6f07e64c0c7756f4e0c4781d9d5a2b9cc9cbd28f7032a6fb8d4f847d0445"}, + {file = "grpcio_tools-1.62.2-cp310-cp310-win_amd64.whl", hash = "sha256:e33b59fb3efdddeb97ded988a871710033e8638534c826567738d3edce528752"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-linux_armv7l.whl", hash = "sha256:472505d030135d73afe4143b0873efe0dcb385bd6d847553b4f3afe07679af00"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-macosx_10_10_universal2.whl", hash = "sha256:ec674b4440ef4311ac1245a709e87b36aca493ddc6850eebe0b278d1f2b6e7d1"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:184b4174d4bd82089d706e8223e46c42390a6ebac191073b9772abc77308f9fa"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c195d74fe98541178ece7a50dad2197d43991e0f77372b9a88da438be2486f12"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a34d97c62e61bfe9e6cff0410fe144ac8cca2fc979ad0be46b7edf026339d161"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:cbb8453ae83a1db2452b7fe0f4b78e4a8dd32be0f2b2b73591ae620d4d784d3d"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:4f989e5cebead3ae92c6abf6bf7b19949e1563a776aea896ac5933f143f0c45d"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-win32.whl", hash = "sha256:c48fabe40b9170f4e3d7dd2c252e4f1ff395dc24e49ac15fc724b1b6f11724da"}, + {file = "grpcio_tools-1.62.2-cp311-cp311-win_amd64.whl", hash = "sha256:8c616d0ad872e3780693fce6a3ac8ef00fc0963e6d7815ce9dcfae68ba0fc287"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-linux_armv7l.whl", hash = "sha256:10cc3321704ecd17c93cf68c99c35467a8a97ffaaed53207e9b2da6ae0308ee1"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-macosx_10_10_universal2.whl", hash = "sha256:9be84ff6d47fd61462be7523b49d7ba01adf67ce4e1447eae37721ab32464dd8"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:d82f681c9a9d933a9d8068e8e382977768e7779ddb8870fa0cf918d8250d1532"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:04c607029ae3660fb1624ed273811ffe09d57d84287d37e63b5b802a35897329"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:72b61332f1b439c14cbd3815174a8f1d35067a02047c32decd406b3a09bb9890"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8214820990d01b52845f9fbcb92d2b7384a0c321b303e3ac614c219dc7d1d3af"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:462e0ab8dd7c7b70bfd6e3195eebc177549ede5cf3189814850c76f9a340d7ce"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-win32.whl", hash = "sha256:fa107460c842e4c1a6266150881694fefd4f33baa544ea9489601810c2210ef8"}, + {file = "grpcio_tools-1.62.2-cp312-cp312-win_amd64.whl", hash = "sha256:759c60f24c33a181bbbc1232a6752f9b49fbb1583312a4917e2b389fea0fb0f2"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-linux_armv7l.whl", hash = "sha256:45db5da2bcfa88f2b86b57ef35daaae85c60bd6754a051d35d9449c959925b57"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-macosx_10_10_universal2.whl", hash = "sha256:ab84bae88597133f6ea7a2bdc57b2fda98a266fe8d8d4763652cbefd20e73ad7"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-manylinux_2_17_aarch64.whl", hash = "sha256:7a49bccae1c7d154b78e991885c3111c9ad8c8fa98e91233de425718f47c6139"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a7e439476b29d6dac363b321781a113794397afceeb97dad85349db5f1cb5e9a"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7ea369c4d1567d1acdf69c8ea74144f4ccad9e545df7f9a4fc64c94fa7684ba3"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:4f955702dc4b530696375251319d05223b729ed24e8673c2129f7a75d2caefbb"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:3708a747aa4b6b505727282ca887041174e146ae030ebcadaf4c1d346858df62"}, + {file = "grpcio_tools-1.62.2-cp37-cp37m-win_amd64.whl", hash = "sha256:2ce149ea55eadb486a7fb75a20f63ef3ac065ee6a0240ed25f3549ce7954c653"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-linux_armv7l.whl", hash = "sha256:58cbb24b3fa6ae35aa9c210fcea3a51aa5fef0cd25618eb4fd94f746d5a9b703"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-macosx_10_10_universal2.whl", hash = "sha256:6413581e14a80e0b4532577766cf0586de4dd33766a31b3eb5374a746771c07d"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:47117c8a7e861382470d0e22d336e5a91fdc5f851d1db44fa784b9acea190d87"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9f1ba79a253df9e553d20319c615fa2b429684580fa042dba618d7f6649ac7e4"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:04a394cf5e51ba9be412eb9f6c482b6270bd81016e033e8eb7d21b8cc28fe8b5"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:3c53b221378b035ae2f1881cbc3aca42a6075a8e90e1a342c2f205eb1d1aa6a1"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:c384c838b34d1b67068e51b5bbe49caa6aa3633acd158f1ab16b5da8d226bc53"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-win32.whl", hash = "sha256:19ea69e41c3565932aa28a202d1875ec56786aea46a2eab54a3b28e8a27f9517"}, + {file = "grpcio_tools-1.62.2-cp38-cp38-win_amd64.whl", hash = "sha256:1d768a5c07279a4c461ebf52d0cec1c6ca85c6291c71ec2703fe3c3e7e28e8c4"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-linux_armv7l.whl", hash = "sha256:5b07b5874187e170edfbd7aa2ca3a54ebf3b2952487653e8c0b0d83601c33035"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-macosx_10_10_universal2.whl", hash = "sha256:d58389fe8be206ddfb4fa703db1e24c956856fcb9a81da62b13577b3a8f7fda7"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:7d8b4e00c3d7237b92260fc18a561cd81f1da82e8be100db1b7d816250defc66"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1fe08d2038f2b7c53259b5c49e0ad08c8e0ce2b548d8185993e7ef67e8592cca"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:19216e1fb26dbe23d12a810517e1b3fbb8d4f98b1a3fbebeec9d93a79f092de4"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:b8574469ecc4ff41d6bb95f44e0297cdb0d95bade388552a9a444db9cd7485cd"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:4f6f32d39283ea834a493fccf0ebe9cfddee7577bdcc27736ad4be1732a36399"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-win32.whl", hash = "sha256:76eb459bdf3fb666e01883270beee18f3f11ed44488486b61cd210b4e0e17cc1"}, + {file = "grpcio_tools-1.62.2-cp39-cp39-win_amd64.whl", hash = "sha256:217c2ee6a7ce519a55958b8622e21804f6fdb774db08c322f4c9536c35fdce7c"}, ] [package.dependencies] -grpcio = ">=1.62.1" +grpcio = ">=1.62.2" protobuf = ">=4.21.6,<5.0dev" setuptools = "*" @@ -1395,13 +1489,13 @@ test = ["eth-utils (>=1.0.1,<3)", "hypothesis (>=3.44.24,<=6.31.6)", "pytest (>= [[package]] name = "identify" -version = "2.5.35" +version = "2.5.36" description = "File identification library for Python" optional = false python-versions = ">=3.8" files = [ - {file = "identify-2.5.35-py2.py3-none-any.whl", hash = "sha256:c4de0081837b211594f8e877a6b4fad7ca32bbfc1a9307fdd61c28bfe923f13e"}, - {file = "identify-2.5.35.tar.gz", hash = "sha256:10a7ca245cfcd756a554a7288159f72ff105ad233c7c4b9c6f0f4d108f5f6791"}, + {file = "identify-2.5.36-py2.py3-none-any.whl", hash = "sha256:37d93f380f4de590500d9dba7db359d0d3da95ffe7f9de1753faa159e71e7dfa"}, + {file = "identify-2.5.36.tar.gz", hash = "sha256:e5e00f54165f9047fbebeb4a560f9acfb8af4c88232be60a488e9b68d122745d"}, ] [package.extras] @@ -1409,13 +1503,13 @@ license = ["ukkonen"] [[package]] name = "idna" -version = "3.6" +version = "3.7" description = "Internationalized Domain Names in Applications (IDNA)" optional = false python-versions = ">=3.5" files = [ - {file = "idna-3.6-py3-none-any.whl", hash = "sha256:c05567e9c24a6b9faaa835c4821bad0590fbb9d5779e7caa6e1cc4978e7eb24f"}, - {file = "idna-3.6.tar.gz", hash = "sha256:9ecdbbd083b06798ae1e86adcbfe8ab1479cf864e4ee30fe4e46a003d12491ca"}, + {file = "idna-3.7-py3-none-any.whl", hash = "sha256:82fee1fc78add43492d3a1898bfa6d8a904cc97d8427f683ed8e798d07761aa0"}, + {file = "idna-3.7.tar.gz", hash = "sha256:028ff3aadf0609c1fd278d8ea3089299412a7a8b9bd005dd08b9f8285bcb5cfc"}, ] [[package]] @@ -1731,12 +1825,13 @@ files = [ [[package]] name = "parsimonious" -version = "0.9.0" +version = "0.10.0" description = "(Soon to be) the fastest pure-Python PEG parser I could muster" optional = false python-versions = "*" files = [ - {file = "parsimonious-0.9.0.tar.gz", hash = "sha256:b2ad1ae63a2f65bd78f5e0a8ac510a98f3607a43f1db2a8d46636a5d9e4a30c1"}, + {file = "parsimonious-0.10.0-py3-none-any.whl", hash = "sha256:982ab435fabe86519b57f6b35610aa4e4e977e9f02a14353edf4bbc75369fc0f"}, + {file = "parsimonious-0.10.0.tar.gz", hash = "sha256:8281600da180ec8ae35427a4ab4f7b82bfec1e3d1e52f80cb60ea82b9512501c"}, ] [package.dependencies] @@ -1755,28 +1850,29 @@ files = [ [[package]] name = "platformdirs" -version = "4.2.0" -description = "A small Python package for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." +version = "4.2.1" +description = "A small Python package for determining appropriate platform-specific dirs, e.g. a `user data dir`." optional = false python-versions = ">=3.8" files = [ - {file = "platformdirs-4.2.0-py3-none-any.whl", hash = "sha256:0614df2a2f37e1a662acbd8e2b25b92ccf8632929bc6d43467e17fe89c75e068"}, - {file = "platformdirs-4.2.0.tar.gz", hash = "sha256:ef0cc731df711022c174543cb70a9b5bd22e5a9337c8624ef2c2ceb8ddad8768"}, + {file = "platformdirs-4.2.1-py3-none-any.whl", hash = "sha256:17d5a1161b3fd67b390023cb2d3b026bbd40abde6fdb052dfbd3a29c3ba22ee1"}, + {file = "platformdirs-4.2.1.tar.gz", hash = "sha256:031cd18d4ec63ec53e82dceaac0417d218a6863f7745dfcc9efe7793b7039bdf"}, ] [package.extras] docs = ["furo (>=2023.9.10)", "proselint (>=0.13)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.25.2)"] test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)"] +type = ["mypy (>=1.8)"] [[package]] name = "pluggy" -version = "1.4.0" +version = "1.5.0" description = "plugin and hook calling mechanisms for python" optional = false python-versions = ">=3.8" files = [ - {file = "pluggy-1.4.0-py3-none-any.whl", hash = "sha256:7db9f7b503d67d1c5b95f59773ebb58a8c1c288129a88665838012cfb07b8981"}, - {file = "pluggy-1.4.0.tar.gz", hash = "sha256:8c85c2876142a764e5b7548e7d9a0e0ddb46f5185161049a79b7e974454223be"}, + {file = "pluggy-1.5.0-py3-none-any.whl", hash = "sha256:44e1ad92c8ca002de6377e165f3e0f1be63266ab4d554740532335b9d75ea669"}, + {file = "pluggy-1.5.0.tar.gz", hash = "sha256:2cffa88e94fdc978c4c574f15f9e59b7f4201d439195c3715ca9e2486f1d0cf1"}, ] [package.extras] @@ -1785,13 +1881,13 @@ testing = ["pytest", "pytest-benchmark"] [[package]] name = "pre-commit" -version = "3.6.2" +version = "3.7.0" description = "A framework for managing and maintaining multi-language pre-commit hooks." optional = false python-versions = ">=3.9" files = [ - {file = "pre_commit-3.6.2-py2.py3-none-any.whl", hash = "sha256:ba637c2d7a670c10daedc059f5c49b5bd0aadbccfcd7ec15592cf9665117532c"}, - {file = "pre_commit-3.6.2.tar.gz", hash = "sha256:c3ef34f463045c88658c5b99f38c1e297abdcc0ff13f98d3370055fbbfabc67e"}, + {file = "pre_commit-3.7.0-py2.py3-none-any.whl", hash = "sha256:5eae9e10c2b5ac51577c3452ec0a490455c45a0533f7960f993a0d01e59decab"}, + {file = "pre_commit-3.7.0.tar.gz", hash = "sha256:e209d61b8acdcf742404408531f0c37d49d2c734fd7cff2d6076083d191cb060"}, ] [package.dependencies] @@ -1834,13 +1930,13 @@ files = [ [[package]] name = "pycparser" -version = "2.21" +version = "2.22" description = "C parser in Python" optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" +python-versions = ">=3.8" files = [ - {file = "pycparser-2.21-py2.py3-none-any.whl", hash = "sha256:8ee45429555515e1f6b185e78100aea234072576aa43ab53aefcae078162fca9"}, - {file = "pycparser-2.21.tar.gz", hash = "sha256:e644fdec12f7872f86c58ff790da456218b10f863970249516d60a5eaca77206"}, + {file = "pycparser-2.22-py3-none-any.whl", hash = "sha256:c3702b6d3dd8c7abc1afa565d7e63d53a1d0bd86cdc24edd75470f4de499cfcc"}, + {file = "pycparser-2.22.tar.gz", hash = "sha256:491c8be9c040f5390f5bf44a5b07752bd07f56edf992381b05c701439eec10f6"}, ] [[package]] @@ -2090,13 +2186,13 @@ files = [ [[package]] name = "referencing" -version = "0.34.0" +version = "0.35.0" description = "JSON Referencing + Python" optional = false python-versions = ">=3.8" files = [ - {file = "referencing-0.34.0-py3-none-any.whl", hash = "sha256:d53ae300ceddd3169f1ffa9caf2cb7b769e92657e4fafb23d34b93679116dfd4"}, - {file = "referencing-0.34.0.tar.gz", hash = "sha256:5773bd84ef41799a5a8ca72dc34590c041eb01bf9aa02632b4a973fb0181a844"}, + {file = "referencing-0.35.0-py3-none-any.whl", hash = "sha256:8080727b30e364e5783152903672df9b6b091c926a146a759080b62ca3126cd6"}, + {file = "referencing-0.35.0.tar.gz", hash = "sha256:191e936b0c696d0af17ad7430a3dc68e88bc11be6514f4757dc890f04ab05889"}, ] [package.dependencies] @@ -2105,104 +2201,104 @@ rpds-py = ">=0.7.0" [[package]] name = "regex" -version = "2023.12.25" +version = "2024.4.16" description = "Alternative regular expression module, to replace re." optional = false python-versions = ">=3.7" files = [ - {file = "regex-2023.12.25-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:0694219a1d54336fd0445ea382d49d36882415c0134ee1e8332afd1529f0baa5"}, - {file = "regex-2023.12.25-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:b014333bd0217ad3d54c143de9d4b9a3ca1c5a29a6d0d554952ea071cff0f1f8"}, - {file = "regex-2023.12.25-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:d865984b3f71f6d0af64d0d88f5733521698f6c16f445bb09ce746c92c97c586"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1e0eabac536b4cc7f57a5f3d095bfa557860ab912f25965e08fe1545e2ed8b4c"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c25a8ad70e716f96e13a637802813f65d8a6760ef48672aa3502f4c24ea8b400"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a9b6d73353f777630626f403b0652055ebfe8ff142a44ec2cf18ae470395766e"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a9cc99d6946d750eb75827cb53c4371b8b0fe89c733a94b1573c9dd16ea6c9e4"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:88d1f7bef20c721359d8675f7d9f8e414ec5003d8f642fdfd8087777ff7f94b5"}, - {file = "regex-2023.12.25-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cb3fe77aec8f1995611f966d0c656fdce398317f850d0e6e7aebdfe61f40e1cd"}, - {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:7aa47c2e9ea33a4a2a05f40fcd3ea36d73853a2aae7b4feab6fc85f8bf2c9704"}, - {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:df26481f0c7a3f8739fecb3e81bc9da3fcfae34d6c094563b9d4670b047312e1"}, - {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:c40281f7d70baf6e0db0c2f7472b31609f5bc2748fe7275ea65a0b4601d9b392"}, - {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:d94a1db462d5690ebf6ae86d11c5e420042b9898af5dcf278bd97d6bda065423"}, - {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:ba1b30765a55acf15dce3f364e4928b80858fa8f979ad41f862358939bdd1f2f"}, - {file = "regex-2023.12.25-cp310-cp310-win32.whl", hash = "sha256:150c39f5b964e4d7dba46a7962a088fbc91f06e606f023ce57bb347a3b2d4630"}, - {file = "regex-2023.12.25-cp310-cp310-win_amd64.whl", hash = "sha256:09da66917262d9481c719599116c7dc0c321ffcec4b1f510c4f8a066f8768105"}, - {file = "regex-2023.12.25-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:1b9d811f72210fa9306aeb88385b8f8bcef0dfbf3873410413c00aa94c56c2b6"}, - {file = "regex-2023.12.25-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:d902a43085a308cef32c0d3aea962524b725403fd9373dea18110904003bac97"}, - {file = "regex-2023.12.25-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:d166eafc19f4718df38887b2bbe1467a4f74a9830e8605089ea7a30dd4da8887"}, - {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c7ad32824b7f02bb3c9f80306d405a1d9b7bb89362d68b3c5a9be53836caebdb"}, - {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:636ba0a77de609d6510235b7f0e77ec494d2657108f777e8765efc060094c98c"}, - {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:0fda75704357805eb953a3ee15a2b240694a9a514548cd49b3c5124b4e2ad01b"}, - {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f72cbae7f6b01591f90814250e636065850c5926751af02bb48da94dfced7baa"}, - {file = "regex-2023.12.25-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:db2a0b1857f18b11e3b0e54ddfefc96af46b0896fb678c85f63fb8c37518b3e7"}, - {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:7502534e55c7c36c0978c91ba6f61703faf7ce733715ca48f499d3dbbd7657e0"}, - {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:e8c7e08bb566de4faaf11984af13f6bcf6a08f327b13631d41d62592681d24fe"}, - {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:283fc8eed679758de38fe493b7d7d84a198b558942b03f017b1f94dda8efae80"}, - {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:f44dd4d68697559d007462b0a3a1d9acd61d97072b71f6d1968daef26bc744bd"}, - {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:67d3ccfc590e5e7197750fcb3a2915b416a53e2de847a728cfa60141054123d4"}, - {file = "regex-2023.12.25-cp311-cp311-win32.whl", hash = "sha256:68191f80a9bad283432385961d9efe09d783bcd36ed35a60fb1ff3f1ec2efe87"}, - {file = "regex-2023.12.25-cp311-cp311-win_amd64.whl", hash = "sha256:7d2af3f6b8419661a0c421584cfe8aaec1c0e435ce7e47ee2a97e344b98f794f"}, - {file = "regex-2023.12.25-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8a0ccf52bb37d1a700375a6b395bff5dd15c50acb745f7db30415bae3c2b0715"}, - {file = "regex-2023.12.25-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:c3c4a78615b7762740531c27cf46e2f388d8d727d0c0c739e72048beb26c8a9d"}, - {file = "regex-2023.12.25-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:ad83e7545b4ab69216cef4cc47e344d19622e28aabec61574b20257c65466d6a"}, - {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b7a635871143661feccce3979e1727c4e094f2bdfd3ec4b90dfd4f16f571a87a"}, - {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d498eea3f581fbe1b34b59c697512a8baef88212f92e4c7830fcc1499f5b45a5"}, - {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:43f7cd5754d02a56ae4ebb91b33461dc67be8e3e0153f593c509e21d219c5060"}, - {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:51f4b32f793812714fd5307222a7f77e739b9bc566dc94a18126aba3b92b98a3"}, - {file = "regex-2023.12.25-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ba99d8077424501b9616b43a2d208095746fb1284fc5ba490139651f971d39d9"}, - {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4bfc2b16e3ba8850e0e262467275dd4d62f0d045e0e9eda2bc65078c0110a11f"}, - {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8c2c19dae8a3eb0ea45a8448356ed561be843b13cbc34b840922ddf565498c1c"}, - {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:60080bb3d8617d96f0fb7e19796384cc2467447ef1c491694850ebd3670bc457"}, - {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:b77e27b79448e34c2c51c09836033056a0547aa360c45eeeb67803da7b0eedaf"}, - {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:518440c991f514331f4850a63560321f833979d145d7d81186dbe2f19e27ae3d"}, - {file = "regex-2023.12.25-cp312-cp312-win32.whl", hash = "sha256:e2610e9406d3b0073636a3a2e80db05a02f0c3169b5632022b4e81c0364bcda5"}, - {file = "regex-2023.12.25-cp312-cp312-win_amd64.whl", hash = "sha256:cc37b9aeebab425f11f27e5e9e6cf580be7206c6582a64467a14dda211abc232"}, - {file = "regex-2023.12.25-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:da695d75ac97cb1cd725adac136d25ca687da4536154cdc2815f576e4da11c69"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d126361607b33c4eb7b36debc173bf25d7805847346dd4d99b5499e1fef52bc7"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4719bb05094d7d8563a450cf8738d2e1061420f79cfcc1fa7f0a44744c4d8f73"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5dd58946bce44b53b06d94aa95560d0b243eb2fe64227cba50017a8d8b3cd3e2"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:22a86d9fff2009302c440b9d799ef2fe322416d2d58fc124b926aa89365ec482"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2aae8101919e8aa05ecfe6322b278f41ce2994c4a430303c4cd163fef746e04f"}, - {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:e692296c4cc2873967771345a876bcfc1c547e8dd695c6b89342488b0ea55cd8"}, - {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:263ef5cc10979837f243950637fffb06e8daed7f1ac1e39d5910fd29929e489a"}, - {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:d6f7e255e5fa94642a0724e35406e6cb7001c09d476ab5fce002f652b36d0c39"}, - {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:88ad44e220e22b63b0f8f81f007e8abbb92874d8ced66f32571ef8beb0643b2b"}, - {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:3a17d3ede18f9cedcbe23d2daa8a2cd6f59fe2bf082c567e43083bba3fb00347"}, - {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:d15b274f9e15b1a0b7a45d2ac86d1f634d983ca40d6b886721626c47a400bf39"}, - {file = "regex-2023.12.25-cp37-cp37m-win32.whl", hash = "sha256:ed19b3a05ae0c97dd8f75a5d8f21f7723a8c33bbc555da6bbe1f96c470139d3c"}, - {file = "regex-2023.12.25-cp37-cp37m-win_amd64.whl", hash = "sha256:a6d1047952c0b8104a1d371f88f4ab62e6275567d4458c1e26e9627ad489b445"}, - {file = "regex-2023.12.25-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:b43523d7bc2abd757119dbfb38af91b5735eea45537ec6ec3a5ec3f9562a1c53"}, - {file = "regex-2023.12.25-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:efb2d82f33b2212898f1659fb1c2e9ac30493ac41e4d53123da374c3b5541e64"}, - {file = "regex-2023.12.25-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:b7fca9205b59c1a3d5031f7e64ed627a1074730a51c2a80e97653e3e9fa0d415"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:086dd15e9435b393ae06f96ab69ab2d333f5d65cbe65ca5a3ef0ec9564dfe770"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e81469f7d01efed9b53740aedd26085f20d49da65f9c1f41e822a33992cb1590"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:34e4af5b27232f68042aa40a91c3b9bb4da0eeb31b7632e0091afc4310afe6cb"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9852b76ab558e45b20bf1893b59af64a28bd3820b0c2efc80e0a70a4a3ea51c1"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ff100b203092af77d1a5a7abe085b3506b7eaaf9abf65b73b7d6905b6cb76988"}, - {file = "regex-2023.12.25-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cc038b2d8b1470364b1888a98fd22d616fba2b6309c5b5f181ad4483e0017861"}, - {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:094ba386bb5c01e54e14434d4caabf6583334090865b23ef58e0424a6286d3dc"}, - {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:5cd05d0f57846d8ba4b71d9c00f6f37d6b97d5e5ef8b3c3840426a475c8f70f4"}, - {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:9aa1a67bbf0f957bbe096375887b2505f5d8ae16bf04488e8b0f334c36e31360"}, - {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:98a2636994f943b871786c9e82bfe7883ecdaba2ef5df54e1450fa9869d1f756"}, - {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:37f8e93a81fc5e5bd8db7e10e62dc64261bcd88f8d7e6640aaebe9bc180d9ce2"}, - {file = "regex-2023.12.25-cp38-cp38-win32.whl", hash = "sha256:d78bd484930c1da2b9679290a41cdb25cc127d783768a0369d6b449e72f88beb"}, - {file = "regex-2023.12.25-cp38-cp38-win_amd64.whl", hash = "sha256:b521dcecebc5b978b447f0f69b5b7f3840eac454862270406a39837ffae4e697"}, - {file = "regex-2023.12.25-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:f7bc09bc9c29ebead055bcba136a67378f03d66bf359e87d0f7c759d6d4ffa31"}, - {file = "regex-2023.12.25-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:e14b73607d6231f3cc4622809c196b540a6a44e903bcfad940779c80dffa7be7"}, - {file = "regex-2023.12.25-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:9eda5f7a50141291beda3edd00abc2d4a5b16c29c92daf8d5bd76934150f3edc"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cc6bb9aa69aacf0f6032c307da718f61a40cf970849e471254e0e91c56ffca95"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:298dc6354d414bc921581be85695d18912bea163a8b23cac9a2562bbcd5088b1"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2f4e475a80ecbd15896a976aa0b386c5525d0ed34d5c600b6d3ebac0a67c7ddf"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:531ac6cf22b53e0696f8e1d56ce2396311254eb806111ddd3922c9d937151dae"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:22f3470f7524b6da61e2020672df2f3063676aff444db1daa283c2ea4ed259d6"}, - {file = "regex-2023.12.25-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:89723d2112697feaa320c9d351e5f5e7b841e83f8b143dba8e2d2b5f04e10923"}, - {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:0ecf44ddf9171cd7566ef1768047f6e66975788258b1c6c6ca78098b95cf9a3d"}, - {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:905466ad1702ed4acfd67a902af50b8db1feeb9781436372261808df7a2a7bca"}, - {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:4558410b7a5607a645e9804a3e9dd509af12fb72b9825b13791a37cd417d73a5"}, - {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:7e316026cc1095f2a3e8cc012822c99f413b702eaa2ca5408a513609488cb62f"}, - {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3b1de218d5375cd6ac4b5493e0b9f3df2be331e86520f23382f216c137913d20"}, - {file = "regex-2023.12.25-cp39-cp39-win32.whl", hash = "sha256:11a963f8e25ab5c61348d090bf1b07f1953929c13bd2309a0662e9ff680763c9"}, - {file = "regex-2023.12.25-cp39-cp39-win_amd64.whl", hash = "sha256:e693e233ac92ba83a87024e1d32b5f9ab15ca55ddd916d878146f4e3406b5c91"}, - {file = "regex-2023.12.25.tar.gz", hash = "sha256:29171aa128da69afdf4bde412d5bedc335f2ca8fcfe4489038577d05f16181e5"}, + {file = "regex-2024.4.16-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:fb83cc090eac63c006871fd24db5e30a1f282faa46328572661c0a24a2323a08"}, + {file = "regex-2024.4.16-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8c91e1763696c0eb66340c4df98623c2d4e77d0746b8f8f2bee2c6883fd1fe18"}, + {file = "regex-2024.4.16-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:10188fe732dec829c7acca7422cdd1bf57d853c7199d5a9e96bb4d40db239c73"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:956b58d692f235cfbf5b4f3abd6d99bf102f161ccfe20d2fd0904f51c72c4c66"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a70b51f55fd954d1f194271695821dd62054d949efd6368d8be64edd37f55c86"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5c02fcd2bf45162280613d2e4a1ca3ac558ff921ae4e308ecb307650d3a6ee51"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4ed75ea6892a56896d78f11006161eea52c45a14994794bcfa1654430984b22"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bd727ad276bb91928879f3aa6396c9a1d34e5e180dce40578421a691eeb77f47"}, + {file = "regex-2024.4.16-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:7cbc5d9e8a1781e7be17da67b92580d6ce4dcef5819c1b1b89f49d9678cc278c"}, + {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:78fddb22b9ef810b63ef341c9fcf6455232d97cfe03938cbc29e2672c436670e"}, + {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:445ca8d3c5a01309633a0c9db57150312a181146315693273e35d936472df912"}, + {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:95399831a206211d6bc40224af1c635cb8790ddd5c7493e0bd03b85711076a53"}, + {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:7731728b6568fc286d86745f27f07266de49603a6fdc4d19c87e8c247be452af"}, + {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:4facc913e10bdba42ec0aee76d029aedda628161a7ce4116b16680a0413f658a"}, + {file = "regex-2024.4.16-cp310-cp310-win32.whl", hash = "sha256:911742856ce98d879acbea33fcc03c1d8dc1106234c5e7d068932c945db209c0"}, + {file = "regex-2024.4.16-cp310-cp310-win_amd64.whl", hash = "sha256:e0a2df336d1135a0b3a67f3bbf78a75f69562c1199ed9935372b82215cddd6e2"}, + {file = "regex-2024.4.16-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:1210365faba7c2150451eb78ec5687871c796b0f1fa701bfd2a4a25420482d26"}, + {file = "regex-2024.4.16-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:9ab40412f8cd6f615bfedea40c8bf0407d41bf83b96f6fc9ff34976d6b7037fd"}, + {file = "regex-2024.4.16-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:fd80d1280d473500d8086d104962a82d77bfbf2b118053824b7be28cd5a79ea5"}, + {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:7bb966fdd9217e53abf824f437a5a2d643a38d4fd5fd0ca711b9da683d452969"}, + {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:20b7a68444f536365af42a75ccecb7ab41a896a04acf58432db9e206f4e525d6"}, + {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b74586dd0b039c62416034f811d7ee62810174bb70dffcca6439f5236249eb09"}, + {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0c8290b44d8b0af4e77048646c10c6e3aa583c1ca67f3b5ffb6e06cf0c6f0f89"}, + {file = "regex-2024.4.16-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:f2d80a6749724b37853ece57988b39c4e79d2b5fe2869a86e8aeae3bbeef9eb0"}, + {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:3a1018e97aeb24e4f939afcd88211ace472ba566efc5bdf53fd8fd7f41fa7170"}, + {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:8d015604ee6204e76569d2f44e5a210728fa917115bef0d102f4107e622b08d5"}, + {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:3d5ac5234fb5053850d79dd8eb1015cb0d7d9ed951fa37aa9e6249a19aa4f336"}, + {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:0a38d151e2cdd66d16dab550c22f9521ba79761423b87c01dae0a6e9add79c0d"}, + {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:159dc4e59a159cb8e4e8f8961eb1fa5d58f93cb1acd1701d8aff38d45e1a84a6"}, + {file = "regex-2024.4.16-cp311-cp311-win32.whl", hash = "sha256:ba2336d6548dee3117520545cfe44dc28a250aa091f8281d28804aa8d707d93d"}, + {file = "regex-2024.4.16-cp311-cp311-win_amd64.whl", hash = "sha256:8f83b6fd3dc3ba94d2b22717f9c8b8512354fd95221ac661784df2769ea9bba9"}, + {file = "regex-2024.4.16-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:80b696e8972b81edf0af2a259e1b2a4a661f818fae22e5fa4fa1a995fb4a40fd"}, + {file = "regex-2024.4.16-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:d61ae114d2a2311f61d90c2ef1358518e8f05eafda76eaf9c772a077e0b465ec"}, + {file = "regex-2024.4.16-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:8ba6745440b9a27336443b0c285d705ce73adb9ec90e2f2004c64d95ab5a7598"}, + {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6295004b2dd37b0835ea5c14a33e00e8cfa3c4add4d587b77287825f3418d310"}, + {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4aba818dcc7263852aabb172ec27b71d2abca02a593b95fa79351b2774eb1d2b"}, + {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d0800631e565c47520aaa04ae38b96abc5196fe8b4aa9bd864445bd2b5848a7a"}, + {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:08dea89f859c3df48a440dbdcd7b7155bc675f2fa2ec8c521d02dc69e877db70"}, + {file = "regex-2024.4.16-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:eeaa0b5328b785abc344acc6241cffde50dc394a0644a968add75fcefe15b9d4"}, + {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4e819a806420bc010489f4e741b3036071aba209f2e0989d4750b08b12a9343f"}, + {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:c2d0e7cbb6341e830adcbfa2479fdeebbfbb328f11edd6b5675674e7a1e37730"}, + {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:91797b98f5e34b6a49f54be33f72e2fb658018ae532be2f79f7c63b4ae225145"}, + {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:d2da13568eff02b30fd54fccd1e042a70fe920d816616fda4bf54ec705668d81"}, + {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:370c68dc5570b394cbaadff50e64d705f64debed30573e5c313c360689b6aadc"}, + {file = "regex-2024.4.16-cp312-cp312-win32.whl", hash = "sha256:904c883cf10a975b02ab3478bce652f0f5346a2c28d0a8521d97bb23c323cc8b"}, + {file = "regex-2024.4.16-cp312-cp312-win_amd64.whl", hash = "sha256:785c071c982dce54d44ea0b79cd6dfafddeccdd98cfa5f7b86ef69b381b457d9"}, + {file = "regex-2024.4.16-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:e2f142b45c6fed48166faeb4303b4b58c9fcd827da63f4cf0a123c3480ae11fb"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e87ab229332ceb127a165612d839ab87795972102cb9830e5f12b8c9a5c1b508"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:81500ed5af2090b4a9157a59dbc89873a25c33db1bb9a8cf123837dcc9765047"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b340cccad138ecb363324aa26893963dcabb02bb25e440ebdf42e30963f1a4e0"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2c72608e70f053643437bd2be0608f7f1c46d4022e4104d76826f0839199347a"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a01fe2305e6232ef3e8f40bfc0f0f3a04def9aab514910fa4203bafbc0bb4682"}, + {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:03576e3a423d19dda13e55598f0fd507b5d660d42c51b02df4e0d97824fdcae3"}, + {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:549c3584993772e25f02d0656ac48abdda73169fe347263948cf2b1cead622f3"}, + {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:34422d5a69a60b7e9a07a690094e824b66f5ddc662a5fc600d65b7c174a05f04"}, + {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:5f580c651a72b75c39e311343fe6875d6f58cf51c471a97f15a938d9fe4e0d37"}, + {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:3399dd8a7495bbb2bacd59b84840eef9057826c664472e86c91d675d007137f5"}, + {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:8d1f86f3f4e2388aa3310b50694ac44daefbd1681def26b4519bd050a398dc5a"}, + {file = "regex-2024.4.16-cp37-cp37m-win32.whl", hash = "sha256:dd5acc0a7d38fdc7a3a6fd3ad14c880819008ecb3379626e56b163165162cc46"}, + {file = "regex-2024.4.16-cp37-cp37m-win_amd64.whl", hash = "sha256:ba8122e3bb94ecda29a8de4cf889f600171424ea586847aa92c334772d200331"}, + {file = "regex-2024.4.16-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:743deffdf3b3481da32e8a96887e2aa945ec6685af1cfe2bcc292638c9ba2f48"}, + {file = "regex-2024.4.16-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:7571f19f4a3fd00af9341c7801d1ad1967fc9c3f5e62402683047e7166b9f2b4"}, + {file = "regex-2024.4.16-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:df79012ebf6f4efb8d307b1328226aef24ca446b3ff8d0e30202d7ebcb977a8c"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e757d475953269fbf4b441207bb7dbdd1c43180711b6208e129b637792ac0b93"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4313ab9bf6a81206c8ac28fdfcddc0435299dc88cad12cc6305fd0e78b81f9e4"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d83c2bc678453646f1a18f8db1e927a2d3f4935031b9ad8a76e56760461105dd"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9df1bfef97db938469ef0a7354b2d591a2d438bc497b2c489471bec0e6baf7c4"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:62120ed0de69b3649cc68e2965376048793f466c5a6c4370fb27c16c1beac22d"}, + {file = "regex-2024.4.16-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:c2ef6f7990b6e8758fe48ad08f7e2f66c8f11dc66e24093304b87cae9037bb4a"}, + {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:8fc6976a3395fe4d1fbeb984adaa8ec652a1e12f36b56ec8c236e5117b585427"}, + {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:03e68f44340528111067cecf12721c3df4811c67268b897fbe695c95f860ac42"}, + {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:ec7e0043b91115f427998febaa2beb82c82df708168b35ece3accb610b91fac1"}, + {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:c21fc21a4c7480479d12fd8e679b699f744f76bb05f53a1d14182b31f55aac76"}, + {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:12f6a3f2f58bb7344751919a1876ee1b976fe08b9ffccb4bbea66f26af6017b9"}, + {file = "regex-2024.4.16-cp38-cp38-win32.whl", hash = "sha256:479595a4fbe9ed8f8f72c59717e8cf222da2e4c07b6ae5b65411e6302af9708e"}, + {file = "regex-2024.4.16-cp38-cp38-win_amd64.whl", hash = "sha256:0534b034fba6101611968fae8e856c1698da97ce2efb5c2b895fc8b9e23a5834"}, + {file = "regex-2024.4.16-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:a7ccdd1c4a3472a7533b0a7aa9ee34c9a2bef859ba86deec07aff2ad7e0c3b94"}, + {file = "regex-2024.4.16-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6f2f017c5be19984fbbf55f8af6caba25e62c71293213f044da3ada7091a4455"}, + {file = "regex-2024.4.16-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:803b8905b52de78b173d3c1e83df0efb929621e7b7c5766c0843704d5332682f"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:684008ec44ad275832a5a152f6e764bbe1914bea10968017b6feaecdad5736e0"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:65436dce9fdc0aeeb0a0effe0839cb3d6a05f45aa45a4d9f9c60989beca78b9c"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ea355eb43b11764cf799dda62c658c4d2fdb16af41f59bb1ccfec517b60bcb07"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:98c1165f3809ce7774f05cb74e5408cd3aa93ee8573ae959a97a53db3ca3180d"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:cccc79a9be9b64c881f18305a7c715ba199e471a3973faeb7ba84172abb3f317"}, + {file = "regex-2024.4.16-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:00169caa125f35d1bca6045d65a662af0202704489fada95346cfa092ec23f39"}, + {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:6cc38067209354e16c5609b66285af17a2863a47585bcf75285cab33d4c3b8df"}, + {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:23cff1b267038501b179ccbbd74a821ac4a7192a1852d1d558e562b507d46013"}, + {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:b9d320b3bf82a39f248769fc7f188e00f93526cc0fe739cfa197868633d44701"}, + {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:89ec7f2c08937421bbbb8b48c54096fa4f88347946d4747021ad85f1b3021b3c"}, + {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:4918fd5f8b43aa7ec031e0fef1ee02deb80b6afd49c85f0790be1dc4ce34cb50"}, + {file = "regex-2024.4.16-cp39-cp39-win32.whl", hash = "sha256:684e52023aec43bdf0250e843e1fdd6febbe831bd9d52da72333fa201aaa2335"}, + {file = "regex-2024.4.16-cp39-cp39-win_amd64.whl", hash = "sha256:e697e1c0238133589e00c244a8b676bc2cfc3ab4961318d902040d099fec7483"}, + {file = "regex-2024.4.16.tar.gz", hash = "sha256:fa454d26f2e87ad661c4f0c5a5fe4cf6aab1e307d1b94f16ffdfcb089ba685c0"}, ] [[package]] @@ -2228,41 +2324,39 @@ use-chardet-on-py3 = ["chardet (>=3.0.2,<6)"] [[package]] name = "requests-mock" -version = "1.11.0" +version = "1.12.1" description = "Mock out responses from the requests package" optional = false -python-versions = "*" +python-versions = ">=3.5" files = [ - {file = "requests-mock-1.11.0.tar.gz", hash = "sha256:ef10b572b489a5f28e09b708697208c4a3b2b89ef80a9f01584340ea357ec3c4"}, - {file = "requests_mock-1.11.0-py2.py3-none-any.whl", hash = "sha256:f7fae383f228633f6bececebdab236c478ace2284d6292c6e7e2867b9ab74d15"}, + {file = "requests-mock-1.12.1.tar.gz", hash = "sha256:e9e12e333b525156e82a3c852f22016b9158220d2f47454de9cae8a77d371401"}, + {file = "requests_mock-1.12.1-py2.py3-none-any.whl", hash = "sha256:b1e37054004cdd5e56c84454cc7df12b25f90f382159087f4b6915aaeef39563"}, ] [package.dependencies] -requests = ">=2.3,<3" -six = "*" +requests = ">=2.22,<3" [package.extras] fixture = ["fixtures"] -test = ["fixtures", "mock", "purl", "pytest", "requests-futures", "sphinx", "testtools"] [[package]] name = "rlp" -version = "4.0.0" +version = "4.0.1" description = "rlp: A package for Recursive Length Prefix encoding and decoding" optional = false -python-versions = ">=3.8, <4" +python-versions = "<4,>=3.8" files = [ - {file = "rlp-4.0.0-py3-none-any.whl", hash = "sha256:1747fd933e054e6d25abfe591be92e19a4193a56c93981c05bd0f84dfe279f14"}, - {file = "rlp-4.0.0.tar.gz", hash = "sha256:61a5541f86e4684ab145cb849a5929d2ced8222930a570b3941cf4af16b72a78"}, + {file = "rlp-4.0.1-py3-none-any.whl", hash = "sha256:ff6846c3c27b97ee0492373aa074a7c3046aadd973320f4fffa7ac45564b0258"}, + {file = "rlp-4.0.1.tar.gz", hash = "sha256:bcefb11013dfadf8902642337923bd0c786dc8a27cb4c21da6e154e52869ecb1"}, ] [package.dependencies] eth-utils = ">=2" [package.extras] -dev = ["build (>=0.9.0)", "bumpversion (>=0.5.3)", "hypothesis (==5.19.0)", "ipython", "pre-commit (>=3.4.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)", "sphinx (>=6.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] -docs = ["sphinx (>=6.0.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)"] -rust-backend = ["rusty-rlp (>=0.2.1,<0.3)"] +dev = ["build (>=0.9.0)", "bumpversion (>=0.5.3)", "hypothesis (==5.19.0)", "ipython", "pre-commit (>=3.4.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)", "sphinx (>=6.0.0)", "sphinx-autobuild (>=2021.3.14)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=4.0.0)", "twine", "wheel"] +docs = ["sphinx (>=6.0.0)", "sphinx-autobuild (>=2021.3.14)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)"] +rust-backend = ["rusty-rlp (>=0.2.1)"] test = ["hypothesis (==5.19.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] @@ -2385,18 +2479,18 @@ files = [ [[package]] name = "setuptools" -version = "69.2.0" +version = "69.5.1" description = "Easily download, build, install, upgrade, and uninstall Python packages" optional = false python-versions = ">=3.8" files = [ - {file = "setuptools-69.2.0-py3-none-any.whl", hash = "sha256:c21c49fb1042386df081cb5d86759792ab89efca84cf114889191cd09aacc80c"}, - {file = "setuptools-69.2.0.tar.gz", hash = "sha256:0ff4183f8f42cd8fa3acea16c45205521a4ef28f73c6391d8a25e92893134f2e"}, + {file = "setuptools-69.5.1-py3-none-any.whl", hash = "sha256:c636ac361bc47580504644275c9ad802c50415c7522212252c033bd15f301f32"}, + {file = "setuptools-69.5.1.tar.gz", hash = "sha256:6c1fccdac05a97e598fb0ae3bbed5904ccb317337a51139dcd51453611bbb987"}, ] [package.extras] -docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "rst.linker (>=1.9)", "sphinx (<7.2.5)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] -testing = ["build[virtualenv]", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.9)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "mypy (==1.9)", "packaging (>=23.2)", "pip (>=19.1)", "pytest (>=6)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy (>=0.9.1)", "pytest-perf", "pytest-ruff (>=0.2.1)", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] +testing = ["build[virtualenv]", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.9)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "mypy (==1.9)", "packaging (>=23.2)", "pip (>=19.1)", "pytest (>=6,!=8.1.1)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (>=0.2.1)", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] testing-integration = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "packaging (>=23.2)", "pytest", "pytest-enabler", "pytest-xdist", "tomli", "virtualenv (>=13.0.0)", "wheel"] [[package]] @@ -2445,41 +2539,40 @@ files = [ [[package]] name = "typing-extensions" -version = "4.10.0" +version = "4.11.0" description = "Backported and Experimental Type Hints for Python 3.8+" optional = false python-versions = ">=3.8" files = [ - {file = "typing_extensions-4.10.0-py3-none-any.whl", hash = "sha256:69b1a937c3a517342112fb4c6df7e72fc39a38e7891a5730ed4985b5214b5475"}, - {file = "typing_extensions-4.10.0.tar.gz", hash = "sha256:b0abd7c89e8fb96f98db18d86106ff1d90ab692004eb746cf6eda2682f91b3cb"}, + {file = "typing_extensions-4.11.0-py3-none-any.whl", hash = "sha256:c1f94d72897edaf4ce775bb7558d5b79d8126906a14ea5ed1635921406c0387a"}, + {file = "typing_extensions-4.11.0.tar.gz", hash = "sha256:83f085bd5ca59c80295fc2a82ab5dac679cbe02b9f33f7d83af68e241bea51b0"}, ] [[package]] name = "urllib3" -version = "2.2.1" +version = "1.26.18" description = "HTTP library with thread-safe connection pooling, file post, and more." optional = false -python-versions = ">=3.8" +python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*" files = [ - {file = "urllib3-2.2.1-py3-none-any.whl", hash = "sha256:450b20ec296a467077128bff42b73080516e71b56ff59a60a02bef2232c4fa9d"}, - {file = "urllib3-2.2.1.tar.gz", hash = "sha256:d0570876c61ab9e520d776c38acbbb5b05a776d3f9ff98a5c8fd5162a444cf19"}, + {file = "urllib3-1.26.18-py2.py3-none-any.whl", hash = "sha256:34b97092d7e0a3a8cf7cd10e386f401b3737364026c45e622aa02903dffe0f07"}, + {file = "urllib3-1.26.18.tar.gz", hash = "sha256:f8ecc1bba5667413457c529ab955bf8c67b45db799d159066261719e328580a0"}, ] [package.extras] -brotli = ["brotli (>=1.0.9)", "brotlicffi (>=0.8.0)"] -h2 = ["h2 (>=4,<5)"] -socks = ["pysocks (>=1.5.6,!=1.5.7,<2.0)"] -zstd = ["zstandard (>=0.18.0)"] +brotli = ["brotli (==1.0.9)", "brotli (>=1.0.9)", "brotlicffi (>=0.8.0)", "brotlipy (>=0.6.0)"] +secure = ["certifi", "cryptography (>=1.3.4)", "idna (>=2.0.0)", "ipaddress", "pyOpenSSL (>=0.14)", "urllib3-secure-extra"] +socks = ["PySocks (>=1.5.6,!=1.5.7,<2.0)"] [[package]] name = "virtualenv" -version = "20.25.1" +version = "20.26.0" description = "Virtual Python Environment builder" optional = false python-versions = ">=3.7" files = [ - {file = "virtualenv-20.25.1-py3-none-any.whl", hash = "sha256:961c026ac520bac5f69acb8ea063e8a4f071bcc9457b9c1f28f6b085c511583a"}, - {file = "virtualenv-20.25.1.tar.gz", hash = "sha256:e08e13ecdca7a0bd53798f356d5831434afa5b07b93f0abdf0797b7a06ffe197"}, + {file = "virtualenv-20.26.0-py3-none-any.whl", hash = "sha256:0846377ea76e818daaa3e00a4365c018bc3ac9760cbb3544de542885aad61fb3"}, + {file = "virtualenv-20.26.0.tar.gz", hash = "sha256:ec25a9671a5102c8d2657f62792a27b48f016664c6873f6beed3800008577210"}, ] [package.dependencies] @@ -2488,26 +2581,26 @@ filelock = ">=3.12.2,<4" platformdirs = ">=3.9.1,<5" [package.extras] -docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.2)", "sphinx-argparse (>=0.4)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] +docs = ["furo (>=2023.7.26)", "proselint (>=0.13)", "sphinx (>=7.1.2,!=7.3)", "sphinx-argparse (>=0.4)", "sphinxcontrib-towncrier (>=0.2.1a0)", "towncrier (>=23.6)"] test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess (>=1)", "flaky (>=3.7)", "packaging (>=23.1)", "pytest (>=7.4)", "pytest-env (>=0.8.2)", "pytest-freezer (>=0.4.8)", "pytest-mock (>=3.11.1)", "pytest-randomly (>=3.12)", "pytest-timeout (>=2.1)", "setuptools (>=68)", "time-machine (>=2.10)"] [[package]] name = "web3" -version = "6.15.1" +version = "6.17.2" description = "web3.py" optional = false python-versions = ">=3.7.2" files = [ - {file = "web3-6.15.1-py3-none-any.whl", hash = "sha256:4e4a8313aa4556ecde61c852a62405b853b667498b07da6ff05c29fe8c79096b"}, - {file = "web3-6.15.1.tar.gz", hash = "sha256:f9e7eefc1b3c3d194868a4ef9583b625c18ea3f31a48ebe143183db74898f381"}, + {file = "web3-6.17.2-py3-none-any.whl", hash = "sha256:ad859e805c8e56bc8497270e1291c6bf5e7ebbdbc7a23fb0882ba1eed29e64e3"}, + {file = "web3-6.17.2.tar.gz", hash = "sha256:8ed8b7184eba5b00d0849efb95c8ec6f3220aa8886e740182bb1e4f1247cca3e"}, ] [package.dependencies] aiohttp = ">=3.7.4.post0" eth-abi = ">=4.0.0" -eth-account = ">=0.8.0" +eth-account = ">=0.8.0,<0.13" eth-hash = {version = ">=0.5.1", extras = ["pycryptodome"]} -eth-typing = ">=3.0.0" +eth-typing = ">=3.0.0,<4.2.0 || >4.2.0" eth-utils = ">=2.1.0" hexbytes = ">=0.1.0,<0.4.0" jsonschema = ">=4.0.0" @@ -2520,11 +2613,10 @@ typing-extensions = ">=4.0.1" websockets = ">=10.0.0" [package.extras] -dev = ["black (>=22.1.0)", "build (>=0.9.0)", "bumpversion", "eth-tester[py-evm] (==v0.9.1-b.2)", "flake8 (==3.8.3)", "flaky (>=3.7.0)", "hypothesis (>=3.31.2)", "importlib-metadata (<5.0)", "ipfshttpclient (==0.8.0a2)", "isort (>=5.11.0)", "mypy (==1.4.1)", "py-geth (>=3.14.0)", "pytest (>=7.0.0)", "pytest-asyncio (>=0.18.1,<0.23)", "pytest-mock (>=1.10)", "pytest-watch (>=4.2)", "pytest-xdist (>=1.29)", "setuptools (>=38.6.0)", "sphinx (>=5.3.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=3.18.0)", "tqdm (>4.32)", "twine (>=1.13)", "types-protobuf (==3.19.13)", "types-requests (>=2.26.1)", "types-setuptools (>=57.4.4)", "when-changed (>=0.3.0)"] +dev = ["build (>=0.9.0)", "bumpversion", "eth-tester[py-evm] (>=0.11.0b1,<0.12.0b1)", "eth-tester[py-evm] (>=0.9.0b1,<0.10.0b1)", "flaky (>=3.7.0)", "hypothesis (>=3.31.2)", "importlib-metadata (<5.0)", "ipfshttpclient (==0.8.0a2)", "pre-commit (>=2.21.0)", "py-geth (>=3.14.0)", "pytest (>=7.0.0)", "pytest-asyncio (>=0.18.1,<0.23)", "pytest-mock (>=1.10)", "pytest-watch (>=4.2)", "pytest-xdist (>=1.29)", "setuptools (>=38.6.0)", "sphinx (>=5.3.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)", "tox (>=3.18.0)", "tqdm (>4.32)", "twine (>=1.13)", "when-changed (>=0.3.0)"] docs = ["sphinx (>=5.3.0)", "sphinx-rtd-theme (>=1.0.0)", "towncrier (>=21,<22)"] ipfs = ["ipfshttpclient (==0.8.0a2)"] -linter = ["black (>=22.1.0)", "flake8 (==3.8.3)", "isort (>=5.11.0)", "mypy (==1.4.1)", "types-protobuf (==3.19.13)", "types-requests (>=2.26.1)", "types-setuptools (>=57.4.4)"] -tester = ["eth-tester[py-evm] (==v0.9.1-b.2)", "py-geth (>=3.14.0)"] +tester = ["eth-tester[py-evm] (>=0.11.0b1,<0.12.0b1)", "eth-tester[py-evm] (>=0.9.0b1,<0.10.0b1)", "py-geth (>=3.14.0)"] [[package]] name = "websockets" @@ -2713,4 +2805,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "b3983d59edf9953d7b22eb44d1741655ac7316634326a910168fe147758fe800" +content-hash = "531c4e91b09feb8097149a63a8cfde93152cd904df0f6616790d51ca8838dfe0" From 961884a0f637dca7cacfe90ae502e054fd9928c5 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 25 Apr 2024 10:03:36 -0300 Subject: [PATCH 23/63] (fix) Update GitHub actions dependencies versions --- .github/workflows/pre-commit.yml | 6 +++--- .github/workflows/release.yml | 4 ++-- .github/workflows/run-tests.yml | 6 +++--- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/.github/workflows/pre-commit.yml b/.github/workflows/pre-commit.yml index 13b12d25..3c63ece3 100644 --- a/.github/workflows/pre-commit.yml +++ b/.github/workflows/pre-commit.yml @@ -9,15 +9,15 @@ jobs: runs-on: ubuntu-latest steps: - name: Checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 - name: Install Python - uses: actions/setup-python@v4 + uses: actions/setup-python@v5 - name: Install poetry run: python -m pip install poetry - name: Cache the virtualenv id: cache-venv - uses: actions/cache@v3 + uses: actions/cache@v4 with: path: ./.venv key: ${{ runner.os }}-venv-${{ hashFiles('**/poetry.lock') }} diff --git a/.github/workflows/release.yml b/.github/workflows/release.yml index f3d31554..dcc39426 100644 --- a/.github/workflows/release.yml +++ b/.github/workflows/release.yml @@ -10,9 +10,9 @@ jobs: steps: - name: Checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 - name: Install Python - uses: actions/setup-python@v3 + uses: actions/setup-python@v5 - name: Install poetry run: python -m pip install poetry - name: Publish package diff --git a/.github/workflows/run-tests.yml b/.github/workflows/run-tests.yml index ccde1d03..697858cb 100644 --- a/.github/workflows/run-tests.yml +++ b/.github/workflows/run-tests.yml @@ -16,9 +16,9 @@ jobs: PYTHON: ${{ matrix.python }} steps: - name: Checkout - uses: actions/checkout@v3 + uses: actions/checkout@v4 - name: Install Python - uses: actions/setup-python@v4 + uses: actions/setup-python@v5 with: python-version: ${{ matrix.python }} @@ -26,7 +26,7 @@ jobs: run: python -m pip install poetry - name: Cache the virtualenv id: cache-venv - uses: actions/cache@v3 + uses: actions/cache@v4 with: path: ./.venv key: ${{ runner.os }}-${{ matrix.python }}-venv-${{ hashFiles('**/poetry.lock') }} From 58f62c24a777f4487a3893211647d6191873385d Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 25 Apr 2024 10:11:33 -0300 Subject: [PATCH 24/63] (fix) Fix issue in GitHub workflow to run tests --- .github/workflows/run-tests.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/run-tests.yml b/.github/workflows/run-tests.yml index 697858cb..aac63f3a 100644 --- a/.github/workflows/run-tests.yml +++ b/.github/workflows/run-tests.yml @@ -9,7 +9,7 @@ jobs: strategy: matrix: python: ["3.9", "3.10", "3.11"] - os: [ubuntu-latest, macos-latest, windows-latest] + os: [ubuntu-latest, macos-13, macos-13-xlarge, windows-latest] runs-on: ${{ matrix.os }} env: OS: ${{ matrix.os }} From 0631678304b8cb7e557900a05f3c2f6dee23508f Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 25 Apr 2024 10:13:41 -0300 Subject: [PATCH 25/63] (fix) Fix GitHub workflow configuration for tests run --- .github/workflows/run-tests.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/run-tests.yml b/.github/workflows/run-tests.yml index aac63f3a..3426beb2 100644 --- a/.github/workflows/run-tests.yml +++ b/.github/workflows/run-tests.yml @@ -9,7 +9,7 @@ jobs: strategy: matrix: python: ["3.9", "3.10", "3.11"] - os: [ubuntu-latest, macos-13, macos-13-xlarge, windows-latest] + os: [ubuntu-latest, macos-13, windows-latest] runs-on: ${{ matrix.os }} env: OS: ${{ matrix.os }} From abdbedebc4fd31d89a0241175f20431ee9eb0801 Mon Sep 17 00:00:00 2001 From: abel Date: Thu, 25 Apr 2024 12:37:35 -0300 Subject: [PATCH 26/63] (fix) Updated IBC Core Connection params request example script --- .../ibc/connection/query/6_ConnectionParams.py | 10 ++-------- 1 file changed, 2 insertions(+), 8 deletions(-) diff --git a/examples/chain_client/ibc/connection/query/6_ConnectionParams.py b/examples/chain_client/ibc/connection/query/6_ConnectionParams.py index d541b502..88cb73bf 100644 --- a/examples/chain_client/ibc/connection/query/6_ConnectionParams.py +++ b/examples/chain_client/ibc/connection/query/6_ConnectionParams.py @@ -10,14 +10,8 @@ async def main() -> None: network = Network.testnet() client = AsyncClient(network) - connection_id = "connection-0" - revision_number = 0 - revision_height = 7379538 - - state = await client.fetch_ibc_connection_consensus_state( - connection_id=connection_id, revision_number=revision_number, revision_height=revision_height - ) - print(state) + params = await client.fetch_ibc_connection_params() + print(params) if __name__ == "__main__": From ad3f2f608fc8817d4de22ca1f3632b14b054eb1d Mon Sep 17 00:00:00 2001 From: abel Date: Fri, 3 May 2024 09:49:31 -0300 Subject: [PATCH 27/63] (fix) Fixed remaining usage of the deprecated parameter always_print_fields_with_no_presence in json_format.MessageToDict --- tests/test_composer.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/test_composer.py b/tests/test_composer.py index 359e4e26..8eab5301 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -1471,6 +1471,6 @@ def test_msg_ibc_transfer(self, basic_composer): } dict_message = json_format.MessageToDict( message=message, - including_default_value_fields=True, + always_print_fields_with_no_presence=True, ) assert dict_message == expected_message From 4a423dfd521ec28b911cef40ca52f9a6313dbd99 Mon Sep 17 00:00:00 2001 From: abel Date: Sat, 4 May 2024 23:59:41 -0300 Subject: [PATCH 28/63] (feat) Added logic to load all tokens from the official tokens file in GitHub --- poetry.lock | 32 ++++++- pyinjective/async_client.py | 27 +++++- pyinjective/core/network.py | 9 ++ pyinjective/core/tokens_file_loader.py | 34 ++++++++ pyproject.toml | 3 +- tests/core/test_tokens_file_loader.py | 112 +++++++++++++++++++++++++ 6 files changed, 212 insertions(+), 5 deletions(-) create mode 100644 pyinjective/core/tokens_file_loader.py create mode 100644 tests/core/test_tokens_file_loader.py diff --git a/poetry.lock b/poetry.lock index 5ba19ee9..82c627a2 100644 --- a/poetry.lock +++ b/poetry.lock @@ -96,6 +96,20 @@ yarl = ">=1.0,<2.0" [package.extras] speedups = ["Brotli", "aiodns", "brotlicffi"] +[[package]] +name = "aioresponses" +version = "0.7.6" +description = "Mock out requests made by ClientSession from aiohttp package" +optional = false +python-versions = "*" +files = [ + {file = "aioresponses-0.7.6-py2.py3-none-any.whl", hash = "sha256:d2c26defbb9b440ea2685ec132e90700907fd10bcca3e85ec2f157219f0d26f7"}, + {file = "aioresponses-0.7.6.tar.gz", hash = "sha256:f795d9dbda2d61774840e7e32f5366f45752d1adc1b74c9362afd017296c7ee1"}, +] + +[package.dependencies] +aiohttp = ">=3.3.0,<4.0.0" + [[package]] name = "aiosignal" version = "1.3.1" @@ -2012,6 +2026,22 @@ tomli = {version = ">=1", markers = "python_version < \"3.11\""} [package.extras] dev = ["argcomplete", "attrs (>=19.2)", "hypothesis (>=3.56)", "mock", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] +[[package]] +name = "pytest-aioresponses" +version = "0.2.0" +description = "py.test integration for aioresponses" +optional = false +python-versions = ">=3.6,<4.0" +files = [ + {file = "pytest-aioresponses-0.2.0.tar.gz", hash = "sha256:61cced206857cb4e7aab10b61600527f505c358d046e7d3ad3ae09455d02d937"}, + {file = "pytest_aioresponses-0.2.0-py3-none-any.whl", hash = "sha256:1a78d1eb76e1bffe7adc83a1bad0d48c373b41289367ae1f5e7ec0fceb60a04d"}, +] + +[package.dependencies] +aioresponses = ">=0.7.1,<0.8.0" +pytest = ">=3.5.0" +pytest-asyncio = ">=0.14.0" + [[package]] name = "pytest-asyncio" version = "0.23.6" @@ -2776,4 +2806,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "b3983d59edf9953d7b22eb44d1741655ac7316634326a910168fe147758fe800" +content-hash = "188d2a52cba5ea90d89a877d7d54c6e233f26b1ebd9eb7f4bfe22330146716cb" diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index b09b39b3..7ba7a6e8 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -44,6 +44,7 @@ from pyinjective.core.network import Network from pyinjective.core.tendermint.grpc.tendermint_grpc_api import TendermintGrpcApi from pyinjective.core.token import Token +from pyinjective.core.tokens_file_loader import TokensFileLoader from pyinjective.core.tx.grpc.tx_grpc_api import TxGrpcApi from pyinjective.exceptions import NotFoundError from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as auth_query, query_pb2_grpc as auth_query_grpc @@ -3264,8 +3265,7 @@ async def _initialize_tokens_and_markets(self): spot_markets = dict() derivative_markets = dict() binary_option_markets = dict() - tokens_by_symbol = dict() - tokens_by_denom = dict() + tokens_by_symbol, tokens_by_denom = await self._tokens_from_official_lists(network=self.network) markets_info = (await self.fetch_spot_markets(market_statuses=["active"]))["markets"] valid_markets = ( market_info @@ -3400,6 +3400,29 @@ def _token_representation( return tokens_by_denom[denom] + async def _tokens_from_official_lists( + self, + network: Network, + ) -> Tuple[Dict[str, Token], Dict[str, Token]]: + tokens_by_symbol = dict() + tokens_by_denom = dict() + + loader = TokensFileLoader() + tokens = await loader.load_tokens(network.official_tokens_list_url) + + for token in tokens: + if token.denom is not None and token.denom != "" and token.denom not in tokens_by_denom: + unique_symbol = token.symbol + for symbol_candidate in [token.symbol, token.name]: + if symbol_candidate not in tokens_by_symbol: + unique_symbol = symbol_candidate + break + + tokens_by_denom[token.denom] = token + tokens_by_symbol[unique_symbol] = token + + return tokens_by_symbol, tokens_by_denom + def _initialize_timeout_height_sync_task(self): self._cancel_timeout_height_sync_task() self._timeout_height_sync_task = asyncio.get_event_loop().create_task(self._timeout_height_sync_process()) diff --git a/pyinjective/core/network.py b/pyinjective/core/network.py index 2c40d1a2..2fdf91fe 100644 --- a/pyinjective/core/network.py +++ b/pyinjective/core/network.py @@ -118,6 +118,7 @@ def __init__( chain_cookie_assistant: CookieAssistant, exchange_cookie_assistant: CookieAssistant, explorer_cookie_assistant: CookieAssistant, + official_tokens_list_url: str, use_secure_connection: Optional[bool] = None, grpc_channel_credentials: Optional[ChannelCredentials] = None, grpc_exchange_channel_credentials: Optional[ChannelCredentials] = None, @@ -144,6 +145,7 @@ def __init__( self.chain_cookie_assistant = chain_cookie_assistant self.exchange_cookie_assistant = exchange_cookie_assistant self.explorer_cookie_assistant = explorer_cookie_assistant + self.official_tokens_list_url = official_tokens_list_url self.grpc_channel_credentials = grpc_channel_credentials self.grpc_exchange_channel_credentials = grpc_exchange_channel_credentials self.grpc_explorer_channel_credentials = grpc_explorer_channel_credentials @@ -164,6 +166,7 @@ def devnet(cls): chain_cookie_assistant=DisabledCookieAssistant(), exchange_cookie_assistant=DisabledCookieAssistant(), explorer_cookie_assistant=DisabledCookieAssistant(), + official_tokens_list_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/devnet.json", ) @classmethod @@ -218,6 +221,7 @@ def testnet(cls, node="lb"): grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, chain_stream_channel_credentials=chain_stream_channel_credentials, + official_tokens_list_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/testnet.json", ) @classmethod @@ -259,6 +263,7 @@ def mainnet(cls, node="lb"): grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, chain_stream_channel_credentials=chain_stream_channel_credentials, + official_tokens_list_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json", ) @classmethod @@ -276,6 +281,7 @@ def local(cls): chain_cookie_assistant=DisabledCookieAssistant(), exchange_cookie_assistant=DisabledCookieAssistant(), explorer_cookie_assistant=DisabledCookieAssistant(), + official_tokens_list_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json", ) @classmethod @@ -289,6 +295,7 @@ def custom( chain_stream_endpoint, chain_id, env, + official_tokens_list_url: str, chain_cookie_assistant: Optional[CookieAssistant] = None, exchange_cookie_assistant: Optional[CookieAssistant] = None, explorer_cookie_assistant: Optional[CookieAssistant] = None, @@ -322,6 +329,7 @@ def custom( chain_cookie_assistant=chain_assistant, exchange_cookie_assistant=exchange_assistant, explorer_cookie_assistant=explorer_assistant, + official_tokens_list_url=official_tokens_list_url, grpc_channel_credentials=grpc_channel_credentials, grpc_exchange_channel_credentials=grpc_exchange_channel_credentials, grpc_explorer_channel_credentials=grpc_explorer_channel_credentials, @@ -351,6 +359,7 @@ def custom_chain_and_public_indexer_mainnet( chain_cookie_assistant=chain_cookie_assistant or DisabledCookieAssistant(), exchange_cookie_assistant=mainnet_network.exchange_cookie_assistant, explorer_cookie_assistant=mainnet_network.explorer_cookie_assistant, + official_tokens_list_url=mainnet_network.official_tokens_list_url, grpc_channel_credentials=None, grpc_exchange_channel_credentials=mainnet_network.grpc_exchange_channel_credentials, grpc_explorer_channel_credentials=mainnet_network.grpc_explorer_channel_credentials, diff --git a/pyinjective/core/tokens_file_loader.py b/pyinjective/core/tokens_file_loader.py new file mode 100644 index 00000000..26047c36 --- /dev/null +++ b/pyinjective/core/tokens_file_loader.py @@ -0,0 +1,34 @@ +from typing import Dict, List + +import aiohttp + +from pyinjective.core.token import Token + + +class TokensFileLoader: + def load_json(self, json: List[Dict]) -> List[Token]: + loaded_tokens = [] + + for token_info in json: + token = Token( + name=token_info["name"], + symbol=token_info["symbol"], + denom=token_info["denom"], + address=token_info["address"], + decimals=token_info["decimals"], + logo=token_info["logo"], + updated=-1, + ) + + loaded_tokens.append(token) + + return loaded_tokens + + async def load_tokens(self, tokens_file_url: str) -> List[Token]: + tokens_list = [] + async with aiohttp.ClientSession() as session: + async with session.get(tokens_file_url) as response: + if response.ok: + tokens_list = await response.json(content_type=None) + + return self.load_json(tokens_list) diff --git a/pyproject.toml b/pyproject.toml index ac6f34da..ab0bfbce 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -25,7 +25,6 @@ python = "^3.9" aiohttp = ">=3.9.2" # Version dependency due to https://github.com/InjectiveLabs/sdk-python/security/dependabot/18 bech32 = "*" bip32 = "*" -coincurve = "*" ecdsa = "*" eip712 = "*" grpcio = "*" @@ -35,7 +34,6 @@ mnemonic = "*" protobuf = "*" requests = "*" safe-pysha3 = "*" -urllib3 = "*" websockets = "*" web3 = "^6.0" @@ -45,6 +43,7 @@ pytest-asyncio = "*" pytest-grpc = "*" requests-mock = "*" pytest-cov = "^4.1.0" +pytest-aioresponses = "^0.2.0" [tool.poetry.group.dev.dependencies] pre-commit = "^3.4.0" diff --git a/tests/core/test_tokens_file_loader.py b/tests/core/test_tokens_file_loader.py new file mode 100644 index 00000000..60999f6e --- /dev/null +++ b/tests/core/test_tokens_file_loader.py @@ -0,0 +1,112 @@ +import pytest + +from pyinjective.core.tokens_file_loader import TokensFileLoader + + +class TestTokensFileLoader: + def test_load_tokens(self): + tokens_list = [ + { + "address": "", + "isNative": True, + "decimals": 9, + "symbol": "SOL", + "name": "Solana", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/2aa4deed-fa31-4d1a-ba0a-d698b84f3800/public", + "coinGeckoId": "solana", + "denom": "", + "tokenType": "spl", + "tokenVerification": "verified", + "externalLogo": "solana.png", + }, + { + "address": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "isNative": False, + "decimals": 18, + "symbol": "WMATIC", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/0d061e1e-a746-4b19-1399-8187b8bb1700/public", + "name": "Wrapped Matic", + "coinGeckoId": "wmatic", + "denom": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "tokenType": "evm", + "tokenVerification": "verified", + "externalLogo": "polygon.png", + }, + ] + + loader = TokensFileLoader() + + loaded_tokens = loader.load_json(json=tokens_list) + + assert len(loaded_tokens) == 2 + + for token, token_info in zip(loaded_tokens, tokens_list): + assert token.name == token_info["name"] + assert token.symbol == token_info["symbol"] + assert token.denom == token_info["denom"] + assert token.address == token_info["address"] + assert token.decimals == token_info["decimals"] + assert token.logo == token_info["logo"] + + @pytest.mark.asyncio + async def test_load_tokens_from_url(self, aioresponses): + loader = TokensFileLoader() + tokens_list = [ + { + "address": "", + "isNative": True, + "decimals": 9, + "symbol": "SOL", + "name": "Solana", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/2aa4deed-fa31-4d1a-ba0a-d698b84f3800/public", + "coinGeckoId": "solana", + "denom": "", + "tokenType": "spl", + "tokenVerification": "verified", + "externalLogo": "solana.png", + }, + { + "address": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "isNative": False, + "decimals": 18, + "symbol": "WMATIC", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/0d061e1e-a746-4b19-1399-8187b8bb1700/public", + "name": "Wrapped Matic", + "coinGeckoId": "wmatic", + "denom": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "tokenType": "evm", + "tokenVerification": "verified", + "externalLogo": "polygon.png", + }, + ] + + aioresponses.get( + "https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json", payload=tokens_list + ) + loaded_tokens = await loader.load_tokens( + tokens_file_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json" + ) + + assert len(loaded_tokens) == 2 + + for token, token_info in zip(loaded_tokens, tokens_list): + assert token.name == token_info["name"] + assert token.symbol == token_info["symbol"] + assert token.denom == token_info["denom"] + assert token.address == token_info["address"] + assert token.decimals == token_info["decimals"] + assert token.logo == token_info["logo"] + + @pytest.mark.asyncio + async def test_load_tokens_from_url_returns_nothing_when_request_fails(self, aioresponses): + loader = TokensFileLoader() + + aioresponses.get( + "https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json", + status=404, + ) + loaded_tokens = await loader.load_tokens( + tokens_file_url="https://github.com/InjectiveLabs/injective-lists/raw/master/tokens/mainnet.json" + ) + + assert len(loaded_tokens) == 0 From 89b0f01fcc284755b14cd833d5267fc622b8a947 Mon Sep 17 00:00:00 2001 From: abel Date: Mon, 6 May 2024 20:33:34 +0100 Subject: [PATCH 29/63] (fix) Updated changelog file --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 78413c99..df7eb846 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,7 @@ All notable changes to this project will be documented in this file. - Support for all queries in the "IBC Channel" module - Support for all queries in the "IBC Client" module - Support for all queries in the "IBC Connection" module +- Tokens initialization from the official tokens list in https://github.com/InjectiveLabs/injective-lists ### Changed - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies From f59766b6ca63775af61a796c95600bf67a9778cc Mon Sep 17 00:00:00 2001 From: abel Date: Tue, 7 May 2024 22:53:18 +0100 Subject: [PATCH 30/63] (fix) Fixed failing unit tests --- README.md | 4 ++-- tests/core/test_network_deprecation_warnings.py | 2 ++ tests/test_async_client.py | 12 ++++++++++-- 3 files changed, 14 insertions(+), 4 deletions(-) diff --git a/README.md b/README.md index 91196ecb..3dc446c6 100644 --- a/README.md +++ b/README.md @@ -16,7 +16,7 @@ sudo dnf install python3-devel autoconf automake gcc gcc-c++ libffi-devel libtoo **macOS** ```bash -brew install autoconf automake libtool +brew install autoconf automake libtool bufbuild/buf/buf ``` ### Quick Start @@ -67,7 +67,7 @@ Upgrade `pip` to the latest version, if you see these warnings: 3. Fetch latest denom config ``` -poetry run python pyinjective/fetch_metadata.py +poetry run python pyinjective/utils/fetch_metadata.py ``` Note that the [sync client](https://github.com/InjectiveLabs/sdk-python/blob/master/pyinjective/client.py) has been deprecated as of April 18, 2022. If you are using the sync client please make sure to transition to the [async client](https://github.com/InjectiveLabs/sdk-python/blob/master/pyinjective/async_client.py), for more information read [here](https://github.com/InjectiveLabs/sdk-python/issues/101) diff --git a/tests/core/test_network_deprecation_warnings.py b/tests/core/test_network_deprecation_warnings.py index db27655b..1764576c 100644 --- a/tests/core/test_network_deprecation_warnings.py +++ b/tests/core/test_network_deprecation_warnings.py @@ -16,6 +16,7 @@ def test_use_secure_connection_parameter_deprecation_warning(self): chain_id="chain_id", fee_denom="fee_denom", env="env", + official_tokens_list_url="https://tokens.url", chain_cookie_assistant=DisabledCookieAssistant(), exchange_cookie_assistant=DisabledCookieAssistant(), explorer_cookie_assistant=DisabledCookieAssistant(), @@ -40,6 +41,7 @@ def test_use_secure_connection_parameter_in_custom_network_deprecation_warning(s chain_stream_endpoint="chain_stream_endpoint", chain_id="chain_id", env="env", + official_tokens_list_url="https://tokens.url", chain_cookie_assistant=DisabledCookieAssistant(), exchange_cookie_assistant=DisabledCookieAssistant(), explorer_cookie_assistant=DisabledCookieAssistant(), diff --git a/tests/test_async_client.py b/tests/test_async_client.py index b7b597ed..d814a7f1 100644 --- a/tests/test_async_client.py +++ b/tests/test_async_client.py @@ -87,7 +87,11 @@ async def test_initialize_tokens_and_markets( ape_usdt_spot_market_meta, btc_usdt_perp_market_meta, first_match_bet_market_meta, + aioresponses, ): + test_network = Network.local() + aioresponses.get(test_network.official_tokens_list_url, payload=[]) + spot_servicer.markets_responses.append( injective_spot_exchange_rpc_pb2.MarketsResponse( markets=[inj_usdt_spot_market_meta, ape_usdt_spot_market_meta] @@ -101,7 +105,7 @@ async def test_initialize_tokens_and_markets( ) client = AsyncClient( - network=Network.local(), + network=test_network, insecure=False, ) @@ -144,7 +148,11 @@ async def test_initialize_tokens_from_chain_denoms( spot_servicer, derivative_servicer, smart_denom_metadata, + aioresponses, ): + test_network = Network.local() + aioresponses.get(test_network.official_tokens_list_url, payload=[]) + pagination = pagination_pb.PageResponse( total=1, ) @@ -163,7 +171,7 @@ async def test_initialize_tokens_from_chain_denoms( ) client = AsyncClient( - network=Network.local(), + network=test_network, insecure=False, ) From 0d413831ee5c256637c0066c8fc2d1e779a71423 Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 8 May 2024 00:21:24 +0100 Subject: [PATCH 31/63] (fix) Added exception handling to prevent connection issues from braking the AsyncClient initialization when getting the official tokens list from GitHub --- pyinjective/core/tokens_file_loader.py | 14 ++++++++++---- 1 file changed, 10 insertions(+), 4 deletions(-) diff --git a/pyinjective/core/tokens_file_loader.py b/pyinjective/core/tokens_file_loader.py index 26047c36..72dd30ed 100644 --- a/pyinjective/core/tokens_file_loader.py +++ b/pyinjective/core/tokens_file_loader.py @@ -3,6 +3,7 @@ import aiohttp from pyinjective.core.token import Token +from pyinjective.utils.logger import LoggerProvider class TokensFileLoader: @@ -26,9 +27,14 @@ def load_json(self, json: List[Dict]) -> List[Token]: async def load_tokens(self, tokens_file_url: str) -> List[Token]: tokens_list = [] - async with aiohttp.ClientSession() as session: - async with session.get(tokens_file_url) as response: - if response.ok: - tokens_list = await response.json(content_type=None) + try: + async with aiohttp.ClientSession() as session: + async with session.get(tokens_file_url) as response: + if response.ok: + tokens_list = await response.json(content_type=None) + except Exception as e: + LoggerProvider().logger_for_class(logging_class=self.__class__).warning( + f"there was an error fetching the list of official tokens: {e}" + ) return self.load_json(tokens_list) From 9e8fc8abfe279f905fc4bd46f388d04bd9bd9d18 Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 8 May 2024 00:25:33 +0100 Subject: [PATCH 32/63] (fix) Updated dependencis in poetry lock file --- poetry.lock | 489 ++++++++++++++++++++++++++-------------------------- 1 file changed, 244 insertions(+), 245 deletions(-) diff --git a/poetry.lock b/poetry.lock index 82c627a2..ba519b5b 100644 --- a/poetry.lock +++ b/poetry.lock @@ -569,96 +569,96 @@ files = [ [[package]] name = "ckzg" -version = "1.0.1" +version = "1.0.2" description = "Python bindings for C-KZG-4844" optional = false python-versions = "*" files = [ - {file = "ckzg-1.0.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:061c2c282d74f711fa62425c35be62188fdd20acca4a5eb2b988c7d6fd756412"}, - {file = "ckzg-1.0.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:a61bd0a3ed521bef3c60e97ba26419d9c77517ce5d31995cde50808455788a0e"}, - {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:73f0a70ff967c9783b126ff19f1af578ede241199a07c2f81b728cbf5a985590"}, - {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8184550ccb9b434ba18444fee9f446ce04e187298c0d52e6f007d0dd8d795f9f"}, - {file = "ckzg-1.0.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb2b144e3af0b0e0757af2c794dc68831216a7ad6a546201465106902e27a168"}, - {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:ed016c4604426f797eef4002a72140b263cd617248da91840e267057d0166db3"}, - {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:07b0e5c317bdd474da6ebedb505926fb10afc49bc5ae438921259398753e0a5b"}, - {file = "ckzg-1.0.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:179ef0e1d2019eef9d144b6f2ad68bb12603fd98c8a5a0a94115327b8d783146"}, - {file = "ckzg-1.0.1-cp310-cp310-win_amd64.whl", hash = "sha256:f82cc4ec0ac1061267c08fdc07e1a9cf72e8e698498e315dcb3b31e7d5151ce4"}, - {file = "ckzg-1.0.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:f465b674cdb40f44248501ec4c01d38d1cc01a637550a43b7b6b32636f395daa"}, - {file = "ckzg-1.0.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:d15fe7db9487496ca5d5d9d92e069f7a69d5044e14aebccf21a8082c3388784d"}, - {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:efdf2dfb7017688e151154c301e1fd8604311ddbcfc9cb898a80012a05615ced"}, - {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f7818f2f86dd4fb02ab73b9a8b1bb72b24beed77b2c3987b0f56edc0b3239eb0"}, - {file = "ckzg-1.0.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9fb32f3f7db41c32e5a3acf47ddec77a529b031bd69c1121595e51321477b7da"}, - {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:1300f0eedc57031f2277e54efd92a284373fb9baa82b846d2680793f3b0ce4cd"}, - {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:d8bc93a0b84888ad17ae818ea8c8264a93f2af573de41a999a3b0958b636ab1d"}, - {file = "ckzg-1.0.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:3ba82d321e3350beacf36cf0ae692dd021b77642e9a184ab58349c21db4e09d2"}, - {file = "ckzg-1.0.1-cp311-cp311-win_amd64.whl", hash = "sha256:844233a223c87f1fd47caee11c276ea370c11eb5a89ad1925c0ed50930341b51"}, - {file = "ckzg-1.0.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:64af945ad8582adb42b3b00a3bebe4c1953a06a8ce92a221d0575170848fd653"}, - {file = "ckzg-1.0.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:f7550b78e9f569c4f97a39c0ff437836c3878c93f64a83fa75e0f5998c19ccba"}, - {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2958b3d495e6cb64e8fb55d44023f155eb07b43c5eebee9f29eedf5e262b84fc"}, - {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a06035732d834a0629f5c23b06906326fe3c4e0660120efec5889d0dacbc26c1"}, - {file = "ckzg-1.0.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:17206a1ed383cea5b6f3518f2b242c9031ca73c07471a85476848d02663e4a11"}, - {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:0c5323e8c7f477ffd94074b28ccde68dac4bab991cc360ec9c1eb0f147dd564e"}, - {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8acce33a1c7b005cfa37207ac70a9bcfb19238568093ef2fda8a182bc556cd6e"}, - {file = "ckzg-1.0.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:06ecf4fa1a9262cb7535b55a9590ce74bda158e2e8fc8c541823aecb978524cc"}, - {file = "ckzg-1.0.1-cp312-cp312-win_amd64.whl", hash = "sha256:17aa0f9a1131302947cd828e245237e545c36c66acf7e413586d6cb51c826bdc"}, - {file = "ckzg-1.0.1-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:52b1954799e912f73201eb013e597f3e526ab4b38d99b7700035f18f818bccfd"}, - {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:394ef239a19ef896bf433778cd3153d9b992747c24155aabe9ff2005f3fb8c32"}, - {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2116d4b21b93e4067ff5df3b328112e48cbadefb00a21d3bb490355bb416acb0"}, - {file = "ckzg-1.0.1-cp36-cp36m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4b0d0d527725fa7f4b9abffbfe6233eb681d1279ece8f3b40920b0d0e29e5d3"}, - {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:8c7d27941e7082b92448684cab9d24b4f50df8807680396ca598770ea646520a"}, - {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:f5a1a1f58b010b8d53e5337bbd01b4c0ac8ad2c34b89631a3de8f3aa8a714388"}, - {file = "ckzg-1.0.1-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:f4bcae2a8d849ce6439abea0389d9184dc0a9c8ab5f88d7947e1b65434912406"}, - {file = "ckzg-1.0.1-cp36-cp36m-win_amd64.whl", hash = "sha256:bd415f5e5a0ecf5157a16ee6390122170816bff4f72cb97428c514c3fce94f40"}, - {file = "ckzg-1.0.1-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:5f2c3c289ba83834e7e9727c260ef4ae5e4aff389945b498034454ef1e0d2b27"}, - {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d9a2d01cbbb9106a23f4c23275015a1ca041379a385e84d21bad789fe493eb35"}, - {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ef7a743fbf10663bf54e4fa7a63f986c163770bd2d14423ba255d91c65ceae2b"}, - {file = "ckzg-1.0.1-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5e967482a04edcabecf6dbad04f1ef9ea9d5142a08f4001177f9149ce0e2ae81"}, - {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:9fc1196a44de1fccc4c275af70133cebce5ff16b1442b9989e162e3ae4534be3"}, - {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:62c5e0f1b31c8e9eb7b8db05c4ae14310acf41deb5909ac1e72d7a799ca61d13"}, - {file = "ckzg-1.0.1-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:4361ee4bc719d375d50e13de399976d42e13b1d7084defbd8914d7943cbc1b04"}, - {file = "ckzg-1.0.1-cp37-cp37m-win_amd64.whl", hash = "sha256:1c284dddc6a9269a3916b0654236aa5e713d2266bd119457e33d7b37c2416bbb"}, - {file = "ckzg-1.0.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:32e03048be386d262d71ddeb2dcc5e9aeca1de23126f5566d6a445e59f912d25"}, - {file = "ckzg-1.0.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:543c154c0d56a5c348d2b17e5b9925c38378d8d0dbb830fb6a894c622c86da7b"}, - {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0f58595cdbfcbb9c4fce36171688e56c4bdb804e7724c6c41ec71278042bf50a"}, - {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1fb1bacf6f8d1419dc26f3b6185e377a8a357707468d0ca96d1ca2a847a2df68"}, - {file = "ckzg-1.0.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:976b9347ae15b52948eed8891a4f94ff46faa4d7c5e5746780d41069da8a6fe5"}, - {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:8b809e5f1806583f53c9f3ae6c2ae86e90551393015ec29cfcdedf3261d66251"}, - {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:53db1fa73aaeadeb085eea5bd55676226d7dcdef26c711a6219f7d3a89f229ae"}, - {file = "ckzg-1.0.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:e9541dabc6c84b7fdfb305dab53e181c7c804943e92e8de2ff93ed1aa29f597f"}, - {file = "ckzg-1.0.1-cp38-cp38-win_amd64.whl", hash = "sha256:79e7fa188b89ccf7c19b3c46f28961738dbf019580880b276fee3bc11fdfbb37"}, - {file = "ckzg-1.0.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:36e3864064f9f6ece4c79de70c9fc2d6de20cf4a6cc8527919494ab914fe9f04"}, - {file = "ckzg-1.0.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:1f8bd094d510425b7a8f05135b2784ab1e48e93cf9c61e21585e7245b713a872"}, - {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:48ec2376c89be53eaafda436fb1bca086f44fc44aa9856f8f288c29aaa85c6ad"}, - {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f928d42bb856dacc15ad78d5adeb9922d088ec3aa8bb56249cccc2bdf8418966"}, - {file = "ckzg-1.0.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e320d567eca502bec2b64f12c48ce9c8566712c456f39c49414ba19e0f49f76b"}, - {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:5844b792a621563230e9f1b15e2bf4733aff3c3e8f080843a12e6ba33ddd1b20"}, - {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:cd0fa7a7e792c24fb463f0bd41a65156413ec088276e61cf6d72e7be62812b2d"}, - {file = "ckzg-1.0.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:23b9d91e4f652fc1c648252cd305b6f247eaadba72f35d49b68376ae5f3ab2d9"}, - {file = "ckzg-1.0.1-cp39-cp39-win_amd64.whl", hash = "sha256:622a801cf1fa5b4cb6619bfed279f5a9d45d59525513678343c64a79cb34f224"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:6a35342cc99afbbced9896588e74843f1e700a3161a4ef4a48a2ea8831831857"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:a31e53b35a8233a0f152eee529fcfc25ab5af36db64d9984e9536f3f8399fdbf"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0ab8407bf837a248fdda958bd4bba49be5b7be425883d1ee1abe9b6fef2967f8"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:79cbc0eb43de4eca8b7dc8c736322830a33a77eeb8040cfa9ab2b9a6a0ca9856"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:730fbe18f174362f801373798bc71d1b9d337c2c9c7da3ec5d8470864f9ee5a7"}, - {file = "ckzg-1.0.1-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:898f21dadd1f6f27b1e329bde0b33ce68c5f61f9ae4ee6fb7088c9a7c1494227"}, - {file = "ckzg-1.0.1-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:91f1e7e5453f47e6562c022a7e541735ad20b667e662b981de4a17344c2187b3"}, - {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:dd31a799f0353d95b3ffcfca5627cd2437129458fbf327bce15761abe9c55a9e"}, - {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:208a61131984a3dab545d3360d006d11ab2f815669d1169a93d03a3cc56fd9ac"}, - {file = "ckzg-1.0.1-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d47cdd945c117784a063901b392dc9f4ec009812ced5d344cdcd1887eb573768"}, - {file = "ckzg-1.0.1-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:367227f187072b24c1bfd0e9e5305b9bf75ddf6a01755b96dde79653ef468787"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:0b68147b7617f1a3f8044ed31671ff2e7186840d09a0a3b71bb56b8d20499f06"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b4b4cf32774f6b7f84e38b5fee8a0d69855279f42cf2bbd2056584d9ee3cbccd"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:dc100f52dc2c3e7016a36fa6232e4c63ef650dc1e4e198ca2da797d615bfec4f"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:86a5a005518ca8c436a56602eb090d11857c03e44e4f7c8ae40cd9f1ad6eac1a"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb05bd0ee8fcc779ed6600276b81306e76f4150a6e01f70bee8fa661b990ab4f"}, - {file = "ckzg-1.0.1-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:b9ddd4a32ecaa8806bfa0d43c41bd2471098f875eb6c28e5970a065e5a8f5d68"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:2f015641c33f0617b2732c7e5db5e132a349d668b41f8685942c4506059f9905"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:83c3d2514439375925925f16624fa388fc532ef43ee3cd0868d5d54432cd47a8"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:789a65cebd3cf5b100b8957a9a9b207b13f47bfe60b74921a91c2c7f82883a05"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f640cc5211beaf3d9f4bbf7054d96cf3434069ac5baa9ac09827ccbe913733bb"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:436168fe6a3c901cc8b57f44116efcc33126e3b2220f6b0bb2cf5774ec4413a9"}, - {file = "ckzg-1.0.1-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:d8c138e8f320e1b24febdef26f086b8b3a1a889c1eb4a933dea608eead347048"}, - {file = "ckzg-1.0.1.tar.gz", hash = "sha256:c114565de7d838d40ede39255f4477245824b42bde7b181a7ca1e8f5defad490"}, + {file = "ckzg-1.0.2-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:bdd082bc0f2a595e3546658ecbe1ff78fe65b0ab7e619a8197a62d94f46b5b46"}, + {file = "ckzg-1.0.2-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:50ca4af4e2f1a1e8b0a7e97b3aef39dedbb0d52d90866ece424f13f8df1b5972"}, + {file = "ckzg-1.0.2-cp310-cp310-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7e9dc671b0a307ea65d0a216ca496c272dd3c1ed890ddc2a306da49b0d8ffc83"}, + {file = "ckzg-1.0.2-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d95e97a0d0f7758119bb905fb5688222b1556de465035614883c42fe4a047d1f"}, + {file = "ckzg-1.0.2-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:27261672154cbd477d84d289845b0022fbdbe2ba45b7a2a2051c345fa04c8334"}, + {file = "ckzg-1.0.2-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:c16d5ee1ddbbbad0367ff970b3ec9f6d1879e9f928023beda59ae9e16ad99e4c"}, + {file = "ckzg-1.0.2-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:09043738b029bdf4fdc82041b395cfc6f5b5cf63435e5d4d685d24fd14c834d3"}, + {file = "ckzg-1.0.2-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:3c0afa232d2312e3101aaddb6971b486b0038a0f9171500bc23143f5749eff55"}, + {file = "ckzg-1.0.2-cp310-cp310-win_amd64.whl", hash = "sha256:96e8281b6d58cf91b9559e1bd38132161d63467500838753364c68e825df2e2c"}, + {file = "ckzg-1.0.2-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:b874167de1d6de72890a2ad5bd9aa7adbddc41c3409923b59cf4ef27f83f79da"}, + {file = "ckzg-1.0.2-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:3d2ccd68b0743e20e853e31a08da490a8d38c7f12b9a0c4ee63ef5afa0dc2427"}, + {file = "ckzg-1.0.2-cp311-cp311-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7e8d534ddbe785c44cf1cd62ee32d78b4310d66dd70e42851f5468af655b81f5"}, + {file = "ckzg-1.0.2-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c732cda00c76b326f39ae97edfc6773dd231b7c77288b38282584a7aee77c3a7"}, + {file = "ckzg-1.0.2-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:abc5a27284db479ead4c053ff086d6e222914f1b0aa08b80eabfa116dbed4f7a"}, + {file = "ckzg-1.0.2-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:e6bd5006cb3e802744309450183087a6594d50554814eee19065f7064dff7b05"}, + {file = "ckzg-1.0.2-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:3594470134eda7adf2813ad3f1da55ced98c8a393262f47ce3890c5afa05b23e"}, + {file = "ckzg-1.0.2-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:fea56f39e48b60c1ff6f751c47489e353d1bd95cae65c429cf5f87735d794431"}, + {file = "ckzg-1.0.2-cp311-cp311-win_amd64.whl", hash = "sha256:f769eb2e1056ca396462460079f6849c778f58884bb24b638ff7028dd2120b65"}, + {file = "ckzg-1.0.2-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:e3cb2f8c767aee57e88944f90848e8689ce43993b9ff21589cfb97a562208fe7"}, + {file = "ckzg-1.0.2-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:5b29889f5bc5db530f766871c0ff4133e7270ecf63aaa3ca756d3b2731980802"}, + {file = "ckzg-1.0.2-cp312-cp312-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bfcc70fb76b3d36125d646110d5001f2aa89c1c09ff5537a4550cdb7951f44d4"}, + {file = "ckzg-1.0.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1ca8a256cdd56d06bc5ef24caac64845240dbabca402c5a1966d519b2514b4ec"}, + {file = "ckzg-1.0.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6ea91b0236384f93ad1df01d530672f09e254bd8c3cf097ebf486aebb97f6c8c"}, + {file = "ckzg-1.0.2-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:65311e72780105f239d1d66512629a9f468b7c9f2609b8567fc68963ac638ef9"}, + {file = "ckzg-1.0.2-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:0d7600ce7a73ac41d348712d0c1fe5e4cb6caa329377064cfa3a6fd8fbffb410"}, + {file = "ckzg-1.0.2-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:19893ee7bd7da8688382cb134cb9ee7bce5c38e3a9386e3ed99bb010487d2d17"}, + {file = "ckzg-1.0.2-cp312-cp312-win_amd64.whl", hash = "sha256:c3e1a9a72695e777497e95bb2213316a1138f82d1bb5d67b9c029a522d24908e"}, + {file = "ckzg-1.0.2-cp36-cp36m-macosx_10_9_x86_64.whl", hash = "sha256:a2f59da9cb82b6a4be615f2561a255731eededa7ecd6ba4b2f2dedfc918ef137"}, + {file = "ckzg-1.0.2-cp36-cp36m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c915e1f2ef51657c3255d8b1e2aea6e0b93348ae316b2b79eaadfb17ad8f514e"}, + {file = "ckzg-1.0.2-cp36-cp36m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bcc0d2031fcabc4be37e9e602c926ef9347238d2f58c1b07e0c147f60b9e760b"}, + {file = "ckzg-1.0.2-cp36-cp36m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3cdaad2745425d7708e76e8e56a52fdaf5c5cc1cfefd5129d24ff8dbe06a012d"}, + {file = "ckzg-1.0.2-cp36-cp36m-musllinux_1_1_aarch64.whl", hash = "sha256:1ec775649daade1b93041aac9c1660c2ad9828b57ccd2eeb5a3074d8f05e544a"}, + {file = "ckzg-1.0.2-cp36-cp36m-musllinux_1_1_i686.whl", hash = "sha256:02f9cc3e38b3702ec5895a1ebf927fd02b8f5c2f93c7cb9e438581b5b74472c8"}, + {file = "ckzg-1.0.2-cp36-cp36m-musllinux_1_1_x86_64.whl", hash = "sha256:0e816af31951b5e94e6bc069f21fe783427c190526e0437e16c4488a34ddcacc"}, + {file = "ckzg-1.0.2-cp36-cp36m-win_amd64.whl", hash = "sha256:651ba33ee2d7fefff14ca519a72996b733402f8b043fbfef12d5fe2a442d86d8"}, + {file = "ckzg-1.0.2-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:489763ad92e2175fb6ab455411f03ec104c630470d483e11578bf2e00608f283"}, + {file = "ckzg-1.0.2-cp37-cp37m-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:69e1376284e9a5094d7c4d3e552202d6b32a67c5acc461b0b35718d8ec5c7363"}, + {file = "ckzg-1.0.2-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fb9d0b09ca1bdb5955b626d6645f811424ae0fcab47699a1a938a3ce0438c25f"}, + {file = "ckzg-1.0.2-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d87a121ace8feb6c9386f247e7e36ef55e584fc8a6b1bc2c60757a59c1efe364"}, + {file = "ckzg-1.0.2-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:97c27153fab853f017fed159333b27beeb2e0da834c92c9ecdc26d0e5c3983b3"}, + {file = "ckzg-1.0.2-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:b26799907257c39471cb3665f66f7630797140131606085c2c94a7094ab6ddf2"}, + {file = "ckzg-1.0.2-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:283a40c625222560fda3dcb912b666f7d50f9502587b73c4358979f519f1c961"}, + {file = "ckzg-1.0.2-cp37-cp37m-win_amd64.whl", hash = "sha256:5f029822d27c52b9c3dbe5706408b099da779f10929be0422a09a34aa026a872"}, + {file = "ckzg-1.0.2-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:edaea8fb50b01c6c19768d9305ad365639a8cd804754277d5108dcae4808f00b"}, + {file = "ckzg-1.0.2-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:27be65c88d5d773a30e6f198719cefede7e25cad807384c3d65a09c11616fc9d"}, + {file = "ckzg-1.0.2-cp38-cp38-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a9ac729c5c6f3d2c030c0bc8c9e10edc253e36f002cfe227292035009965d349"}, + {file = "ckzg-1.0.2-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c1528bc2b95aac6d184a90b023602c40d7b11b577235848c1b5593c00cf51d37"}, + {file = "ckzg-1.0.2-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:071dc7fc179316ce1bfabaa056156e4e84f312c4560ab7b9529a3b9a84019df3"}, + {file = "ckzg-1.0.2-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:895044069de7010be6c7ee703f03fd7548267a0823cf60b9dd26ec50267dd9e8"}, + {file = "ckzg-1.0.2-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:1ed8c99cd3d9af596470e0481fd58931007288951719bad026f0dd486dd0ec11"}, + {file = "ckzg-1.0.2-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:74d87eafe561d4bfb544a4f3419d26c56ad7de00f39789ef0fdb09515544d12e"}, + {file = "ckzg-1.0.2-cp38-cp38-win_amd64.whl", hash = "sha256:54d71e5ca416bd51c543f9f51e426e6792f8a0280b83aef92faad1b826f401ea"}, + {file = "ckzg-1.0.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:da2d9988781a09a4577ee7ea8f51fe4a94b4422789a523164f5ba3118566ad41"}, + {file = "ckzg-1.0.2-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:d9e030af7d6acdcb356fddfb095048bc8e880fe4cd70ff2206c64f33bf384a0d"}, + {file = "ckzg-1.0.2-cp39-cp39-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:145ae31c3d499d1950567bd636dc5b24292b600296b9deb5523bc20d8f7b51c3"}, + {file = "ckzg-1.0.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d81e68e84d80084da298471ad5eaddfcc1cf73545cb24e9453550c8186870982"}, + {file = "ckzg-1.0.2-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c67064bbbeba1a6892c9c80b3d0c2a540ff48a5ca5356fdb2a8d998b264e43e6"}, + {file = "ckzg-1.0.2-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:99694917eb6decefc0d330d9887a89ea770824b2fa76eb830bab5fe57ea5c20c"}, + {file = "ckzg-1.0.2-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:fca227ce0ce3427254a113fdb3aed5ecd99c1fc670cb0c60cc8a2154793678e4"}, + {file = "ckzg-1.0.2-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:a66a690d3d1801085d11de6825df47a99b465ff32dbe90be4a3c9f43c577da96"}, + {file = "ckzg-1.0.2-cp39-cp39-win_amd64.whl", hash = "sha256:272adfe471380d10e4a0e1639d877e504555079a60233dd82249c799b15be81e"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:f37be0054ebb4b8ac6e6d5267290b239b09e7ddc611776051b4c3c4032d161ba"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:611c03a170f0f746180eeb0cc28cdc6f954561b8eb9013605a046de86520ee6b"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:75b2f0ab341f3c33702ce64e1c101116c7462a25686d0b1a0193ca654ad4f96e"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ab29fc61fbd32096b82b02e6b18ae0d7423048d3540b7b90805b16ae10bdb769"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e43741e7453262aa3ba1754623d7864250b33751bd850dd548e3ed6bd1911093"}, + {file = "ckzg-1.0.2-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:155eacc237cb28c9eafda1c47a89e6e4550f1c2e711f2eee21e0bb2f4df75546"}, + {file = "ckzg-1.0.2-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:d31d7fbe396a51f43375e38c31bc3a96c7996882582f95f3fcfd54acfa7b3ce6"}, + {file = "ckzg-1.0.2-pp37-pypy37_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9d3d049186c9966e9140de39a9979d7adcfe22f8b02d2852c94d3c363235cc18"}, + {file = "ckzg-1.0.2-pp37-pypy37_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:88728fbd410d61bd5d655ac50b842714c38bc34ff717f73592132d28911fc88e"}, + {file = "ckzg-1.0.2-pp37-pypy37_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:052d302058d72431acc9dd4a9c76854c8dfce10c698deef5252884e32a1ac7bf"}, + {file = "ckzg-1.0.2-pp37-pypy37_pp73-win_amd64.whl", hash = "sha256:633110a9431231664be2ad32baf10971547f18289d33967654581b9ae9c94a7e"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:f439c9e5297ae29a700f6d55de1525e2e295dbbb7366f0974c8702fca9e536b9"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:94f7eb080c00c0ccbd4fafad69f0b35b624a6a229a28e11d365b60b58a072832"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:f876783ec654b7b9525503c2a0a1b086e5d4f52ff65cac7e8747769b0c2e5468"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c7e039800e50592580171830e788ef4a1d6bb54300d074ae9f9119e92aefc568"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:13a8cccf0070a29bc01493179db2e61220ee1a6cb17f8ea41c68a2f043ace87f"}, + {file = "ckzg-1.0.2-pp38-pypy38_pp73-win_amd64.whl", hash = "sha256:4f86cef801d7b0838e17b6ee2f2c9e747447d91ad1220a701baccdf7ef11a3c8"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:2433a89af4158beddebbdd66fae95b34d40f2467bee8dc40df0333de5e616b5f"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:c49d5dc0918ad912777720035f9820bdbb6c7e7d1898e12506d44ab3c938d525"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-manylinux_2_12_i686.manylinux2010_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:331d49bc72430a3f85ea6ecb55a0d0d65f66a21d61af5783b465906a741366d5"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5e86627bc33bc63b8de869d7d5bfa9868619a4f3e4e7082103935c52f56c66b5"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ab6a2ba2706b5eaa1ce6bc7c4e72970bf9587e2e0e482e5fb4df1996bccb7a40"}, + {file = "ckzg-1.0.2-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:8bca5e7c38d913fabc24ad09545f78ba23cfc13e1ac8250644231729ca908549"}, + {file = "ckzg-1.0.2.tar.gz", hash = "sha256:4295acc380f8d42ebea4a4a0a68c424a322bb335a33bad05c72ead8cbb28d118"}, ] [[package]] @@ -743,63 +743,63 @@ files = [ [[package]] name = "coverage" -version = "7.5.0" +version = "7.5.1" description = "Code coverage measurement for Python" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.5.0-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:432949a32c3e3f820af808db1833d6d1631664d53dd3ce487aa25d574e18ad1c"}, - {file = "coverage-7.5.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:2bd7065249703cbeb6d4ce679c734bef0ee69baa7bff9724361ada04a15b7e3b"}, - {file = "coverage-7.5.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bbfe6389c5522b99768a93d89aca52ef92310a96b99782973b9d11e80511f932"}, - {file = "coverage-7.5.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:39793731182c4be939b4be0cdecde074b833f6171313cf53481f869937129ed3"}, - {file = "coverage-7.5.0-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:85a5dbe1ba1bf38d6c63b6d2c42132d45cbee6d9f0c51b52c59aa4afba057517"}, - {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:357754dcdfd811462a725e7501a9b4556388e8ecf66e79df6f4b988fa3d0b39a"}, - {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:a81eb64feded34f40c8986869a2f764f0fe2db58c0530d3a4afbcde50f314880"}, - {file = "coverage-7.5.0-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:51431d0abbed3a868e967f8257c5faf283d41ec882f58413cf295a389bb22e58"}, - {file = "coverage-7.5.0-cp310-cp310-win32.whl", hash = "sha256:f609ebcb0242d84b7adeee2b06c11a2ddaec5464d21888b2c8255f5fd6a98ae4"}, - {file = "coverage-7.5.0-cp310-cp310-win_amd64.whl", hash = "sha256:6782cd6216fab5a83216cc39f13ebe30adfac2fa72688c5a4d8d180cd52e8f6a"}, - {file = "coverage-7.5.0-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:e768d870801f68c74c2b669fc909839660180c366501d4cc4b87efd6b0eee375"}, - {file = "coverage-7.5.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:84921b10aeb2dd453247fd10de22907984eaf80901b578a5cf0bb1e279a587cb"}, - {file = "coverage-7.5.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:710c62b6e35a9a766b99b15cdc56d5aeda0914edae8bb467e9c355f75d14ee95"}, - {file = "coverage-7.5.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c379cdd3efc0658e652a14112d51a7668f6bfca7445c5a10dee7eabecabba19d"}, - {file = "coverage-7.5.0-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fea9d3ca80bcf17edb2c08a4704259dadac196fe5e9274067e7a20511fad1743"}, - {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:41327143c5b1d715f5f98a397608f90ab9ebba606ae4e6f3389c2145410c52b1"}, - {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:565b2e82d0968c977e0b0f7cbf25fd06d78d4856289abc79694c8edcce6eb2de"}, - {file = "coverage-7.5.0-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:cf3539007202ebfe03923128fedfdd245db5860a36810136ad95a564a2fdffff"}, - {file = "coverage-7.5.0-cp311-cp311-win32.whl", hash = "sha256:bf0b4b8d9caa8d64df838e0f8dcf68fb570c5733b726d1494b87f3da85db3a2d"}, - {file = "coverage-7.5.0-cp311-cp311-win_amd64.whl", hash = "sha256:9c6384cc90e37cfb60435bbbe0488444e54b98700f727f16f64d8bfda0b84656"}, - {file = "coverage-7.5.0-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:fed7a72d54bd52f4aeb6c6e951f363903bd7d70bc1cad64dd1f087980d309ab9"}, - {file = "coverage-7.5.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:cbe6581fcff7c8e262eb574244f81f5faaea539e712a058e6707a9d272fe5b64"}, - {file = "coverage-7.5.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ad97ec0da94b378e593ef532b980c15e377df9b9608c7c6da3506953182398af"}, - {file = "coverage-7.5.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bd4bacd62aa2f1a1627352fe68885d6ee694bdaebb16038b6e680f2924a9b2cc"}, - {file = "coverage-7.5.0-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:adf032b6c105881f9d77fa17d9eebe0ad1f9bfb2ad25777811f97c5362aa07f2"}, - {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4ba01d9ba112b55bfa4b24808ec431197bb34f09f66f7cb4fd0258ff9d3711b1"}, - {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:f0bfe42523893c188e9616d853c47685e1c575fe25f737adf473d0405dcfa7eb"}, - {file = "coverage-7.5.0-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:a9a7ef30a1b02547c1b23fa9a5564f03c9982fc71eb2ecb7f98c96d7a0db5cf2"}, - {file = "coverage-7.5.0-cp312-cp312-win32.whl", hash = "sha256:3c2b77f295edb9fcdb6a250f83e6481c679335ca7e6e4a955e4290350f2d22a4"}, - {file = "coverage-7.5.0-cp312-cp312-win_amd64.whl", hash = "sha256:427e1e627b0963ac02d7c8730ca6d935df10280d230508c0ba059505e9233475"}, - {file = "coverage-7.5.0-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:9dd88fce54abbdbf4c42fb1fea0e498973d07816f24c0e27a1ecaf91883ce69e"}, - {file = "coverage-7.5.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:a898c11dca8f8c97b467138004a30133974aacd572818c383596f8d5b2eb04a9"}, - {file = "coverage-7.5.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:07dfdd492d645eea1bd70fb1d6febdcf47db178b0d99161d8e4eed18e7f62fe7"}, - {file = "coverage-7.5.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d3d117890b6eee85887b1eed41eefe2e598ad6e40523d9f94c4c4b213258e4a4"}, - {file = "coverage-7.5.0-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6afd2e84e7da40fe23ca588379f815fb6dbbb1b757c883935ed11647205111cb"}, - {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:a9960dd1891b2ddf13a7fe45339cd59ecee3abb6b8326d8b932d0c5da208104f"}, - {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:ced268e82af993d7801a9db2dbc1d2322e786c5dc76295d8e89473d46c6b84d4"}, - {file = "coverage-7.5.0-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:e7c211f25777746d468d76f11719e64acb40eed410d81c26cefac641975beb88"}, - {file = "coverage-7.5.0-cp38-cp38-win32.whl", hash = "sha256:262fffc1f6c1a26125d5d573e1ec379285a3723363f3bd9c83923c9593a2ac25"}, - {file = "coverage-7.5.0-cp38-cp38-win_amd64.whl", hash = "sha256:eed462b4541c540d63ab57b3fc69e7d8c84d5957668854ee4e408b50e92ce26a"}, - {file = "coverage-7.5.0-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:d0194d654e360b3e6cc9b774e83235bae6b9b2cac3be09040880bb0e8a88f4a1"}, - {file = "coverage-7.5.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:33c020d3322662e74bc507fb11488773a96894aa82a622c35a5a28673c0c26f5"}, - {file = "coverage-7.5.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0cbdf2cae14a06827bec50bd58e49249452d211d9caddd8bd80e35b53cb04631"}, - {file = "coverage-7.5.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3235d7c781232e525b0761730e052388a01548bd7f67d0067a253887c6e8df46"}, - {file = "coverage-7.5.0-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:db2de4e546f0ec4b2787d625e0b16b78e99c3e21bc1722b4977c0dddf11ca84e"}, - {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:4d0e206259b73af35c4ec1319fd04003776e11e859936658cb6ceffdeba0f5be"}, - {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:2055c4fb9a6ff624253d432aa471a37202cd8f458c033d6d989be4499aed037b"}, - {file = "coverage-7.5.0-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:075299460948cd12722a970c7eae43d25d37989da682997687b34ae6b87c0ef0"}, - {file = "coverage-7.5.0-cp39-cp39-win32.whl", hash = "sha256:280132aada3bc2f0fac939a5771db4fbb84f245cb35b94fae4994d4c1f80dae7"}, - {file = "coverage-7.5.0-cp39-cp39-win_amd64.whl", hash = "sha256:c58536f6892559e030e6924896a44098bc1290663ea12532c78cef71d0df8493"}, - {file = "coverage-7.5.0-pp38.pp39.pp310-none-any.whl", hash = "sha256:2b57780b51084d5223eee7b59f0d4911c31c16ee5aa12737c7a02455829ff067"}, - {file = "coverage-7.5.0.tar.gz", hash = "sha256:cf62d17310f34084c59c01e027259076479128d11e4661bb6c9acb38c5e19bb8"}, + {file = "coverage-7.5.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:c0884920835a033b78d1c73b6d3bbcda8161a900f38a488829a83982925f6c2e"}, + {file = "coverage-7.5.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:39afcd3d4339329c5f58de48a52f6e4e50f6578dd6099961cf22228feb25f38f"}, + {file = "coverage-7.5.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4a7b0ceee8147444347da6a66be737c9d78f3353b0681715b668b72e79203e4a"}, + {file = "coverage-7.5.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a9ca3f2fae0088c3c71d743d85404cec8df9be818a005ea065495bedc33da35"}, + {file = "coverage-7.5.1-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5fd215c0c7d7aab005221608a3c2b46f58c0285a819565887ee0b718c052aa4e"}, + {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:4bf0655ab60d754491004a5efd7f9cccefcc1081a74c9ef2da4735d6ee4a6223"}, + {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:61c4bf1ba021817de12b813338c9be9f0ad5b1e781b9b340a6d29fc13e7c1b5e"}, + {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:db66fc317a046556a96b453a58eced5024af4582a8dbdc0c23ca4dbc0d5b3146"}, + {file = "coverage-7.5.1-cp310-cp310-win32.whl", hash = "sha256:b016ea6b959d3b9556cb401c55a37547135a587db0115635a443b2ce8f1c7228"}, + {file = "coverage-7.5.1-cp310-cp310-win_amd64.whl", hash = "sha256:df4e745a81c110e7446b1cc8131bf986157770fa405fe90e15e850aaf7619bc8"}, + {file = "coverage-7.5.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:796a79f63eca8814ca3317a1ea443645c9ff0d18b188de470ed7ccd45ae79428"}, + {file = "coverage-7.5.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:4fc84a37bfd98db31beae3c2748811a3fa72bf2007ff7902f68746d9757f3746"}, + {file = "coverage-7.5.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6175d1a0559986c6ee3f7fccfc4a90ecd12ba0a383dcc2da30c2b9918d67d8a3"}, + {file = "coverage-7.5.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1fc81d5878cd6274ce971e0a3a18a8803c3fe25457165314271cf78e3aae3aa2"}, + {file = "coverage-7.5.1-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:556cf1a7cbc8028cb60e1ff0be806be2eded2daf8129b8811c63e2b9a6c43bca"}, + {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:9981706d300c18d8b220995ad22627647be11a4276721c10911e0e9fa44c83e8"}, + {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:d7fed867ee50edf1a0b4a11e8e5d0895150e572af1cd6d315d557758bfa9c057"}, + {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:ef48e2707fb320c8f139424a596f5b69955a85b178f15af261bab871873bb987"}, + {file = "coverage-7.5.1-cp311-cp311-win32.whl", hash = "sha256:9314d5678dcc665330df5b69c1e726a0e49b27df0461c08ca12674bcc19ef136"}, + {file = "coverage-7.5.1-cp311-cp311-win_amd64.whl", hash = "sha256:5fa567e99765fe98f4e7d7394ce623e794d7cabb170f2ca2ac5a4174437e90dd"}, + {file = "coverage-7.5.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b6cf3764c030e5338e7f61f95bd21147963cf6aa16e09d2f74f1fa52013c1206"}, + {file = "coverage-7.5.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:2ec92012fefebee89a6b9c79bc39051a6cb3891d562b9270ab10ecfdadbc0c34"}, + {file = "coverage-7.5.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:16db7f26000a07efcf6aea00316f6ac57e7d9a96501e990a36f40c965ec7a95d"}, + {file = "coverage-7.5.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:beccf7b8a10b09c4ae543582c1319c6df47d78fd732f854ac68d518ee1fb97fa"}, + {file = "coverage-7.5.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8748731ad392d736cc9ccac03c9845b13bb07d020a33423fa5b3a36521ac6e4e"}, + {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7352b9161b33fd0b643ccd1f21f3a3908daaddf414f1c6cb9d3a2fd618bf2572"}, + {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7a588d39e0925f6a2bff87154752481273cdb1736270642aeb3635cb9b4cad07"}, + {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:68f962d9b72ce69ea8621f57551b2fa9c70509af757ee3b8105d4f51b92b41a7"}, + {file = "coverage-7.5.1-cp312-cp312-win32.whl", hash = "sha256:f152cbf5b88aaeb836127d920dd0f5e7edff5a66f10c079157306c4343d86c19"}, + {file = "coverage-7.5.1-cp312-cp312-win_amd64.whl", hash = "sha256:5a5740d1fb60ddf268a3811bcd353de34eb56dc24e8f52a7f05ee513b2d4f596"}, + {file = "coverage-7.5.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:e2213def81a50519d7cc56ed643c9e93e0247f5bbe0d1247d15fa520814a7cd7"}, + {file = "coverage-7.5.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:5037f8fcc2a95b1f0e80585bd9d1ec31068a9bcb157d9750a172836e98bc7a90"}, + {file = "coverage-7.5.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5c3721c2c9e4c4953a41a26c14f4cef64330392a6d2d675c8b1db3b645e31f0e"}, + {file = "coverage-7.5.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ca498687ca46a62ae590253fba634a1fe9836bc56f626852fb2720f334c9e4e5"}, + {file = "coverage-7.5.1-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0cdcbc320b14c3e5877ee79e649677cb7d89ef588852e9583e6b24c2e5072661"}, + {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:57e0204b5b745594e5bc14b9b50006da722827f0b8c776949f1135677e88d0b8"}, + {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:8fe7502616b67b234482c3ce276ff26f39ffe88adca2acf0261df4b8454668b4"}, + {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:9e78295f4144f9dacfed4f92935fbe1780021247c2fabf73a819b17f0ccfff8d"}, + {file = "coverage-7.5.1-cp38-cp38-win32.whl", hash = "sha256:1434e088b41594baa71188a17533083eabf5609e8e72f16ce8c186001e6b8c41"}, + {file = "coverage-7.5.1-cp38-cp38-win_amd64.whl", hash = "sha256:0646599e9b139988b63704d704af8e8df7fa4cbc4a1f33df69d97f36cb0a38de"}, + {file = "coverage-7.5.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:4cc37def103a2725bc672f84bd939a6fe4522310503207aae4d56351644682f1"}, + {file = "coverage-7.5.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:fc0b4d8bfeabd25ea75e94632f5b6e047eef8adaed0c2161ada1e922e7f7cece"}, + {file = "coverage-7.5.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0d0a0f5e06881ecedfe6f3dd2f56dcb057b6dbeb3327fd32d4b12854df36bf26"}, + {file = "coverage-7.5.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9735317685ba6ec7e3754798c8871c2f49aa5e687cc794a0b1d284b2389d1bd5"}, + {file = "coverage-7.5.1-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d21918e9ef11edf36764b93101e2ae8cc82aa5efdc7c5a4e9c6c35a48496d601"}, + {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:c3e757949f268364b96ca894b4c342b41dc6f8f8b66c37878aacef5930db61be"}, + {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:79afb6197e2f7f60c4824dd4b2d4c2ec5801ceb6ba9ce5d2c3080e5660d51a4f"}, + {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:d1d0d98d95dd18fe29dc66808e1accf59f037d5716f86a501fc0256455219668"}, + {file = "coverage-7.5.1-cp39-cp39-win32.whl", hash = "sha256:1cc0fe9b0b3a8364093c53b0b4c0c2dd4bb23acbec4c9240b5f284095ccf7981"}, + {file = "coverage-7.5.1-cp39-cp39-win_amd64.whl", hash = "sha256:dde0070c40ea8bb3641e811c1cfbf18e265d024deff6de52c5950677a8fb1e0f"}, + {file = "coverage-7.5.1-pp38.pp39.pp310-none-any.whl", hash = "sha256:6537e7c10cc47c595828b8a8be04c72144725c383c4702703ff4e42e44577312"}, + {file = "coverage-7.5.1.tar.gz", hash = "sha256:54de9ef3a9da981f7af93eafde4ede199e0846cd819eb27c88e2b712aae9708c"}, ] [package.dependencies] @@ -1991,17 +1991,16 @@ files = [ [[package]] name = "pygments" -version = "2.17.2" +version = "2.18.0" description = "Pygments is a syntax highlighting package written in Python." optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "pygments-2.17.2-py3-none-any.whl", hash = "sha256:b27c2826c47d0f3219f29554824c30c5e8945175d888647acd804ddd04af846c"}, - {file = "pygments-2.17.2.tar.gz", hash = "sha256:da46cec9fd2de5be3a8a784f434e4c4ab670b4ff54d605c4c2717e9d49c4c367"}, + {file = "pygments-2.18.0-py3-none-any.whl", hash = "sha256:b8e6aca0523f3ab76fee51799c488e38782ac06eafcf95e7ba832985c8e7b13a"}, + {file = "pygments-2.18.0.tar.gz", hash = "sha256:786ff802f32e91311bff3889f6e9a86e81505fe99f2735bb6d60ae0c5004f199"}, ] [package.extras] -plugins = ["importlib-metadata"] windows-terminal = ["colorama (>=0.4.6)"] [[package]] @@ -2361,110 +2360,110 @@ test = ["hypothesis (==5.19.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] name = "rpds-py" -version = "0.18.0" +version = "0.18.1" description = "Python bindings to Rust's persistent data structures (rpds)" optional = false python-versions = ">=3.8" files = [ - {file = "rpds_py-0.18.0-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:5b4e7d8d6c9b2e8ee2d55c90b59c707ca59bc30058269b3db7b1f8df5763557e"}, - {file = "rpds_py-0.18.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:c463ed05f9dfb9baebef68048aed8dcdc94411e4bf3d33a39ba97e271624f8f7"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:01e36a39af54a30f28b73096dd39b6802eddd04c90dbe161c1b8dbe22353189f"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d62dec4976954a23d7f91f2f4530852b0c7608116c257833922a896101336c51"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:dd18772815d5f008fa03d2b9a681ae38d5ae9f0e599f7dda233c439fcaa00d40"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:923d39efa3cfb7279a0327e337a7958bff00cc447fd07a25cddb0a1cc9a6d2da"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:39514da80f971362f9267c600b6d459bfbbc549cffc2cef8e47474fddc9b45b1"}, - {file = "rpds_py-0.18.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a34d557a42aa28bd5c48a023c570219ba2593bcbbb8dc1b98d8cf5d529ab1434"}, - {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:93df1de2f7f7239dc9cc5a4a12408ee1598725036bd2dedadc14d94525192fc3"}, - {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:34b18ba135c687f4dac449aa5157d36e2cbb7c03cbea4ddbd88604e076aa836e"}, - {file = "rpds_py-0.18.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:c0b5dcf9193625afd8ecc92312d6ed78781c46ecbf39af9ad4681fc9f464af88"}, - {file = "rpds_py-0.18.0-cp310-none-win32.whl", hash = "sha256:c4325ff0442a12113a6379af66978c3fe562f846763287ef66bdc1d57925d337"}, - {file = "rpds_py-0.18.0-cp310-none-win_amd64.whl", hash = "sha256:7223a2a5fe0d217e60a60cdae28d6949140dde9c3bcc714063c5b463065e3d66"}, - {file = "rpds_py-0.18.0-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:3a96e0c6a41dcdba3a0a581bbf6c44bb863f27c541547fb4b9711fd8cf0ffad4"}, - {file = "rpds_py-0.18.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:30f43887bbae0d49113cbaab729a112251a940e9b274536613097ab8b4899cf6"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fcb25daa9219b4cf3a0ab24b0eb9a5cc8949ed4dc72acb8fa16b7e1681aa3c58"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d68c93e381010662ab873fea609bf6c0f428b6d0bb00f2c6939782e0818d37bf"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b34b7aa8b261c1dbf7720b5d6f01f38243e9b9daf7e6b8bc1fd4657000062f2c"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2e6d75ab12b0bbab7215e5d40f1e5b738aa539598db27ef83b2ec46747df90e1"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0b8612cd233543a3781bc659c731b9d607de65890085098986dfd573fc2befe5"}, - {file = "rpds_py-0.18.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:aec493917dd45e3c69d00a8874e7cbed844efd935595ef78a0f25f14312e33c6"}, - {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:661d25cbffaf8cc42e971dd570d87cb29a665f49f4abe1f9e76be9a5182c4688"}, - {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:1df3659d26f539ac74fb3b0c481cdf9d725386e3552c6fa2974f4d33d78e544b"}, - {file = "rpds_py-0.18.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:a1ce3ba137ed54f83e56fb983a5859a27d43a40188ba798993812fed73c70836"}, - {file = "rpds_py-0.18.0-cp311-none-win32.whl", hash = "sha256:69e64831e22a6b377772e7fb337533c365085b31619005802a79242fee620bc1"}, - {file = "rpds_py-0.18.0-cp311-none-win_amd64.whl", hash = "sha256:998e33ad22dc7ec7e030b3df701c43630b5bc0d8fbc2267653577e3fec279afa"}, - {file = "rpds_py-0.18.0-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:7f2facbd386dd60cbbf1a794181e6aa0bd429bd78bfdf775436020172e2a23f0"}, - {file = "rpds_py-0.18.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:1d9a5be316c15ffb2b3c405c4ff14448c36b4435be062a7f578ccd8b01f0c4d8"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cd5bf1af8efe569654bbef5a3e0a56eca45f87cfcffab31dd8dde70da5982475"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5417558f6887e9b6b65b4527232553c139b57ec42c64570569b155262ac0754f"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:56a737287efecafc16f6d067c2ea0117abadcd078d58721f967952db329a3e5c"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8f03bccbd8586e9dd37219bce4d4e0d3ab492e6b3b533e973fa08a112cb2ffc9"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4457a94da0d5c53dc4b3e4de1158bdab077db23c53232f37a3cb7afdb053a4e3"}, - {file = "rpds_py-0.18.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:0ab39c1ba9023914297dd88ec3b3b3c3f33671baeb6acf82ad7ce883f6e8e157"}, - {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:9d54553c1136b50fd12cc17e5b11ad07374c316df307e4cfd6441bea5fb68496"}, - {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:0af039631b6de0397ab2ba16eaf2872e9f8fca391b44d3d8cac317860a700a3f"}, - {file = "rpds_py-0.18.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:84ffab12db93b5f6bad84c712c92060a2d321b35c3c9960b43d08d0f639d60d7"}, - {file = "rpds_py-0.18.0-cp312-none-win32.whl", hash = "sha256:685537e07897f173abcf67258bee3c05c374fa6fff89d4c7e42fb391b0605e98"}, - {file = "rpds_py-0.18.0-cp312-none-win_amd64.whl", hash = "sha256:e003b002ec72c8d5a3e3da2989c7d6065b47d9eaa70cd8808b5384fbb970f4ec"}, - {file = "rpds_py-0.18.0-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:08f9ad53c3f31dfb4baa00da22f1e862900f45908383c062c27628754af2e88e"}, - {file = "rpds_py-0.18.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:c0013fe6b46aa496a6749c77e00a3eb07952832ad6166bd481c74bda0dcb6d58"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e32a92116d4f2a80b629778280103d2a510a5b3f6314ceccd6e38006b5e92dcb"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e541ec6f2ec456934fd279a3120f856cd0aedd209fc3852eca563f81738f6861"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:bed88b9a458e354014d662d47e7a5baafd7ff81c780fd91584a10d6ec842cb73"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2644e47de560eb7bd55c20fc59f6daa04682655c58d08185a9b95c1970fa1e07"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8e8916ae4c720529e18afa0b879473049e95949bf97042e938530e072fde061d"}, - {file = "rpds_py-0.18.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:465a3eb5659338cf2a9243e50ad9b2296fa15061736d6e26240e713522b6235c"}, - {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:ea7d4a99f3b38c37eac212dbd6ec42b7a5ec51e2c74b5d3223e43c811609e65f"}, - {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:67071a6171e92b6da534b8ae326505f7c18022c6f19072a81dcf40db2638767c"}, - {file = "rpds_py-0.18.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:41ef53e7c58aa4ef281da975f62c258950f54b76ec8e45941e93a3d1d8580594"}, - {file = "rpds_py-0.18.0-cp38-none-win32.whl", hash = "sha256:fdea4952db2793c4ad0bdccd27c1d8fdd1423a92f04598bc39425bcc2b8ee46e"}, - {file = "rpds_py-0.18.0-cp38-none-win_amd64.whl", hash = "sha256:7cd863afe7336c62ec78d7d1349a2f34c007a3cc6c2369d667c65aeec412a5b1"}, - {file = "rpds_py-0.18.0-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:5307def11a35f5ae4581a0b658b0af8178c65c530e94893345bebf41cc139d33"}, - {file = "rpds_py-0.18.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:77f195baa60a54ef9d2de16fbbfd3ff8b04edc0c0140a761b56c267ac11aa467"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:39f5441553f1c2aed4de4377178ad8ff8f9d733723d6c66d983d75341de265ab"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:9a00312dea9310d4cb7dbd7787e722d2e86a95c2db92fbd7d0155f97127bcb40"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8f2fc11e8fe034ee3c34d316d0ad8808f45bc3b9ce5857ff29d513f3ff2923a1"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:586f8204935b9ec884500498ccc91aa869fc652c40c093bd9e1471fbcc25c022"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ddc2f4dfd396c7bfa18e6ce371cba60e4cf9d2e5cdb71376aa2da264605b60b9"}, - {file = "rpds_py-0.18.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:5ddcba87675b6d509139d1b521e0c8250e967e63b5909a7e8f8944d0f90ff36f"}, - {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:7bd339195d84439cbe5771546fe8a4e8a7a045417d8f9de9a368c434e42a721e"}, - {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:d7c36232a90d4755b720fbd76739d8891732b18cf240a9c645d75f00639a9024"}, - {file = "rpds_py-0.18.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:6b0817e34942b2ca527b0e9298373e7cc75f429e8da2055607f4931fded23e20"}, - {file = "rpds_py-0.18.0-cp39-none-win32.whl", hash = "sha256:99f70b740dc04d09e6b2699b675874367885217a2e9f782bdf5395632ac663b7"}, - {file = "rpds_py-0.18.0-cp39-none-win_amd64.whl", hash = "sha256:6ef687afab047554a2d366e112dd187b62d261d49eb79b77e386f94644363294"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:ad36cfb355e24f1bd37cac88c112cd7730873f20fb0bdaf8ba59eedf8216079f"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:36b3ee798c58ace201289024b52788161e1ea133e4ac93fba7d49da5fec0ef9e"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f8a2f084546cc59ea99fda8e070be2fd140c3092dc11524a71aa8f0f3d5a55ca"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:e4461d0f003a0aa9be2bdd1b798a041f177189c1a0f7619fe8c95ad08d9a45d7"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8db715ebe3bb7d86d77ac1826f7d67ec11a70dbd2376b7cc214199360517b641"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:793968759cd0d96cac1e367afd70c235867831983f876a53389ad869b043c948"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:66e6a3af5a75363d2c9a48b07cb27c4ea542938b1a2e93b15a503cdfa8490795"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6ef0befbb5d79cf32d0266f5cff01545602344eda89480e1dd88aca964260b18"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:1d4acf42190d449d5e89654d5c1ed3a4f17925eec71f05e2a41414689cda02d1"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:a5f446dd5055667aabaee78487f2b5ab72e244f9bc0b2ffebfeec79051679984"}, - {file = "rpds_py-0.18.0-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:9dbbeb27f4e70bfd9eec1be5477517365afe05a9b2c441a0b21929ee61048124"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:22806714311a69fd0af9b35b7be97c18a0fc2826e6827dbb3a8c94eac6cf7eeb"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b34ae4636dfc4e76a438ab826a0d1eed2589ca7d9a1b2d5bb546978ac6485461"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8c8370641f1a7f0e0669ddccca22f1da893cef7628396431eb445d46d893e5cd"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:c8362467a0fdeccd47935f22c256bec5e6abe543bf0d66e3d3d57a8fb5731863"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:11a8c85ef4a07a7638180bf04fe189d12757c696eb41f310d2426895356dcf05"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b316144e85316da2723f9d8dc75bada12fa58489a527091fa1d5a612643d1a0e"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cf1ea2e34868f6fbf070e1af291c8180480310173de0b0c43fc38a02929fc0e3"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:e546e768d08ad55b20b11dbb78a745151acbd938f8f00d0cfbabe8b0199b9880"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:4901165d170a5fde6f589acb90a6b33629ad1ec976d4529e769c6f3d885e3e80"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:618a3d6cae6ef8ec88bb76dd80b83cfe415ad4f1d942ca2a903bf6b6ff97a2da"}, - {file = "rpds_py-0.18.0-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:ed4eb745efbff0a8e9587d22a84be94a5eb7d2d99c02dacf7bd0911713ed14dd"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:6c81e5f372cd0dc5dc4809553d34f832f60a46034a5f187756d9b90586c2c307"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:43fbac5f22e25bee1d482c97474f930a353542855f05c1161fd804c9dc74a09d"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6d7faa6f14017c0b1e69f5e2c357b998731ea75a442ab3841c0dbbbfe902d2c4"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:08231ac30a842bd04daabc4d71fddd7e6d26189406d5a69535638e4dcb88fe76"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:044a3e61a7c2dafacae99d1e722cc2d4c05280790ec5a05031b3876809d89a5c"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3f26b5bd1079acdb0c7a5645e350fe54d16b17bfc5e71f371c449383d3342e17"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:482103aed1dfe2f3b71a58eff35ba105289b8d862551ea576bd15479aba01f66"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:1374f4129f9bcca53a1bba0bb86bf78325a0374577cf7e9e4cd046b1e6f20e24"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:635dc434ff724b178cb192c70016cc0ad25a275228f749ee0daf0eddbc8183b1"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:bc362ee4e314870a70f4ae88772d72d877246537d9f8cb8f7eacf10884862432"}, - {file = "rpds_py-0.18.0-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:4832d7d380477521a8c1644bbab6588dfedea5e30a7d967b5fb75977c45fd77f"}, - {file = "rpds_py-0.18.0.tar.gz", hash = "sha256:42821446ee7a76f5d9f71f9e33a4fb2ffd724bb3e7f93386150b61a43115788d"}, + {file = "rpds_py-0.18.1-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:d31dea506d718693b6b2cffc0648a8929bdc51c70a311b2770f09611caa10d53"}, + {file = "rpds_py-0.18.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:732672fbc449bab754e0b15356c077cc31566df874964d4801ab14f71951ea80"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4a98a1f0552b5f227a3d6422dbd61bc6f30db170939bd87ed14f3c339aa6c7c9"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:7f1944ce16401aad1e3f7d312247b3d5de7981f634dc9dfe90da72b87d37887d"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:38e14fb4e370885c4ecd734f093a2225ee52dc384b86fa55fe3f74638b2cfb09"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:08d74b184f9ab6289b87b19fe6a6d1a97fbfea84b8a3e745e87a5de3029bf944"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d70129cef4a8d979caa37e7fe957202e7eee8ea02c5e16455bc9808a59c6b2f0"}, + {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:ce0bb20e3a11bd04461324a6a798af34d503f8d6f1aa3d2aa8901ceaf039176d"}, + {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:81c5196a790032e0fc2464c0b4ab95f8610f96f1f2fa3d4deacce6a79852da60"}, + {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:f3027be483868c99b4985fda802a57a67fdf30c5d9a50338d9db646d590198da"}, + {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:d44607f98caa2961bab4fa3c4309724b185b464cdc3ba6f3d7340bac3ec97cc1"}, + {file = "rpds_py-0.18.1-cp310-none-win32.whl", hash = "sha256:c273e795e7a0f1fddd46e1e3cb8be15634c29ae8ff31c196debb620e1edb9333"}, + {file = "rpds_py-0.18.1-cp310-none-win_amd64.whl", hash = "sha256:8352f48d511de5f973e4f2f9412736d7dea76c69faa6d36bcf885b50c758ab9a"}, + {file = "rpds_py-0.18.1-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:6b5ff7e1d63a8281654b5e2896d7f08799378e594f09cf3674e832ecaf396ce8"}, + {file = "rpds_py-0.18.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:8927638a4d4137a289e41d0fd631551e89fa346d6dbcfc31ad627557d03ceb6d"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:154bf5c93d79558b44e5b50cc354aa0459e518e83677791e6adb0b039b7aa6a7"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:07f2139741e5deb2c5154a7b9629bc5aa48c766b643c1a6750d16f865a82c5fc"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8c7672e9fba7425f79019db9945b16e308ed8bc89348c23d955c8c0540da0a07"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:489bdfe1abd0406eba6b3bb4fdc87c7fa40f1031de073d0cfb744634cc8fa261"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3c20f05e8e3d4fc76875fc9cb8cf24b90a63f5a1b4c5b9273f0e8225e169b100"}, + {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:967342e045564cef76dfcf1edb700b1e20838d83b1aa02ab313e6a497cf923b8"}, + {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:2cc7c1a47f3a63282ab0f422d90ddac4aa3034e39fc66a559ab93041e6505da7"}, + {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:f7afbfee1157e0f9376c00bb232e80a60e59ed716e3211a80cb8506550671e6e"}, + {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:9e6934d70dc50f9f8ea47081ceafdec09245fd9f6032669c3b45705dea096b88"}, + {file = "rpds_py-0.18.1-cp311-none-win32.whl", hash = "sha256:c69882964516dc143083d3795cb508e806b09fc3800fd0d4cddc1df6c36e76bb"}, + {file = "rpds_py-0.18.1-cp311-none-win_amd64.whl", hash = "sha256:70a838f7754483bcdc830444952fd89645569e7452e3226de4a613a4c1793fb2"}, + {file = "rpds_py-0.18.1-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:3dd3cd86e1db5aadd334e011eba4e29d37a104b403e8ca24dcd6703c68ca55b3"}, + {file = "rpds_py-0.18.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:05f3d615099bd9b13ecf2fc9cf2d839ad3f20239c678f461c753e93755d629ee"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:35b2b771b13eee8729a5049c976197ff58a27a3829c018a04341bcf1ae409b2b"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:ee17cd26b97d537af8f33635ef38be873073d516fd425e80559f4585a7b90c43"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b646bf655b135ccf4522ed43d6902af37d3f5dbcf0da66c769a2b3938b9d8184"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19ba472b9606c36716062c023afa2484d1e4220548751bda14f725a7de17b4f6"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6e30ac5e329098903262dc5bdd7e2086e0256aa762cc8b744f9e7bf2a427d3f8"}, + {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:d58ad6317d188c43750cb76e9deacf6051d0f884d87dc6518e0280438648a9ac"}, + {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:e1735502458621921cee039c47318cb90b51d532c2766593be6207eec53e5c4c"}, + {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:f5bab211605d91db0e2995a17b5c6ee5edec1270e46223e513eaa20da20076ac"}, + {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:2fc24a329a717f9e2448f8cd1f960f9dac4e45b6224d60734edeb67499bab03a"}, + {file = "rpds_py-0.18.1-cp312-none-win32.whl", hash = "sha256:1805d5901779662d599d0e2e4159d8a82c0b05faa86ef9222bf974572286b2b6"}, + {file = "rpds_py-0.18.1-cp312-none-win_amd64.whl", hash = "sha256:720edcb916df872d80f80a1cc5ea9058300b97721efda8651efcd938a9c70a72"}, + {file = "rpds_py-0.18.1-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:c827576e2fa017a081346dce87d532a5310241648eb3700af9a571a6e9fc7e74"}, + {file = "rpds_py-0.18.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:aa3679e751408d75a0b4d8d26d6647b6d9326f5e35c00a7ccd82b78ef64f65f8"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0abeee75434e2ee2d142d650d1e54ac1f8b01e6e6abdde8ffd6eeac6e9c38e20"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:ed402d6153c5d519a0faf1bb69898e97fb31613b49da27a84a13935ea9164dfc"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:338dee44b0cef8b70fd2ef54b4e09bb1b97fc6c3a58fea5db6cc083fd9fc2724"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7750569d9526199c5b97e5a9f8d96a13300950d910cf04a861d96f4273d5b104"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:607345bd5912aacc0c5a63d45a1f73fef29e697884f7e861094e443187c02be5"}, + {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:207c82978115baa1fd8d706d720b4a4d2b0913df1c78c85ba73fe6c5804505f0"}, + {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:6d1e42d2735d437e7e80bab4d78eb2e459af48c0a46e686ea35f690b93db792d"}, + {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:5463c47c08630007dc0fe99fb480ea4f34a89712410592380425a9b4e1611d8e"}, + {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:06d218939e1bf2ca50e6b0ec700ffe755e5216a8230ab3e87c059ebb4ea06afc"}, + {file = "rpds_py-0.18.1-cp38-none-win32.whl", hash = "sha256:312fe69b4fe1ffbe76520a7676b1e5ac06ddf7826d764cc10265c3b53f96dbe9"}, + {file = "rpds_py-0.18.1-cp38-none-win_amd64.whl", hash = "sha256:9437ca26784120a279f3137ee080b0e717012c42921eb07861b412340f85bae2"}, + {file = "rpds_py-0.18.1-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:19e515b78c3fc1039dd7da0a33c28c3154458f947f4dc198d3c72db2b6b5dc93"}, + {file = "rpds_py-0.18.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:a7b28c5b066bca9a4eb4e2f2663012debe680f097979d880657f00e1c30875a0"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:673fdbbf668dd958eff750e500495ef3f611e2ecc209464f661bc82e9838991e"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d960de62227635d2e61068f42a6cb6aae91a7fe00fca0e3aeed17667c8a34611"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:352a88dc7892f1da66b6027af06a2e7e5d53fe05924cc2cfc56495b586a10b72"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:4e0ee01ad8260184db21468a6e1c37afa0529acc12c3a697ee498d3c2c4dcaf3"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e4c39ad2f512b4041343ea3c7894339e4ca7839ac38ca83d68a832fc8b3748ab"}, + {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:aaa71ee43a703c321906813bb252f69524f02aa05bf4eec85f0c41d5d62d0f4c"}, + {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:6cd8098517c64a85e790657e7b1e509b9fe07487fd358e19431cb120f7d96338"}, + {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:4adec039b8e2928983f885c53b7cc4cda8965b62b6596501a0308d2703f8af1b"}, + {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:32b7daaa3e9389db3695964ce8e566e3413b0c43e3394c05e4b243a4cd7bef26"}, + {file = "rpds_py-0.18.1-cp39-none-win32.whl", hash = "sha256:2625f03b105328729f9450c8badda34d5243231eef6535f80064d57035738360"}, + {file = "rpds_py-0.18.1-cp39-none-win_amd64.whl", hash = "sha256:bf18932d0003c8c4d51a39f244231986ab23ee057d235a12b2684ea26a353590"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:cbfbea39ba64f5e53ae2915de36f130588bba71245b418060ec3330ebf85678e"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:a3d456ff2a6a4d2adcdf3c1c960a36f4fd2fec6e3b4902a42a384d17cf4e7a65"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:7700936ef9d006b7ef605dc53aa364da2de5a3aa65516a1f3ce73bf82ecfc7ae"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:51584acc5916212e1bf45edd17f3a6b05fe0cbb40482d25e619f824dccb679de"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:942695a206a58d2575033ff1e42b12b2aece98d6003c6bc739fbf33d1773b12f"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b906b5f58892813e5ba5c6056d6a5ad08f358ba49f046d910ad992196ea61397"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f6f8e3fecca256fefc91bb6765a693d96692459d7d4c644660a9fff32e517843"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:7732770412bab81c5a9f6d20aeb60ae943a9b36dcd990d876a773526468e7163"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:bd1105b50ede37461c1d51b9698c4f4be6e13e69a908ab7751e3807985fc0346"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:618916f5535784960f3ecf8111581f4ad31d347c3de66d02e728de460a46303c"}, + {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:17c6d2155e2423f7e79e3bb18151c686d40db42d8645e7977442170c360194d4"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:6c4c4c3f878df21faf5fac86eda32671c27889e13570645a9eea0a1abdd50922"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:fab6ce90574645a0d6c58890e9bcaac8d94dff54fb51c69e5522a7358b80ab64"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:531796fb842b53f2695e94dc338929e9f9dbf473b64710c28af5a160b2a8927d"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:740884bc62a5e2bbb31e584f5d23b32320fd75d79f916f15a788d527a5e83644"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:998125738de0158f088aef3cb264a34251908dd2e5d9966774fdab7402edfab7"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e2be6e9dd4111d5b31ba3b74d17da54a8319d8168890fbaea4b9e5c3de630ae5"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d0cee71bc618cd93716f3c1bf56653740d2d13ddbd47673efa8bf41435a60daa"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:2c3caec4ec5cd1d18e5dd6ae5194d24ed12785212a90b37f5f7f06b8bedd7139"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:27bba383e8c5231cd559affe169ca0b96ec78d39909ffd817f28b166d7ddd4d8"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:a888e8bdb45916234b99da2d859566f1e8a1d2275a801bb8e4a9644e3c7e7909"}, + {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:6031b25fb1b06327b43d841f33842b383beba399884f8228a6bb3df3088485ff"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:48c2faaa8adfacefcbfdb5f2e2e7bdad081e5ace8d182e5f4ade971f128e6bb3"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:d85164315bd68c0806768dc6bb0429c6f95c354f87485ee3593c4f6b14def2bd"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6afd80f6c79893cfc0574956f78a0add8c76e3696f2d6a15bca2c66c415cf2d4"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:fa242ac1ff583e4ec7771141606aafc92b361cd90a05c30d93e343a0c2d82a89"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d21be4770ff4e08698e1e8e0bce06edb6ea0626e7c8f560bc08222880aca6a6f"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5c45a639e93a0c5d4b788b2613bd637468edd62f8f95ebc6fcc303d58ab3f0a8"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:910e71711d1055b2768181efa0a17537b2622afeb0424116619817007f8a2b10"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b9bb1f182a97880f6078283b3505a707057c42bf55d8fca604f70dedfdc0772a"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:1d54f74f40b1f7aaa595a02ff42ef38ca654b1469bef7d52867da474243cc633"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:8d2e182c9ee01135e11e9676e9a62dfad791a7a467738f06726872374a83db49"}, + {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:636a15acc588f70fda1661234761f9ed9ad79ebed3f2125d44be0862708b666e"}, + {file = "rpds_py-0.18.1.tar.gz", hash = "sha256:dc48b479d540770c811fbd1eb9ba2bb66951863e448efec2e2c102625328e92f"}, ] [[package]] @@ -2806,4 +2805,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "188d2a52cba5ea90d89a877d7d54c6e233f26b1ebd9eb7f4bfe22330146716cb" +content-hash = "5f8115d4b234996845c514ddc8425ebeb91cdc182853cb881a51c7482f88c569" From 355c3a90b0fc724641811da4645bf0f2a38f5172 Mon Sep 17 00:00:00 2001 From: abel Date: Wed, 8 May 2024 09:22:55 +0100 Subject: [PATCH 33/63] (fix) Added unit test for AsyncClient tokens loading logic, to improve coverage --- tests/test_async_client.py | 68 ++++++++++++++++++++++++++++++++++++++ 1 file changed, 68 insertions(+) diff --git a/tests/test_async_client.py b/tests/test_async_client.py index d814a7f1..2d2465c9 100644 --- a/tests/test_async_client.py +++ b/tests/test_async_client.py @@ -141,6 +141,74 @@ async def test_initialize_tokens_and_markets( (first_match_bet_market_meta.market_id == market.id for market in all_binary_option_markets.values()) ) + @pytest.mark.asyncio + async def test_tokens_and_markets_initialization_read_tokens_from_official_list( + self, + spot_servicer, + derivative_servicer, + inj_usdt_spot_market_meta, + ape_usdt_spot_market_meta, + btc_usdt_perp_market_meta, + first_match_bet_market_meta, + aioresponses, + ): + test_network = Network.local() + + tokens_list = [ + { + "address": "ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E", + "isNative": True, + "tokenVerification": "verified", + "name": "USD Coin", + "decimals": 6, + "symbol": "USDC", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/a8bfa5f1-1dab-4be9-a68c-e15f0bd11100/public", + "coinGeckoId": "usd-coin", + "baseDenom": "uusdc", + "channelId": "channel-148", + "source": "cosmos", + "path": "transfer/channel-148", + "hash": "2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E", + "denom": "ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E", + "tokenType": "ibc", + "externalLogo": "usdc.png", + }, + { + "address": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "isNative": False, + "decimals": 18, + "symbol": "WMATIC", + "logo": "https://imagedelivery.net/DYKOWp0iCc0sIkF-2e4dNw/0d061e1e-a746-4b19-1399-8187b8bb1700/public", + "name": "Wrapped Matic", + "coinGeckoId": "wmatic", + "denom": "0x0d500b1d8e8ef31e21c99d1db9a6444d3adf1270", + "tokenType": "evm", + "tokenVerification": "verified", + "externalLogo": "polygon.png", + }, + ] + aioresponses.get(test_network.official_tokens_list_url, payload=tokens_list) + + spot_servicer.markets_responses.append(injective_spot_exchange_rpc_pb2.MarketsResponse(markets=[])) + derivative_servicer.markets_responses.append(injective_derivative_exchange_rpc_pb2.MarketsResponse(markets=[])) + derivative_servicer.binary_options_markets_responses.append( + injective_derivative_exchange_rpc_pb2.BinaryOptionsMarketsResponse(markets=[]) + ) + + client = AsyncClient( + network=test_network, + insecure=False, + ) + + client.exchange_spot_api._stub = spot_servicer + client.exchange_derivative_api._stub = derivative_servicer + + await client._initialize_tokens_and_markets() + + all_tokens = await client.all_tokens() + for token_info in tokens_list: + assert token_info["symbol"] in all_tokens + @pytest.mark.asyncio async def test_initialize_tokens_from_chain_denoms( self, From 4562e9046e00505749e65aac4062038797be6570 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 6 Jun 2024 17:46:34 -0300 Subject: [PATCH 34/63] (fix) Updated poetry lock file --- poetry.lock | 562 ++++++++++++++++++++++++++-------------------------- 1 file changed, 279 insertions(+), 283 deletions(-) diff --git a/poetry.lock b/poetry.lock index ba519b5b..c7a3cdee 100644 --- a/poetry.lock +++ b/poetry.lock @@ -384,13 +384,13 @@ uvloop = ["uvloop (>=0.15.2)"] [[package]] name = "certifi" -version = "2024.2.2" +version = "2024.6.2" description = "Python package for providing Mozilla's CA Bundle." optional = false python-versions = ">=3.6" files = [ - {file = "certifi-2024.2.2-py3-none-any.whl", hash = "sha256:dc383c07b76109f368f6106eee2b593b04a011ea4d55f652c6ca24a754d1cdd1"}, - {file = "certifi-2024.2.2.tar.gz", hash = "sha256:0569859f95fc761b18b45ef421b1290a0f65f147e92a1e5eb3e635f9a5e4e66f"}, + {file = "certifi-2024.6.2-py3-none-any.whl", hash = "sha256:ddc6c8ce995e6987e7faf5e3f1b02b302836a0e5d98ece18392cb1a36c72ad56"}, + {file = "certifi-2024.6.2.tar.gz", hash = "sha256:3cd43f1c6fa7dedc5899d69d3ad0398fd018ad1a17fba83ddaf78aa46c747516"}, ] [[package]] @@ -743,63 +743,63 @@ files = [ [[package]] name = "coverage" -version = "7.5.1" +version = "7.5.3" description = "Code coverage measurement for Python" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.5.1-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:c0884920835a033b78d1c73b6d3bbcda8161a900f38a488829a83982925f6c2e"}, - {file = "coverage-7.5.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:39afcd3d4339329c5f58de48a52f6e4e50f6578dd6099961cf22228feb25f38f"}, - {file = "coverage-7.5.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4a7b0ceee8147444347da6a66be737c9d78f3353b0681715b668b72e79203e4a"}, - {file = "coverage-7.5.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a9ca3f2fae0088c3c71d743d85404cec8df9be818a005ea065495bedc33da35"}, - {file = "coverage-7.5.1-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5fd215c0c7d7aab005221608a3c2b46f58c0285a819565887ee0b718c052aa4e"}, - {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:4bf0655ab60d754491004a5efd7f9cccefcc1081a74c9ef2da4735d6ee4a6223"}, - {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:61c4bf1ba021817de12b813338c9be9f0ad5b1e781b9b340a6d29fc13e7c1b5e"}, - {file = "coverage-7.5.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:db66fc317a046556a96b453a58eced5024af4582a8dbdc0c23ca4dbc0d5b3146"}, - {file = "coverage-7.5.1-cp310-cp310-win32.whl", hash = "sha256:b016ea6b959d3b9556cb401c55a37547135a587db0115635a443b2ce8f1c7228"}, - {file = "coverage-7.5.1-cp310-cp310-win_amd64.whl", hash = "sha256:df4e745a81c110e7446b1cc8131bf986157770fa405fe90e15e850aaf7619bc8"}, - {file = "coverage-7.5.1-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:796a79f63eca8814ca3317a1ea443645c9ff0d18b188de470ed7ccd45ae79428"}, - {file = "coverage-7.5.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:4fc84a37bfd98db31beae3c2748811a3fa72bf2007ff7902f68746d9757f3746"}, - {file = "coverage-7.5.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6175d1a0559986c6ee3f7fccfc4a90ecd12ba0a383dcc2da30c2b9918d67d8a3"}, - {file = "coverage-7.5.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1fc81d5878cd6274ce971e0a3a18a8803c3fe25457165314271cf78e3aae3aa2"}, - {file = "coverage-7.5.1-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:556cf1a7cbc8028cb60e1ff0be806be2eded2daf8129b8811c63e2b9a6c43bca"}, - {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:9981706d300c18d8b220995ad22627647be11a4276721c10911e0e9fa44c83e8"}, - {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:d7fed867ee50edf1a0b4a11e8e5d0895150e572af1cd6d315d557758bfa9c057"}, - {file = "coverage-7.5.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:ef48e2707fb320c8f139424a596f5b69955a85b178f15af261bab871873bb987"}, - {file = "coverage-7.5.1-cp311-cp311-win32.whl", hash = "sha256:9314d5678dcc665330df5b69c1e726a0e49b27df0461c08ca12674bcc19ef136"}, - {file = "coverage-7.5.1-cp311-cp311-win_amd64.whl", hash = "sha256:5fa567e99765fe98f4e7d7394ce623e794d7cabb170f2ca2ac5a4174437e90dd"}, - {file = "coverage-7.5.1-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b6cf3764c030e5338e7f61f95bd21147963cf6aa16e09d2f74f1fa52013c1206"}, - {file = "coverage-7.5.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:2ec92012fefebee89a6b9c79bc39051a6cb3891d562b9270ab10ecfdadbc0c34"}, - {file = "coverage-7.5.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:16db7f26000a07efcf6aea00316f6ac57e7d9a96501e990a36f40c965ec7a95d"}, - {file = "coverage-7.5.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:beccf7b8a10b09c4ae543582c1319c6df47d78fd732f854ac68d518ee1fb97fa"}, - {file = "coverage-7.5.1-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8748731ad392d736cc9ccac03c9845b13bb07d020a33423fa5b3a36521ac6e4e"}, - {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:7352b9161b33fd0b643ccd1f21f3a3908daaddf414f1c6cb9d3a2fd618bf2572"}, - {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7a588d39e0925f6a2bff87154752481273cdb1736270642aeb3635cb9b4cad07"}, - {file = "coverage-7.5.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:68f962d9b72ce69ea8621f57551b2fa9c70509af757ee3b8105d4f51b92b41a7"}, - {file = "coverage-7.5.1-cp312-cp312-win32.whl", hash = "sha256:f152cbf5b88aaeb836127d920dd0f5e7edff5a66f10c079157306c4343d86c19"}, - {file = "coverage-7.5.1-cp312-cp312-win_amd64.whl", hash = "sha256:5a5740d1fb60ddf268a3811bcd353de34eb56dc24e8f52a7f05ee513b2d4f596"}, - {file = "coverage-7.5.1-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:e2213def81a50519d7cc56ed643c9e93e0247f5bbe0d1247d15fa520814a7cd7"}, - {file = "coverage-7.5.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:5037f8fcc2a95b1f0e80585bd9d1ec31068a9bcb157d9750a172836e98bc7a90"}, - {file = "coverage-7.5.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5c3721c2c9e4c4953a41a26c14f4cef64330392a6d2d675c8b1db3b645e31f0e"}, - {file = "coverage-7.5.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ca498687ca46a62ae590253fba634a1fe9836bc56f626852fb2720f334c9e4e5"}, - {file = "coverage-7.5.1-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0cdcbc320b14c3e5877ee79e649677cb7d89ef588852e9583e6b24c2e5072661"}, - {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:57e0204b5b745594e5bc14b9b50006da722827f0b8c776949f1135677e88d0b8"}, - {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:8fe7502616b67b234482c3ce276ff26f39ffe88adca2acf0261df4b8454668b4"}, - {file = "coverage-7.5.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:9e78295f4144f9dacfed4f92935fbe1780021247c2fabf73a819b17f0ccfff8d"}, - {file = "coverage-7.5.1-cp38-cp38-win32.whl", hash = "sha256:1434e088b41594baa71188a17533083eabf5609e8e72f16ce8c186001e6b8c41"}, - {file = "coverage-7.5.1-cp38-cp38-win_amd64.whl", hash = "sha256:0646599e9b139988b63704d704af8e8df7fa4cbc4a1f33df69d97f36cb0a38de"}, - {file = "coverage-7.5.1-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:4cc37def103a2725bc672f84bd939a6fe4522310503207aae4d56351644682f1"}, - {file = "coverage-7.5.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:fc0b4d8bfeabd25ea75e94632f5b6e047eef8adaed0c2161ada1e922e7f7cece"}, - {file = "coverage-7.5.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0d0a0f5e06881ecedfe6f3dd2f56dcb057b6dbeb3327fd32d4b12854df36bf26"}, - {file = "coverage-7.5.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9735317685ba6ec7e3754798c8871c2f49aa5e687cc794a0b1d284b2389d1bd5"}, - {file = "coverage-7.5.1-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d21918e9ef11edf36764b93101e2ae8cc82aa5efdc7c5a4e9c6c35a48496d601"}, - {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:c3e757949f268364b96ca894b4c342b41dc6f8f8b66c37878aacef5930db61be"}, - {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:79afb6197e2f7f60c4824dd4b2d4c2ec5801ceb6ba9ce5d2c3080e5660d51a4f"}, - {file = "coverage-7.5.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:d1d0d98d95dd18fe29dc66808e1accf59f037d5716f86a501fc0256455219668"}, - {file = "coverage-7.5.1-cp39-cp39-win32.whl", hash = "sha256:1cc0fe9b0b3a8364093c53b0b4c0c2dd4bb23acbec4c9240b5f284095ccf7981"}, - {file = "coverage-7.5.1-cp39-cp39-win_amd64.whl", hash = "sha256:dde0070c40ea8bb3641e811c1cfbf18e265d024deff6de52c5950677a8fb1e0f"}, - {file = "coverage-7.5.1-pp38.pp39.pp310-none-any.whl", hash = "sha256:6537e7c10cc47c595828b8a8be04c72144725c383c4702703ff4e42e44577312"}, - {file = "coverage-7.5.1.tar.gz", hash = "sha256:54de9ef3a9da981f7af93eafde4ede199e0846cd819eb27c88e2b712aae9708c"}, + {file = "coverage-7.5.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:a6519d917abb15e12380406d721e37613e2a67d166f9fb7e5a8ce0375744cd45"}, + {file = "coverage-7.5.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:aea7da970f1feccf48be7335f8b2ca64baf9b589d79e05b9397a06696ce1a1ec"}, + {file = "coverage-7.5.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:923b7b1c717bd0f0f92d862d1ff51d9b2b55dbbd133e05680204465f454bb286"}, + {file = "coverage-7.5.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:62bda40da1e68898186f274f832ef3e759ce929da9a9fd9fcf265956de269dbc"}, + {file = "coverage-7.5.3-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d8b7339180d00de83e930358223c617cc343dd08e1aa5ec7b06c3a121aec4e1d"}, + {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:25a5caf742c6195e08002d3b6c2dd6947e50efc5fc2c2205f61ecb47592d2d83"}, + {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:05ac5f60faa0c704c0f7e6a5cbfd6f02101ed05e0aee4d2822637a9e672c998d"}, + {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:239a4e75e09c2b12ea478d28815acf83334d32e722e7433471fbf641c606344c"}, + {file = "coverage-7.5.3-cp310-cp310-win32.whl", hash = "sha256:a5812840d1d00eafae6585aba38021f90a705a25b8216ec7f66aebe5b619fb84"}, + {file = "coverage-7.5.3-cp310-cp310-win_amd64.whl", hash = "sha256:33ca90a0eb29225f195e30684ba4a6db05dbef03c2ccd50b9077714c48153cac"}, + {file = "coverage-7.5.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:f81bc26d609bf0fbc622c7122ba6307993c83c795d2d6f6f6fd8c000a770d974"}, + {file = "coverage-7.5.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:7cec2af81f9e7569280822be68bd57e51b86d42e59ea30d10ebdbb22d2cb7232"}, + {file = "coverage-7.5.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:55f689f846661e3f26efa535071775d0483388a1ccfab899df72924805e9e7cd"}, + {file = "coverage-7.5.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:50084d3516aa263791198913a17354bd1dc627d3c1639209640b9cac3fef5807"}, + {file = "coverage-7.5.3-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:341dd8f61c26337c37988345ca5c8ccabeff33093a26953a1ac72e7d0103c4fb"}, + {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:ab0b028165eea880af12f66086694768f2c3139b2c31ad5e032c8edbafca6ffc"}, + {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:5bc5a8c87714b0c67cfeb4c7caa82b2d71e8864d1a46aa990b5588fa953673b8"}, + {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:38a3b98dae8a7c9057bd91fbf3415c05e700a5114c5f1b5b0ea5f8f429ba6614"}, + {file = "coverage-7.5.3-cp311-cp311-win32.whl", hash = "sha256:fcf7d1d6f5da887ca04302db8e0e0cf56ce9a5e05f202720e49b3e8157ddb9a9"}, + {file = "coverage-7.5.3-cp311-cp311-win_amd64.whl", hash = "sha256:8c836309931839cca658a78a888dab9676b5c988d0dd34ca247f5f3e679f4e7a"}, + {file = "coverage-7.5.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:296a7d9bbc598e8744c00f7a6cecf1da9b30ae9ad51c566291ff1314e6cbbed8"}, + {file = "coverage-7.5.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:34d6d21d8795a97b14d503dcaf74226ae51eb1f2bd41015d3ef332a24d0a17b3"}, + {file = "coverage-7.5.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8e317953bb4c074c06c798a11dbdd2cf9979dbcaa8ccc0fa4701d80042d4ebf1"}, + {file = "coverage-7.5.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:705f3d7c2b098c40f5b81790a5fedb274113373d4d1a69e65f8b68b0cc26f6db"}, + {file = "coverage-7.5.3-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b1196e13c45e327d6cd0b6e471530a1882f1017eb83c6229fc613cd1a11b53cd"}, + {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:015eddc5ccd5364dcb902eaecf9515636806fa1e0d5bef5769d06d0f31b54523"}, + {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:fd27d8b49e574e50caa65196d908f80e4dff64d7e592d0c59788b45aad7e8b35"}, + {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:33fc65740267222fc02975c061eb7167185fef4cc8f2770267ee8bf7d6a42f84"}, + {file = "coverage-7.5.3-cp312-cp312-win32.whl", hash = "sha256:7b2a19e13dfb5c8e145c7a6ea959485ee8e2204699903c88c7d25283584bfc08"}, + {file = "coverage-7.5.3-cp312-cp312-win_amd64.whl", hash = "sha256:0bbddc54bbacfc09b3edaec644d4ac90c08ee8ed4844b0f86227dcda2d428fcb"}, + {file = "coverage-7.5.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:f78300789a708ac1f17e134593f577407d52d0417305435b134805c4fb135adb"}, + {file = "coverage-7.5.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:b368e1aee1b9b75757942d44d7598dcd22a9dbb126affcbba82d15917f0cc155"}, + {file = "coverage-7.5.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f836c174c3a7f639bded48ec913f348c4761cbf49de4a20a956d3431a7c9cb24"}, + {file = "coverage-7.5.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:244f509f126dc71369393ce5fea17c0592c40ee44e607b6d855e9c4ac57aac98"}, + {file = "coverage-7.5.3-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4c2872b3c91f9baa836147ca33650dc5c172e9273c808c3c3199c75490e709d"}, + {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:dd4b3355b01273a56b20c219e74e7549e14370b31a4ffe42706a8cda91f19f6d"}, + {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:f542287b1489c7a860d43a7d8883e27ca62ab84ca53c965d11dac1d3a1fab7ce"}, + {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:75e3f4e86804023e991096b29e147e635f5e2568f77883a1e6eed74512659ab0"}, + {file = "coverage-7.5.3-cp38-cp38-win32.whl", hash = "sha256:c59d2ad092dc0551d9f79d9d44d005c945ba95832a6798f98f9216ede3d5f485"}, + {file = "coverage-7.5.3-cp38-cp38-win_amd64.whl", hash = "sha256:fa21a04112c59ad54f69d80e376f7f9d0f5f9123ab87ecd18fbb9ec3a2beed56"}, + {file = "coverage-7.5.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:f5102a92855d518b0996eb197772f5ac2a527c0ec617124ad5242a3af5e25f85"}, + {file = "coverage-7.5.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:d1da0a2e3b37b745a2b2a678a4c796462cf753aebf94edcc87dcc6b8641eae31"}, + {file = "coverage-7.5.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8383a6c8cefba1b7cecc0149415046b6fc38836295bc4c84e820872eb5478b3d"}, + {file = "coverage-7.5.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9aad68c3f2566dfae84bf46295a79e79d904e1c21ccfc66de88cd446f8686341"}, + {file = "coverage-7.5.3-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2e079c9ec772fedbade9d7ebc36202a1d9ef7291bc9b3a024ca395c4d52853d7"}, + {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:bde997cac85fcac227b27d4fb2c7608a2c5f6558469b0eb704c5726ae49e1c52"}, + {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:990fb20b32990b2ce2c5f974c3e738c9358b2735bc05075d50a6f36721b8f303"}, + {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3d5a67f0da401e105753d474369ab034c7bae51a4c31c77d94030d59e41df5bd"}, + {file = "coverage-7.5.3-cp39-cp39-win32.whl", hash = "sha256:e08c470c2eb01977d221fd87495b44867a56d4d594f43739a8028f8646a51e0d"}, + {file = "coverage-7.5.3-cp39-cp39-win_amd64.whl", hash = "sha256:1d2a830ade66d3563bb61d1e3c77c8def97b30ed91e166c67d0632c018f380f0"}, + {file = "coverage-7.5.3-pp38.pp39.pp310-none-any.whl", hash = "sha256:3538d8fb1ee9bdd2e2692b3b18c22bb1c19ffbefd06880f5ac496e42d7bb3884"}, + {file = "coverage-7.5.3.tar.gz", hash = "sha256:04aefca5190d1dc7a53a4c1a5a7f8568811306d7a8ee231c42fb69215571944f"}, ] [package.dependencies] @@ -1338,119 +1338,119 @@ files = [ [[package]] name = "grpcio" -version = "1.63.0" +version = "1.64.1" description = "HTTP/2-based RPC framework" optional = false python-versions = ">=3.8" files = [ - {file = "grpcio-1.63.0-cp310-cp310-linux_armv7l.whl", hash = "sha256:2e93aca840c29d4ab5db93f94ed0a0ca899e241f2e8aec6334ab3575dc46125c"}, - {file = "grpcio-1.63.0-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:91b73d3f1340fefa1e1716c8c1ec9930c676d6b10a3513ab6c26004cb02d8b3f"}, - {file = "grpcio-1.63.0-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:b3afbd9d6827fa6f475a4f91db55e441113f6d3eb9b7ebb8fb806e5bb6d6bd0d"}, - {file = "grpcio-1.63.0-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8f3f6883ce54a7a5f47db43289a0a4c776487912de1a0e2cc83fdaec9685cc9f"}, - {file = "grpcio-1.63.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cf8dae9cc0412cb86c8de5a8f3be395c5119a370f3ce2e69c8b7d46bb9872c8d"}, - {file = "grpcio-1.63.0-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:08e1559fd3b3b4468486b26b0af64a3904a8dbc78d8d936af9c1cf9636eb3e8b"}, - {file = "grpcio-1.63.0-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:5c039ef01516039fa39da8a8a43a95b64e288f79f42a17e6c2904a02a319b357"}, - {file = "grpcio-1.63.0-cp310-cp310-win32.whl", hash = "sha256:ad2ac8903b2eae071055a927ef74121ed52d69468e91d9bcbd028bd0e554be6d"}, - {file = "grpcio-1.63.0-cp310-cp310-win_amd64.whl", hash = "sha256:b2e44f59316716532a993ca2966636df6fbe7be4ab6f099de6815570ebe4383a"}, - {file = "grpcio-1.63.0-cp311-cp311-linux_armv7l.whl", hash = "sha256:f28f8b2db7b86c77916829d64ab21ff49a9d8289ea1564a2b2a3a8ed9ffcccd3"}, - {file = "grpcio-1.63.0-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:65bf975639a1f93bee63ca60d2e4951f1b543f498d581869922910a476ead2f5"}, - {file = "grpcio-1.63.0-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:b5194775fec7dc3dbd6a935102bb156cd2c35efe1685b0a46c67b927c74f0cfb"}, - {file = "grpcio-1.63.0-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e4cbb2100ee46d024c45920d16e888ee5d3cf47c66e316210bc236d5bebc42b3"}, - {file = "grpcio-1.63.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1ff737cf29b5b801619f10e59b581869e32f400159e8b12d7a97e7e3bdeee6a2"}, - {file = "grpcio-1.63.0-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:cd1e68776262dd44dedd7381b1a0ad09d9930ffb405f737d64f505eb7f77d6c7"}, - {file = "grpcio-1.63.0-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:93f45f27f516548e23e4ec3fbab21b060416007dbe768a111fc4611464cc773f"}, - {file = "grpcio-1.63.0-cp311-cp311-win32.whl", hash = "sha256:878b1d88d0137df60e6b09b74cdb73db123f9579232c8456f53e9abc4f62eb3c"}, - {file = "grpcio-1.63.0-cp311-cp311-win_amd64.whl", hash = "sha256:756fed02dacd24e8f488f295a913f250b56b98fb793f41d5b2de6c44fb762434"}, - {file = "grpcio-1.63.0-cp312-cp312-linux_armv7l.whl", hash = "sha256:93a46794cc96c3a674cdfb59ef9ce84d46185fe9421baf2268ccb556f8f81f57"}, - {file = "grpcio-1.63.0-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:a7b19dfc74d0be7032ca1eda0ed545e582ee46cd65c162f9e9fc6b26ef827dc6"}, - {file = "grpcio-1.63.0-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:8064d986d3a64ba21e498b9a376cbc5d6ab2e8ab0e288d39f266f0fca169b90d"}, - {file = "grpcio-1.63.0-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:219bb1848cd2c90348c79ed0a6b0ea51866bc7e72fa6e205e459fedab5770172"}, - {file = "grpcio-1.63.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a2d60cd1d58817bc5985fae6168d8b5655c4981d448d0f5b6194bbcc038090d2"}, - {file = "grpcio-1.63.0-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:9e350cb096e5c67832e9b6e018cf8a0d2a53b2a958f6251615173165269a91b0"}, - {file = "grpcio-1.63.0-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:56cdf96ff82e3cc90dbe8bac260352993f23e8e256e063c327b6cf9c88daf7a9"}, - {file = "grpcio-1.63.0-cp312-cp312-win32.whl", hash = "sha256:3a6d1f9ea965e750db7b4ee6f9fdef5fdf135abe8a249e75d84b0a3e0c668a1b"}, - {file = "grpcio-1.63.0-cp312-cp312-win_amd64.whl", hash = "sha256:d2497769895bb03efe3187fb1888fc20e98a5f18b3d14b606167dacda5789434"}, - {file = "grpcio-1.63.0-cp38-cp38-linux_armv7l.whl", hash = "sha256:fdf348ae69c6ff484402cfdb14e18c1b0054ac2420079d575c53a60b9b2853ae"}, - {file = "grpcio-1.63.0-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:a3abfe0b0f6798dedd2e9e92e881d9acd0fdb62ae27dcbbfa7654a57e24060c0"}, - {file = "grpcio-1.63.0-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:6ef0ad92873672a2a3767cb827b64741c363ebaa27e7f21659e4e31f4d750280"}, - {file = "grpcio-1.63.0-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:b416252ac5588d9dfb8a30a191451adbf534e9ce5f56bb02cd193f12d8845b7f"}, - {file = "grpcio-1.63.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e3b77eaefc74d7eb861d3ffbdf91b50a1bb1639514ebe764c47773b833fa2d91"}, - {file = "grpcio-1.63.0-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:b005292369d9c1f80bf70c1db1c17c6c342da7576f1c689e8eee4fb0c256af85"}, - {file = "grpcio-1.63.0-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:cdcda1156dcc41e042d1e899ba1f5c2e9f3cd7625b3d6ebfa619806a4c1aadda"}, - {file = "grpcio-1.63.0-cp38-cp38-win32.whl", hash = "sha256:01799e8649f9e94ba7db1aeb3452188048b0019dc37696b0f5ce212c87c560c3"}, - {file = "grpcio-1.63.0-cp38-cp38-win_amd64.whl", hash = "sha256:6a1a3642d76f887aa4009d92f71eb37809abceb3b7b5a1eec9c554a246f20e3a"}, - {file = "grpcio-1.63.0-cp39-cp39-linux_armv7l.whl", hash = "sha256:75f701ff645858a2b16bc8c9fc68af215a8bb2d5a9b647448129de6e85d52bce"}, - {file = "grpcio-1.63.0-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:cacdef0348a08e475a721967f48206a2254a1b26ee7637638d9e081761a5ba86"}, - {file = "grpcio-1.63.0-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:0697563d1d84d6985e40ec5ec596ff41b52abb3fd91ec240e8cb44a63b895094"}, - {file = "grpcio-1.63.0-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6426e1fb92d006e47476d42b8f240c1d916a6d4423c5258ccc5b105e43438f61"}, - {file = "grpcio-1.63.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e48cee31bc5f5a31fb2f3b573764bd563aaa5472342860edcc7039525b53e46a"}, - {file = "grpcio-1.63.0-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:50344663068041b34a992c19c600236e7abb42d6ec32567916b87b4c8b8833b3"}, - {file = "grpcio-1.63.0-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:259e11932230d70ef24a21b9fb5bb947eb4703f57865a404054400ee92f42f5d"}, - {file = "grpcio-1.63.0-cp39-cp39-win32.whl", hash = "sha256:a44624aad77bf8ca198c55af811fd28f2b3eaf0a50ec5b57b06c034416ef2d0a"}, - {file = "grpcio-1.63.0-cp39-cp39-win_amd64.whl", hash = "sha256:166e5c460e5d7d4656ff9e63b13e1f6029b122104c1633d5f37eaea348d7356d"}, - {file = "grpcio-1.63.0.tar.gz", hash = "sha256:f3023e14805c61bc439fb40ca545ac3d5740ce66120a678a3c6c2c55b70343d1"}, + {file = "grpcio-1.64.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:55697ecec192bc3f2f3cc13a295ab670f51de29884ca9ae6cd6247df55df2502"}, + {file = "grpcio-1.64.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:3b64ae304c175671efdaa7ec9ae2cc36996b681eb63ca39c464958396697daff"}, + {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:bac71b4b28bc9af61efcdc7630b166440bbfbaa80940c9a697271b5e1dabbc61"}, + {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6c024ffc22d6dc59000faf8ad781696d81e8e38f4078cb0f2630b4a3cf231a90"}, + {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e7cd5c1325f6808b8ae31657d281aadb2a51ac11ab081ae335f4f7fc44c1721d"}, + {file = "grpcio-1.64.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:0a2813093ddb27418a4c99f9b1c223fab0b053157176a64cc9db0f4557b69bd9"}, + {file = "grpcio-1.64.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:2981c7365a9353f9b5c864595c510c983251b1ab403e05b1ccc70a3d9541a73b"}, + {file = "grpcio-1.64.1-cp310-cp310-win32.whl", hash = "sha256:1262402af5a511c245c3ae918167eca57342c72320dffae5d9b51840c4b2f86d"}, + {file = "grpcio-1.64.1-cp310-cp310-win_amd64.whl", hash = "sha256:19264fc964576ddb065368cae953f8d0514ecc6cb3da8903766d9fb9d4554c33"}, + {file = "grpcio-1.64.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:58b1041e7c870bb30ee41d3090cbd6f0851f30ae4eb68228955d973d3efa2e61"}, + {file = "grpcio-1.64.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:bbc5b1d78a7822b0a84c6f8917faa986c1a744e65d762ef6d8be9d75677af2ca"}, + {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:5841dd1f284bd1b3d8a6eca3a7f062b06f1eec09b184397e1d1d43447e89a7ae"}, + {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8caee47e970b92b3dd948371230fcceb80d3f2277b3bf7fbd7c0564e7d39068e"}, + {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:73819689c169417a4f978e562d24f2def2be75739c4bed1992435d007819da1b"}, + {file = "grpcio-1.64.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:6503b64c8b2dfad299749cad1b595c650c91e5b2c8a1b775380fcf8d2cbba1e9"}, + {file = "grpcio-1.64.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:1de403fc1305fd96cfa75e83be3dee8538f2413a6b1685b8452301c7ba33c294"}, + {file = "grpcio-1.64.1-cp311-cp311-win32.whl", hash = "sha256:d4d29cc612e1332237877dfa7fe687157973aab1d63bd0f84cf06692f04c0367"}, + {file = "grpcio-1.64.1-cp311-cp311-win_amd64.whl", hash = "sha256:5e56462b05a6f860b72f0fa50dca06d5b26543a4e88d0396259a07dc30f4e5aa"}, + {file = "grpcio-1.64.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:4657d24c8063e6095f850b68f2d1ba3b39f2b287a38242dcabc166453e950c59"}, + {file = "grpcio-1.64.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:62b4e6eb7bf901719fce0ca83e3ed474ae5022bb3827b0a501e056458c51c0a1"}, + {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:ee73a2f5ca4ba44fa33b4d7d2c71e2c8a9e9f78d53f6507ad68e7d2ad5f64a22"}, + {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:198908f9b22e2672a998870355e226a725aeab327ac4e6ff3a1399792ece4762"}, + {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:39b9d0acaa8d835a6566c640f48b50054f422d03e77e49716d4c4e8e279665a1"}, + {file = "grpcio-1.64.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:5e42634a989c3aa6049f132266faf6b949ec2a6f7d302dbb5c15395b77d757eb"}, + {file = "grpcio-1.64.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:b1a82e0b9b3022799c336e1fc0f6210adc019ae84efb7321d668129d28ee1efb"}, + {file = "grpcio-1.64.1-cp312-cp312-win32.whl", hash = "sha256:55260032b95c49bee69a423c2f5365baa9369d2f7d233e933564d8a47b893027"}, + {file = "grpcio-1.64.1-cp312-cp312-win_amd64.whl", hash = "sha256:c1a786ac592b47573a5bb7e35665c08064a5d77ab88a076eec11f8ae86b3e3f6"}, + {file = "grpcio-1.64.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:a011ac6c03cfe162ff2b727bcb530567826cec85eb8d4ad2bfb4bd023287a52d"}, + {file = "grpcio-1.64.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:4d6dab6124225496010bd22690f2d9bd35c7cbb267b3f14e7a3eb05c911325d4"}, + {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:a5e771d0252e871ce194d0fdcafd13971f1aae0ddacc5f25615030d5df55c3a2"}, + {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2c3c1b90ab93fed424e454e93c0ed0b9d552bdf1b0929712b094f5ecfe7a23ad"}, + {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:20405cb8b13fd779135df23fabadc53b86522d0f1cba8cca0e87968587f50650"}, + {file = "grpcio-1.64.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:0cc79c982ccb2feec8aad0e8fb0d168bcbca85bc77b080d0d3c5f2f15c24ea8f"}, + {file = "grpcio-1.64.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:a3a035c37ce7565b8f4f35ff683a4db34d24e53dc487e47438e434eb3f701b2a"}, + {file = "grpcio-1.64.1-cp38-cp38-win32.whl", hash = "sha256:1257b76748612aca0f89beec7fa0615727fd6f2a1ad580a9638816a4b2eb18fd"}, + {file = "grpcio-1.64.1-cp38-cp38-win_amd64.whl", hash = "sha256:0a12ddb1678ebc6a84ec6b0487feac020ee2b1659cbe69b80f06dbffdb249122"}, + {file = "grpcio-1.64.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:75dbbf415026d2862192fe1b28d71f209e2fd87079d98470db90bebe57b33179"}, + {file = "grpcio-1.64.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:e3d9f8d1221baa0ced7ec7322a981e28deb23749c76eeeb3d33e18b72935ab62"}, + {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:5f8b75f64d5d324c565b263c67dbe4f0af595635bbdd93bb1a88189fc62ed2e5"}, + {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c84ad903d0d94311a2b7eea608da163dace97c5fe9412ea311e72c3684925602"}, + {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:940e3ec884520155f68a3b712d045e077d61c520a195d1a5932c531f11883489"}, + {file = "grpcio-1.64.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:f10193c69fc9d3d726e83bbf0f3d316f1847c3071c8c93d8090cf5f326b14309"}, + {file = "grpcio-1.64.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:ac15b6c2c80a4d1338b04d42a02d376a53395ddf0ec9ab157cbaf44191f3ffdd"}, + {file = "grpcio-1.64.1-cp39-cp39-win32.whl", hash = "sha256:03b43d0ccf99c557ec671c7dede64f023c7da9bb632ac65dbc57f166e4970040"}, + {file = "grpcio-1.64.1-cp39-cp39-win_amd64.whl", hash = "sha256:ed6091fa0adcc7e4ff944090cf203a52da35c37a130efa564ded02b7aff63bcd"}, + {file = "grpcio-1.64.1.tar.gz", hash = "sha256:8d51dd1c59d5fa0f34266b80a3805ec29a1f26425c2a54736133f6d87fc4968a"}, ] [package.extras] -protobuf = ["grpcio-tools (>=1.63.0)"] +protobuf = ["grpcio-tools (>=1.64.1)"] [[package]] name = "grpcio-tools" -version = "1.63.0" +version = "1.64.1" description = "Protobuf code generator for gRPC" optional = false python-versions = ">=3.8" files = [ - {file = "grpcio_tools-1.63.0-cp310-cp310-linux_armv7l.whl", hash = "sha256:1ab17460a2dfd3433af3120598bc18e705e3092d4d8396d3c06fe93deab19bbb"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:cb9a0f61cabff426eaf5c0a506de599c9f006b31947ba1159254cc291c1dbdd1"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:711d9f038c18c2f637b89af70c485018ae437dff5f7d2c631ca6a1eee7563038"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:847ca8d75090d66e787576049500eb7c230a9997146d5d433da7928baf914273"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:49404876ec70bdae431eac5b1591c32c0bba4047dfd96dc6add03dbcdad5a5fc"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:376136b9bbd16304a2e550ea0bb2b3340b720a0f623856124987845ef071d479"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:e197d5de49bb024f3d0b9e1ee1a0cce9e39955e17738bfbed72b0cc506a4824c"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-win32.whl", hash = "sha256:acb5cc845942dc0f020eefbe10ad8ac6fe2f96b99c035da738c5d3026d3a5324"}, - {file = "grpcio_tools-1.63.0-cp310-cp310-win_amd64.whl", hash = "sha256:f74a6da9db48296c3e7e34820e96744a0ea9cd58c3fa075ed206f7bb75229324"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-linux_armv7l.whl", hash = "sha256:4374c8beefec84f682c799b8df5ac4b217c09de6d69038ce16fc12dcd862fff8"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:d58a5aacee102858e49b1cc89b1ba1a020bb04f001df057e2b03fa11e6c636d1"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:744952a560fdb060a5f9d467d130fde6dbfee2abb07143c87e9b17aae3c19d5a"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c305274aa111412f5b8858242853e56c16ebcedc25d6a49ad615fd1b3ecd5971"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e952835e7b8f40204bceb2a96fc7bcb8b07ff45ca9d07266774bc429db1efead"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:409613bb694308a1945256d1d05c3ef3497f9fbf7fd68bd8bed86d80d97df334"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:b2d246eee3b2a6afe65362c22a98b0e6d805c227c2569c5616ad3bec619621dd"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-win32.whl", hash = "sha256:bc0e6af05f66b36186ad3467d46ecc0f51dc9fa366005e095f4aa7739c7bfcba"}, - {file = "grpcio_tools-1.63.0-cp311-cp311-win_amd64.whl", hash = "sha256:3f138c822090e7c87ef6a5dce0a6c4fdf68a9472e6a936b70ac7be2371184abe"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-linux_armv7l.whl", hash = "sha256:63a975d0457b2db1ee19fe99806091c71ad22f6f3664adc8f4c95943684dc0fd"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:517ed2b405793e55c527f332296ae92a3e17fdd83772f1569709f2c228acaf54"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:49af114fed0075025fe243cb3c8405c7a99f0b87f4eb7ccdaaf33ce1f55d8318"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3ef50fa15689f46a2c903f1c9687aa40687d67dcb0469903fff37a63e55f11cd"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e68d9df9134906cbab1b225b625e11a368ab01b9ff24a4546bddec705ec7fd66"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:7cbf570f7b9badd3bd27be5e057ca466d447c1047bf80c87a53d8bcb2e87bbbe"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:f2cc0b3098ff48811ca821440e03763dcabd11158a11d9ea819c58938a9ea276"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-win32.whl", hash = "sha256:0ca6d5623dadce66fabbd8b04d0572e35fd63b31f1ae7ea1555d662864852d33"}, - {file = "grpcio_tools-1.63.0-cp312-cp312-win_amd64.whl", hash = "sha256:94b52c0dfb6026f69858a10ee3eadf15c343667647b5846cace82f61fe809c88"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-linux_armv7l.whl", hash = "sha256:c759306c04e3d0b3da3bd576e3de8bcbccc31a243a85ad256fd46d3a3ed93402"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:f305a5d61613e7ea3510eab62d65d47dff5206fcbe3b2347a7c1ebc9eff23dc6"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:b5d74a30409eda2a0cdaa700da23fe3cad5d7ac47ac2d52644abe13a84047aa0"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:632f78d8730d39363fc5afaf7cb5cf2f56b4e346ca11f550af74cff85e702f79"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:54136ac94eabc45b1b72d5ca379e5a2753f21a654f562838c5a9b706482bc1f0"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:b61682c06f0bcf2c576537819c42d5fb8eec1a0a9c05c905005200a57ff54c1f"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:0f8ce3fc598886a5370f28c86f94d06ddb0d3a251101a5bb8ed9576d9f86a519"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-win32.whl", hash = "sha256:27684446c81bffcd4f20f13bf672ac7cbeaefbd270b3d867cdb58132e4b866bc"}, - {file = "grpcio_tools-1.63.0-cp38-cp38-win_amd64.whl", hash = "sha256:8341846604df00cf1c0a822476d27f4c481f678601a2f0b190e3b9936f857ded"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-linux_armv7l.whl", hash = "sha256:2924747142ebcbbd62acf65936fbc9694afbdfc2c6ae721461015370e27b8d6f"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:1b88be61eaa41eb4deb6b91a1e21d2a789d8567f0a973694fa27c09196f39a9a"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:b87750347cb024bb74d5139da01ffba9f099ad2e43ba45893dc627ec920d57ab"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:49435413548e019921e125b178f3fd30543aa348c70775669b5ed80f0b39b393"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:df4dc9db9763594ae6ae04b42d6fcf7f163897a072f8fc946b864c9c3f0fbab1"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:6bbf51f334452fcac422509979635f97e2c2c3e71f21480891f2ba280b4b6867"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:c63a0f37b6b64dc31b2f1a0e5f889ae8b6bb7b7b20fe2406c1285321a7c54fdd"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-win32.whl", hash = "sha256:d7142b0162834d3a67df532744a733b0757b11056373bd489a70dc07a3f65829"}, - {file = "grpcio_tools-1.63.0-cp39-cp39-win_amd64.whl", hash = "sha256:32247ac2d575a633aea2536840fd232d56f309bd940081d772081bd71e0626c6"}, - {file = "grpcio_tools-1.63.0.tar.gz", hash = "sha256:2474cffbc8f29404f0e3a2109c0a0423211ba93fe048b144e734f601ff391fc7"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:6c8181318e3a21827c2f834fd0505040aa8f24fb568a154ff1c95c9802c0e3f5"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:24340327f7fb85f7406910c9484f98dd9588bdf639578b9341920d67f64306a0"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:646828eec31218e1314b04d7c62c78534d3478cae6348909b6a39ee880a757b2"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1f467bd03d70de23e7d68d3465fd9bfd5167d15168a569edacee730b4ec105bf"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a29163cbc6ecaf6f853711420ddab7e35f24d9ee014a5e35b0a6b31c328d1c63"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:759982ba0f942995bf170386559679b9d9f3b00caf103f346f3c33b8703c3057"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:1c0db41e812e1741b59844c71c8dfc8c3076eb4472b4c30165aefacf609c81bf"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-win32.whl", hash = "sha256:a5208855046a338c5663ca39f59fb167e24514f1287c266db42fbf2057373aa0"}, + {file = "grpcio_tools-1.64.1-cp310-cp310-win_amd64.whl", hash = "sha256:a808aaa308e26fc5026b15008aec45bea8aa2f2662989cbaffa300601ac98fae"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:23e6c847647e338b6ed139c7d10ed783dbb37d8ce078ce9ab0a3f7e6a518ff4e"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:0a72a2d87529329117fca6493d948489f1963e3f645d27a785a27b54b05c38cb"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:5532fbac9e1229d3290a512d4253bd311ed742d3b77d634ce7240e97b4af32ac"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a75c8f13762dc323b38e8dc7186d80a61c0d1321062850e3056221a4db779a4"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a653002b287accf79b0924bb1a76b33ea83774be57cef14e6ec383a965999ad5"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:0d3572b62453342f4164cb245c434053c6991ee7bf883eb94f15e45f3121967b"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:e8ffaa1972e64d968a706c954f6614e718abd10068b107727028ffb9506503d2"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-win32.whl", hash = "sha256:cf3fbad6312bb61f48eab8ae5d2b31dcb007653282d5901982e17111773104e1"}, + {file = "grpcio_tools-1.64.1-cp311-cp311-win_amd64.whl", hash = "sha256:fd4a596ec2b34c8a6b15c6581ef7ea91c9b85f68099004da656db79e5a2b7a8c"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:acf9a8bce188bb760c138327a89f64be8bbeb062634d151c77bbcd138d60bdc6"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8c7d0633b1177fafaeb76e9b0c7b8b14221eb1086874a79925879b298843f8a0"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:35efe38dd8cc5e05f44e67bcc2ae40f461862549b5d2590c1b644c5d4d93c390"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e28cfaede2a243452252c94b72378f1d939b786689cb11d218fdae6a8421940f"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6711f3e3fbfae9313e15f9abc47241d881772f3fb4e4d0257918bff24363139e"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:be39db97d13f3bd0b2ff9bf8d0e68f590f4877cf2c4db201a2f9d4d39724e137"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:22efb9a167da6fd051c76f1a00c4275b5d15e8b7842364c84dc4cc88def8fd4c"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-win32.whl", hash = "sha256:d9a470f9e72bccc8994b025fa40cb1a7202db17a5f8e1869f4c2079ded869ac2"}, + {file = "grpcio_tools-1.64.1-cp312-cp312-win_amd64.whl", hash = "sha256:5ecfecf1da38fa9f0f95dd5f3314c04974be5af40264c520fbc1a9f4f5b1acca"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:9d3fd5f43503ac594872ad4deb80c08353a3d73c9304afe0226bcb077d5dacca"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:c8cb5567cd5836b29d37ea12c8ccb753a19712ec459c4dbc05c084ca57b84b3b"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:d0f42307f951851894a1ddcbed2e2403fdb0ac0920bbb4ec5c80a2959a1d328d"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a078af44be25363f55cbedc33c560513f2b2928a0594c8069da0bc65917ef1a1"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:58eee15287eb54d1ba27d4e73fcd7e7a9f819e529a74dabc9cf3933fbe3bef07"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:b740e136a12a992c3c75dafe12d96c65e9249daa71e6b75f17aac5459c64f165"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:625cc1493d4672af90d23f9909bbc0c4041cfa9fa21f9228abe433f5ad9b356f"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-win32.whl", hash = "sha256:85808e3c020d6e08975be00521ec8841885740ffd84a48375305fe7198d8b9e5"}, + {file = "grpcio_tools-1.64.1-cp38-cp38-win_amd64.whl", hash = "sha256:37664461c8da4777c78772f79914ddd59914a4c1dc0bdd11ba86b569477a9d25"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:ff9b631788573bfbecfe8cb647d484dfac9cfbad4a7bb640a9e5dcfb24a1b3c5"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:7e67903fba7b122cad7e41b1347c71f2d8e484f51f5c91cacc52249b4ab274bf"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:6cef267289e3a1257ef79c399a4a244a2b508c4f8d28faf9b061983187b8c2ff"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:23eef1138065edf360ed649381cf1d9c9123b3a8c003a4b28bf0c4a5b025087a"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba0758d779bc2134219c9ee392d7d30a7ff7f788fd68bf4f56bb4a0213e5d2e4"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:a8fb6a4438ef1ce619bd6695799b0a06c049a0be3e10ecf0b5fc5d72929a9f02"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3cc3036589e416cf8516802d3e6c37fd7de1b6c4defc292a1859848515c67ab5"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-win32.whl", hash = "sha256:59db889e5f698e00ea65032d3fddbfdbec72b22b285a57c167fb7a48bce2ca27"}, + {file = "grpcio_tools-1.64.1-cp39-cp39-win_amd64.whl", hash = "sha256:984ed040f13efcede72c4dfb298274df3877573ca305f51f5cb24249463d6a77"}, + {file = "grpcio_tools-1.64.1.tar.gz", hash = "sha256:72b3550b91adb8354656ecf0f6d1d4611299044bae11fb1e7cc1d1bb66b8c1eb"}, ] [package.dependencies] -grpcio = ">=1.63.0" +grpcio = ">=1.64.1" protobuf = ">=5.26.1,<6.0dev" setuptools = "*" @@ -1798,18 +1798,15 @@ files = [ [[package]] name = "nodeenv" -version = "1.8.0" +version = "1.9.1" description = "Node.js virtual environment builder" optional = false -python-versions = ">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*" +python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,!=3.5.*,!=3.6.*,>=2.7" files = [ - {file = "nodeenv-1.8.0-py2.py3-none-any.whl", hash = "sha256:df865724bb3c3adc86b3876fa209771517b0cfe596beff01a92700e0e8be4cec"}, - {file = "nodeenv-1.8.0.tar.gz", hash = "sha256:d51e0c37e64fbf47d017feac3145cdbb58836d7eee8c6f6d3b6880c5456227d2"}, + {file = "nodeenv-1.9.1-py2.py3-none-any.whl", hash = "sha256:ba11c9782d29c27c70ffbdda2d7415098754709be8a7056d79a737cd901155c9"}, + {file = "nodeenv-1.9.1.tar.gz", hash = "sha256:6ec12890a2dab7946721edbfbcd91f3319c6ccc9aec47be7c7e6b7011ee6645f"}, ] -[package.dependencies] -setuptools = "*" - [[package]] name = "packaging" version = "24.0" @@ -1848,13 +1845,13 @@ files = [ [[package]] name = "platformdirs" -version = "4.2.1" +version = "4.2.2" description = "A small Python package for determining appropriate platform-specific dirs, e.g. a `user data dir`." optional = false python-versions = ">=3.8" files = [ - {file = "platformdirs-4.2.1-py3-none-any.whl", hash = "sha256:17d5a1161b3fd67b390023cb2d3b026bbd40abde6fdb052dfbd3a29c3ba22ee1"}, - {file = "platformdirs-4.2.1.tar.gz", hash = "sha256:031cd18d4ec63ec53e82dceaac0417d218a6863f7745dfcc9efe7793b7039bdf"}, + {file = "platformdirs-4.2.2-py3-none-any.whl", hash = "sha256:2d7a1657e36a80ea911db832a8a6ece5ee53d8de21edd5cc5879af6530b1bfee"}, + {file = "platformdirs-4.2.2.tar.gz", hash = "sha256:38b7b51f512eed9e84a22788b4bce1de17c0adb134d6becb09836e37d8654cd3"}, ] [package.extras] @@ -1879,13 +1876,13 @@ testing = ["pytest", "pytest-benchmark"] [[package]] name = "pre-commit" -version = "3.7.0" +version = "3.7.1" description = "A framework for managing and maintaining multi-language pre-commit hooks." optional = false python-versions = ">=3.9" files = [ - {file = "pre_commit-3.7.0-py2.py3-none-any.whl", hash = "sha256:5eae9e10c2b5ac51577c3452ec0a490455c45a0533f7960f993a0d01e59decab"}, - {file = "pre_commit-3.7.0.tar.gz", hash = "sha256:e209d61b8acdcf742404408531f0c37d49d2c734fd7cff2d6076083d191cb060"}, + {file = "pre_commit-3.7.1-py2.py3-none-any.whl", hash = "sha256:fae36fd1d7ad7d6a5a1c0b0d5adb2ed1a3bda5a21bf6c3e5372073d7a11cd4c5"}, + {file = "pre_commit-3.7.1.tar.gz", hash = "sha256:8ca3ad567bc78a4972a3f1a477e94a79d4597e8140a6e0b651c5e33899c3654a"}, ] [package.dependencies] @@ -1897,22 +1894,22 @@ virtualenv = ">=20.10.0" [[package]] name = "protobuf" -version = "5.26.1" +version = "5.27.1" description = "" optional = false python-versions = ">=3.8" files = [ - {file = "protobuf-5.26.1-cp310-abi3-win32.whl", hash = "sha256:3c388ea6ddfe735f8cf69e3f7dc7611e73107b60bdfcf5d0f024c3ccd3794e23"}, - {file = "protobuf-5.26.1-cp310-abi3-win_amd64.whl", hash = "sha256:e6039957449cb918f331d32ffafa8eb9255769c96aa0560d9a5bf0b4e00a2a33"}, - {file = "protobuf-5.26.1-cp37-abi3-macosx_10_9_universal2.whl", hash = "sha256:38aa5f535721d5bb99861166c445c4105c4e285c765fbb2ac10f116e32dcd46d"}, - {file = "protobuf-5.26.1-cp37-abi3-manylinux2014_aarch64.whl", hash = "sha256:fbfe61e7ee8c1860855696e3ac6cfd1b01af5498facc6834fcc345c9684fb2ca"}, - {file = "protobuf-5.26.1-cp37-abi3-manylinux2014_x86_64.whl", hash = "sha256:f7417703f841167e5a27d48be13389d52ad705ec09eade63dfc3180a959215d7"}, - {file = "protobuf-5.26.1-cp38-cp38-win32.whl", hash = "sha256:d693d2504ca96750d92d9de8a103102dd648fda04540495535f0fec7577ed8fc"}, - {file = "protobuf-5.26.1-cp38-cp38-win_amd64.whl", hash = "sha256:9b557c317ebe6836835ec4ef74ec3e994ad0894ea424314ad3552bc6e8835b4e"}, - {file = "protobuf-5.26.1-cp39-cp39-win32.whl", hash = "sha256:b9ba3ca83c2e31219ffbeb9d76b63aad35a3eb1544170c55336993d7a18ae72c"}, - {file = "protobuf-5.26.1-cp39-cp39-win_amd64.whl", hash = "sha256:7ee014c2c87582e101d6b54260af03b6596728505c79f17c8586e7523aaa8f8c"}, - {file = "protobuf-5.26.1-py3-none-any.whl", hash = "sha256:da612f2720c0183417194eeaa2523215c4fcc1a1949772dc65f05047e08d5932"}, - {file = "protobuf-5.26.1.tar.gz", hash = "sha256:8ca2a1d97c290ec7b16e4e5dff2e5ae150cc1582f55b5ab300d45cb0dfa90e51"}, + {file = "protobuf-5.27.1-cp310-abi3-win32.whl", hash = "sha256:3adc15ec0ff35c5b2d0992f9345b04a540c1e73bfee3ff1643db43cc1d734333"}, + {file = "protobuf-5.27.1-cp310-abi3-win_amd64.whl", hash = "sha256:25236b69ab4ce1bec413fd4b68a15ef8141794427e0b4dc173e9d5d9dffc3bcd"}, + {file = "protobuf-5.27.1-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:4e38fc29d7df32e01a41cf118b5a968b1efd46b9c41ff515234e794011c78b17"}, + {file = "protobuf-5.27.1-cp38-abi3-manylinux2014_aarch64.whl", hash = "sha256:917ed03c3eb8a2d51c3496359f5b53b4e4b7e40edfbdd3d3f34336e0eef6825a"}, + {file = "protobuf-5.27.1-cp38-abi3-manylinux2014_x86_64.whl", hash = "sha256:ee52874a9e69a30271649be88ecbe69d374232e8fd0b4e4b0aaaa87f429f1631"}, + {file = "protobuf-5.27.1-cp38-cp38-win32.whl", hash = "sha256:7a97b9c5aed86b9ca289eb5148df6c208ab5bb6906930590961e08f097258107"}, + {file = "protobuf-5.27.1-cp38-cp38-win_amd64.whl", hash = "sha256:f6abd0f69968792da7460d3c2cfa7d94fd74e1c21df321eb6345b963f9ec3d8d"}, + {file = "protobuf-5.27.1-cp39-cp39-win32.whl", hash = "sha256:dfddb7537f789002cc4eb00752c92e67885badcc7005566f2c5de9d969d3282d"}, + {file = "protobuf-5.27.1-cp39-cp39-win_amd64.whl", hash = "sha256:39309898b912ca6febb0084ea912e976482834f401be35840a008da12d189340"}, + {file = "protobuf-5.27.1-py3-none-any.whl", hash = "sha256:4ac7249a1530a2ed50e24201d6630125ced04b30619262f06224616e0030b6cf"}, + {file = "protobuf-5.27.1.tar.gz", hash = "sha256:df5e5b8e39b7d1c25b186ffdf9f44f40f810bbcc9d2b71d9d3156fee5a9adf15"}, ] [[package]] @@ -2005,13 +2002,13 @@ windows-terminal = ["colorama (>=0.4.6)"] [[package]] name = "pytest" -version = "8.2.0" +version = "8.2.2" description = "pytest: simple powerful testing with Python" optional = false python-versions = ">=3.8" files = [ - {file = "pytest-8.2.0-py3-none-any.whl", hash = "sha256:1733f0620f6cda4095bbf0d9ff8022486e91892245bb9e7d5542c018f612f233"}, - {file = "pytest-8.2.0.tar.gz", hash = "sha256:d507d4482197eac0ba2bae2e9babf0672eb333017bcedaa5fb1a3d42c1174b3f"}, + {file = "pytest-8.2.2-py3-none-any.whl", hash = "sha256:c434598117762e2bd304e526244f67bf66bbd7b5d6cf22138be51ff661980343"}, + {file = "pytest-8.2.2.tar.gz", hash = "sha256:de4bb8104e201939ccdc688b27a89a7be2079b22e2bd2b07f806b6ba71117977"}, ] [package.dependencies] @@ -2043,13 +2040,13 @@ pytest-asyncio = ">=0.14.0" [[package]] name = "pytest-asyncio" -version = "0.23.6" +version = "0.23.7" description = "Pytest support for asyncio" optional = false python-versions = ">=3.8" files = [ - {file = "pytest-asyncio-0.23.6.tar.gz", hash = "sha256:ffe523a89c1c222598c76856e76852b787504ddb72dd5d9b6617ffa8aa2cde5f"}, - {file = "pytest_asyncio-0.23.6-py3-none-any.whl", hash = "sha256:68516fdd1018ac57b846c9846b954f0393b26f094764a28c955eabb0536a4e8a"}, + {file = "pytest_asyncio-0.23.7-py3-none-any.whl", hash = "sha256:009b48127fbe44518a547bddd25611551b0e43ccdbf1e67d12479f569832c20b"}, + {file = "pytest_asyncio-0.23.7.tar.gz", hash = "sha256:5f5c72948f4c49e7db4f29f2521d4031f1c27f86e57b046126654083d4770268"}, ] [package.dependencies] @@ -2214,101 +2211,101 @@ rpds-py = ">=0.7.0" [[package]] name = "regex" -version = "2024.4.28" +version = "2024.5.15" description = "Alternative regular expression module, to replace re." optional = false python-versions = ">=3.8" files = [ - {file = "regex-2024.4.28-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:cd196d056b40af073d95a2879678585f0b74ad35190fac04ca67954c582c6b61"}, - {file = "regex-2024.4.28-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8bb381f777351bd534462f63e1c6afb10a7caa9fa2a421ae22c26e796fe31b1f"}, - {file = "regex-2024.4.28-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:47af45b6153522733aa6e92543938e97a70ce0900649ba626cf5aad290b737b6"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:99d6a550425cc51c656331af0e2b1651e90eaaa23fb4acde577cf15068e2e20f"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:bf29304a8011feb58913c382902fde3395957a47645bf848eea695839aa101b7"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:92da587eee39a52c91aebea8b850e4e4f095fe5928d415cb7ed656b3460ae79a"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6277d426e2f31bdbacb377d17a7475e32b2d7d1f02faaecc48d8e370c6a3ff31"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:28e1f28d07220c0f3da0e8fcd5a115bbb53f8b55cecf9bec0c946eb9a059a94c"}, - {file = "regex-2024.4.28-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:aaa179975a64790c1f2701ac562b5eeb733946eeb036b5bcca05c8d928a62f10"}, - {file = "regex-2024.4.28-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:6f435946b7bf7a1b438b4e6b149b947c837cb23c704e780c19ba3e6855dbbdd3"}, - {file = "regex-2024.4.28-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:19d6c11bf35a6ad077eb23852827f91c804eeb71ecb85db4ee1386825b9dc4db"}, - {file = "regex-2024.4.28-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:fdae0120cddc839eb8e3c15faa8ad541cc6d906d3eb24d82fb041cfe2807bc1e"}, - {file = "regex-2024.4.28-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:e672cf9caaf669053121f1766d659a8813bd547edef6e009205378faf45c67b8"}, - {file = "regex-2024.4.28-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:f57515750d07e14743db55d59759893fdb21d2668f39e549a7d6cad5d70f9fea"}, - {file = "regex-2024.4.28-cp310-cp310-win32.whl", hash = "sha256:a1409c4eccb6981c7baabc8888d3550df518add6e06fe74fa1d9312c1838652d"}, - {file = "regex-2024.4.28-cp310-cp310-win_amd64.whl", hash = "sha256:1f687a28640f763f23f8a9801fe9e1b37338bb1ca5d564ddd41619458f1f22d1"}, - {file = "regex-2024.4.28-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:84077821c85f222362b72fdc44f7a3a13587a013a45cf14534df1cbbdc9a6796"}, - {file = "regex-2024.4.28-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:b45d4503de8f4f3dc02f1d28a9b039e5504a02cc18906cfe744c11def942e9eb"}, - {file = "regex-2024.4.28-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:457c2cd5a646dd4ed536c92b535d73548fb8e216ebee602aa9f48e068fc393f3"}, - {file = "regex-2024.4.28-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:2b51739ddfd013c6f657b55a508de8b9ea78b56d22b236052c3a85a675102dc6"}, - {file = "regex-2024.4.28-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:459226445c7d7454981c4c0ce0ad1a72e1e751c3e417f305722bbcee6697e06a"}, - {file = "regex-2024.4.28-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:670fa596984b08a4a769491cbdf22350431970d0112e03d7e4eeaecaafcd0fec"}, - {file = "regex-2024.4.28-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:fe00f4fe11c8a521b173e6324d862ee7ee3412bf7107570c9b564fe1119b56fb"}, - {file = "regex-2024.4.28-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:36f392dc7763fe7924575475736bddf9ab9f7a66b920932d0ea50c2ded2f5636"}, - {file = "regex-2024.4.28-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:23a412b7b1a7063f81a742463f38821097b6a37ce1e5b89dd8e871d14dbfd86b"}, - {file = "regex-2024.4.28-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:f1d6e4b7b2ae3a6a9df53efbf199e4bfcff0959dbdb5fd9ced34d4407348e39a"}, - {file = "regex-2024.4.28-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:499334ad139557de97cbc4347ee921c0e2b5e9c0f009859e74f3f77918339257"}, - {file = "regex-2024.4.28-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:0940038bec2fe9e26b203d636c44d31dd8766abc1fe66262da6484bd82461ccf"}, - {file = "regex-2024.4.28-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:66372c2a01782c5fe8e04bff4a2a0121a9897e19223d9eab30c54c50b2ebeb7f"}, - {file = "regex-2024.4.28-cp311-cp311-win32.whl", hash = "sha256:c77d10ec3c1cf328b2f501ca32583625987ea0f23a0c2a49b37a39ee5c4c4630"}, - {file = "regex-2024.4.28-cp311-cp311-win_amd64.whl", hash = "sha256:fc0916c4295c64d6890a46e02d4482bb5ccf33bf1a824c0eaa9e83b148291f90"}, - {file = "regex-2024.4.28-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:08a1749f04fee2811c7617fdd46d2e46d09106fa8f475c884b65c01326eb15c5"}, - {file = "regex-2024.4.28-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:b8eb28995771c087a73338f695a08c9abfdf723d185e57b97f6175c5051ff1ae"}, - {file = "regex-2024.4.28-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:dd7ef715ccb8040954d44cfeff17e6b8e9f79c8019daae2fd30a8806ef5435c0"}, - {file = "regex-2024.4.28-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:fb0315a2b26fde4005a7c401707c5352df274460f2f85b209cf6024271373013"}, - {file = "regex-2024.4.28-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:f2fc053228a6bd3a17a9b0a3f15c3ab3cf95727b00557e92e1cfe094b88cc662"}, - {file = "regex-2024.4.28-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7fe9739a686dc44733d52d6e4f7b9c77b285e49edf8570754b322bca6b85b4cc"}, - {file = "regex-2024.4.28-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a74fcf77d979364f9b69fcf8200849ca29a374973dc193a7317698aa37d8b01c"}, - {file = "regex-2024.4.28-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:965fd0cf4694d76f6564896b422724ec7b959ef927a7cb187fc6b3f4e4f59833"}, - {file = "regex-2024.4.28-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:2fef0b38c34ae675fcbb1b5db760d40c3fc3612cfa186e9e50df5782cac02bcd"}, - {file = "regex-2024.4.28-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:bc365ce25f6c7c5ed70e4bc674f9137f52b7dd6a125037f9132a7be52b8a252f"}, - {file = "regex-2024.4.28-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:ac69b394764bb857429b031d29d9604842bc4cbfd964d764b1af1868eeebc4f0"}, - {file = "regex-2024.4.28-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:144a1fc54765f5c5c36d6d4b073299832aa1ec6a746a6452c3ee7b46b3d3b11d"}, - {file = "regex-2024.4.28-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:2630ca4e152c221072fd4a56d4622b5ada876f668ecd24d5ab62544ae6793ed6"}, - {file = "regex-2024.4.28-cp312-cp312-win32.whl", hash = "sha256:7f3502f03b4da52bbe8ba962621daa846f38489cae5c4a7b5d738f15f6443d17"}, - {file = "regex-2024.4.28-cp312-cp312-win_amd64.whl", hash = "sha256:0dd3f69098511e71880fb00f5815db9ed0ef62c05775395968299cb400aeab82"}, - {file = "regex-2024.4.28-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:374f690e1dd0dbdcddea4a5c9bdd97632cf656c69113f7cd6a361f2a67221cb6"}, - {file = "regex-2024.4.28-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:25f87ae6b96374db20f180eab083aafe419b194e96e4f282c40191e71980c666"}, - {file = "regex-2024.4.28-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:5dbc1bcc7413eebe5f18196e22804a3be1bfdfc7e2afd415e12c068624d48247"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f85151ec5a232335f1be022b09fbbe459042ea1951d8a48fef251223fc67eee1"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:57ba112e5530530fd175ed550373eb263db4ca98b5f00694d73b18b9a02e7185"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:224803b74aab56aa7be313f92a8d9911dcade37e5f167db62a738d0c85fdac4b"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0a54a047b607fd2d2d52a05e6ad294602f1e0dec2291152b745870afc47c1397"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:0a2a512d623f1f2d01d881513af9fc6a7c46e5cfffb7dc50c38ce959f9246c94"}, - {file = "regex-2024.4.28-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:c06bf3f38f0707592898428636cbb75d0a846651b053a1cf748763e3063a6925"}, - {file = "regex-2024.4.28-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:1031a5e7b048ee371ab3653aad3030ecfad6ee9ecdc85f0242c57751a05b0ac4"}, - {file = "regex-2024.4.28-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:d7a353ebfa7154c871a35caca7bfd8f9e18666829a1dc187115b80e35a29393e"}, - {file = "regex-2024.4.28-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:7e76b9cfbf5ced1aca15a0e5b6f229344d9b3123439ffce552b11faab0114a02"}, - {file = "regex-2024.4.28-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:5ce479ecc068bc2a74cb98dd8dba99e070d1b2f4a8371a7dfe631f85db70fe6e"}, - {file = "regex-2024.4.28-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:7d77b6f63f806578c604dca209280e4c54f0fa9a8128bb8d2cc5fb6f99da4150"}, - {file = "regex-2024.4.28-cp38-cp38-win32.whl", hash = "sha256:d84308f097d7a513359757c69707ad339da799e53b7393819ec2ea36bc4beb58"}, - {file = "regex-2024.4.28-cp38-cp38-win_amd64.whl", hash = "sha256:2cc1b87bba1dd1a898e664a31012725e48af826bf3971e786c53e32e02adae6c"}, - {file = "regex-2024.4.28-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:7413167c507a768eafb5424413c5b2f515c606be5bb4ef8c5dee43925aa5718b"}, - {file = "regex-2024.4.28-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:108e2dcf0b53a7c4ab8986842a8edcb8ab2e59919a74ff51c296772e8e74d0ae"}, - {file = "regex-2024.4.28-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:f1c5742c31ba7d72f2dedf7968998730664b45e38827637e0f04a2ac7de2f5f1"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ecc6148228c9ae25ce403eade13a0961de1cb016bdb35c6eafd8e7b87ad028b1"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b7d893c8cf0e2429b823ef1a1d360a25950ed11f0e2a9df2b5198821832e1947"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:4290035b169578ffbbfa50d904d26bec16a94526071ebec3dadbebf67a26b25e"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:44a22ae1cfd82e4ffa2066eb3390777dc79468f866f0625261a93e44cdf6482b"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:fd24fd140b69f0b0bcc9165c397e9b2e89ecbeda83303abf2a072609f60239e2"}, - {file = "regex-2024.4.28-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:39fb166d2196413bead229cd64a2ffd6ec78ebab83fff7d2701103cf9f4dfd26"}, - {file = "regex-2024.4.28-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:9301cc6db4d83d2c0719f7fcda37229691745168bf6ae849bea2e85fc769175d"}, - {file = "regex-2024.4.28-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:7c3d389e8d76a49923683123730c33e9553063d9041658f23897f0b396b2386f"}, - {file = "regex-2024.4.28-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:99ef6289b62042500d581170d06e17f5353b111a15aa6b25b05b91c6886df8fc"}, - {file = "regex-2024.4.28-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:b91d529b47798c016d4b4c1d06cc826ac40d196da54f0de3c519f5a297c5076a"}, - {file = "regex-2024.4.28-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:43548ad74ea50456e1c68d3c67fff3de64c6edb85bcd511d1136f9b5376fc9d1"}, - {file = "regex-2024.4.28-cp39-cp39-win32.whl", hash = "sha256:05d9b6578a22db7dedb4df81451f360395828b04f4513980b6bd7a1412c679cc"}, - {file = "regex-2024.4.28-cp39-cp39-win_amd64.whl", hash = "sha256:3986217ec830c2109875be740531feb8ddafe0dfa49767cdcd072ed7e8927962"}, - {file = "regex-2024.4.28.tar.gz", hash = "sha256:83ab366777ea45d58f72593adf35d36ca911ea8bd838483c1823b883a121b0e4"}, + {file = "regex-2024.5.15-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:a81e3cfbae20378d75185171587cbf756015ccb14840702944f014e0d93ea09f"}, + {file = "regex-2024.5.15-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:7b59138b219ffa8979013be7bc85bb60c6f7b7575df3d56dc1e403a438c7a3f6"}, + {file = "regex-2024.5.15-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:a0bd000c6e266927cb7a1bc39d55be95c4b4f65c5be53e659537537e019232b1"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5eaa7ddaf517aa095fa8da0b5015c44d03da83f5bd49c87961e3c997daed0de7"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ba68168daedb2c0bab7fd7e00ced5ba90aebf91024dea3c88ad5063c2a562cca"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:6e8d717bca3a6e2064fc3a08df5cbe366369f4b052dcd21b7416e6d71620dca1"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1337b7dbef9b2f71121cdbf1e97e40de33ff114801263b275aafd75303bd62b5"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:f9ebd0a36102fcad2f03696e8af4ae682793a5d30b46c647eaf280d6cfb32796"}, + {file = "regex-2024.5.15-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:9efa1a32ad3a3ea112224897cdaeb6aa00381627f567179c0314f7b65d354c62"}, + {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:1595f2d10dff3d805e054ebdc41c124753631b6a471b976963c7b28543cf13b0"}, + {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:b802512f3e1f480f41ab5f2cfc0e2f761f08a1f41092d6718868082fc0d27143"}, + {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_ppc64le.whl", hash = "sha256:a0981022dccabca811e8171f913de05720590c915b033b7e601f35ce4ea7019f"}, + {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_s390x.whl", hash = "sha256:19068a6a79cf99a19ccefa44610491e9ca02c2be3305c7760d3831d38a467a6f"}, + {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:1b5269484f6126eee5e687785e83c6b60aad7663dafe842b34691157e5083e53"}, + {file = "regex-2024.5.15-cp310-cp310-win32.whl", hash = "sha256:ada150c5adfa8fbcbf321c30c751dc67d2f12f15bd183ffe4ec7cde351d945b3"}, + {file = "regex-2024.5.15-cp310-cp310-win_amd64.whl", hash = "sha256:ac394ff680fc46b97487941f5e6ae49a9f30ea41c6c6804832063f14b2a5a145"}, + {file = "regex-2024.5.15-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:f5b1dff3ad008dccf18e652283f5e5339d70bf8ba7c98bf848ac33db10f7bc7a"}, + {file = "regex-2024.5.15-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c6a2b494a76983df8e3d3feea9b9ffdd558b247e60b92f877f93a1ff43d26656"}, + {file = "regex-2024.5.15-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:a32b96f15c8ab2e7d27655969a23895eb799de3665fa94349f3b2fbfd547236f"}, + {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:10002e86e6068d9e1c91eae8295ef690f02f913c57db120b58fdd35a6bb1af35"}, + {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ec54d5afa89c19c6dd8541a133be51ee1017a38b412b1321ccb8d6ddbeb4cf7d"}, + {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:10e4ce0dca9ae7a66e6089bb29355d4432caed736acae36fef0fdd7879f0b0cb"}, + {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3e507ff1e74373c4d3038195fdd2af30d297b4f0950eeda6f515ae3d84a1770f"}, + {file = "regex-2024.5.15-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d1f059a4d795e646e1c37665b9d06062c62d0e8cc3c511fe01315973a6542e40"}, + {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:0721931ad5fe0dda45d07f9820b90b2148ccdd8e45bb9e9b42a146cb4f695649"}, + {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:833616ddc75ad595dee848ad984d067f2f31be645d603e4d158bba656bbf516c"}, + {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_ppc64le.whl", hash = "sha256:287eb7f54fc81546346207c533ad3c2c51a8d61075127d7f6d79aaf96cdee890"}, + {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_s390x.whl", hash = "sha256:19dfb1c504781a136a80ecd1fff9f16dddf5bb43cec6871778c8a907a085bb3d"}, + {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:119af6e56dce35e8dfb5222573b50c89e5508d94d55713c75126b753f834de68"}, + {file = "regex-2024.5.15-cp311-cp311-win32.whl", hash = "sha256:1c1c174d6ec38d6c8a7504087358ce9213d4332f6293a94fbf5249992ba54efa"}, + {file = "regex-2024.5.15-cp311-cp311-win_amd64.whl", hash = "sha256:9e717956dcfd656f5055cc70996ee2cc82ac5149517fc8e1b60261b907740201"}, + {file = "regex-2024.5.15-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:632b01153e5248c134007209b5c6348a544ce96c46005d8456de1d552455b014"}, + {file = "regex-2024.5.15-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:e64198f6b856d48192bf921421fdd8ad8eb35e179086e99e99f711957ffedd6e"}, + {file = "regex-2024.5.15-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:68811ab14087b2f6e0fc0c2bae9ad689ea3584cad6917fc57be6a48bbd012c49"}, + {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f8ec0c2fea1e886a19c3bee0cd19d862b3aa75dcdfb42ebe8ed30708df64687a"}, + {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d0c0c0003c10f54a591d220997dd27d953cd9ccc1a7294b40a4be5312be8797b"}, + {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2431b9e263af1953c55abbd3e2efca67ca80a3de8a0437cb58e2421f8184717a"}, + {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4a605586358893b483976cffc1723fb0f83e526e8f14c6e6614e75919d9862cf"}, + {file = "regex-2024.5.15-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:391d7f7f1e409d192dba8bcd42d3e4cf9e598f3979cdaed6ab11288da88cb9f2"}, + {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:9ff11639a8d98969c863d4617595eb5425fd12f7c5ef6621a4b74b71ed8726d5"}, + {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:4eee78a04e6c67e8391edd4dad3279828dd66ac4b79570ec998e2155d2e59fd5"}, + {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:8fe45aa3f4aa57faabbc9cb46a93363edd6197cbc43523daea044e9ff2fea83e"}, + {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:d0a3d8d6acf0c78a1fff0e210d224b821081330b8524e3e2bc5a68ef6ab5803d"}, + {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:c486b4106066d502495b3025a0a7251bf37ea9540433940a23419461ab9f2a80"}, + {file = "regex-2024.5.15-cp312-cp312-win32.whl", hash = "sha256:c49e15eac7c149f3670b3e27f1f28a2c1ddeccd3a2812cba953e01be2ab9b5fe"}, + {file = "regex-2024.5.15-cp312-cp312-win_amd64.whl", hash = "sha256:673b5a6da4557b975c6c90198588181029c60793835ce02f497ea817ff647cb2"}, + {file = "regex-2024.5.15-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:87e2a9c29e672fc65523fb47a90d429b70ef72b901b4e4b1bd42387caf0d6835"}, + {file = "regex-2024.5.15-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:c3bea0ba8b73b71b37ac833a7f3fd53825924165da6a924aec78c13032f20850"}, + {file = "regex-2024.5.15-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:bfc4f82cabe54f1e7f206fd3d30fda143f84a63fe7d64a81558d6e5f2e5aaba9"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e5bb9425fe881d578aeca0b2b4b3d314ec88738706f66f219c194d67179337cb"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:64c65783e96e563103d641760664125e91bd85d8e49566ee560ded4da0d3e704"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cf2430df4148b08fb4324b848672514b1385ae3807651f3567871f130a728cc3"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5397de3219a8b08ae9540c48f602996aa6b0b65d5a61683e233af8605c42b0f2"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:455705d34b4154a80ead722f4f185b04c4237e8e8e33f265cd0798d0e44825fa"}, + {file = "regex-2024.5.15-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:b2b6f1b3bb6f640c1a92be3bbfbcb18657b125b99ecf141fb3310b5282c7d4ed"}, + {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:3ad070b823ca5890cab606c940522d05d3d22395d432f4aaaf9d5b1653e47ced"}, + {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:5b5467acbfc153847d5adb21e21e29847bcb5870e65c94c9206d20eb4e99a384"}, + {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_ppc64le.whl", hash = "sha256:e6662686aeb633ad65be2a42b4cb00178b3fbf7b91878f9446075c404ada552f"}, + {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_s390x.whl", hash = "sha256:2b4c884767504c0e2401babe8b5b7aea9148680d2e157fa28f01529d1f7fcf67"}, + {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:3cd7874d57f13bf70078f1ff02b8b0aa48d5b9ed25fc48547516c6aba36f5741"}, + {file = "regex-2024.5.15-cp38-cp38-win32.whl", hash = "sha256:e4682f5ba31f475d58884045c1a97a860a007d44938c4c0895f41d64481edbc9"}, + {file = "regex-2024.5.15-cp38-cp38-win_amd64.whl", hash = "sha256:d99ceffa25ac45d150e30bd9ed14ec6039f2aad0ffa6bb87a5936f5782fc1569"}, + {file = "regex-2024.5.15-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:13cdaf31bed30a1e1c2453ef6015aa0983e1366fad2667657dbcac7b02f67133"}, + {file = "regex-2024.5.15-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:cac27dcaa821ca271855a32188aa61d12decb6fe45ffe3e722401fe61e323cd1"}, + {file = "regex-2024.5.15-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:7dbe2467273b875ea2de38ded4eba86cbcbc9a1a6d0aa11dcf7bd2e67859c435"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:64f18a9a3513a99c4bef0e3efd4c4a5b11228b48aa80743be822b71e132ae4f5"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d347a741ea871c2e278fde6c48f85136c96b8659b632fb57a7d1ce1872547600"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:1878b8301ed011704aea4c806a3cadbd76f84dece1ec09cc9e4dc934cfa5d4da"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4babf07ad476aaf7830d77000874d7611704a7fcf68c9c2ad151f5d94ae4bfc4"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:35cb514e137cb3488bce23352af3e12fb0dbedd1ee6e60da053c69fb1b29cc6c"}, + {file = "regex-2024.5.15-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cdd09d47c0b2efee9378679f8510ee6955d329424c659ab3c5e3a6edea696294"}, + {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:72d7a99cd6b8f958e85fc6ca5b37c4303294954eac1376535b03c2a43eb72629"}, + {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:a094801d379ab20c2135529948cb84d417a2169b9bdceda2a36f5f10977ebc16"}, + {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_ppc64le.whl", hash = "sha256:c0c18345010870e58238790a6779a1219b4d97bd2e77e1140e8ee5d14df071aa"}, + {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_s390x.whl", hash = "sha256:16093f563098448ff6b1fa68170e4acbef94e6b6a4e25e10eae8598bb1694b5d"}, + {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:e38a7d4e8f633a33b4c7350fbd8bad3b70bf81439ac67ac38916c4a86b465456"}, + {file = "regex-2024.5.15-cp39-cp39-win32.whl", hash = "sha256:71a455a3c584a88f654b64feccc1e25876066c4f5ef26cd6dd711308aa538694"}, + {file = "regex-2024.5.15-cp39-cp39-win_amd64.whl", hash = "sha256:cab12877a9bdafde5500206d1020a584355a97884dfd388af3699e9137bf7388"}, + {file = "regex-2024.5.15.tar.gz", hash = "sha256:d3ee02d9e5f482cc8309134a91eeaacbdd2261ba111b0fef3748eeb4913e6a2c"}, ] [[package]] name = "requests" -version = "2.31.0" +version = "2.32.3" description = "Python HTTP for Humans." optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "requests-2.31.0-py3-none-any.whl", hash = "sha256:58cd2187c01e70e6e26505bca751777aa9f2ee0b7f4300988b709f44e013003f"}, - {file = "requests-2.31.0.tar.gz", hash = "sha256:942c5a758f98d790eaed1a29cb6eefc7ffb0d1cf7af05c3d2791656dbd6ad1e1"}, + {file = "requests-2.32.3-py3-none-any.whl", hash = "sha256:70761cfe03c773ceb22aa2f671b4757976145175cdfca038c02654d061d6dcc6"}, + {file = "requests-2.32.3.tar.gz", hash = "sha256:55365417734eb18255590a9ff9eb97e9e1da868d4ccd6402399eaf68af20a760"}, ] [package.dependencies] @@ -2478,19 +2475,18 @@ files = [ [[package]] name = "setuptools" -version = "69.5.1" +version = "70.0.0" description = "Easily download, build, install, upgrade, and uninstall Python packages" optional = false python-versions = ">=3.8" files = [ - {file = "setuptools-69.5.1-py3-none-any.whl", hash = "sha256:c636ac361bc47580504644275c9ad802c50415c7522212252c033bd15f301f32"}, - {file = "setuptools-69.5.1.tar.gz", hash = "sha256:6c1fccdac05a97e598fb0ae3bbed5904ccb317337a51139dcd51453611bbb987"}, + {file = "setuptools-70.0.0-py3-none-any.whl", hash = "sha256:54faa7f2e8d2d11bcd2c07bed282eef1046b5c080d1c32add737d7b5817b1ad4"}, + {file = "setuptools-70.0.0.tar.gz", hash = "sha256:f211a66637b8fa059bb28183da127d4e86396c991a942b028c6650d4319c3fd0"}, ] [package.extras] -docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] -testing = ["build[virtualenv]", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.9)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "mypy (==1.9)", "packaging (>=23.2)", "pip (>=19.1)", "pytest (>=6,!=8.1.1)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (>=0.2.1)", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] -testing-integration = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "packaging (>=23.2)", "pytest", "pytest-enabler", "pytest-xdist", "tomli", "virtualenv (>=13.0.0)", "wheel"] +docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "pyproject-hooks (!=1.1)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] +testing = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.14)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "mypy (==1.9)", "packaging (>=23.2)", "pip (>=19.1)", "pyproject-hooks (!=1.1)", "pytest (>=6,!=8.1.1)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (>=0.2.1)", "pytest-subprocess", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] [[package]] name = "six" @@ -2538,13 +2534,13 @@ files = [ [[package]] name = "typing-extensions" -version = "4.11.0" +version = "4.12.1" description = "Backported and Experimental Type Hints for Python 3.8+" optional = false python-versions = ">=3.8" files = [ - {file = "typing_extensions-4.11.0-py3-none-any.whl", hash = "sha256:c1f94d72897edaf4ce775bb7558d5b79d8126906a14ea5ed1635921406c0387a"}, - {file = "typing_extensions-4.11.0.tar.gz", hash = "sha256:83f085bd5ca59c80295fc2a82ab5dac679cbe02b9f33f7d83af68e241bea51b0"}, + {file = "typing_extensions-4.12.1-py3-none-any.whl", hash = "sha256:6024b58b69089e5a89c347397254e35f1bf02a907728ec7fee9bf0fe837d203a"}, + {file = "typing_extensions-4.12.1.tar.gz", hash = "sha256:915f5e35ff76f56588223f15fdd5938f9a1cf9195c0de25130c627e4d597f6d1"}, ] [[package]] @@ -2566,13 +2562,13 @@ zstd = ["zstandard (>=0.18.0)"] [[package]] name = "virtualenv" -version = "20.26.1" +version = "20.26.2" description = "Virtual Python Environment builder" optional = false python-versions = ">=3.7" files = [ - {file = "virtualenv-20.26.1-py3-none-any.whl", hash = "sha256:7aa9982a728ae5892558bff6a2839c00b9ed145523ece2274fad6f414690ae75"}, - {file = "virtualenv-20.26.1.tar.gz", hash = "sha256:604bfdceaeece392802e6ae48e69cec49168b9c5f4a44e483963f9242eb0e78b"}, + {file = "virtualenv-20.26.2-py3-none-any.whl", hash = "sha256:a624db5e94f01ad993d476b9ee5346fdf7b9de43ccaee0e0197012dc838a0e9b"}, + {file = "virtualenv-20.26.2.tar.gz", hash = "sha256:82bf0f4eebbb78d36ddaee0283d43fe5736b53880b8a8cdcd37390a07ac3741c"}, ] [package.dependencies] @@ -2586,13 +2582,13 @@ test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess [[package]] name = "web3" -version = "6.18.0" +version = "6.19.0" description = "web3.py" optional = false python-versions = ">=3.7.2" files = [ - {file = "web3-6.18.0-py3-none-any.whl", hash = "sha256:86484a3d390a0a024002d1c1b79af27034488c470ea07693ff0f5bf109d3540b"}, - {file = "web3-6.18.0.tar.gz", hash = "sha256:2e626a4bf151171f5dc8ad7f30c373f0416dc2aca9d8d102a63578a2413efa26"}, + {file = "web3-6.19.0-py3-none-any.whl", hash = "sha256:fb39683d6aa7586ce0ab0be4be392f8acb62c2503958079d61b59f2a0b883718"}, + {file = "web3-6.19.0.tar.gz", hash = "sha256:d27fbd4ac5aa70d0e0c516bd3e3b802fbe74bc159b407c34052d9301b400f757"}, ] [package.dependencies] @@ -2805,4 +2801,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "5f8115d4b234996845c514ddc8425ebeb91cdc182853cb881a51c7482f88c569" +content-hash = "c9faf26469b617ee8930f1f56e3875d6e4b915b2ac16eb4918d7398c5c7d1eb2" From df0a83c3331001291da079269ad844406651988a Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 6 Jun 2024 22:55:12 +0200 Subject: [PATCH 35/63] Update CHANGELOG.md Co-authored-by: coderabbitai[bot] <136622811+coderabbitai[bot]@users.noreply.github.com> --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4b8dfd8e..3eadee80 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -17,6 +17,7 @@ All notable changes to this project will be documented in this file. ## [1.4.3] - 2024-06-06 ### Changed - Fixed `protobuf` dependency version to "<5" to for the v1.4 branch, because newer versions require a code refactoring (done in v1.5) ++ Fixed `protobuf` dependency version to "<5" for the v1.4 branch because newer versions require a code refactoring (done in v1.5) ## [1.5.2] - 2024-05-10 ### Changed From 2c7bdaa8bbd2675c68206c9af99bf0348714a26c Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 10 Jun 2024 11:30:24 -0300 Subject: [PATCH 36/63] (feat) Updated proto definitions from injective-core with the candidate version for v1.13 upgrade --- Makefile | 12 +- .../13_MsgInstantBinaryOptionsMarketLaunch.py | 10 +- .../exchange/3_MsgInstantSpotMarketLaunch.py | 1 + .../4_MsgInstantPerpetualMarketLaunch.py | 1 + .../5_MsgInstantExpiryFuturesMarketLaunch.py | 1 + pyinjective/composer.py | 14 + pyinjective/proto/amino/amino_pb2.py | 8 +- pyinjective/proto/amino/amino_pb2_grpc.py | 25 + .../proto/capability/v1/capability_pb2.py | 39 + .../capability/v1/capability_pb2_grpc.py | 29 + .../proto/capability/v1/genesis_pb2.py | 36 + .../proto/capability/v1/genesis_pb2_grpc.py | 29 + .../cosmos/app/runtime/v1alpha1/module_pb2.py | 16 +- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/config_pb2.py | 6 +- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/module_pb2.py | 6 +- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/query_pb2.py | 6 +- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 44 +- .../proto/cosmos/auth/module/v1/module_pb2.py | 8 +- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/auth_pb2.py | 38 +- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 8 +- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/query_pb2.py | 46 +- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 206 ++- .../proto/cosmos/auth/v1beta1/tx_pb2.py | 14 +- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/authz/module/v1/module_pb2.py | 8 +- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/authz_pb2.py | 20 +- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/event_pb2.py | 14 +- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 8 +- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/query_pb2.py | 20 +- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 80 +- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 54 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 114 +- .../proto/cosmos/autocli/v1/options_pb2.py | 18 +- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 + .../proto/cosmos/autocli/v1/query_pb2.py | 10 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 44 +- .../proto/cosmos/bank/module/v1/module_pb2.py | 14 +- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/authz_pb2.py | 18 +- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/bank_pb2.py | 70 +- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/events_pb2.py | 34 - .../cosmos/bank/v1beta1/events_pb2_grpc.py | 4 - .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 34 +- .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/query_pb2.py | 172 +-- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 317 ++++- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 70 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 98 +- .../cosmos/base/abci/v1beta1/abci_pb2.py | 87 +- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 + .../proto/cosmos/base/kv/v1beta1/kv_pb2.py | 32 - .../cosmos/base/kv/v1beta1/kv_pb2_grpc.py | 4 - .../cosmos/base/node/v1beta1/query_pb2.py | 32 +- .../base/node/v1beta1/query_pb2_grpc.py | 88 +- .../base/query/v1beta1/pagination_pb2.py | 6 +- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 + .../base/reflection/v1beta1/reflection_pb2.py | 10 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 62 +- .../reflection/v2alpha1/reflection_pb2.py | 18 +- .../v2alpha1/reflection_pb2_grpc.py | 134 +- .../base/snapshots/v1beta1/snapshot_pb2.py | 56 - .../snapshots/v1beta1/snapshot_pb2_grpc.py | 4 - .../base/store/v1beta1/commit_info_pb2.py | 41 - .../store/v1beta1/commit_info_pb2_grpc.py | 4 - .../base/store/v1beta1/listening_pb2.py | 32 - .../base/store/v1beta1/listening_pb2_grpc.py | 4 - .../base/tendermint/v1beta1/query_pb2.py | 28 +- .../base/tendermint/v1beta1/query_pb2_grpc.py | 152 ++- .../base/tendermint/v1beta1/types_pb2.py | 24 +- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 + .../proto/cosmos/base/v1beta1/coin_pb2.py | 42 +- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 + .../cosmos/capability/module/v1/module_pb2.py | 29 - .../capability/module/v1/module_pb2_grpc.py | 4 - .../capability/v1beta1/capability_pb2.py | 39 - .../capability/v1beta1/capability_pb2_grpc.py | 4 - .../cosmos/capability/v1beta1/genesis_pb2.py | 36 - .../capability/v1beta1/genesis_pb2_grpc.py | 4 - .../cosmos/circuit/module/v1/module_pb2.py | 29 + .../circuit/module/v1/module_pb2_grpc.py | 29 + .../proto/cosmos/circuit/v1/query_pb2.py | 49 + .../proto/cosmos/circuit/v1/query_pb2_grpc.py | 194 +++ pyinjective/proto/cosmos/circuit/v1/tx_pb2.py | 49 + .../proto/cosmos/circuit/v1/tx_pb2_grpc.py | 196 +++ .../proto/cosmos/circuit/v1/types_pb2.py | 33 + .../proto/cosmos/circuit/v1/types_pb2_grpc.py | 29 + .../cosmos/consensus/module/v1/module_pb2.py | 8 +- .../consensus/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/consensus/v1/query_pb2.py | 8 +- .../cosmos/consensus/v1/query_pb2_grpc.py | 46 +- .../proto/cosmos/consensus/v1/tx_pb2.py | 29 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 52 +- .../cosmos/crisis/module/v1/module_pb2.py | 8 +- .../crisis/module/v1/module_pb2_grpc.py | 25 + .../cosmos/crisis/v1beta1/genesis_pb2.py | 8 +- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 18 +- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 62 +- .../proto/cosmos/crypto/ed25519/keys_pb2.py | 14 +- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 8 +- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 + .../cosmos/crypto/keyring/v1/record_pb2.py | 6 +- .../crypto/keyring/v1/record_pb2_grpc.py | 25 + .../proto/cosmos/crypto/multisig/keys_pb2.py | 10 +- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 + .../crypto/multisig/v1beta1/multisig_pb2.py | 10 +- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 10 +- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 10 +- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 + .../distribution/module/v1/module_pb2.py | 8 +- .../distribution/module/v1/module_pb2_grpc.py | 25 + .../distribution/v1beta1/distribution_pb2.py | 116 +- .../v1beta1/distribution_pb2_grpc.py | 25 + .../distribution/v1beta1/genesis_pb2.py | 112 +- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/distribution/v1beta1/query_pb2.py | 172 +-- .../distribution/v1beta1/query_pb2_grpc.py | 208 ++- .../cosmos/distribution/v1beta1/tx_pb2.py | 114 +- .../distribution/v1beta1/tx_pb2_grpc.py | 181 ++- .../cosmos/evidence/module/v1/module_pb2.py | 14 +- .../evidence/module/v1/module_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/evidence_pb2.py | 20 +- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/genesis_pb2.py | 10 +- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/query_pb2.py | 39 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 62 +- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 18 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/feegrant/module/v1/module_pb2.py | 14 +- .../feegrant/module/v1/module_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 58 +- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/genesis_pb2.py | 12 +- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/query_pb2.py | 24 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 84 +- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 38 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 108 +- .../cosmos/genutil/module/v1/module_pb2.py | 8 +- .../genutil/module/v1/module_pb2_grpc.py | 25 + .../cosmos/genutil/v1beta1/genesis_pb2.py | 8 +- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/module/v1/module_pb2.py | 8 +- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1/genesis_pb2.py | 16 +- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 114 +- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/query_pb2.py | 112 +- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 216 ++- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 115 +- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 180 ++- .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 18 +- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/gov_pb2.py | 154 +-- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/query_pb2.py | 56 +- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 172 ++- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 86 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 104 +- .../cosmos/group/module/v1/module_pb2.py | 10 +- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/events_pb2.py | 12 +- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/genesis_pb2.py | 6 +- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/query_pb2.py | 50 +- .../proto/cosmos/group/v1/query_pb2_grpc.py | 278 +++- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 116 +- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 278 +++- .../proto/cosmos/group/v1/types_pb2.py | 58 +- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 + .../proto/cosmos/ics23/v1/proofs_pb2.py | 6 +- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 + .../proto/cosmos/mint/module/v1/module_pb2.py | 8 +- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 10 +- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/mint_pb2.py | 42 +- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/query_pb2.py | 53 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 80 +- .../proto/cosmos/mint/v1beta1/tx_pb2.py | 14 +- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/msg/textual/v1/textual_pb2.py | 25 + .../cosmos/msg/textual/v1/textual_pb2_grpc.py | 29 + pyinjective/proto/cosmos/msg/v1/msg_pb2.py | 6 +- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 + .../proto/cosmos/nft/module/v1/module_pb2.py | 14 +- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/event_pb2.py | 10 +- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 10 +- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/nft_pb2.py | 10 +- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/query_pb2.py | 24 +- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 152 ++- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 18 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/orm/module/v1alpha1/module_pb2.py | 14 +- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 + .../cosmos/orm/query/v1alpha1/query_pb2.py | 6 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 62 +- pyinjective/proto/cosmos/orm/v1/orm_pb2.py | 6 +- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 + .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 12 +- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 + .../cosmos/params/module/v1/module_pb2.py | 8 +- .../params/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/params_pb2.py | 22 +- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/query_pb2.py | 12 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 62 +- .../proto/cosmos/query/v1/query_pb2.py | 6 +- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 + .../cosmos/reflection/v1/reflection_pb2.py | 8 +- .../reflection/v1/reflection_pb2_grpc.py | 44 +- .../cosmos/slashing/module/v1/module_pb2.py | 8 +- .../slashing/module/v1/module_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/genesis_pb2.py | 36 +- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/query_pb2.py | 42 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 80 +- .../cosmos/slashing/v1beta1/slashing_pb2.py | 40 +- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 + .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 42 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 62 +- .../cosmos/staking/module/v1/module_pb2.py | 14 +- .../staking/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/authz_pb2.py | 28 +- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 + .../cosmos/staking/v1beta1/genesis_pb2.py | 34 +- .../staking/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/query_pb2.py | 222 ++-- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 278 +++- .../cosmos/staking/v1beta1/staking_pb2.py | 308 +++-- .../staking/v1beta1/staking_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/tx_pb2.py | 164 +-- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 152 ++- .../store/internal/kv/v1beta1/kv_pb2.py | 32 + .../store/internal/kv/v1beta1/kv_pb2_grpc.py | 29 + .../cosmos/store/snapshots/v1/snapshot_pb2.py | 44 + .../store/snapshots/v1/snapshot_pb2_grpc.py | 29 + .../cosmos/store/streaming/abci/grpc_pb2.py | 37 + .../store/streaming/abci/grpc_pb2_grpc.py | 150 +++ .../cosmos/store/v1beta1/commit_info_pb2.py | 41 + .../store/v1beta1/commit_info_pb2_grpc.py | 29 + .../cosmos/store/v1beta1/listening_pb2.py | 30 + .../store/v1beta1/listening_pb2_grpc.py | 29 + .../proto/cosmos/tx/config/v1/config_pb2.py | 8 +- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 + .../cosmos/tx/signing/v1beta1/signing_pb2.py | 10 +- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 + .../proto/cosmos/tx/v1beta1/service_pb2.py | 118 +- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 188 ++- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 83 +- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/upgrade/module/v1/module_pb2.py | 14 +- .../upgrade/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 24 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 116 +- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 22 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 62 +- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 46 +- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 + .../cosmos/vesting/module/v1/module_pb2.py | 8 +- .../vesting/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 62 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 80 +- .../cosmos/vesting/v1beta1/vesting_pb2.py | 80 +- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 + pyinjective/proto/cosmos_proto/cosmos_pb2.py | 6 +- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/authz_pb2.py | 70 +- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 47 +- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 14 +- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 + .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 100 +- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/query_pb2.py | 179 +-- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 224 +++- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 292 ++-- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 332 ++++- .../proto/cosmwasm/wasm/v1/types_pb2.py | 130 +- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 + .../proto/exchange/event_provider_api_pb2.py | 28 +- .../exchange/event_provider_api_pb2_grpc.py | 116 +- pyinjective/proto/exchange/health_pb2.py | 6 +- pyinjective/proto/exchange/health_pb2_grpc.py | 44 +- .../exchange/injective_accounts_rpc_pb2.py | 48 +- .../injective_accounts_rpc_pb2_grpc.py | 232 +++- .../exchange/injective_auction_rpc_pb2.py | 6 +- .../injective_auction_rpc_pb2_grpc.py | 80 +- .../exchange/injective_campaign_rpc_pb2.py | 80 +- .../injective_campaign_rpc_pb2_grpc.py | 116 +- .../injective_derivative_exchange_rpc_pb2.py | 6 +- ...ective_derivative_exchange_rpc_pb2_grpc.py | 476 +++++-- .../exchange/injective_exchange_rpc_pb2.py | 6 +- .../injective_exchange_rpc_pb2_grpc.py | 134 +- .../exchange/injective_explorer_rpc_pb2.py | 266 ++-- .../injective_explorer_rpc_pb2_grpc.py | 448 +++++-- .../exchange/injective_insurance_rpc_pb2.py | 28 +- .../injective_insurance_rpc_pb2_grpc.py | 106 +- .../proto/exchange/injective_meta_rpc_pb2.py | 10 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 116 +- .../exchange/injective_oracle_rpc_pb2.py | 6 +- .../exchange/injective_oracle_rpc_pb2_grpc.py | 98 +- .../exchange/injective_portfolio_rpc_pb2.py | 70 +- .../injective_portfolio_rpc_pb2_grpc.py | 124 +- .../injective_spot_exchange_rpc_pb2.py | 6 +- .../injective_spot_exchange_rpc_pb2_grpc.py | 350 ++++- .../exchange/injective_trading_rpc_pb2.py | 28 +- .../injective_trading_rpc_pb2_grpc.py | 44 +- pyinjective/proto/gogoproto/gogo_pb2.py | 6 +- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 + .../proto/google/api/annotations_pb2.py | 6 +- .../proto/google/api/annotations_pb2_grpc.py | 25 + pyinjective/proto/google/api/http_pb2.py | 6 +- pyinjective/proto/google/api/http_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/ack_pb2.py | 21 +- .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/fee_pb2.py | 58 +- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/genesis_pb2.py | 62 +- .../applications/fee/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/metadata_pb2.py | 19 +- .../applications/fee/v1/metadata_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/query_pb2.py | 152 +-- .../ibc/applications/fee/v1/query_pb2_grpc.py | 206 ++- .../proto/ibc/applications/fee/v1/tx_pb2.py | 92 +- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 98 +- .../controller/v1/controller_pb2.py | 17 +- .../controller/v1/controller_pb2_grpc.py | 25 + .../controller/v1/query_pb2.py | 37 +- .../controller/v1/query_pb2_grpc.py | 62 +- .../controller/v1/tx_pb2.py | 69 +- .../controller/v1/tx_pb2_grpc.py | 106 +- .../genesis/v1/genesis_pb2.py | 70 +- .../genesis/v1/genesis_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/host_pb2.py | 21 +- .../host/v1/host_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/query_pb2.py | 12 +- .../host/v1/query_pb2_grpc.py | 44 +- .../interchain_accounts/host/v1/tx_pb2.py | 46 + .../host/v1/tx_pb2_grpc.py | 150 +++ .../interchain_accounts/v1/account_pb2.py | 20 +- .../v1/account_pb2_grpc.py | 25 + .../interchain_accounts/v1/metadata_pb2.py | 19 +- .../v1/metadata_pb2_grpc.py | 25 + .../interchain_accounts/v1/packet_pb2.py | 16 +- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/authz_pb2.py | 26 +- .../transfer/v1/authz_pb2_grpc.py | 25 + .../applications/transfer/v1/genesis_pb2.py | 24 +- .../transfer/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/query_pb2.py | 28 +- .../transfer/v1/query_pb2_grpc.py | 172 ++- .../applications/transfer/v1/transfer_pb2.py | 23 +- .../transfer/v1/transfer_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/tx_pb2.py | 55 +- .../applications/transfer/v1/tx_pb2_grpc.py | 88 +- .../applications/transfer/v2/packet_pb2.py | 10 +- .../transfer/v2/packet_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/channel_pb2.py | 122 +- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/genesis_pb2.py | 44 +- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/query_pb2.py | 205 +-- .../ibc/core/channel/v1/query_pb2_grpc.py | 436 +++++- .../proto/ibc/core/channel/v1/tx_pb2.py | 356 ++--- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 602 ++++++++- .../proto/ibc/core/channel/v1/upgrade_pb2.py | 43 + .../ibc/core/channel/v1/upgrade_pb2_grpc.py | 29 + .../proto/ibc/core/client/v1/client_pb2.py | 82 +- .../ibc/core/client/v1/client_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/genesis_pb2.py | 46 +- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/query_pb2.py | 126 +- .../ibc/core/client/v1/query_pb2_grpc.py | 232 +++- .../proto/ibc/core/client/v1/tx_pb2.py | 111 +- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 230 +++- .../ibc/core/commitment/v1/commitment_pb2.py | 28 +- .../core/commitment/v1/commitment_pb2_grpc.py | 25 + .../ibc/core/connection/v1/connection_pb2.py | 82 +- .../core/connection/v1/connection_pb2_grpc.py | 25 + .../ibc/core/connection/v1/genesis_pb2.py | 22 +- .../core/connection/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/connection/v1/query_pb2.py | 62 +- .../ibc/core/connection/v1/query_pb2_grpc.py | 134 +- .../proto/ibc/core/connection/v1/tx_pb2.py | 135 +- .../ibc/core/connection/v1/tx_pb2_grpc.py | 143 +- .../proto/ibc/core/types/v1/genesis_pb2.py | 24 +- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 + .../localhost/v2/localhost_pb2.py | 14 +- .../localhost/v2/localhost_pb2_grpc.py | 25 + .../solomachine/v2/solomachine_pb2.py | 156 +-- .../solomachine/v2/solomachine_pb2_grpc.py | 25 + .../solomachine/v3/solomachine_pb2.py | 76 +- .../solomachine/v3/solomachine_pb2_grpc.py | 25 + .../tendermint/v1/tendermint_pb2.py | 102 +- .../tendermint/v1/tendermint_pb2_grpc.py | 25 + .../ibc/lightclients/wasm/v1/genesis_pb2.py | 34 + .../lightclients/wasm/v1/genesis_pb2_grpc.py | 29 + .../ibc/lightclients/wasm/v1/query_pb2.py | 41 + .../lightclients/wasm/v1/query_pb2_grpc.py | 150 +++ .../proto/ibc/lightclients/wasm/v1/tx_pb2.py | 48 + .../ibc/lightclients/wasm/v1/tx_pb2_grpc.py | 194 +++ .../ibc/lightclients/wasm/v1/wasm_pb2.py | 45 + .../ibc/lightclients/wasm/v1/wasm_pb2_grpc.py | 29 + .../injective/auction/v1beta1/auction_pb2.py | 51 +- .../auction/v1beta1/auction_pb2_grpc.py | 25 + .../injective/auction/v1beta1/genesis_pb2.py | 12 +- .../auction/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/auction/v1beta1/query_pb2.py | 42 +- .../auction/v1beta1/query_pb2_grpc.py | 123 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 45 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 62 +- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 23 +- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/authz_pb2.py | 97 +- .../exchange/v1beta1/authz_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/events_pb2.py | 198 +-- .../exchange/v1beta1/events_pb2_grpc.py | 25 + .../exchange/v1beta1/exchange_pb2.py | 677 +++++----- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/genesis_pb2.py | 116 +- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 + .../exchange/v1beta1/proposal_pb2.py | 357 ++--- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/query_pb2.py | 752 ++++++----- .../exchange/v1beta1/query_pb2_grpc.py | 1184 +++++++++++++---- .../injective/exchange/v1beta1/tx_pb2.py | 665 ++++----- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 793 +++++++++-- .../injective/insurance/v1beta1/events_pb2.py | 14 +- .../insurance/v1beta1/events_pb2_grpc.py | 25 + .../insurance/v1beta1/genesis_pb2.py | 12 +- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 + .../insurance/v1beta1/insurance_pb2.py | 41 +- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 + .../injective/insurance/v1beta1/query_pb2.py | 26 +- .../insurance/v1beta1/query_pb2_grpc.py | 134 +- .../injective/insurance/v1beta1/tx_pb2.py | 73 +- .../insurance/v1beta1/tx_pb2_grpc.py | 98 +- .../injective/ocr/v1beta1/genesis_pb2.py | 10 +- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/ocr_pb2.py | 171 +-- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/query_pb2.py | 24 +- .../injective/ocr/v1beta1/query_pb2_grpc.py | 152 ++- .../proto/injective/ocr/v1beta1/tx_pb2.py | 139 +- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 188 ++- .../injective/oracle/v1beta1/events_pb2.py | 70 +- .../oracle/v1beta1/events_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/genesis_pb2.py | 10 +- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/oracle_pb2.py | 167 +-- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/proposal_pb2.py | 85 +- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/query_pb2.py | 102 +- .../oracle/v1beta1/query_pb2_grpc.py | 296 ++++- .../proto/injective/oracle/v1beta1/tx_pb2.py | 111 +- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 152 ++- .../injective/peggy/v1/attestation_pb2.py | 30 +- .../peggy/v1/attestation_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/batch_pb2.py | 6 +- .../injective/peggy/v1/batch_pb2_grpc.py | 25 + .../injective/peggy/v1/ethereum_signer_pb2.py | 8 +- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/events_pb2.py | 74 +- .../injective/peggy/v1/events_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/genesis_pb2.py | 8 +- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/msgs_pb2.py | 207 +-- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 331 ++++- .../proto/injective/peggy/v1/params_pb2.py | 39 +- .../injective/peggy/v1/params_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/pool_pb2.py | 14 +- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/proposal_pb2.py | 35 - .../injective/peggy/v1/proposal_pb2_grpc.py | 4 - .../proto/injective/peggy/v1/query_pb2.py | 50 +- .../injective/peggy/v1/query_pb2_grpc.py | 404 ++++-- .../proto/injective/peggy/v1/types_pb2.py | 26 +- .../injective/peggy/v1/types_pb2_grpc.py | 25 + .../permissions/v1beta1/events_pb2.py | 6 +- .../permissions/v1beta1/events_pb2_grpc.py | 25 + .../permissions/v1beta1/genesis_pb2.py | 10 +- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 + .../permissions/v1beta1/params_pb2.py | 15 +- .../permissions/v1beta1/params_pb2_grpc.py | 25 + .../permissions/v1beta1/permissions_pb2.py | 8 +- .../v1beta1/permissions_pb2_grpc.py | 25 + .../permissions/v1beta1/query_pb2.py | 20 +- .../permissions/v1beta1/query_pb2_grpc.py | 134 +- .../injective/permissions/v1beta1/tx_pb2.py | 133 +- .../permissions/v1beta1/tx_pb2_grpc.py | 152 ++- .../injective/stream/v1beta1/query_pb2.py | 132 +- .../stream/v1beta1/query_pb2_grpc.py | 44 +- .../v1beta1/authorityMetadata_pb2.py | 10 +- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/events_pb2.py | 12 +- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/genesis_pb2.py | 20 +- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/tokenfactory/v1beta1/gov_pb2.py | 35 + .../tokenfactory/v1beta1/gov_pb2_grpc.py | 29 + .../tokenfactory/v1beta1/params_pb2.py | 17 +- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/query_pb2.py | 26 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 98 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 119 +- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 134 +- .../injective/types/v1beta1/account_pb2.py | 18 +- .../types/v1beta1/account_pb2_grpc.py | 25 + .../injective/types/v1beta1/tx_ext_pb2.py | 8 +- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 + .../types/v1beta1/tx_response_pb2.py | 6 +- .../types/v1beta1/tx_response_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/events_pb2.py | 6 +- .../injective/wasmx/v1/events_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/genesis_pb2.py | 10 +- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/proposal_pb2.py | 57 +- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/query_pb2.py | 14 +- .../injective/wasmx/v1/query_pb2_grpc.py | 80 +- .../proto/injective/wasmx/v1/tx_pb2.py | 95 +- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 134 +- .../proto/injective/wasmx/v1/wasmx_pb2.py | 32 +- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 + .../proto/tendermint/abci/types_pb2.py | 296 +++-- .../proto/tendermint/abci/types_pb2_grpc.py | 524 +++++--- .../proto/tendermint/blocksync/types_pb2.py | 33 +- .../tendermint/blocksync/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/types_pb2.py | 20 +- .../tendermint/consensus/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/wal_pb2.py | 14 +- .../tendermint/consensus/wal_pb2_grpc.py | 25 + .../proto/tendermint/crypto/keys_pb2.py | 8 +- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 + .../proto/tendermint/crypto/proof_pb2.py | 8 +- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 + .../proto/tendermint/libs/bits/types_pb2.py | 6 +- .../tendermint/libs/bits/types_pb2_grpc.py | 25 + .../proto/tendermint/mempool/types_pb2.py | 6 +- .../tendermint/mempool/types_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/conn_pb2.py | 12 +- .../proto/tendermint/p2p/conn_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/pex_pb2.py | 8 +- .../proto/tendermint/p2p/pex_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/types_pb2.py | 20 +- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 + .../proto/tendermint/privval/types_pb2.py | 12 +- .../tendermint/privval/types_pb2_grpc.py | 25 + .../proto/tendermint/rpc/grpc/types_pb2.py | 16 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 74 +- .../proto/tendermint/state/types_pb2.py | 56 +- .../proto/tendermint/state/types_pb2_grpc.py | 25 + .../proto/tendermint/statesync/types_pb2.py | 6 +- .../tendermint/statesync/types_pb2_grpc.py | 25 + .../proto/tendermint/store/types_pb2.py | 6 +- .../proto/tendermint/store/types_pb2_grpc.py | 25 + .../proto/tendermint/types/block_pb2.py | 12 +- .../proto/tendermint/types/block_pb2_grpc.py | 25 + .../proto/tendermint/types/canonical_pb2.py | 26 +- .../tendermint/types/canonical_pb2_grpc.py | 25 + .../proto/tendermint/types/events_pb2.py | 6 +- .../proto/tendermint/types/events_pb2_grpc.py | 25 + .../proto/tendermint/types/evidence_pb2.py | 12 +- .../tendermint/types/evidence_pb2_grpc.py | 25 + .../proto/tendermint/types/params_pb2.py | 38 +- .../proto/tendermint/types/params_pb2_grpc.py | 25 + .../proto/tendermint/types/types_pb2.py | 104 +- .../proto/tendermint/types/types_pb2_grpc.py | 25 + .../proto/tendermint/types/validator_pb2.py | 22 +- .../tendermint/types/validator_pb2_grpc.py | 25 + .../proto/tendermint/version/types_pb2.py | 8 +- .../tendermint/version/types_pb2_grpc.py | 25 + pyinjective/proto/testpb/bank_pb2.py | 33 - pyinjective/proto/testpb/bank_pb2_grpc.py | 4 - pyinjective/proto/testpb/bank_query_pb2.py | 58 - .../proto/testpb/bank_query_pb2_grpc.py | 172 --- pyinjective/proto/testpb/test_schema_pb2.py | 59 - .../proto/testpb/test_schema_pb2_grpc.py | 4 - .../proto/testpb/test_schema_query_pb2.py | 127 -- .../testpb/test_schema_query_pb2_grpc.py | 514 ------- .../grpc/test_chain_grpc_exchange_api.py | 69 + .../channel/grpc/test_ibc_channel_grpc_api.py | 8 + tests/rpc_fixtures/markets_fixtures.py | 44 +- tests/test_async_client.py | 25 +- tests/test_composer.py | 18 + 611 files changed, 27381 insertions(+), 11261 deletions(-) create mode 100644 pyinjective/proto/capability/v1/capability_pb2.py create mode 100644 pyinjective/proto/capability/v1/capability_pb2_grpc.py create mode 100644 pyinjective/proto/capability/v1/genesis_pb2.py create mode 100644 pyinjective/proto/capability/v1/genesis_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py create mode 100644 pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/query_pb2.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/tx_pb2.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/types_pb2.py create mode 100644 pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py create mode 100644 pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py create mode 100644 pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py create mode 100644 pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py create mode 100644 pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py create mode 100644 pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py create mode 100644 pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py create mode 100644 pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py create mode 100644 pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2_grpc.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py create mode 100644 pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2_grpc.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py create mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py create mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/bank_pb2.py delete mode 100644 pyinjective/proto/testpb/bank_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/bank_query_pb2.py delete mode 100644 pyinjective/proto/testpb/bank_query_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/test_schema_pb2.py delete mode 100644 pyinjective/proto/testpb/test_schema_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/test_schema_query_pb2.py delete mode 100644 pyinjective/proto/testpb/test_schema_query_pb2_grpc.py diff --git a/Makefile b/Makefile index bb1e96f5..0bf7e4f9 100644 --- a/Makefile +++ b/Makefile @@ -28,22 +28,22 @@ clean-all: $(call clean_repos) clone-injective-core: - git clone https://github.com/InjectiveLabs/injective-core.git -b v1.12.1 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-core.git -b feat-sdk-v0.50-migration --depth 1 --single-branch clone-injective-indexer: - git clone https://github.com/InjectiveLabs/injective-indexer.git -b v1.12.79.1 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-indexer.git -b fix/makefile --depth 1 --single-branch clone-cometbft: - git clone https://github.com/InjectiveLabs/cometbft.git -b v0.37.2-inj --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/cometbft.git -b v0.38.6-inj-2 --depth 1 --single-branch clone-wasmd: - git clone https://github.com/InjectiveLabs/wasmd.git -b v0.45.0-inj --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/wasmd.git -b v0.50.x-inj --depth 1 --single-branch clone-cosmos-sdk: - git clone https://github.com/InjectiveLabs/cosmos-sdk.git -b v0.47.3-inj-9 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/cosmos-sdk.git -b v0.50.6 --depth 1 --single-branch clone-ibc-go: - git clone https://github.com/InjectiveLabs/ibc-go.git -b v7.2.0-inj --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/ibc-go.git -b v8.3.x-inj --depth 1 --single-branch clone-all: clone-cosmos-sdk clone-cometbft clone-ibc-go clone-wasmd clone-injective-core clone-injective-indexer diff --git a/examples/chain_client/exchange/13_MsgInstantBinaryOptionsMarketLaunch.py b/examples/chain_client/exchange/13_MsgInstantBinaryOptionsMarketLaunch.py index 86e66b1a..c5786e8a 100644 --- a/examples/chain_client/exchange/13_MsgInstantBinaryOptionsMarketLaunch.py +++ b/examples/chain_client/exchange/13_MsgInstantBinaryOptionsMarketLaunch.py @@ -1,5 +1,6 @@ import asyncio import os +from decimal import Decimal import dotenv @@ -40,14 +41,15 @@ async def main() -> None: oracle_provider="UFC", oracle_type="Provider", oracle_scale_factor=6, - maker_fee_rate=0.0005, # 0.05% - taker_fee_rate=0.0010, # 0.10% + maker_fee_rate=Decimal("0.0005"), # 0.05% + taker_fee_rate=Decimal("0.0010"), # 0.10% expiration_timestamp=1680730982, settlement_timestamp=1690730982, admin=address.to_acc_bech32(), quote_denom="peggy0xdAC17F958D2ee523a2206206994597C13D831ec7", - min_price_tick_size=0.01, - min_quantity_tick_size=0.01, + min_price_tick_size=Decimal("0.01"), + min_quantity_tick_size=Decimal("0.01"), + min_notional=Decimal("1"), ) # broadcast the transaction diff --git a/examples/chain_client/exchange/3_MsgInstantSpotMarketLaunch.py b/examples/chain_client/exchange/3_MsgInstantSpotMarketLaunch.py index 90a177ec..fe7c5ad4 100644 --- a/examples/chain_client/exchange/3_MsgInstantSpotMarketLaunch.py +++ b/examples/chain_client/exchange/3_MsgInstantSpotMarketLaunch.py @@ -42,6 +42,7 @@ async def main() -> None: quote_denom="USDC", min_price_tick_size=Decimal("0.001"), min_quantity_tick_size=Decimal("0.01"), + min_notional=Decimal("1"), ) # broadcast the transaction diff --git a/examples/chain_client/exchange/4_MsgInstantPerpetualMarketLaunch.py b/examples/chain_client/exchange/4_MsgInstantPerpetualMarketLaunch.py index b2b5dff4..1cda2f20 100644 --- a/examples/chain_client/exchange/4_MsgInstantPerpetualMarketLaunch.py +++ b/examples/chain_client/exchange/4_MsgInstantPerpetualMarketLaunch.py @@ -49,6 +49,7 @@ async def main() -> None: maintenance_margin_ratio=Decimal("0.095"), min_price_tick_size=Decimal("0.001"), min_quantity_tick_size=Decimal("0.01"), + min_notional=Decimal("1"), ) # broadcast the transaction diff --git a/examples/chain_client/exchange/5_MsgInstantExpiryFuturesMarketLaunch.py b/examples/chain_client/exchange/5_MsgInstantExpiryFuturesMarketLaunch.py index d451fd15..78d25d6c 100644 --- a/examples/chain_client/exchange/5_MsgInstantExpiryFuturesMarketLaunch.py +++ b/examples/chain_client/exchange/5_MsgInstantExpiryFuturesMarketLaunch.py @@ -50,6 +50,7 @@ async def main() -> None: maintenance_margin_ratio=Decimal("0.095"), min_price_tick_size=Decimal("0.001"), min_quantity_tick_size=Decimal("0.01"), + min_notional=Decimal("1"), ) # broadcast the transaction diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 0f0df3c9..401f70f7 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -540,6 +540,7 @@ def msg_instant_spot_market_launch( quote_denom: str, min_price_tick_size: Decimal, min_quantity_tick_size: Decimal, + min_notional: Decimal, ) -> injective_exchange_tx_pb.MsgInstantSpotMarketLaunch: base_token = self.tokens[base_denom] quote_token = self.tokens[quote_denom] @@ -550,6 +551,9 @@ def msg_instant_spot_market_launch( chain_min_quantity_tick_size = min_quantity_tick_size * Decimal( f"1e{base_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}" ) + chain_min_notional = min_notional * Decimal( + f"1e{quote_token.decimals - base_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}" + ) return injective_exchange_tx_pb.MsgInstantSpotMarketLaunch( sender=sender, @@ -558,6 +562,7 @@ def msg_instant_spot_market_launch( quote_denom=quote_token.denom, min_price_tick_size=f"{chain_min_price_tick_size.normalize():f}", min_quantity_tick_size=f"{chain_min_quantity_tick_size.normalize():f}", + min_notional=f"{chain_min_notional.normalize():f}", ) def msg_instant_perpetual_market_launch( @@ -575,6 +580,7 @@ def msg_instant_perpetual_market_launch( maintenance_margin_ratio: Decimal, min_price_tick_size: Decimal, min_quantity_tick_size: Decimal, + min_notional: Decimal, ) -> injective_exchange_tx_pb.MsgInstantPerpetualMarketLaunch: quote_token = self.tokens[quote_denom] @@ -586,6 +592,7 @@ def msg_instant_perpetual_market_launch( chain_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_initial_margin_ratio = initial_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_maintenance_margin_ratio = maintenance_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + chain_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") return injective_exchange_tx_pb.MsgInstantPerpetualMarketLaunch( sender=sender, @@ -601,6 +608,7 @@ def msg_instant_perpetual_market_launch( maintenance_margin_ratio=f"{chain_maintenance_margin_ratio.normalize():f}", min_price_tick_size=f"{chain_min_price_tick_size.normalize():f}", min_quantity_tick_size=f"{chain_min_quantity_tick_size.normalize():f}", + min_notional=f"{chain_min_notional.normalize():f}", ) def msg_instant_expiry_futures_market_launch( @@ -619,6 +627,7 @@ def msg_instant_expiry_futures_market_launch( maintenance_margin_ratio: Decimal, min_price_tick_size: Decimal, min_quantity_tick_size: Decimal, + min_notional: Decimal, ) -> injective_exchange_tx_pb.MsgInstantPerpetualMarketLaunch: quote_token = self.tokens[quote_denom] @@ -630,6 +639,7 @@ def msg_instant_expiry_futures_market_launch( chain_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_initial_margin_ratio = initial_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_maintenance_margin_ratio = maintenance_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + chain_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") return injective_exchange_tx_pb.MsgInstantExpiryFuturesMarketLaunch( sender=sender, @@ -646,6 +656,7 @@ def msg_instant_expiry_futures_market_launch( maintenance_margin_ratio=f"{chain_maintenance_margin_ratio.normalize():f}", min_price_tick_size=f"{chain_min_price_tick_size.normalize():f}", min_quantity_tick_size=f"{chain_min_quantity_tick_size.normalize():f}", + min_notional=f"{chain_min_notional.normalize():f}", ) def MsgCreateSpotLimitOrder( @@ -1260,6 +1271,7 @@ def msg_instant_binary_options_market_launch( quote_denom: str, min_price_tick_size: Decimal, min_quantity_tick_size: Decimal, + min_notional: Decimal, ) -> injective_exchange_tx_pb.MsgInstantPerpetualMarketLaunch: quote_token = self.tokens[quote_denom] @@ -1269,6 +1281,7 @@ def msg_instant_binary_options_market_launch( chain_min_quantity_tick_size = min_quantity_tick_size * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_maker_fee_rate = maker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") chain_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + chain_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") return injective_exchange_tx_pb.MsgInstantBinaryOptionsMarketLaunch( sender=sender, @@ -1285,6 +1298,7 @@ def msg_instant_binary_options_market_launch( quote_denom=quote_token.denom, min_price_tick_size=f"{chain_min_price_tick_size.normalize():f}", min_quantity_tick_size=f"{chain_min_quantity_tick_size.normalize():f}", + min_notional=f"{chain_min_notional.normalize():f}", ) def MsgCreateBinaryOptionsLimitOrder( diff --git a/pyinjective/proto/amino/amino_pb2.py b/pyinjective/proto/amino/amino_pb2.py index 85f9d7ae..7db3a6e1 100644 --- a/pyinjective/proto/amino/amino_pb2.py +++ b/pyinjective/proto/amino/amino_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: amino/amino.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,12 +15,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:0\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\t:<\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\t:2\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\t:4\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\t:8\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08\x42-Z+github.com/cosmos/cosmos-sdk/types/tx/aminob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:0\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\t:<\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\t:2\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\t:4\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\t:8\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08:4\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tB-Z+github.com/cosmos/cosmos-sdk/types/tx/aminob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'amino.amino_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/types/tx/amino' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 2daafffe..3f4d19f9 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in amino/amino_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/capability/v1/capability_pb2.py b/pyinjective/proto/capability/v1/capability_pb2.py new file mode 100644 index 00000000..fc01377a --- /dev/null +++ b/pyinjective/proto/capability/v1/capability_pb2.py @@ -0,0 +1,39 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: capability/v1/capability.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"C\n\x10\x43\x61pabilityOwners\x12/\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.capability_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['_CAPABILITY']._loaded_options = None + _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' + _globals['_OWNER']._loaded_options = None + _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_CAPABILITY']._serialized_start=90 + _globals['_CAPABILITY']._serialized_end=123 + _globals['_OWNER']._serialized_start=125 + _globals['_OWNER']._serialized_end=172 + _globals['_CAPABILITYOWNERS']._serialized_start=174 + _globals['_CAPABILITYOWNERS']._serialized_end=241 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/capability_pb2_grpc.py b/pyinjective/proto/capability/v1/capability_pb2_grpc.py new file mode 100644 index 00000000..5b33b6a6 --- /dev/null +++ b/pyinjective/proto/capability/v1/capability_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in capability/v1/capability_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/capability/v1/genesis_pb2.py b/pyinjective/proto/capability/v1/genesis_pb2.py new file mode 100644 index 00000000..c041baac --- /dev/null +++ b/pyinjective/proto/capability/v1/genesis_pb2.py @@ -0,0 +1,36 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: capability/v1/genesis.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from capability.v1 import capability_pb2 as capability_dot_v1_dot_capability__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"`\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12@\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x37\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.genesis_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_GENESISOWNERS']._serialized_start=119 + _globals['_GENESISOWNERS']._serialized_end=215 + _globals['_GENESISSTATE']._serialized_start=217 + _globals['_GENESISSTATE']._serialized_end=303 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py new file mode 100644 index 00000000..3a6381e6 --- /dev/null +++ b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in capability/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index 7a58138b..6c2f71cf 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/runtime/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,17 +15,17 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\x85\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xd4\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig\x12\x18\n\x10order_migrations\x18\x07 \x03(\t\x12\x14\n\x0cprecommiters\x18\x08 \x03(\t\x12\x1d\n\x15prepare_check_staters\x18\t \x03(\t:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.runtime.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001=\n$github.com/cosmos/cosmos-sdk/runtime\022\025\n\023cosmos.app.v1alpha1' _globals['_MODULE']._serialized_start=108 - _globals['_MODULE']._serialized_end=369 - _globals['_STOREKEYCONFIG']._serialized_start=371 - _globals['_STOREKEYCONFIG']._serialized_end=430 + _globals['_MODULE']._serialized_end=448 + _globals['_STOREKEYCONFIG']._serialized_start=450 + _globals['_STOREKEYCONFIG']._serialized_end=509 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index 2daafffe..a80d91f2 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py index 21c4934d..f4071fe8 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/config.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.config_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_CONFIG']._serialized_start=84 _globals['_CONFIG']._serialized_end=205 _globals['_MODULECONFIG']._serialized_start=207 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 2daafffe..14588113 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py index f3ff6893..7ce3d41d 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_MODULEDESCRIPTOR']._serialized_start=92 _globals['_MODULEDESCRIPTOR']._serialized_end=253 _globals['_PACKAGEREFERENCE']._serialized_start=255 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index 2daafffe..c8072676 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index 52c17948..f553fa07 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_QUERYCONFIGREQUEST']._serialized_start=90 _globals['_QUERYCONFIGREQUEST']._serialized_end=110 _globals['_QUERYCONFIGRESPONSE']._serialized_start=112 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 95285eff..79a7bb3f 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the app module query service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.app.v1alpha1.Query/Config', request_serializer=cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigRequest.SerializeToString, response_deserializer=cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.app.v1alpha1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.app.v1alpha1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Config(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.app.v1alpha1.Query/Config', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.app.v1alpha1.Query/Config', cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigRequest.SerializeToString, cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index 07a0cf15..fb80f2ae 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/auth' _globals['_MODULE']._serialized_start=96 _globals['_MODULE']._serialized_end=275 diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 2daafffe..8955dd21 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 9084ca64..559174a3 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/auth.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,36 +18,38 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xb9\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:G\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\"@\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.auth_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_BASEACCOUNT'].fields_by_name['address']._options = None + _globals['_BASEACCOUNT'].fields_by_name['address']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_BASEACCOUNT'].fields_by_name['pub_key']._options = None + _globals['_BASEACCOUNT'].fields_by_name['pub_key']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['pub_key']._serialized_options = b'\352\336\037\024public_key,omitempty\242\347\260*\npublic_key' - _globals['_BASEACCOUNT']._options = None + _globals['_BASEACCOUNT']._loaded_options = None _globals['_BASEACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI\212\347\260*\026cosmos-sdk/BaseAccount' - _globals['_MODULEACCOUNT'].fields_by_name['base_account']._options = None + _globals['_MODULEACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_MODULEACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' - _globals['_MODULEACCOUNT']._options = None - _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount' - _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._options = None + _globals['_MODULEACCOUNT']._loaded_options = None + _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount\222\347\260*\016module_account' + _globals['_MODULECREDENTIAL']._loaded_options = None + _globals['_MODULECREDENTIAL']._serialized_options = b'\212\347\260*!cosmos-sdk/GroupAccountCredential' + _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._serialized_options = b'\342\336\037\024SigVerifyCostED25519' - _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._options = None + _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._serialized_options = b'\342\336\037\026SigVerifyCostSecp256k1' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\030cosmos-sdk/x/auth/Params' _globals['_BASEACCOUNT']._serialized_start=151 _globals['_BASEACCOUNT']._serialized_end=398 _globals['_MODULEACCOUNT']._serialized_start=401 - _globals['_MODULEACCOUNT']._serialized_end=586 - _globals['_MODULECREDENTIAL']._serialized_start=588 - _globals['_MODULECREDENTIAL']._serialized_end=652 - _globals['_PARAMS']._serialized_start=655 - _globals['_PARAMS']._serialized_end=902 + _globals['_MODULEACCOUNT']._serialized_end=605 + _globals['_MODULECREDENTIAL']._serialized_start=607 + _globals['_MODULECREDENTIAL']._serialized_end=711 + _globals['_PARAMS']._serialized_start=714 + _globals['_PARAMS']._serialized_end=961 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 2daafffe..125c38a0 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index bd9d41d9..999ebb0d 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,10 +23,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=158 _globals['_GENESISSTATE']._serialized_end=268 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9a45112 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index 75a8bbbc..7fd4c781 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,48 +26,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._options = None + _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' - _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYACCOUNTREQUEST']._options = None + _globals['_QUERYACCOUNTREQUEST']._loaded_options = None _globals['_QUERYACCOUNTREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._options = None + _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._loaded_options = None _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._options = None + _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\"cosmos.auth.v1beta1.ModuleAccountI' - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._options = None + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._loaded_options = None _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._serialized_options = b'\312\264-\"cosmos.auth.v1beta1.ModuleAccountI' - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._options = None + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._loaded_options = None _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._serialized_options = b'\030\001' - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._options = None + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._loaded_options = None _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Accounts']._options = None + _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None _globals['_QUERY'].methods_by_name['Accounts']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\037\022\035/cosmos/auth/v1beta1/accounts' - _globals['_QUERY'].methods_by_name['Account']._options = None + _globals['_QUERY'].methods_by_name['Account']._loaded_options = None _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/auth/v1beta1/accounts/{address}' - _globals['_QUERY'].methods_by_name['AccountAddressByID']._options = None + _globals['_QUERY'].methods_by_name['AccountAddressByID']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountAddressByID']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/auth/v1beta1/address_by_id/{id}' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/auth/v1beta1/params' - _globals['_QUERY'].methods_by_name['ModuleAccounts']._options = None + _globals['_QUERY'].methods_by_name['ModuleAccounts']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleAccounts']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/auth/v1beta1/module_accounts' - _globals['_QUERY'].methods_by_name['ModuleAccountByName']._options = None + _globals['_QUERY'].methods_by_name['ModuleAccountByName']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleAccountByName']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/module_accounts/{name}' - _globals['_QUERY'].methods_by_name['Bech32Prefix']._options = None + _globals['_QUERY'].methods_by_name['Bech32Prefix']._loaded_options = None _globals['_QUERY'].methods_by_name['Bech32Prefix']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/auth/v1beta1/bech32' - _globals['_QUERY'].methods_by_name['AddressBytesToString']._options = None + _globals['_QUERY'].methods_by_name['AddressBytesToString']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressBytesToString']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/auth/v1beta1/bech32/{address_bytes}' - _globals['_QUERY'].methods_by_name['AddressStringToBytes']._options = None + _globals['_QUERY'].methods_by_name['AddressStringToBytes']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressStringToBytes']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/auth/v1beta1/bech32/{address_string}' - _globals['_QUERY'].methods_by_name['AccountInfo']._options = None + _globals['_QUERY'].methods_by_name['AccountInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/account_info/{address}' _globals['_QUERYACCOUNTSREQUEST']._serialized_start=267 _globals['_QUERYACCOUNTSREQUEST']._serialized_end=349 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index 1dd66e8a..86e9f155 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,52 +44,52 @@ def __init__(self, channel): '/cosmos.auth.v1beta1.Query/Accounts', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsResponse.FromString, - ) + _registered_method=True) self.Account = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Account', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountResponse.FromString, - ) + _registered_method=True) self.AccountAddressByID = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AccountAddressByID', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Params', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ModuleAccounts = channel.unary_unary( '/cosmos.auth.v1beta1.Query/ModuleAccounts', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsResponse.FromString, - ) + _registered_method=True) self.ModuleAccountByName = channel.unary_unary( '/cosmos.auth.v1beta1.Query/ModuleAccountByName', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameResponse.FromString, - ) + _registered_method=True) self.Bech32Prefix = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Bech32Prefix', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixResponse.FromString, - ) + _registered_method=True) self.AddressBytesToString = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AddressBytesToString', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringResponse.FromString, - ) + _registered_method=True) self.AddressStringToBytes = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AddressStringToBytes', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesResponse.FromString, - ) + _registered_method=True) self.AccountInfo = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AccountInfo', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -215,6 +240,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.auth.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.auth.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -233,11 +259,21 @@ def Accounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Accounts', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Accounts', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Account(request, @@ -250,11 +286,21 @@ def Account(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Account', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Account', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressByID(request, @@ -267,11 +313,21 @@ def AccountAddressByID(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AccountAddressByID', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AccountAddressByID', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -284,11 +340,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Params', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleAccounts(request, @@ -301,11 +367,21 @@ def ModuleAccounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/ModuleAccounts', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/ModuleAccounts', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleAccountByName(request, @@ -318,11 +394,21 @@ def ModuleAccountByName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/ModuleAccountByName', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/ModuleAccountByName', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Bech32Prefix(request, @@ -335,11 +421,21 @@ def Bech32Prefix(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Bech32Prefix', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Bech32Prefix', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressBytesToString(request, @@ -352,11 +448,21 @@ def AddressBytesToString(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AddressBytesToString', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AddressBytesToString', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressStringToBytes(request, @@ -369,11 +475,21 @@ def AddressStringToBytes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AddressStringToBytes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AddressStringToBytes', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountInfo(request, @@ -386,8 +502,18 @@ def AccountInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AccountInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AccountInfo', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index ba350dbe..c43059b1 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/auth/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 _globals['_MSGUPDATEPARAMS']._serialized_end=351 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 351d3ccf..07bfa7ce 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/auth Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.auth.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -48,6 +73,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.auth.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.auth.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Msg/UpdateParams', cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index 63139065..fc4344eb 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/authz' _globals['_MODULE']._serialized_start=97 _globals['_MODULE']._serialized_end=151 diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 2daafffe..41a6eb18 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 690a2dfb..83abe96d 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,22 +24,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' - _globals['_GENERICAUTHORIZATION']._options = None + _globals['_GENERICAUTHORIZATION']._loaded_options = None _globals['_GENERICAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\037cosmos-sdk/GenericAuthorization' - _globals['_GRANT'].fields_by_name['authorization']._options = None + _globals['_GRANT'].fields_by_name['authorization']._loaded_options = None _globals['_GRANT'].fields_by_name['authorization']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' - _globals['_GRANT'].fields_by_name['expiration']._options = None + _globals['_GRANT'].fields_by_name['expiration']._loaded_options = None _globals['_GRANT'].fields_by_name['expiration']._serialized_options = b'\310\336\037\001\220\337\037\001' - _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' - _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_GENERICAUTHORIZATION']._serialized_start=186 _globals['_GENERICAUTHORIZATION']._serialized_end=297 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 2daafffe..6ab92cd1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 483705eb..077fe130 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/event.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,16 +20,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.event_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_EVENTGRANT'].fields_by_name['granter']._options = None + _globals['_EVENTGRANT'].fields_by_name['granter']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTGRANT'].fields_by_name['grantee']._options = None + _globals['_EVENTGRANT'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTREVOKE'].fields_by_name['granter']._options = None + _globals['_EVENTREVOKE'].fields_by_name['granter']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTREVOKE'].fields_by_name['grantee']._options = None + _globals['_EVENTREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTGRANT']._serialized_start=85 _globals['_EVENTGRANT']._serialized_end=205 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 2daafffe..1455078e 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index ed271a4a..1fb92dc4 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_GENESISSTATE'].fields_by_name['authorization']._options = None + _globals['_GENESISSTATE'].fields_by_name['authorization']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['authorization']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 _globals['_GENESISSTATE']._serialized_end=225 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 2daafffe..86d0781f 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index 0792d578..3e1b8a97 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,22 +23,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Grants']._options = None + _globals['_QUERY'].methods_by_name['Grants']._loaded_options = None _globals['_QUERY'].methods_by_name['Grants']._serialized_options = b'\202\323\344\223\002\036\022\034/cosmos/authz/v1beta1/grants' - _globals['_QUERY'].methods_by_name['GranterGrants']._options = None + _globals['_QUERY'].methods_by_name['GranterGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranterGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/granter/{granter}' - _globals['_QUERY'].methods_by_name['GranteeGrants']._options = None + _globals['_QUERY'].methods_by_name['GranteeGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranteeGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/grantee/{grantee}' _globals['_QUERYGRANTSREQUEST']._serialized_start=194 _globals['_QUERYGRANTSREQUEST']._serialized_end=382 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index ad034a1c..0bc83cd9 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.authz.v1beta1.Query/Grants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsResponse.FromString, - ) + _registered_method=True) self.GranterGrants = channel.unary_unary( '/cosmos.authz.v1beta1.Query/GranterGrants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsResponse.FromString, - ) + _registered_method=True) self.GranteeGrants = channel.unary_unary( '/cosmos.authz.v1beta1.Query/GranteeGrants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -83,6 +108,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.authz.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -101,11 +127,21 @@ def Grants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/Grants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/Grants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GranterGrants(request, @@ -118,11 +154,21 @@ def GranterGrants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/GranterGrants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/GranterGrants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GranteeGrants(request, @@ -135,8 +181,18 @@ def GranteeGrants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/GranteeGrants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/GranteeGrants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index aa3e70b6..1dbe6b49 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,56 +20,48 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\x12\n\x10MsgGrantResponse\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"(\n\x15MsgExecCompatResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"m\n\rMsgExecCompat\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04msgs\x18\x02 \x03(\t:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' - _globals['_MSGGRANT'].fields_by_name['granter']._options = None + _globals['_MSGGRANT'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANT'].fields_by_name['grantee']._options = None + _globals['_MSGGRANT'].fields_by_name['grantee']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANT'].fields_by_name['grant']._options = None + _globals['_MSGGRANT'].fields_by_name['grant']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['grant']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGGRANT']._options = None + _globals['_MSGGRANT']._loaded_options = None _globals['_MSGGRANT']._serialized_options = b'\202\347\260*\007granter\212\347\260*\023cosmos-sdk/MsgGrant' - _globals['_MSGEXEC'].fields_by_name['grantee']._options = None + _globals['_MSGEXEC'].fields_by_name['grantee']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXEC'].fields_by_name['msgs']._options = None + _globals['_MSGEXEC'].fields_by_name['msgs']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['msgs']._serialized_options = b'\312\264-\027cosmos.base.v1beta1.Msg' - _globals['_MSGEXEC']._options = None + _globals['_MSGEXEC']._loaded_options = None _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' - _globals['_MSGREVOKE'].fields_by_name['granter']._options = None + _globals['_MSGREVOKE'].fields_by_name['granter']._loaded_options = None _globals['_MSGREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKE'].fields_by_name['grantee']._options = None + _globals['_MSGREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKE']._options = None + _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._options = None - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECCOMPAT']._options = None - _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 _globals['_MSGGRANT']._serialized_end=399 - _globals['_MSGEXECRESPONSE']._serialized_start=401 - _globals['_MSGEXECRESPONSE']._serialized_end=435 - _globals['_MSGEXEC']._serialized_start=438 - _globals['_MSGEXEC']._serialized_end=592 - _globals['_MSGGRANTRESPONSE']._serialized_start=594 - _globals['_MSGGRANTRESPONSE']._serialized_end=612 + _globals['_MSGGRANTRESPONSE']._serialized_start=401 + _globals['_MSGGRANTRESPONSE']._serialized_end=419 + _globals['_MSGEXEC']._serialized_start=422 + _globals['_MSGEXEC']._serialized_end=576 + _globals['_MSGEXECRESPONSE']._serialized_start=578 + _globals['_MSGEXECRESPONSE']._serialized_end=612 _globals['_MSGREVOKE']._serialized_start=615 _globals['_MSGREVOKE']._serialized_end=773 _globals['_MSGREVOKERESPONSE']._serialized_start=775 _globals['_MSGREVOKERESPONSE']._serialized_end=794 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=796 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=836 - _globals['_MSGEXECCOMPAT']._serialized_start=838 - _globals['_MSGEXECCOMPAT']._serialized_end=947 - _globals['_MSG']._serialized_start=950 - _globals['_MSG']._serialized_end=1301 + _globals['_MSG']._serialized_start=797 + _globals['_MSG']._serialized_end=1052 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index 435adeae..dc51176c 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the authz Msg service. @@ -19,22 +44,17 @@ def __init__(self, channel): '/cosmos.authz.v1beta1.Msg/Grant', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrant.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrantResponse.FromString, - ) + _registered_method=True) self.Exec = channel.unary_unary( '/cosmos.authz.v1beta1.Msg/Exec', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExec.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecResponse.FromString, - ) + _registered_method=True) self.Revoke = channel.unary_unary( '/cosmos.authz.v1beta1.Msg/Revoke', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, - ) - self.ExecCompat = channel.unary_unary( - '/cosmos.authz.v1beta1.Msg/ExecCompat', - request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -68,13 +88,6 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ExecCompat(self, request, context): - """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -93,15 +106,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), - 'ExecCompat': grpc.unary_unary_rpc_method_handler( - servicer.ExecCompat, - request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, - response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.authz.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -120,11 +129,21 @@ def Grant(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Grant', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Grant', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrant.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrantResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Exec(request, @@ -137,11 +156,21 @@ def Exec(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Exec', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Exec', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExec.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Revoke(request, @@ -154,25 +183,18 @@ def Revoke(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Revoke', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Revoke', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ExecCompat(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/ExecCompat', - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py index 7105f305..f7f30012 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/autocli/v1/options.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,17 +14,17 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x84\x01\n\rModuleOptions\x12\x37\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\x12:\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\"\xa3\x02\n\x18ServiceCommandDescriptor\x12\x0f\n\x07service\x18\x01 \x01(\t\x12\x41\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptions\x12R\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntry\x1a_\n\x10SubCommandsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12:\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor:\x02\x38\x01\"\x9f\x03\n\x11RpcCommandOptions\x12\x12\n\nrpc_method\x18\x01 \x01(\t\x12\x0b\n\x03use\x18\x02 \x01(\t\x12\x0c\n\x04long\x18\x03 \x01(\t\x12\r\n\x05short\x18\x04 \x01(\t\x12\x0f\n\x07\x65xample\x18\x05 \x01(\t\x12\r\n\x05\x61lias\x18\x06 \x03(\t\x12\x13\n\x0bsuggest_for\x18\x07 \x03(\t\x12\x12\n\ndeprecated\x18\x08 \x01(\t\x12\x0f\n\x07version\x18\t \x01(\t\x12K\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntry\x12\x43\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptor\x12\x0c\n\x04skip\x18\x0c \x01(\x08\x1aR\n\x10\x46lagOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12-\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptions:\x02\x38\x01\"\xb4\x01\n\x0b\x46lagOptions\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x11\n\tshorthand\x18\x02 \x01(\t\x12\r\n\x05usage\x18\x03 \x01(\t\x12\x15\n\rdefault_value\x18\x04 \x01(\t\x12\x1c\n\x14no_opt_default_value\x18\x05 \x01(\t\x12\x12\n\ndeprecated\x18\x06 \x01(\t\x12\x1c\n\x14shorthand_deprecated\x18\x07 \x01(\t\x12\x0e\n\x06hidden\x18\x08 \x01(\x08\"?\n\x17PositionalArgDescriptor\x12\x13\n\x0bproto_field\x18\x01 \x01(\t\x12\x0f\n\x07varargs\x18\x02 \x01(\x08\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x84\x01\n\rModuleOptions\x12\x37\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\x12:\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\"\xa3\x02\n\x18ServiceCommandDescriptor\x12\x0f\n\x07service\x18\x01 \x01(\t\x12\x41\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptions\x12R\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntry\x1a_\n\x10SubCommandsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12:\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor:\x02\x38\x01\"\x9f\x03\n\x11RpcCommandOptions\x12\x12\n\nrpc_method\x18\x01 \x01(\t\x12\x0b\n\x03use\x18\x02 \x01(\t\x12\x0c\n\x04long\x18\x03 \x01(\t\x12\r\n\x05short\x18\x04 \x01(\t\x12\x0f\n\x07\x65xample\x18\x05 \x01(\t\x12\r\n\x05\x61lias\x18\x06 \x03(\t\x12\x13\n\x0bsuggest_for\x18\x07 \x03(\t\x12\x12\n\ndeprecated\x18\x08 \x01(\t\x12\x0f\n\x07version\x18\t \x01(\t\x12K\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntry\x12\x43\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptor\x12\x0c\n\x04skip\x18\x0c \x01(\x08\x1aR\n\x10\x46lagOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12-\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptions:\x02\x38\x01\"\x96\x01\n\x0b\x46lagOptions\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x11\n\tshorthand\x18\x02 \x01(\t\x12\r\n\x05usage\x18\x03 \x01(\t\x12\x15\n\rdefault_value\x18\x04 \x01(\t\x12\x12\n\ndeprecated\x18\x06 \x01(\t\x12\x1c\n\x14shorthand_deprecated\x18\x07 \x01(\t\x12\x0e\n\x06hidden\x18\x08 \x01(\x08\"?\n\x17PositionalArgDescriptor\x12\x13\n\x0bproto_field\x18\x01 \x01(\t\x12\x0f\n\x07varargs\x18\x02 \x01(\x08\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.options_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._options = None + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._loaded_options = None _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_options = b'8\001' - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._options = None + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._loaded_options = None _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_options = b'8\001' _globals['_MODULEOPTIONS']._serialized_start=55 _globals['_MODULEOPTIONS']._serialized_end=187 @@ -37,7 +37,7 @@ _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=817 _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=899 _globals['_FLAGOPTIONS']._serialized_start=902 - _globals['_FLAGOPTIONS']._serialized_end=1082 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1084 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1147 + _globals['_FLAGOPTIONS']._serialized_end=1052 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1054 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1117 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index 2daafffe..e388b205 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index b4d1ed48..ad495a6c 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/autocli/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._options = None + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._loaded_options = None _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_options = b'8\001' - _globals['_QUERY'].methods_by_name['AppOptions']._options = None + _globals['_QUERY'].methods_by_name['AppOptions']._loaded_options = None _globals['_QUERY'].methods_by_name['AppOptions']._serialized_options = b'\210\347\260*\000' _globals['_APPOPTIONSREQUEST']._serialized_start=114 _globals['_APPOPTIONSREQUEST']._serialized_end=133 diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index e53c89ba..c12142fb 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """RemoteInfoService provides clients with the information they need @@ -20,7 +45,7 @@ def __init__(self, channel): '/cosmos.autocli.v1.Query/AppOptions', request_serializer=cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsRequest.SerializeToString, response_deserializer=cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -47,6 +72,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.autocli.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.autocli.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def AppOptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.autocli.v1.Query/AppOptions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.autocli.v1.Query/AppOptions', cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsRequest.SerializeToString, cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index ff3bc2e6..51baa779 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"r\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x8e\x01\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1a\n\x12restrictions_order\x18\x03 \x03(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/bank' - _globals['_MODULE']._serialized_start=95 - _globals['_MODULE']._serialized_end=209 + _globals['_MODULE']._serialized_start=96 + _globals['_MODULE']._serialized_end=238 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 2daafffe..6e58e0b4 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index 346355f3..e55328b2 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,20 +18,20 @@ from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf1\x01\n\x11SendAuthorization\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._options = None - _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._options = None + _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None + _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SENDAUTHORIZATION']._options = None + _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=398 + _globals['_SENDAUTHORIZATION']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 2daafffe..285e00f5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index c9b483f0..41519048 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/bank.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,52 +19,52 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x85\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"7\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa9\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\x9e\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x94\x01\n\x06Supply\x12_\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.bank_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._options = None + _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/bank/Params' - _globals['_SENDENABLED']._options = None - _globals['_SENDENABLED']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_INPUT'].fields_by_name['address']._options = None + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/bank/Params' + _globals['_SENDENABLED']._loaded_options = None + _globals['_SENDENABLED']._serialized_options = b'\350\240\037\001' + _globals['_INPUT'].fields_by_name['address']._loaded_options = None _globals['_INPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INPUT'].fields_by_name['coins']._options = None - _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INPUT']._options = None + _globals['_INPUT'].fields_by_name['coins']._loaded_options = None + _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_INPUT']._loaded_options = None _globals['_INPUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\007address' - _globals['_OUTPUT'].fields_by_name['address']._options = None + _globals['_OUTPUT'].fields_by_name['address']._loaded_options = None _globals['_OUTPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_OUTPUT'].fields_by_name['coins']._options = None - _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_OUTPUT']._options = None + _globals['_OUTPUT'].fields_by_name['coins']._loaded_options = None + _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_OUTPUT']._loaded_options = None _globals['_OUTPUT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SUPPLY'].fields_by_name['total']._options = None - _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_SUPPLY']._options = None + _globals['_SUPPLY'].fields_by_name['total']._loaded_options = None + _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\030\001\210\240\037\000\350\240\037\001\312\264-\033cosmos.bank.v1beta1.SupplyI' - _globals['_METADATA'].fields_by_name['uri']._options = None + _globals['_METADATA'].fields_by_name['uri']._loaded_options = None _globals['_METADATA'].fields_by_name['uri']._serialized_options = b'\342\336\037\003URI' - _globals['_METADATA'].fields_by_name['uri_hash']._options = None + _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=314 - _globals['_SENDENABLED']._serialized_start=316 - _globals['_SENDENABLED']._serialized_end=371 - _globals['_INPUT']._serialized_start=374 - _globals['_INPUT']._serialized_end=543 - _globals['_OUTPUT']._serialized_start=546 - _globals['_OUTPUT']._serialized_end=704 - _globals['_SUPPLY']._serialized_start=707 - _globals['_SUPPLY']._serialized_end=855 - _globals['_DENOMUNIT']._serialized_start=857 - _globals['_DENOMUNIT']._serialized_end=918 - _globals['_METADATA']._serialized_start=921 - _globals['_METADATA']._serialized_end=1119 + _globals['_PARAMS']._serialized_end=310 + _globals['_SENDENABLED']._serialized_start=312 + _globals['_SENDENABLED']._serialized_end=363 + _globals['_INPUT']._serialized_start=366 + _globals['_INPUT']._serialized_end=552 + _globals['_OUTPUT']._serialized_start=555 + _globals['_OUTPUT']._serialized_end=730 + _globals['_SUPPLY']._serialized_start=733 + _globals['_SUPPLY']._serialized_end=898 + _globals['_DENOMUNIT']._serialized_start=900 + _globals['_DENOMUNIT']._serialized_end=961 + _globals['_METADATA']._serialized_start=964 + _globals['_METADATA']._serialized_end=1162 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 2daafffe..8a692062 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py deleted file mode 100644 index f381ee26..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py +++ /dev/null @@ -1,34 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/bank/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x10\x45ventSetBalances\x12;\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdate\"|\n\rBalanceUpdate\x12\x0c\n\x04\x61\x64\x64r\x18\x01 \x01(\x0c\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\x0c\x12N\n\x03\x61mt\x18\x03 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_BALANCEUPDATE'].fields_by_name['amt']._options = None - _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_EVENTSETBALANCES']._serialized_start=125 - _globals['_EVENTSETBALANCES']._serialized_end=204 - _globals['_BALANCEUPDATE']._serialized_start=206 - _globals['_BALANCEUPDATE']._serialized_end=330 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index 8cd23707..ec6558c5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,32 +19,32 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe8\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12`\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9f\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['balances']._options = None + _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['supply']._options = None - _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._options = None + _globals['_GENESISSTATE'].fields_by_name['supply']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['send_enabled']._options = None + _globals['_GENESISSTATE'].fields_by_name['send_enabled']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['send_enabled']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BALANCE'].fields_by_name['address']._options = None + _globals['_BALANCE'].fields_by_name['address']._loaded_options = None _globals['_BALANCE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_BALANCE'].fields_by_name['coins']._options = None - _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BALANCE']._options = None + _globals['_BALANCE'].fields_by_name['coins']._loaded_options = None + _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=551 - _globals['_BALANCE']._serialized_start=554 - _globals['_BALANCE']._serialized_end=713 + _globals['_GENESISSTATE']._serialized_end=568 + _globals['_BALANCE']._serialized_start=571 + _globals['_BALANCE']._serialized_end=747 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 2daafffe..4fd6af84 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index b6290c8c..d800c7eb 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,118 +22,132 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\x8a\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbb\x01\n\x18QueryAllBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x01\n\x1eQuerySpendableBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x18QueryTotalSupplyResponse\x12`\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xb2\x0e\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYBALANCEREQUEST']._options = None + _globals['_QUERYBALANCEREQUEST']._loaded_options = None _globals['_QUERYBALANCEREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLBALANCESREQUEST']._options = None + _globals['_QUERYALLBALANCESREQUEST']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._options = None - _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None + _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSPENDABLEBALANCESREQUEST']._options = None + _globals['_QUERYSPENDABLEBALANCESREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._options = None - _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None + _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._options = None + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYTOTALSUPPLYREQUEST']._options = None + _globals['_QUERYTOTALSUPPLYREQUEST']._loaded_options = None _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._options = None - _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._loaded_options = None + _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._options = None + _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._loaded_options = None _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._options = None + _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DENOMOWNER'].fields_by_name['address']._options = None + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._loaded_options = None + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_DENOMOWNER'].fields_by_name['address']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DENOMOWNER'].fields_by_name['balance']._options = None + _globals['_DENOMOWNER'].fields_by_name['balance']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Balance']._options = None + _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\210\347\260*\001\202\323\344\223\0022\0220/cosmos/bank/v1beta1/balances/{address}/by_denom' - _globals['_QUERY'].methods_by_name['AllBalances']._options = None + _globals['_QUERY'].methods_by_name['AllBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['AllBalances']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/bank/v1beta1/balances/{address}' - _globals['_QUERY'].methods_by_name['SpendableBalances']._options = None + _globals['_QUERY'].methods_by_name['SpendableBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['SpendableBalances']._serialized_options = b'\210\347\260*\001\202\323\344\223\0023\0221/cosmos/bank/v1beta1/spendable_balances/{address}' - _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._options = None + _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._serialized_options = b'\210\347\260*\001\202\323\344\223\002<\022:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom' - _globals['_QUERY'].methods_by_name['TotalSupply']._options = None + _globals['_QUERY'].methods_by_name['TotalSupply']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalSupply']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/supply' - _globals['_QUERY'].methods_by_name['SupplyOf']._options = None + _globals['_QUERY'].methods_by_name['SupplyOf']._loaded_options = None _globals['_QUERY'].methods_by_name['SupplyOf']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/supply/by_denom' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/params' - _globals['_QUERY'].methods_by_name['DenomMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002.\022,/cosmos/bank/v1beta1/denoms_metadata/{denom}' - _globals['_QUERY'].methods_by_name['DenomsMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._serialized_options = b'\210\347\260*\001\202\323\344\223\0026\0224/cosmos/bank/v1beta1/denoms_metadata_by_query_string' + _globals['_QUERY'].methods_by_name['DenomsMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/denoms_metadata' - _globals['_QUERY'].methods_by_name['DenomOwners']._options = None + _globals['_QUERY'].methods_by_name['DenomOwners']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomOwners']._serialized_options = b'\210\347\260*\001\202\323\344\223\002+\022)/cosmos/bank/v1beta1/denom_owners/{denom}' - _globals['_QUERY'].methods_by_name['SendEnabled']._options = None + _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._serialized_options = b'\210\347\260*\001\202\323\344\223\002,\022*/cosmos/bank/v1beta1/denom_owners_by_query' + _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 _globals['_QUERYBALANCEREQUEST']._serialized_end=380 _globals['_QUERYBALANCERESPONSE']._serialized_start=382 _globals['_QUERYBALANCERESPONSE']._serialized_end=448 _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=589 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=592 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=779 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=782 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=926 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=929 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1122 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1124 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1229 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1231 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1313 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1315 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1410 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1413 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1598 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1600 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1637 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1639 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1716 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1718 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1738 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1740 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1817 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1819 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1907 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1910 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2061 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2063 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2105 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2107 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2195 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2197 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2297 - _globals['_DENOMOWNER']._serialized_start=2299 - _globals['_DENOMOWNER']._serialized_end=2409 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2412 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2554 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=2556 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=2657 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=2660 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=2803 - _globals['_QUERY']._serialized_start=2806 - _globals['_QUERY']._serialized_end=4648 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 + _globals['_DENOMOWNER']._serialized_start=2533 + _globals['_DENOMOWNER']._serialized_end=2643 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 + _globals['_QUERY']._serialized_start=3301 + _globals['_QUERY']._serialized_end=5551 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 60c979be..f7781ec4 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,57 +44,67 @@ def __init__(self, channel): '/cosmos.bank.v1beta1.Query/Balance', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - ) + _registered_method=True) self.AllBalances = channel.unary_unary( '/cosmos.bank.v1beta1.Query/AllBalances', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesResponse.FromString, - ) + _registered_method=True) self.SpendableBalances = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SpendableBalances', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesResponse.FromString, - ) + _registered_method=True) self.SpendableBalanceByDenom = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomResponse.FromString, - ) + _registered_method=True) self.TotalSupply = channel.unary_unary( '/cosmos.bank.v1beta1.Query/TotalSupply', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyResponse.FromString, - ) + _registered_method=True) self.SupplyOf = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SupplyOf', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.bank.v1beta1.Query/Params', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, - ) + _registered_method=True) + self.DenomMetadataByQueryString = channel.unary_unary( + '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', + request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, + response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, + _registered_method=True) self.DenomsMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomsMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataResponse.FromString, - ) + _registered_method=True) self.DenomOwners = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomOwners', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, - ) + _registered_method=True) + self.DenomOwnersByQuery = channel.unary_unary( + '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', + request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, + response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, + _registered_method=True) self.SendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -147,7 +182,14 @@ def Params(self, request, context): raise NotImplementedError('Method not implemented!') def DenomMetadata(self, request, context): - """DenomsMetadata queries the client metadata of a given coin denomination. + """DenomMetadata queries the client metadata of a given coin denomination. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def DenomMetadataByQueryString(self, request, context): + """DenomMetadataByQueryString queries the client metadata of a given coin denomination. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -174,6 +216,16 @@ def DenomOwners(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DenomOwnersByQuery(self, request, context): + """DenomOwnersByQuery queries for all account addresses that own a particular token + denomination. + + Since: cosmos-sdk 0.50.3 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def SendEnabled(self, request, context): """SendEnabled queries for SendEnabled entries. @@ -230,6 +282,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.SerializeToString, ), + 'DenomMetadataByQueryString': grpc.unary_unary_rpc_method_handler( + servicer.DenomMetadataByQueryString, + request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.FromString, + response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.SerializeToString, + ), 'DenomsMetadata': grpc.unary_unary_rpc_method_handler( servicer.DenomsMetadata, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.FromString, @@ -240,6 +297,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.SerializeToString, ), + 'DenomOwnersByQuery': grpc.unary_unary_rpc_method_handler( + servicer.DenomOwnersByQuery, + request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.FromString, + response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.SerializeToString, + ), 'SendEnabled': grpc.unary_unary_rpc_method_handler( servicer.SendEnabled, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.FromString, @@ -249,6 +311,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.bank.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.bank.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -267,11 +330,21 @@ def Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/Balance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/Balance', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllBalances(request, @@ -284,11 +357,21 @@ def AllBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/AllBalances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/AllBalances', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpendableBalances(request, @@ -301,11 +384,21 @@ def SpendableBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SpendableBalances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SpendableBalances', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpendableBalanceByDenom(request, @@ -318,11 +411,21 @@ def SpendableBalanceByDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalSupply(request, @@ -335,11 +438,21 @@ def TotalSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/TotalSupply', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/TotalSupply', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SupplyOf(request, @@ -352,11 +465,21 @@ def SupplyOf(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SupplyOf', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SupplyOf', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -369,11 +492,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/Params', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomMetadata(request, @@ -386,11 +519,48 @@ def DenomMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomMetadata', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DenomMetadataByQueryString(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomsMetadata(request, @@ -403,11 +573,21 @@ def DenomsMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomsMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomsMetadata', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomOwners(request, @@ -420,11 +600,48 @@ def DenomOwners(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomOwners', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomOwners', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DenomOwnersByQuery(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendEnabled(request, @@ -437,8 +654,18 @@ def SendEnabled(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SendEnabled', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SendEnabled', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index 95b13624..ca3ac536 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,56 +20,56 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x01\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_MSGSEND'].fields_by_name['from_address']._options = None + _globals['_MSGSEND'].fields_by_name['from_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['to_address']._options = None + _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['amount']._options = None - _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSEND']._options = None + _globals['_MSGSEND'].fields_by_name['amount']._loaded_options = None + _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\014from_address\212\347\260*\022cosmos-sdk/MsgSend' - _globals['_MSGMULTISEND'].fields_by_name['inputs']._options = None + _globals['_MSGMULTISEND'].fields_by_name['inputs']._loaded_options = None _globals['_MSGMULTISEND'].fields_by_name['inputs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGMULTISEND'].fields_by_name['outputs']._options = None + _globals['_MSGMULTISEND'].fields_by_name['outputs']._loaded_options = None _globals['_MSGMULTISEND'].fields_by_name['outputs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGMULTISEND']._options = None + _globals['_MSGMULTISEND']._loaded_options = None _globals['_MSGMULTISEND']._serialized_options = b'\350\240\037\000\202\347\260*\006inputs\212\347\260*\027cosmos-sdk/MsgMultiSend' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/bank/MsgUpdateParams' - _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._options = None + _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._loaded_options = None _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETSENDENABLED']._options = None + _globals['_MSGSETSENDENABLED']._loaded_options = None _globals['_MSGSETSENDENABLED']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\034cosmos-sdk/MsgSetSendEnabled' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=462 - _globals['_MSGSENDRESPONSE']._serialized_start=464 - _globals['_MSGSENDRESPONSE']._serialized_end=481 - _globals['_MSGMULTISEND']._serialized_start=484 - _globals['_MSGMULTISEND']._serialized_end=655 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=657 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=679 - _globals['_MSGUPDATEPARAMS']._serialized_start=682 - _globals['_MSGUPDATEPARAMS']._serialized_end=854 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=856 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=881 - _globals['_MSGSETSENDENABLED']._serialized_start=884 - _globals['_MSGSETSENDENABLED']._serialized_end=1078 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1080 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1107 - _globals['_MSG']._serialized_start=1110 - _globals['_MSG']._serialized_end=1495 + _globals['_MSGSEND']._serialized_end=479 + _globals['_MSGSENDRESPONSE']._serialized_start=481 + _globals['_MSGSENDRESPONSE']._serialized_end=498 + _globals['_MSGMULTISEND']._serialized_start=501 + _globals['_MSGMULTISEND']._serialized_end=672 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 + _globals['_MSGUPDATEPARAMS']._serialized_start=699 + _globals['_MSGUPDATEPARAMS']._serialized_end=871 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 + _globals['_MSGSETSENDENABLED']._serialized_start=901 + _globals['_MSGSETSENDENABLED']._serialized_end=1095 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 + _globals['_MSG']._serialized_start=1127 + _globals['_MSG']._serialized_end=1512 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index dbf39664..e9f149d3 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/cosmos.bank.v1beta1.Msg/Send', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - ) + _registered_method=True) self.MultiSend = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/MultiSend', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSend.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSendResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.SetSendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/SetSendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabled.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabledResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -104,6 +129,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.bank.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.bank.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -122,11 +148,21 @@ def Send(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/Send', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/Send', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MultiSend(request, @@ -139,11 +175,21 @@ def MultiSend(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/MultiSend', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/MultiSend', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSend.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -156,11 +202,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/UpdateParams', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetSendEnabled(request, @@ -173,8 +229,18 @@ def SetSendEnabled(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/SetSendEnabled', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/SetSendEnabled', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabled.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabledResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index e4e383cf..3736a45f 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,69 +14,74 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' - _globals['_TXRESPONSE'].fields_by_name['txhash']._options = None + _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' - _globals['_TXRESPONSE'].fields_by_name['logs']._options = None + _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['logs']._serialized_options = b'\310\336\037\000\252\337\037\017ABCIMessageLogs' - _globals['_TXRESPONSE'].fields_by_name['events']._options = None + _globals['_TXRESPONSE'].fields_by_name['events']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_TXRESPONSE']._options = None + _globals['_TXRESPONSE']._loaded_options = None _globals['_TXRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._serialized_options = b'\352\336\037\tmsg_index' - _globals['_ABCIMESSAGELOG'].fields_by_name['events']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['events']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['events']._serialized_options = b'\310\336\037\000\252\337\037\014StringEvents' - _globals['_ABCIMESSAGELOG']._options = None + _globals['_ABCIMESSAGELOG']._loaded_options = None _globals['_ABCIMESSAGELOG']._serialized_options = b'\200\334 \001' - _globals['_STRINGEVENT'].fields_by_name['attributes']._options = None + _globals['_STRINGEVENT'].fields_by_name['attributes']._loaded_options = None _globals['_STRINGEVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000' - _globals['_STRINGEVENT']._options = None + _globals['_STRINGEVENT']._loaded_options = None _globals['_STRINGEVENT']._serialized_options = b'\200\334 \001' - _globals['_RESULT'].fields_by_name['data']._options = None + _globals['_RESULT'].fields_by_name['data']._loaded_options = None _globals['_RESULT'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_RESULT'].fields_by_name['events']._options = None + _globals['_RESULT'].fields_by_name['events']._loaded_options = None _globals['_RESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_RESULT']._options = None + _globals['_RESULT']._loaded_options = None _globals['_RESULT']._serialized_options = b'\210\240\037\000' - _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._options = None + _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._loaded_options = None _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._serialized_options = b'\310\336\037\000\320\336\037\001' - _globals['_MSGDATA']._options = None + _globals['_MSGDATA']._loaded_options = None _globals['_MSGDATA']._serialized_options = b'\030\001\200\334 \001' - _globals['_TXMSGDATA'].fields_by_name['data']._options = None + _globals['_TXMSGDATA'].fields_by_name['data']._loaded_options = None _globals['_TXMSGDATA'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_TXMSGDATA']._options = None + _globals['_TXMSGDATA']._loaded_options = None _globals['_TXMSGDATA']._serialized_options = b'\200\334 \001' - _globals['_SEARCHTXSRESULT']._options = None + _globals['_SEARCHTXSRESULT']._loaded_options = None _globals['_SEARCHTXSRESULT']._serialized_options = b'\200\334 \001' - _globals['_TXRESPONSE']._serialized_start=144 - _globals['_TXRESPONSE']._serialized_end=502 - _globals['_ABCIMESSAGELOG']._serialized_start=505 - _globals['_ABCIMESSAGELOG']._serialized_end=651 - _globals['_STRINGEVENT']._serialized_start=653 - _globals['_STRINGEVENT']._serialized_end=749 - _globals['_ATTRIBUTE']._serialized_start=751 - _globals['_ATTRIBUTE']._serialized_end=790 - _globals['_GASINFO']._serialized_start=792 - _globals['_GASINFO']._serialized_end=839 - _globals['_RESULT']._serialized_start=842 - _globals['_RESULT']._serialized_end=978 - _globals['_SIMULATIONRESPONSE']._serialized_start=981 - _globals['_SIMULATIONRESPONSE']._serialized_end=1114 - _globals['_MSGDATA']._serialized_start=1116 - _globals['_MSGDATA']._serialized_end=1165 - _globals['_TXMSGDATA']._serialized_start=1167 - _globals['_TXMSGDATA']._serialized_end=1282 - _globals['_SEARCHTXSRESULT']._serialized_start=1285 - _globals['_SEARCHTXSRESULT']._serialized_end=1451 + _globals['_SEARCHBLOCKSRESULT']._loaded_options = None + _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' + _globals['_TXRESPONSE']._serialized_start=174 + _globals['_TXRESPONSE']._serialized_end=532 + _globals['_ABCIMESSAGELOG']._serialized_start=535 + _globals['_ABCIMESSAGELOG']._serialized_end=681 + _globals['_STRINGEVENT']._serialized_start=683 + _globals['_STRINGEVENT']._serialized_end=779 + _globals['_ATTRIBUTE']._serialized_start=781 + _globals['_ATTRIBUTE']._serialized_end=820 + _globals['_GASINFO']._serialized_start=822 + _globals['_GASINFO']._serialized_end=869 + _globals['_RESULT']._serialized_start=872 + _globals['_RESULT']._serialized_end=1008 + _globals['_SIMULATIONRESPONSE']._serialized_start=1011 + _globals['_SIMULATIONRESPONSE']._serialized_end=1144 + _globals['_MSGDATA']._serialized_start=1146 + _globals['_MSGDATA']._serialized_end=1195 + _globals['_TXMSGDATA']._serialized_start=1197 + _globals['_TXMSGDATA']._serialized_end=1312 + _globals['_SEARCHTXSRESULT']._serialized_start=1315 + _globals['_SEARCHTXSRESULT']._serialized_end=1481 + _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 + _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index 2daafffe..dd1b5932 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py deleted file mode 100644 index 736db83b..00000000 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/kv/v1beta1/kv.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/base/kv/v1beta1/kv.proto\x12\x16\x63osmos.base.kv.v1beta1\x1a\x14gogoproto/gogo.proto\":\n\x05Pairs\x12\x31\n\x05pairs\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/kvb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.kv.v1beta1.kv_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/kv' - _globals['_PAIRS'].fields_by_name['pairs']._options = None - _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' - _globals['_PAIRS']._serialized_start=81 - _globals['_PAIRS']._serialized_end=139 - _globals['_PAIR']._serialized_start=141 - _globals['_PAIR']._serialized_end=175 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 86f0dc01..8e59bccc 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,22 +13,32 @@ from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x0f\n\rConfigRequest\"+\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t2\x91\x01\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/configB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' - _globals['_SERVICE'].methods_by_name['Config']._options = None + _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None + _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' + _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None _globals['_SERVICE'].methods_by_name['Config']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/config' - _globals['_CONFIGREQUEST']._serialized_start=96 - _globals['_CONFIGREQUEST']._serialized_end=111 - _globals['_CONFIGRESPONSE']._serialized_start=113 - _globals['_CONFIGRESPONSE']._serialized_end=156 - _globals['_SERVICE']._serialized_start=159 - _globals['_SERVICE']._serialized_end=304 + _globals['_SERVICE'].methods_by_name['Status']._loaded_options = None + _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' + _globals['_CONFIGREQUEST']._serialized_start=151 + _globals['_CONFIGREQUEST']._serialized_end=166 + _globals['_CONFIGRESPONSE']._serialized_start=168 + _globals['_CONFIGRESPONSE']._serialized_end=287 + _globals['_STATUSREQUEST']._serialized_start=289 + _globals['_STATUSREQUEST']._serialized_end=304 + _globals['_STATUSRESPONSE']._serialized_start=307 + _globals['_STATUSRESPONSE']._serialized_end=465 + _globals['_SERVICE']._serialized_start=468 + _globals['_SERVICE']._serialized_end=749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index 38ff222c..d3dc674a 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/node/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for node related queries. @@ -19,7 +44,12 @@ def __init__(self, channel): '/cosmos.base.node.v1beta1.Service/Config', request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, - ) + _registered_method=True) + self.Status = channel.unary_unary( + '/cosmos.base.node.v1beta1.Service/Status', + request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, + response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, + _registered_method=True) class ServiceServicer(object): @@ -33,6 +63,13 @@ def Config(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def Status(self, request, context): + """Status queries for the node status. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_ServiceServicer_to_server(servicer, server): rpc_method_handlers = { @@ -41,10 +78,16 @@ def add_ServiceServicer_to_server(servicer, server): request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.FromString, response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.SerializeToString, ), + 'Status': grpc.unary_unary_rpc_method_handler( + servicer.Status, + request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.FromString, + response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.node.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.node.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +106,45 @@ def Config(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.node.v1beta1.Service/Config', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.node.v1beta1.Service/Config', cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Status(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.node.v1beta1.Service/Status', + cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, + cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py index b45676bc..d988376d 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/query/v1beta1/pagination.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.query.v1beta1.pagination_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' _globals['_PAGEREQUEST']._serialized_start=73 _globals['_PAGEREQUEST']._serialized_end=168 diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index 2daafffe..eb30a3d4 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index e45882fd..caffc681 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/reflection/v1beta1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v1beta1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection' - _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/reflection/v1beta1/interfaces' - _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._serialized_options = b'\202\323\344\223\002M\022K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementations' _globals['_LISTALLINTERFACESREQUEST']._serialized_start=113 _globals['_LISTALLINTERFACESREQUEST']._serialized_end=139 diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 8ecd59a0..2cffa129 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for interface reflection. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', request_serializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesResponse.FromString, - ) + _registered_method=True) self.ListImplementations = channel.unary_unary( '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', request_serializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -64,6 +89,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.reflection.v1beta1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.reflection.v1beta1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -82,11 +108,21 @@ def ListAllInterfaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListImplementations(request, @@ -99,8 +135,18 @@ def ListImplementations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index b3aceaa5..6b07e5de 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/reflection/v2alpha1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,20 +20,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v2alpha1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\022\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for application reflection. @@ -19,32 +44,32 @@ def __init__(self, channel): '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorResponse.FromString, - ) + _registered_method=True) self.GetChainDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorResponse.FromString, - ) + _registered_method=True) self.GetCodecDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorResponse.FromString, - ) + _registered_method=True) self.GetConfigurationDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorResponse.FromString, - ) + _registered_method=True) self.GetQueryServicesDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorResponse.FromString, - ) + _registered_method=True) self.GetTxDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -132,6 +157,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.reflection.v2alpha1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.reflection.v2alpha1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -150,11 +176,21 @@ def GetAuthnDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetChainDescriptor(request, @@ -167,11 +203,21 @@ def GetChainDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCodecDescriptor(request, @@ -184,11 +230,21 @@ def GetCodecDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetConfigurationDescriptor(request, @@ -201,11 +257,21 @@ def GetConfigurationDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetQueryServicesDescriptor(request, @@ -218,11 +284,21 @@ def GetQueryServicesDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxDescriptor(request, @@ -235,8 +311,18 @@ def GetTxDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py deleted file mode 100644 index 9fc4fdb8..00000000 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py +++ /dev/null @@ -1,56 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/snapshots/v1beta1/snapshot.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,cosmos/base/snapshots/v1beta1/snapshot.proto\x12\x1d\x63osmos.base.snapshots.v1beta1\x1a\x14gogoproto/gogo.proto\"\x89\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12?\n\x08metadata\x18\x05 \x01(\x0b\x32\'.cosmos.base.snapshots.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xd1\x03\n\x0cSnapshotItem\x12\x41\n\x05store\x18\x01 \x01(\x0b\x32\x30.cosmos.base.snapshots.v1beta1.SnapshotStoreItemH\x00\x12I\n\x04iavl\x18\x02 \x01(\x0b\x32/.cosmos.base.snapshots.v1beta1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12I\n\textension\x18\x03 \x01(\x0b\x32\x34.cosmos.base.snapshots.v1beta1.SnapshotExtensionMetaH\x00\x12T\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x37.cosmos.base.snapshots.v1beta1.SnapshotExtensionPayloadH\x00\x12\x45\n\x02kv\x18\x05 \x01(\x0b\x32-.cosmos.base.snapshots.v1beta1.SnapshotKVItemB\x08\x18\x01\xe2\xde\x1f\x02KVH\x00\x12\x43\n\x06schema\x18\x06 \x01(\x0b\x32-.cosmos.base.snapshots.v1beta1.SnapshotSchemaB\x02\x18\x01H\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\"0\n\x0eSnapshotKVItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x18\x01\"\"\n\x0eSnapshotSchema\x12\x0c\n\x04keys\x18\x01 \x03(\x0c:\x02\x18\x01\x42.Z,github.com/cosmos/cosmos-sdk/snapshots/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.snapshots.v1beta1.snapshot_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/snapshots/types' - _globals['_SNAPSHOT'].fields_by_name['metadata']._options = None - _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._options = None - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._options = None - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._serialized_options = b'\030\001\342\336\037\002KV' - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._options = None - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._serialized_options = b'\030\001' - _globals['_SNAPSHOTKVITEM']._options = None - _globals['_SNAPSHOTKVITEM']._serialized_options = b'\030\001' - _globals['_SNAPSHOTSCHEMA']._options = None - _globals['_SNAPSHOTSCHEMA']._serialized_options = b'\030\001' - _globals['_SNAPSHOT']._serialized_start=102 - _globals['_SNAPSHOT']._serialized_end=239 - _globals['_METADATA']._serialized_start=241 - _globals['_METADATA']._serialized_end=273 - _globals['_SNAPSHOTITEM']._serialized_start=276 - _globals['_SNAPSHOTITEM']._serialized_end=741 - _globals['_SNAPSHOTSTOREITEM']._serialized_start=743 - _globals['_SNAPSHOTSTOREITEM']._serialized_end=776 - _globals['_SNAPSHOTIAVLITEM']._serialized_start=778 - _globals['_SNAPSHOTIAVLITEM']._serialized_end=857 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=859 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=912 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=914 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=957 - _globals['_SNAPSHOTKVITEM']._serialized_start=959 - _globals['_SNAPSHOTKVITEM']._serialized_end=1007 - _globals['_SNAPSHOTSCHEMA']._serialized_start=1009 - _globals['_SNAPSHOTSCHEMA']._serialized_end=1043 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py deleted file mode 100644 index bad819b2..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py +++ /dev/null @@ -1,41 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/store/v1beta1/commit_info.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+cosmos/base/store/v1beta1/commit_info.proto\x12\x19\x63osmos.base.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x97\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12?\n\x0bstore_infos\x18\x02 \x03(\x0b\x32$.cosmos.base.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"W\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12<\n\tcommit_id\x18\x02 \x01(\x0b\x32#.cosmos.base.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42*Z(github.com/cosmos/cosmos-sdk/store/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.commit_info_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_COMMITINFO'].fields_by_name['store_infos']._options = None - _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' - _globals['_COMMITINFO'].fields_by_name['timestamp']._options = None - _globals['_COMMITINFO'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STOREINFO'].fields_by_name['commit_id']._options = None - _globals['_STOREINFO'].fields_by_name['commit_id']._serialized_options = b'\310\336\037\000' - _globals['_COMMITID']._options = None - _globals['_COMMITID']._serialized_options = b'\230\240\037\000' - _globals['_COMMITINFO']._serialized_start=130 - _globals['_COMMITINFO']._serialized_end=281 - _globals['_STOREINFO']._serialized_start=283 - _globals['_STOREINFO']._serialized_end=370 - _globals['_COMMITID']._serialized_start=372 - _globals['_COMMITID']._serialized_end=419 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py deleted file mode 100644 index 2ed46cc7..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/store/v1beta1/listening.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/base/store/v1beta1/listening.proto\x12\x19\x63osmos.base.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\x89\x04\n\rBlockMetadata\x12?\n\x13request_begin_block\x18\x01 \x01(\x0b\x32\".tendermint.abci.RequestBeginBlock\x12\x41\n\x14response_begin_block\x18\x02 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlock\x12G\n\x0b\x64\x65liver_txs\x18\x03 \x03(\x0b\x32\x32.cosmos.base.store.v1beta1.BlockMetadata.DeliverTx\x12;\n\x11request_end_block\x18\x04 \x01(\x0b\x32 .tendermint.abci.RequestEndBlock\x12=\n\x12response_end_block\x18\x05 \x01(\x0b\x32!.tendermint.abci.ResponseEndBlock\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x1au\n\tDeliverTx\x12\x32\n\x07request\x18\x01 \x01(\x0b\x32!.tendermint.abci.RequestDeliverTx\x12\x34\n\x08response\x18\x02 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxB*Z(github.com/cosmos/cosmos-sdk/store/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.listening_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_STOREKVPAIR']._serialized_start=101 - _globals['_STOREKVPAIR']._serialized_end=177 - _globals['_BLOCKMETADATA']._serialized_start=180 - _globals['_BLOCKMETADATA']._serialized_end=701 - _globals['_BLOCKMETADATA_DELIVERTX']._serialized_start=584 - _globals['_BLOCKMETADATA_DELIVERTX']._serialized_end=701 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index e0a41396..a3387612 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/tendermint/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,31 +24,31 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' - _globals['_VALIDATOR'].fields_by_name['address']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROOFOPS'].fields_by_name['ops']._options = None + _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SERVICE'].methods_by_name['GetNodeInfo']._options = None + _globals['_SERVICE'].methods_by_name['GetNodeInfo']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetNodeInfo']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/base/tendermint/v1beta1/node_info' - _globals['_SERVICE'].methods_by_name['GetSyncing']._options = None + _globals['_SERVICE'].methods_by_name['GetSyncing']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetSyncing']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/base/tendermint/v1beta1/syncing' - _globals['_SERVICE'].methods_by_name['GetLatestBlock']._options = None + _globals['_SERVICE'].methods_by_name['GetLatestBlock']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetLatestBlock']._serialized_options = b'\202\323\344\223\002/\022-/cosmos/base/tendermint/v1beta1/blocks/latest' - _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._options = None + _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._serialized_options = b'\202\323\344\223\0021\022//cosmos/base/tendermint/v1beta1/blocks/{height}' - _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._options = None + _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/base/tendermint/v1beta1/validatorsets/latest' - _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._options = None + _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/base/tendermint/v1beta1/validatorsets/{height}' - _globals['_SERVICE'].methods_by_name['ABCIQuery']._options = None + _globals['_SERVICE'].methods_by_name['ABCIQuery']._loaded_options = None _globals['_SERVICE'].methods_by_name['ABCIQuery']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/tendermint/v1beta1/abci_query' _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=379 _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=487 diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 984b5f8a..55f9062c 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for tendermint queries. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoResponse.FromString, - ) + _registered_method=True) self.GetSyncing = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingResponse.FromString, - ) + _registered_method=True) self.GetLatestBlock = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockResponse.FromString, - ) + _registered_method=True) self.GetBlockByHeight = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightResponse.FromString, - ) + _registered_method=True) self.GetLatestValidatorSet = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetResponse.FromString, - ) + _registered_method=True) self.GetValidatorSetByHeight = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightResponse.FromString, - ) + _registered_method=True) self.ABCIQuery = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryResponse.FromString, - ) + _registered_method=True) class ServiceServicer(object): @@ -151,6 +176,7 @@ def add_ServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.tendermint.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.tendermint.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -169,11 +195,21 @@ def GetNodeInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSyncing(request, @@ -186,11 +222,21 @@ def GetSyncing(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetLatestBlock(request, @@ -203,11 +249,21 @@ def GetLatestBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockByHeight(request, @@ -220,11 +276,21 @@ def GetBlockByHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetLatestValidatorSet(request, @@ -237,11 +303,21 @@ def GetLatestValidatorSet(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidatorSetByHeight(request, @@ -254,11 +330,21 @@ def GetValidatorSetByHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ABCIQuery(request, @@ -271,8 +357,18 @@ def ABCIQuery(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index 187bb1c8..d4101985 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/tendermint/v1beta1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,27 +20,27 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' - _globals['_BLOCK'].fields_by_name['header']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BLOCK'].fields_by_name['data']._options = None + _globals['_BLOCK'].fields_by_name['data']._loaded_options = None _globals['_BLOCK'].fields_by_name['data']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BLOCK'].fields_by_name['evidence']._options = None + _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HEADER'].fields_by_name['version']._options = None + _globals['_HEADER'].fields_by_name['version']._loaded_options = None _globals['_HEADER'].fields_by_name['version']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HEADER'].fields_by_name['chain_id']._options = None + _globals['_HEADER'].fields_by_name['chain_id']._loaded_options = None _globals['_HEADER'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_HEADER'].fields_by_name['time']._options = None + _globals['_HEADER'].fields_by_name['time']._loaded_options = None _globals['_HEADER'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_HEADER'].fields_by_name['last_block_id']._options = None + _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK']._serialized_start=248 _globals['_BLOCK']._serialized_end=479 diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 2daafffe..033369f2 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index c3b6034a..a1a647a8 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/v1beta1/coin.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,32 +17,32 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"K\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12.\n\x06\x61mount\x18\x02 \x01(\tB\x1e\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"I\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12)\n\x06\x61mount\x18\x02 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"2\n\x08IntProto\x12&\n\x03int\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\"2\n\x08\x44\x65\x63Proto\x12&\n\x03\x64\x65\x63\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.v1beta1.coin_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' - _globals['_COIN'].fields_by_name['amount']._options = None - _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_COIN']._options = None + _globals['_COIN'].fields_by_name['amount']._loaded_options = None + _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_COIN']._loaded_options = None _globals['_COIN']._serialized_options = b'\350\240\037\001' - _globals['_DECCOIN'].fields_by_name['amount']._options = None - _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' - _globals['_DECCOIN']._options = None + _globals['_DECCOIN'].fields_by_name['amount']._loaded_options = None + _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_DECCOIN']._loaded_options = None _globals['_DECCOIN']._serialized_options = b'\350\240\037\001' - _globals['_INTPROTO'].fields_by_name['int']._options = None - _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int' - _globals['_DECPROTO'].fields_by_name['dec']._options = None - _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' + _globals['_INTPROTO'].fields_by_name['int']._loaded_options = None + _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None + _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=198 - _globals['_DECCOIN']._serialized_start=200 - _globals['_DECCOIN']._serialized_end=273 - _globals['_INTPROTO']._serialized_start=275 - _globals['_INTPROTO']._serialized_end=325 - _globals['_DECPROTO']._serialized_start=327 - _globals['_DECPROTO']._serialized_end=377 + _globals['_COIN']._serialized_end=216 + _globals['_DECCOIN']._serialized_start=218 + _globals['_DECCOIN']._serialized_end=315 + _globals['_INTPROTO']._serialized_start=317 + _globals['_INTPROTO']._serialized_end=385 + _globals['_DECPROTO']._serialized_start=387 + _globals['_DECPROTO']._serialized_end=461 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 2daafffe..1de6a63b 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py deleted file mode 100644 index 638425fb..00000000 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py +++ /dev/null @@ -1,29 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/module/v1/module.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/capability/module/v1/module.proto\x12\x1b\x63osmos.capability.module.v1\x1a cosmos/app/v1alpha1/module.proto\"P\n\x06Module\x12\x13\n\x0bseal_keeper\x18\x01 \x01(\x08:1\xba\xc0\x96\xda\x01+\n)github.com/cosmos/cosmos-sdk/x/capabilityb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001+\n)github.com/cosmos/cosmos-sdk/x/capability' - _globals['_MODULE']._serialized_start=107 - _globals['_MODULE']._serialized_end=187 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py deleted file mode 100644 index d8f4ef0a..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py +++ /dev/null @@ -1,39 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/v1beta1/capability.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/capability/v1beta1/capability.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"O\n\x10\x43\x61pabilityOwners\x12;\n\x06owners\x18\x01 \x03(\x0b\x32 .cosmos.capability.v1beta1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.capability_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_CAPABILITY']._options = None - _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' - _globals['_OWNER']._options = None - _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._options = None - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CAPABILITY']._serialized_start=114 - _globals['_CAPABILITY']._serialized_end=147 - _globals['_OWNER']._serialized_start=149 - _globals['_OWNER']._serialized_end=196 - _globals['_CAPABILITYOWNERS']._serialized_start=198 - _globals['_CAPABILITYOWNERS']._serialized_end=277 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py deleted file mode 100644 index 5cfb4ffb..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py +++ /dev/null @@ -1,36 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.capability.v1beta1 import capability_pb2 as cosmos_dot_capability_dot_v1beta1_dot_capability__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/capability/v1beta1/genesis.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/capability/v1beta1/capability.proto\x1a\x11\x61mino/amino.proto\"l\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12L\n\x0cindex_owners\x18\x02 \x01(\x0b\x32+.cosmos.capability.v1beta1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"b\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x43\n\x06owners\x18\x02 \x03(\x0b\x32(.cosmos.capability.v1beta1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._options = None - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['owners']._options = None - _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISOWNERS']._serialized_start=155 - _globals['_GENESISOWNERS']._serialized_end=263 - _globals['_GENESISSTATE']._serialized_start=265 - _globals['_GENESISSTATE']._serialized_end=363 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py new file mode 100644 index 00000000..2f7dd65e --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py @@ -0,0 +1,29 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/circuit/module/v1/module.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.module.v1.module_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/circuit' + _globals['_MODULE']._serialized_start=101 + _globals['_MODULE']._serialized_end=160 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py new file mode 100644 index 00000000..8e7b1ab5 --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py new file mode 100644 index 00000000..0a9ec565 --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py @@ -0,0 +1,49 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/circuit/v1/query.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"&\n\x13QueryAccountRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"E\n\x0f\x41\x63\x63ountResponse\x12\x32\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x10\x41\x63\x63ountsResponse\x12>\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1a\n\x18QueryDisabledListRequest\"-\n\x14\x44isabledListResponse\x12\x15\n\rdisabled_list\x18\x01 \x03(\t2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.query_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['_QUERY'].methods_by_name['Account']._loaded_options = None + _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\'\022%/cosmos/circuit/v1/accounts/{address}' + _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None + _globals['_QUERY'].methods_by_name['Accounts']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/circuit/v1/accounts' + _globals['_QUERY'].methods_by_name['DisabledList']._loaded_options = None + _globals['_QUERY'].methods_by_name['DisabledList']._serialized_options = b'\210\347\260*\001\202\323\344\223\002!\022\037/cosmos/circuit/v1/disable_list' + _globals['_QUERYACCOUNTREQUEST']._serialized_start=186 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=224 + _globals['_ACCOUNTRESPONSE']._serialized_start=226 + _globals['_ACCOUNTRESPONSE']._serialized_end=295 + _globals['_QUERYACCOUNTSREQUEST']._serialized_start=297 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=379 + _globals['_ACCOUNTSRESPONSE']._serialized_start=382 + _globals['_ACCOUNTSRESPONSE']._serialized_end=525 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=527 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=553 + _globals['_DISABLEDLISTRESPONSE']._serialized_start=555 + _globals['_DISABLEDLISTRESPONSE']._serialized_end=600 + _globals['_QUERY']._serialized_start=603 + _globals['_QUERY']._serialized_end=1032 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py new file mode 100644 index 00000000..178ccae2 --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py @@ -0,0 +1,194 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + +from cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class QueryStub(object): + """Query defines the circuit gRPC querier service. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.Account = channel.unary_unary( + '/cosmos.circuit.v1.Query/Account', + request_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountRequest.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountResponse.FromString, + _registered_method=True) + self.Accounts = channel.unary_unary( + '/cosmos.circuit.v1.Query/Accounts', + request_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountsRequest.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountsResponse.FromString, + _registered_method=True) + self.DisabledList = channel.unary_unary( + '/cosmos.circuit.v1.Query/DisabledList', + request_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryDisabledListRequest.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.DisabledListResponse.FromString, + _registered_method=True) + + +class QueryServicer(object): + """Query defines the circuit gRPC querier service. + """ + + def Account(self, request, context): + """Account returns account permissions. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Accounts(self, request, context): + """Account returns account permissions. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def DisabledList(self, request, context): + """DisabledList returns a list of disabled message urls + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_QueryServicer_to_server(servicer, server): + rpc_method_handlers = { + 'Account': grpc.unary_unary_rpc_method_handler( + servicer.Account, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountRequest.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountResponse.SerializeToString, + ), + 'Accounts': grpc.unary_unary_rpc_method_handler( + servicer.Accounts, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountsRequest.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountsResponse.SerializeToString, + ), + 'DisabledList': grpc.unary_unary_rpc_method_handler( + servicer.DisabledList, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryDisabledListRequest.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_query__pb2.DisabledListResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'cosmos.circuit.v1.Query', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.circuit.v1.Query', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Query(object): + """Query defines the circuit gRPC querier service. + """ + + @staticmethod + def Account(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Query/Account', + cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountRequest.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Accounts(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Query/Accounts', + cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryAccountsRequest.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_query__pb2.AccountsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DisabledList(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Query/DisabledList', + cosmos_dot_circuit_dot_v1_dot_query__pb2.QueryDisabledListRequest.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_query__pb2.DisabledListResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py new file mode 100644 index 00000000..42023b0a --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py @@ -0,0 +1,49 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/circuit/v1/tx.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\x81\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\x12\x33\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions:\x0c\x82\xe7\xb0*\x07granter\"5\n\"MsgAuthorizeCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"Q\n\x15MsgTripCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x02 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"0\n\x1dMsgTripCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"R\n\x16MsgResetCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x03 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"1\n\x1eMsgResetCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.tx_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['_MSGAUTHORIZECIRCUITBREAKER']._loaded_options = None + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_options = b'\202\347\260*\007granter' + _globals['_MSGTRIPCIRCUITBREAKER']._loaded_options = None + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGRESETCIRCUITBREAKER']._loaded_options = None + _globals['_MSGRESETCIRCUITBREAKER']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_start=106 + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=235 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=237 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=290 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=292 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=373 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=375 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=423 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=425 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=507 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=509 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=558 + _globals['_MSG']._serialized_start=561 + _globals['_MSG']._serialized_end=933 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py new file mode 100644 index 00000000..43c4099c --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py @@ -0,0 +1,196 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + +from cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class MsgStub(object): + """Msg defines the circuit Msg service. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.AuthorizeCircuitBreaker = channel.unary_unary( + '/cosmos.circuit.v1.Msg/AuthorizeCircuitBreaker', + request_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreaker.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreakerResponse.FromString, + _registered_method=True) + self.TripCircuitBreaker = channel.unary_unary( + '/cosmos.circuit.v1.Msg/TripCircuitBreaker', + request_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreaker.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreakerResponse.FromString, + _registered_method=True) + self.ResetCircuitBreaker = channel.unary_unary( + '/cosmos.circuit.v1.Msg/ResetCircuitBreaker', + request_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreaker.SerializeToString, + response_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreakerResponse.FromString, + _registered_method=True) + + +class MsgServicer(object): + """Msg defines the circuit Msg service. + """ + + def AuthorizeCircuitBreaker(self, request, context): + """AuthorizeCircuitBreaker allows a super-admin to grant (or revoke) another + account's circuit breaker permissions. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def TripCircuitBreaker(self, request, context): + """TripCircuitBreaker pauses processing of Msg's in the state machine. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ResetCircuitBreaker(self, request, context): + """ResetCircuitBreaker resumes processing of Msg's in the state machine that + have been been paused using TripCircuitBreaker. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_MsgServicer_to_server(servicer, server): + rpc_method_handlers = { + 'AuthorizeCircuitBreaker': grpc.unary_unary_rpc_method_handler( + servicer.AuthorizeCircuitBreaker, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreaker.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreakerResponse.SerializeToString, + ), + 'TripCircuitBreaker': grpc.unary_unary_rpc_method_handler( + servicer.TripCircuitBreaker, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreaker.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreakerResponse.SerializeToString, + ), + 'ResetCircuitBreaker': grpc.unary_unary_rpc_method_handler( + servicer.ResetCircuitBreaker, + request_deserializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreaker.FromString, + response_serializer=cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreakerResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'cosmos.circuit.v1.Msg', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.circuit.v1.Msg', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Msg(object): + """Msg defines the circuit Msg service. + """ + + @staticmethod + def AuthorizeCircuitBreaker(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Msg/AuthorizeCircuitBreaker', + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreaker.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgAuthorizeCircuitBreakerResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def TripCircuitBreaker(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Msg/TripCircuitBreaker', + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreaker.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgTripCircuitBreakerResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ResetCircuitBreaker(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.circuit.v1.Msg/ResetCircuitBreaker', + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreaker.SerializeToString, + cosmos_dot_circuit_dot_v1_dot_tx__pb2.MsgResetCircuitBreakerResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py new file mode 100644 index 00000000..babef447 --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py @@ -0,0 +1,33 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/circuit/v1/types.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xc0\x01\n\x0bPermissions\x12\x33\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.Level\x12\x17\n\x0flimit_type_urls\x18\x02 \x03(\t\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"a\n\x19GenesisAccountPermissions\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x33\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"u\n\x0cGenesisState\x12I\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12\x1a\n\x12\x64isabled_type_urls\x18\x02 \x03(\tB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.types_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['_PERMISSIONS']._serialized_start=53 + _globals['_PERMISSIONS']._serialized_end=245 + _globals['_PERMISSIONS_LEVEL']._serialized_start=146 + _globals['_PERMISSIONS_LEVEL']._serialized_end=245 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=247 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=344 + _globals['_GENESISSTATE']._serialized_start=346 + _globals['_GENESISSTATE']._serialized_end=463 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py new file mode 100644 index 00000000..b59ca76f --- /dev/null +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index 8c7841a3..59e5a13f 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001*\n(github.com/cosmos/cosmos-sdk/x/consensus' _globals['_MODULE']._serialized_start=105 _globals['_MODULE']._serialized_end=182 diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 2daafffe..93428b40 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index c3ad2363..a7d1e0c0 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/consensus/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=117 _globals['_QUERYPARAMSREQUEST']._serialized_end=137 diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index a1613adb..dec9d11e 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.consensus.v1.Query/Params', request_serializer=cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -27,7 +52,7 @@ class QueryServicer(object): """ def Params(self, request, context): - """Params queries the parameters of x/consensus_param module. + """Params queries the parameters of x/consensus module. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.consensus.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.consensus.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.consensus.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.consensus.v1.Query/Params', cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index 84135e24..a1d1452c 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,27 +12,30 @@ _sym_db = _symbol_database.Default() +from amino import amino_pb2 as amino_dot_amino__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xe6\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2i\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponseB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGUPDATEPARAMS']._serialized_start=137 - _globals['_MSGUPDATEPARAMS']._serialized_end=367 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=369 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=394 - _globals['_MSG']._serialized_start=396 - _globals['_MSG']._serialized_end=501 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/x/consensus/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATEPARAMS']._serialized_start=156 + _globals['_MSGUPDATEPARAMS']._serialized_end=473 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 + _globals['_MSG']._serialized_start=502 + _globals['_MSG']._serialized_end=614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index 7dbc2a9d..efd93d19 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -1,12 +1,37 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): - """Msg defines the bank Msg service. + """Msg defines the consensus Msg service. """ def __init__(self, channel): @@ -19,15 +44,15 @@ def __init__(self, channel): '/cosmos.consensus.v1.Msg/UpdateParams', request_serializer=cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): - """Msg defines the bank Msg service. + """Msg defines the consensus Msg service. """ def UpdateParams(self, request, context): - """UpdateParams defines a governance operation for updating the x/consensus_param module parameters. + """UpdateParams defines a governance operation for updating the x/consensus module parameters. The authority is defined in the keeper. Since: cosmos-sdk 0.47 @@ -48,11 +73,12 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.consensus.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.consensus.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. class Msg(object): - """Msg defines the bank Msg service. + """Msg defines the consensus Msg service. """ @staticmethod @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.consensus.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.consensus.v1.Msg/UpdateParams', cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index b76cd36c..969636d7 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/crisis' _globals['_MODULE']._serialized_start=99 _globals['_MODULE']._serialized_end=201 diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 2daafffe..781018ac 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 363d8960..17999c69 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' - _globals['_GENESISSTATE'].fields_by_name['constant_fee']._options = None + _globals['_GENESISSTATE'].fields_by_name['constant_fee']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 _globals['_GENESISSTATE']._serialized_end=209 diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index 2daafffe..b8a4124f 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index f67daa1e..07b352a9 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,20 +24,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' - _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._options = None + _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._loaded_options = None _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVERIFYINVARIANT']._options = None + _globals['_MSGVERIFYINVARIANT']._loaded_options = None _globals['_MSGVERIFYINVARIANT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035cosmos-sdk/MsgVerifyInvariant' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/crisis/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGVERIFYINVARIANT']._serialized_start=183 _globals['_MSGVERIFYINVARIANT']._serialized_end=356 diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index d3b2778a..e605b1b0 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', request_serializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariant.SerializeToString, response_deserializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariantResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.crisis.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -65,6 +90,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.crisis.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.crisis.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -83,11 +109,21 @@ def VerifyInvariant(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariant.SerializeToString, cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariantResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -100,8 +136,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.crisis.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.crisis.v1beta1.Msg/UpdateParams', cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index d487aeef..f249dd29 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/ed25519/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.ed25519.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519' - _globals['_PUBKEY'].fields_by_name['key']._options = None + _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\030crypto/ed25519.PublicKey' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\030tendermint/PubKeyEd25519\222\347\260*\tkey_field' - _globals['_PRIVKEY'].fields_by_name['key']._options = None + _globals['_PRIVKEY'].fields_by_name['key']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\031crypto/ed25519.PrivateKey' - _globals['_PRIVKEY']._options = None + _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\031tendermint/PrivKeyEd25519\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=100 _globals['_PUBKEY']._serialized_end=200 diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index 2daafffe..ed86dc9b 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 74bb1e6b..688dfe8c 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/hd/v1/hd.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.hd.v1.hd_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/cosmos/cosmos-sdk/crypto/hd\310\341\036\000' - _globals['_BIP44PARAMS']._options = None + _globals['_BIP44PARAMS']._loaded_options = None _globals['_BIP44PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\032crypto/keys/hd/BIP44Params' _globals['_BIP44PARAMS']._serialized_start=95 _globals['_BIP44PARAMS']._serialized_end=237 diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 2daafffe..03c80dec 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index 745b2f4b..babc9619 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/keyring/v1/record.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.keyring.v1.record_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/crypto/keyring\310\341\036\000\230\343\036\000' _globals['_RECORD']._serialized_start=147 _globals['_RECORD']._serialized_end=577 diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 2daafffe..8f877d97 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index cbd7d2d3..2ca3b5ec 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/multisig/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig' - _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._options = None + _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._loaded_options = None _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._serialized_options = b'\342\336\037\007PubKeys\242\347\260*\007pubkeys' - _globals['_LEGACYAMINOPUBKEY']._options = None + _globals['_LEGACYAMINOPUBKEY']._loaded_options = None _globals['_LEGACYAMINOPUBKEY']._serialized_options = b'\210\240\037\000\212\347\260*\"tendermint/PubKeyMultisigThreshold\222\347\260*\020threshold_string' _globals['_LEGACYAMINOPUBKEY']._serialized_start=130 _globals['_LEGACYAMINOPUBKEY']._serialized_end=302 diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 2daafffe..813983af 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index f29f3248..b72934ef 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/multisig/v1beta1/multisig.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.v1beta1.multisig_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/crypto/types' - _globals['_MULTISIGNATURE']._options = None + _globals['_MULTISIGNATURE']._loaded_options = None _globals['_MULTISIGNATURE']._serialized_options = b'\320\241\037\001' - _globals['_COMPACTBITARRAY']._options = None + _globals['_COMPACTBITARRAY']._loaded_options = None _globals['_COMPACTBITARRAY']._serialized_options = b'\230\240\037\000' _globals['_MULTISIGNATURE']._serialized_start=103 _globals['_MULTISIGNATURE']._serialized_end=145 diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index 2daafffe..d96cbfca 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index bf5f1c9f..c30bce63 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/secp256k1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256k1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\032tendermint/PubKeySecp256k1\222\347\260*\tkey_field' - _globals['_PRIVKEY']._options = None + _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\033tendermint/PrivKeySecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=104 _globals['_PUBKEY']._serialized_end=176 diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 2daafffe..5777851f 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index 44b96dea..6637cd26 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/secp256r1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256r1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' - _globals['_PUBKEY'].fields_by_name['key']._options = None + _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\332\336\037\007ecdsaPK' - _globals['_PRIVKEY'].fields_by_name['secret']._options = None + _globals['_PRIVKEY'].fields_by_name['secret']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['secret']._serialized_options = b'\332\336\037\007ecdsaSK' _globals['_PUBKEY']._serialized_start=85 _globals['_PUBKEY']._serialized_end=119 diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index 2daafffe..b7d8d50a 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index 79f9a4cc..e41ea2eb 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/distribution' _globals['_MODULE']._serialized_start=111 _globals['_MODULE']._serialized_end=219 diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index 2daafffe..e573012c 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index 87b4f9a0..f1fd9d52 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/distribution.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,76 +18,74 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x02\n\x06Params\x12S\n\rcommunity_tax\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\\\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12]\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:)\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x7f\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12N\n\x08\x66raction\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"y\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xe3\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12`\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xbb\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12K\n\x05stake\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc2\x01\n\x19\x44\x65legationDelegatorReward\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xa7\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:&\x88\xa0\x1f\x00\x98\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.distribution_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_PARAMS'].fields_by_name['community_tax']._options = None - _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['base_proposer_reward']._options = None - _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._options = None - _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260* cosmos-sdk/x/distribution/Params' - _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._options = None + _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None + _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None + _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._loaded_options = None + _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\212\347\260* cosmos-sdk/x/distribution/Params' + _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._options = None + _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._options = None - _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._options = None + _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._loaded_options = None + _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORSLASHEVENTS']._options = None - _globals['_VALIDATORSLASHEVENTS']._serialized_options = b'\230\240\037\000' - _globals['_FEEPOOL'].fields_by_name['community_pool']._options = None + _globals['_FEEPOOL'].fields_by_name['community_pool']._loaded_options = None _globals['_FEEPOOL'].fields_by_name['community_pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._options = None - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._options = None + _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._loaded_options = None + _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._loaded_options = None + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._loaded_options = None _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._serialized_options = b'\352\336\037\017creation_height\242\347\260*\017creation_height\250\347\260*\001' - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._options = None - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._options = None + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_DELEGATIONDELEGATORREWARD']._options = None - _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000\230\240\037\001' - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._options = None - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_DELEGATIONDELEGATORREWARD']._loaded_options = None + _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000' + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=536 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=539 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=713 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=716 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=862 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=865 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1005 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1008 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1142 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1144 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1271 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1273 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1394 - _globals['_FEEPOOL']._serialized_start=1396 - _globals['_FEEPOOL']._serialized_end=1517 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1520 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1747 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1750 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=1937 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1940 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2134 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2137 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2304 + _globals['_PARAMS']._serialized_end=514 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 + _globals['_FEEPOOL']._serialized_start=1357 + _globals['_FEEPOOL']._serialized_end=1478 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index 2daafffe..ed9e15ba 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 7084618f..41ad684f 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,94 +19,94 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd7\x01\n!ValidatorOutstandingRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n$ValidatorAccumulatedCommissionRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc6\x01\n ValidatorHistoricalRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb0\x01\n\x1dValidatorCurrentRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n\x19ValidatorSlashEventRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._options = None + _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORWITHDRAWINFO']._options = None + _globals['_DELEGATORWITHDRAWINFO']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._options = None - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._options = None - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._options = None - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORHISTORICALREWARDSRECORD']._options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._options = None - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._options = None + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORCURRENTREWARDSRECORD']._options = None + _globals['_VALIDATORCURRENTREWARDSRECORD']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._options = None - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATORSTARTINGINFORECORD']._options = None + _globals['_DELEGATORSTARTINGINFORECORD']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._options = None - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._options = None + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._loaded_options = None + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORSLASHEVENTRECORD']._options = None + _globals['_VALIDATORSLASHEVENTRECORD']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['fee_pool']._options = None + _globals['_GENESISSTATE'].fields_by_name['fee_pool']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['fee_pool']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._options = None + _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._options = None + _globals['_GENESISSTATE']._loaded_options = None _globals['_GENESISSTATE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=579 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=582 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=776 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=779 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=977 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=980 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1156 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1159 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1390 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1393 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1607 - _globals['_GENESISSTATE']._serialized_start=1610 - _globals['_GENESISSTATE']._serialized_end=2560 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 + _globals['_GENESISSTATE']._serialized_start=1664 + _globals['_GENESISSTATE']._serialized_end=2614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index 2daafffe..ccfd6cca 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 0e4eb8d5..469f5712 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,130 +21,130 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\\\n%QueryValidatorDistributionInfoRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb6\x02\n&QueryValidatorDistributionInfoResponse\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"^\n\'QueryValidatorOutstandingRewardsRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x1fQueryValidatorCommissionRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc9\x01\n\x1cQueryValidatorSlashesRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x93\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._loaded_options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins' - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._options = None - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._options = None - _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._options = None + _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._loaded_options = None + _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._options = None - _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORSLASHESREQUEST']._options = None - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000\230\240\037\001' - _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._options = None + _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._loaded_options = None + _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORSLASHESREQUEST']._loaded_options = None + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000' + _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._loaded_options = None _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._options = None - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREWARDSREQUEST']._options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATIONREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._options = None + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._options = None + _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._loaded_options = None _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002%\022#/cosmos/distribution/v1beta1/params' - _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._options = None + _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._serialized_options = b'\202\323\344\223\002=\022;/cosmos/distribution/v1beta1/validators/{validator_address}' - _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._options = None + _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._serialized_options = b'\202\323\344\223\002Q\022O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards' - _globals['_QUERY'].methods_by_name['ValidatorCommission']._options = None + _globals['_QUERY'].methods_by_name['ValidatorCommission']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorCommission']._serialized_options = b'\202\323\344\223\002H\022F/cosmos/distribution/v1beta1/validators/{validator_address}/commission' - _globals['_QUERY'].methods_by_name['ValidatorSlashes']._options = None + _globals['_QUERY'].methods_by_name['ValidatorSlashes']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorSlashes']._serialized_options = b'\202\323\344\223\002E\022C/cosmos/distribution/v1beta1/validators/{validator_address}/slashes' - _globals['_QUERY'].methods_by_name['DelegationRewards']._options = None + _globals['_QUERY'].methods_by_name['DelegationRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegationRewards']._serialized_options = b'\202\323\344\223\002Y\022W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}' - _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._options = None + _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._serialized_options = b'\202\323\344\223\002E\022C/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards' - _globals['_QUERY'].methods_by_name['DelegatorValidators']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidators']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidators']._serialized_options = b'\202\323\344\223\002H\022F/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators' - _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._options = None + _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._serialized_options = b'\202\323\344\223\002N\022L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address' - _globals['_QUERY'].methods_by_name['CommunityPool']._options = None + _globals['_QUERY'].methods_by_name['CommunityPool']._loaded_options = None _globals['_QUERY'].methods_by_name['CommunityPool']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/distribution/v1beta1/community_pool' _globals['_QUERYPARAMSREQUEST']._serialized_start=294 _globals['_QUERYPARAMSREQUEST']._serialized_end=314 _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=495 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=498 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=808 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=810 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=904 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=907 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1035 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1037 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1123 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1125 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1251 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1254 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1455 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1458 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1628 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1631 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1778 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1781 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1918 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1920 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2019 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2022 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2246 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2248 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2344 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2346 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2410 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2412 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2513 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2515 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2616 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2618 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2645 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2648 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2778 - _globals['_QUERY']._serialized_start=2781 - _globals['_QUERY']._serialized_end=5025 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 + _globals['_QUERY']._serialized_start=2831 + _globals['_QUERY']._serialized_end=5075 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index 76724ab3..0dfb710a 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for distribution module. @@ -19,52 +44,52 @@ def __init__(self, channel): '/cosmos.distribution.v1beta1.Query/Params', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ValidatorDistributionInfo = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoResponse.FromString, - ) + _registered_method=True) self.ValidatorOutstandingRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsResponse.FromString, - ) + _registered_method=True) self.ValidatorCommission = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorCommission', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionResponse.FromString, - ) + _registered_method=True) self.ValidatorSlashes = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesResponse.FromString, - ) + _registered_method=True) self.DelegationRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegationRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsResponse.FromString, - ) + _registered_method=True) self.DelegationTotalRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidators = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegatorValidators', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - ) + _registered_method=True) self.DelegatorWithdrawAddress = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressResponse.FromString, - ) + _registered_method=True) self.CommunityPool = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/CommunityPool', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -114,7 +139,7 @@ def DelegationRewards(self, request, context): raise NotImplementedError('Method not implemented!') def DelegationTotalRewards(self, request, context): - """DelegationTotalRewards queries the total rewards accrued by a each + """DelegationTotalRewards queries the total rewards accrued by each validator. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) @@ -199,6 +224,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.distribution.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -217,11 +243,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/Params', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorDistributionInfo(request, @@ -234,11 +270,21 @@ def ValidatorDistributionInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorOutstandingRewards(request, @@ -251,11 +297,21 @@ def ValidatorOutstandingRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorCommission(request, @@ -268,11 +324,21 @@ def ValidatorCommission(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorCommission', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorCommission', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorSlashes(request, @@ -285,11 +351,21 @@ def ValidatorSlashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegationRewards(request, @@ -302,11 +378,21 @@ def DelegationRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegationRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegationRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegationTotalRewards(request, @@ -319,11 +405,21 @@ def DelegationTotalRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidators(request, @@ -336,11 +432,21 @@ def DelegatorValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegatorValidators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegatorValidators', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorWithdrawAddress(request, @@ -353,11 +459,21 @@ def DelegatorWithdrawAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CommunityPool(request, @@ -370,8 +486,18 @@ def CommunityPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/CommunityPool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/CommunityPool', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index 385d4044..dd94e8bc 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,78 +20,90 @@ from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xd1\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x86\x01\n\"MsgWithdrawDelegatorRewardResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\x9d\x01\n\x1eMsgWithdrawValidatorCommission\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x8a\x01\n&MsgWithdrawValidatorCommissionResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\xe1\x01\n\x14MsgFundCommunityPool\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xf4\x01\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse2\xca\x06\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._options = None + _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._options = None + _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETWITHDRAWADDRESS']._options = None + _globals['_MSGSETWITHDRAWADDRESS']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*#cosmos-sdk/MsgModifyWithdrawAddress' - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._options = None - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWDELEGATORREWARD']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGWITHDRAWDELEGATORREWARD']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*&cosmos-sdk/MsgWithdrawDelegationReward' - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._options = None - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*#cosmos-sdk/MsgWithdrawValCommission' - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._options = None - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._loaded_options = None + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGFUNDCOMMUNITYPOOL']._options = None + _globals['_MSGFUNDCOMMUNITYPOOL']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tdepositor\212\347\260*\037cosmos-sdk/MsgFundCommunityPool' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\'cosmos-sdk/distribution/MsgUpdateParams' - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._options = None + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._options = None - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCOMMUNITYPOOLSPEND']._options = None + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._loaded_options = None + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCOMMUNITYPOOLSPEND']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/distr/MsgCommunityPoolSpend' - _globals['_MSG']._options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tdepositor\212\347\260*%cosmos-sdk/distr/MsgDepositValRewards' + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=443 _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=688 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=691 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=825 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=828 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=985 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=988 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1126 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1129 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1354 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1356 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1386 - _globals['_MSGUPDATEPARAMS']._serialized_start=1389 - _globals['_MSGUPDATEPARAMS']._serialized_end=1575 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1577 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1602 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1605 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1849 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1851 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1882 - _globals['_MSG']._serialized_start=1885 - _globals['_MSG']._serialized_end=2727 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 + _globals['_MSGUPDATEPARAMS']._serialized_start=1458 + _globals['_MSGUPDATEPARAMS']._serialized_end=1644 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 + _globals['_MSG']._serialized_start=2336 + _globals['_MSG']._serialized_end=3340 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index f169c89a..df41d872 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the distribution Msg service. @@ -19,32 +44,37 @@ def __init__(self, channel): '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddress.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddressResponse.FromString, - ) + _registered_method=True) self.WithdrawDelegatorReward = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorReward.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorRewardResponse.FromString, - ) + _registered_method=True) self.WithdrawValidatorCommission = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommission.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommissionResponse.FromString, - ) + _registered_method=True) self.FundCommunityPool = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPool.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPoolResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.CommunityPoolSpend = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, - ) + _registered_method=True) + self.DepositValidatorRewardsPool = channel.unary_unary( + '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', + request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, + response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -105,6 +135,16 @@ def CommunityPoolSpend(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DepositValidatorRewardsPool(self, request, context): + """DepositValidatorRewardsPool defines a method to provide additional rewards + to delegators to a specific validator. + + Since: cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -138,10 +178,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.FromString, response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.SerializeToString, ), + 'DepositValidatorRewardsPool': grpc.unary_unary_rpc_method_handler( + servicer.DepositValidatorRewardsPool, + request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.FromString, + response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.distribution.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -160,11 +206,21 @@ def SetWithdrawAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddress.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawDelegatorReward(request, @@ -177,11 +233,21 @@ def WithdrawDelegatorReward(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorReward.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorRewardResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawValidatorCommission(request, @@ -194,11 +260,21 @@ def WithdrawValidatorCommission(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommission.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommissionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundCommunityPool(request, @@ -211,11 +287,21 @@ def FundCommunityPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPool.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -228,11 +314,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/UpdateParams', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CommunityPoolSpend(request, @@ -245,8 +341,45 @@ def CommunityPoolSpend(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DepositValidatorRewardsPool(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', + cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, + cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index 30d196f4..ff70c9fe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/evidenceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/evidence' +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=144 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 2daafffe..36ecbcf7 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 5b07b866..504515c5 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/evidence.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,20 +18,20 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc5\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB3Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' - _globals['_EQUIVOCATION'].fields_by_name['time']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._options = None + _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EQUIVOCATION']._options = None - _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' + _globals['_EQUIVOCATION']._loaded_options = None + _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=366 + _globals['_EQUIVOCATION']._serialized_end=362 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index 2daafffe..b0655041 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 7ab631f9..73a37669 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' _globals['_GENESISSTATE']._serialized_start=93 _globals['_GENESISSTATE']._serialized_end=147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index 2daafffe..dc2ce73d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index b6154d79..00b15add 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,33 +13,32 @@ from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"s\n\x14QueryEvidenceRequest\x12M\n\revidence_hash\x18\x01 \x01(\x0c\x42\x36\x18\x01\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._options = None - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_QUERY'].methods_by_name['Evidence']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' + _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None _globals['_QUERY'].methods_by_name['Evidence']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/evidence/v1beta1/evidence/{hash}' - _globals['_QUERY'].methods_by_name['AllEvidence']._options = None + _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' - _globals['_QUERYEVIDENCEREQUEST']._serialized_start=187 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=302 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=304 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=367 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=369 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=454 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=456 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=583 - _globals['_QUERY']._serialized_start=586 - _globals['_QUERY']._serialized_end=911 + _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 + _globals['_QUERY']._serialized_start=512 + _globals['_QUERY']._serialized_end=837 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index 7acb00db..9a3405ff 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.evidence.v1beta1.Query/Evidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceRequest.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceResponse.FromString, - ) + _registered_method=True) self.AllEvidence = channel.unary_unary( '/cosmos.evidence.v1beta1.Query/AllEvidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceRequest.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.evidence.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.evidence.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def Evidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Query/Evidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Query/Evidence', cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceRequest.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllEvidence(request, @@ -97,8 +133,18 @@ def AllEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Query/AllEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Query/AllEvidence', cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceRequest.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index a4323987..fc71365d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,21 +19,21 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' - _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._options = None + _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._serialized_options = b'\312\264- cosmos.evidence.v1beta1.Evidence' - _globals['_MSGSUBMITEVIDENCE']._options = None + _globals['_MSGSUBMITEVIDENCE']._loaded_options = None _globals['_MSGSUBMITEVIDENCE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tsubmitter\212\347\260*\034cosmos-sdk/MsgSubmitEvidence' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITEVIDENCE']._serialized_start=182 _globals['_MSGSUBMITEVIDENCE']._serialized_end=381 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index cdd912ae..46abdd06 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the evidence Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidence.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidenceResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -46,6 +71,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.evidence.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.evidence.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -64,8 +90,18 @@ def SubmitEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidence.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 3b9d65fd..76e9e6a0 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/feegrant' +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=144 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 2daafffe..6e78c597 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 59a2ce0d..62877c10 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/feegrant.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,48 +21,48 @@ from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xf6\x01\n\x0e\x42\x61sicAllowance\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xf7\x03\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12l\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12j\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._options = None - _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASICALLOWANCE'].fields_by_name['expiration']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None + _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' - _globals['_BASICALLOWANCE']._options = None + _globals['_BASICALLOWANCE']._loaded_options = None _globals['_BASICALLOWANCE']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\031cosmos-sdk/BasicAllowance' - _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._loaded_options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._loaded_options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PERIODICALLOWANCE']._options = None + _globals['_PERIODICALLOWANCE']._loaded_options = None _globals['_PERIODICALLOWANCE']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\034cosmos-sdk/PeriodicAllowance' - _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._options = None + _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._loaded_options = None _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' - _globals['_ALLOWEDMSGALLOWANCE']._options = None + _globals['_ALLOWEDMSGALLOWANCE']._loaded_options = None _globals['_ALLOWEDMSGALLOWANCE']._serialized_options = b'\210\240\037\000\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\036cosmos-sdk/AllowedMsgAllowance' - _globals['_GRANT'].fields_by_name['granter']._options = None + _globals['_GRANT'].fields_by_name['granter']._loaded_options = None _globals['_GRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANT'].fields_by_name['grantee']._options = None + _globals['_GRANT'].fields_by_name['grantee']._loaded_options = None _globals['_GRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANT'].fields_by_name['allowance']._options = None + _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=506 - _globals['_PERIODICALLOWANCE']._serialized_start=509 - _globals['_PERIODICALLOWANCE']._serialized_end=1012 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1015 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1228 - _globals['_GRANT']._serialized_start=1231 - _globals['_GRANT']._serialized_end=1408 + _globals['_BASICALLOWANCE']._serialized_end=523 + _globals['_PERIODICALLOWANCE']._serialized_start=526 + _globals['_PERIODICALLOWANCE']._serialized_end=1063 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 + _globals['_GRANT']._serialized_start=1282 + _globals['_GRANT']._serialized_end=1459 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index 2daafffe..a53e752f 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 4ac8dfd1..7d1d4cb1 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,15 +17,15 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_GENESISSTATE'].fields_by_name['allowances']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 _globals['_GENESISSTATE']._serialized_end=224 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 2daafffe..627adfc3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 0f3ef397..010c4e43 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,27 +18,27 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Allowance']._options = None + _globals['_QUERY'].methods_by_name['Allowance']._loaded_options = None _globals['_QUERY'].methods_by_name['Allowance']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}' - _globals['_QUERY'].methods_by_name['Allowances']._options = None + _globals['_QUERY'].methods_by_name['Allowances']._loaded_options = None _globals['_QUERY'].methods_by_name['Allowances']._serialized_options = b'\202\323\344\223\002/\022-/cosmos/feegrant/v1beta1/allowances/{grantee}' - _globals['_QUERY'].methods_by_name['AllowancesByGranter']._options = None + _globals['_QUERY'].methods_by_name['AllowancesByGranter']._loaded_options = None _globals['_QUERY'].methods_by_name['AllowancesByGranter']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/feegrant/v1beta1/issued/{granter}' _globals['_QUERYALLOWANCEREQUEST']._serialized_start=205 _globals['_QUERYALLOWANCEREQUEST']._serialized_end=314 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index 2bdc40e3..c5bc9527 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.feegrant.v1beta1.Query/Allowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceResponse.FromString, - ) + _registered_method=True) self.Allowances = channel.unary_unary( '/cosmos.feegrant.v1beta1.Query/Allowances', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesResponse.FromString, - ) + _registered_method=True) self.AllowancesByGranter = channel.unary_unary( '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -37,14 +62,14 @@ class QueryServicer(object): """ def Allowance(self, request, context): - """Allowance returns fee granted to the grantee by the granter. + """Allowance returns granted allwance to the grantee by the granter. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') def Allowances(self, request, context): - """Allowances returns all the grants for address. + """Allowances returns all the grants for the given grantee address. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -81,6 +106,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.feegrant.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -99,11 +125,21 @@ def Allowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/Allowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/Allowance', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Allowances(request, @@ -116,11 +152,21 @@ def Allowances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/Allowances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/Allowances', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllowancesByGranter(request, @@ -133,8 +179,18 @@ def AllowancesByGranter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 136febed..306af9c3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,29 +18,33 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse2\xf3\x01\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x1a\x05\x80\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._options = None + _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._options = None + _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' - _globals['_MSGGRANTALLOWANCE']._options = None + _globals['_MSGGRANTALLOWANCE']._loaded_options = None _globals['_MSGGRANTALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\034cosmos-sdk/MsgGrantAllowance' - _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._options = None + _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._options = None + _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKEALLOWANCE']._options = None + _globals['_MSGREVOKEALLOWANCE']._loaded_options = None _globals['_MSGREVOKEALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\035cosmos-sdk/MsgRevokeAllowance' - _globals['_MSG']._options = None + _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._loaded_options = None + _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGPRUNEALLOWANCES']._loaded_options = None + _globals['_MSGPRUNEALLOWANCES']._serialized_options = b'\202\347\260*\006pruner' + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 _globals['_MSGGRANTALLOWANCE']._serialized_end=396 @@ -50,6 +54,10 @@ _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 - _globals['_MSG']._serialized_start=615 - _globals['_MSG']._serialized_end=858 + _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 + _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 + _globals['_MSG']._serialized_start=722 + _globals['_MSG']._serialized_end=1082 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 7b509d23..8556e2b2 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the feegrant msg service. @@ -19,12 +44,17 @@ def __init__(self, channel): '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowanceResponse.FromString, - ) + _registered_method=True) self.RevokeAllowance = channel.unary_unary( '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, - ) + _registered_method=True) + self.PruneAllowances = channel.unary_unary( + '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', + request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, + response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -47,6 +77,15 @@ def RevokeAllowance(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def PruneAllowances(self, request, context): + """PruneAllowances prunes expired fee allowances, currently up to 75 at a time. + + Since cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -60,10 +99,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.FromString, response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.SerializeToString, ), + 'PruneAllowances': grpc.unary_unary_rpc_method_handler( + servicer.PruneAllowances, + request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.FromString, + response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -82,11 +127,21 @@ def GrantAllowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowance.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RevokeAllowance(request, @@ -99,8 +154,45 @@ def RevokeAllowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def PruneAllowances(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', + cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, + cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index 89e1dfcb..3e8cdee9 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/genutil/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/genutil' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=157 diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 2daafffe..8fbc2deb 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index 916f4a94..36cc38d2 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/genutil/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/genutil/types' - _globals['_GENESISSTATE'].fields_by_name['gen_txs']._options = None + _globals['_GENESISSTATE'].fields_by_name['gen_txs']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['gen_txs']._serialized_options = b'\352\336\037\006gentxs\372\336\037\030encoding/json.RawMessage\242\347\260*\006gentxs\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=105 _globals['_GENESISSTATE']._serialized_end=192 diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index 2daafffe..e0c67349 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index 05d42837..b1343d35 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/gov' _globals['_MODULE']._serialized_start=93 _globals['_MODULE']._serialized_end=190 diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index 2daafffe..a66c0664 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index 4797a3e6..5bf72a99 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,20 +15,20 @@ from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\xf5\x02\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\x8b\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\x12\x14\n\x0c\x63onstitution\x18\t \x01(\tB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_GENESISSTATE'].fields_by_name['deposit_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' - _globals['_GENESISSTATE'].fields_by_name['voting_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['voting_params']._serialized_options = b'\030\001' - _globals['_GENESISSTATE'].fields_by_name['tally_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE']._serialized_start=72 - _globals['_GENESISSTATE']._serialized_end=445 + _globals['_GENESISSTATE']._serialized_end=467 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index 2daafffe..c5256a75 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index 4ac846d7..ecf8a88e 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/gov.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,88 +21,106 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xab\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbb\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"F\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\"x\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\xaf\x03\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.gov_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._options = None + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_DEPOSIT'].fields_by_name['depositor']._options = None + _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSIT'].fields_by_name['amount']._options = None + _globals['_DEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['total_deposit']._options = None + _globals['_PROPOSAL'].fields_by_name['total_deposit']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['total_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_start_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_start_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_start_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['voting_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_end_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['proposer']._options = None + _globals['_PROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TALLYRESULT'].fields_by_name['yes_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['yes_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['yes_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['abstain_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['abstain_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['abstain_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['no_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty' - _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\352\336\037\034max_deposit_period,omitempty\230\337\037\001' - _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._options = None + _globals['_DEPOSITPARAMS']._loaded_options = None + _globals['_DEPOSITPARAMS']._serialized_options = b'\030\001' + _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' - _globals['_TALLYPARAMS'].fields_by_name['quorum']._options = None + _globals['_VOTINGPARAMS']._loaded_options = None + _globals['_VOTINGPARAMS']._serialized_options = b'\030\001' + _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_TALLYPARAMS'].fields_by_name['threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['min_deposit']._options = None + _globals['_TALLYPARAMS']._loaded_options = None + _globals['_TALLYPARAMS']._serialized_options = b'\030\001' + _globals['_PARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_PARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_PARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\230\337\037\001' - _globals['_PARAMS'].fields_by_name['voting_period']._options = None + _globals['_PARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_PARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' - _globals['_PARAMS'].fields_by_name['quorum']._options = None + _globals['_PARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_PARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['threshold']._options = None + _globals['_PARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['veto_threshold']._options = None + _globals['_PARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._options = None + _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2155 - _globals['_VOTEOPTION']._serialized_end=2292 - _globals['_PROPOSALSTATUS']._serialized_start=2295 - _globals['_PROPOSALSTATUS']._serialized_end=2501 + _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._loaded_options = None + _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_PARAMS'].fields_by_name['expedited_voting_period']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_voting_period']._serialized_options = b'\230\337\037\001' + _globals['_PARAMS'].fields_by_name['expedited_threshold']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_VOTEOPTION']._serialized_start=2535 + _globals['_VOTEOPTION']._serialized_end=2672 + _globals['_PROPOSALSTATUS']._serialized_start=2675 + _globals['_PROPOSALSTATUS']._serialized_end=2881 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 _globals['_DEPOSIT']._serialized_start=332 _globals['_DEPOSIT']._serialized_end=461 _globals['_PROPOSAL']._serialized_start=464 - _globals['_PROPOSAL']._serialized_end=1019 - _globals['_TALLYRESULT']._serialized_start=1022 - _globals['_TALLYRESULT']._serialized_end=1187 - _globals['_VOTE']._serialized_start=1190 - _globals['_VOTE']._serialized_end=1334 - _globals['_DEPOSITPARAMS']._serialized_start=1337 - _globals['_DEPOSITPARAMS']._serialized_end=1524 - _globals['_VOTINGPARAMS']._serialized_start=1526 - _globals['_VOTINGPARAMS']._serialized_end=1596 - _globals['_TALLYPARAMS']._serialized_start=1598 - _globals['_TALLYPARAMS']._serialized_end=1718 - _globals['_PARAMS']._serialized_start=1721 - _globals['_PARAMS']._serialized_end=2152 + _globals['_PROPOSAL']._serialized_end=1061 + _globals['_TALLYRESULT']._serialized_start=1064 + _globals['_TALLYRESULT']._serialized_end=1229 + _globals['_VOTE']._serialized_start=1232 + _globals['_VOTE']._serialized_end=1376 + _globals['_DEPOSITPARAMS']._serialized_start=1379 + _globals['_DEPOSITPARAMS']._serialized_end=1570 + _globals['_VOTINGPARAMS']._serialized_start=1572 + _globals['_VOTINGPARAMS']._serialized_end=1646 + _globals['_TALLYPARAMS']._serialized_start=1648 + _globals['_TALLYPARAMS']._serialized_end=1772 + _globals['_PARAMS']._serialized_start=1775 + _globals['_PARAMS']._serialized_end=2532 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 2daafffe..42753a72 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index 32e4cb81..f6b63e25 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,76 +18,82 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xda\x08\n\x05Query\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._serialized_options = b'\030\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\030\001' - _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Constitution']._loaded_options = None + _globals['_QUERY'].methods_by_name['Constitution']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/gov/v1/constitution' + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/gov/v1/proposals/{proposal_id}' - _globals['_QUERY'].methods_by_name['Proposals']._options = None + _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposals']._serialized_options = b'\202\323\344\223\002\032\022\030/cosmos/gov/v1/proposals' - _globals['_QUERY'].methods_by_name['Vote']._options = None + _globals['_QUERY'].methods_by_name['Vote']._loaded_options = None _globals['_QUERY'].methods_by_name['Vote']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}' - _globals['_QUERY'].methods_by_name['Votes']._options = None + _globals['_QUERY'].methods_by_name['Votes']._loaded_options = None _globals['_QUERY'].methods_by_name['Votes']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/votes' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002%\022#/cosmos/gov/v1/params/{params_type}' - _globals['_QUERY'].methods_by_name['Deposit']._options = None + _globals['_QUERY'].methods_by_name['Deposit']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposit']._serialized_options = b'\202\323\344\223\002=\022;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}' - _globals['_QUERY'].methods_by_name['Deposits']._options = None + _globals['_QUERY'].methods_by_name['Deposits']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0021\022//cosmos/gov/v1/proposals/{proposal_id}/deposits' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/tally' - _globals['_QUERYPROPOSALREQUEST']._serialized_start=170 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=213 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=215 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=281 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=284 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=509 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=512 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=641 - _globals['_QUERYVOTEREQUEST']._serialized_start=643 - _globals['_QUERYVOTEREQUEST']._serialized_end=723 - _globals['_QUERYVOTERESPONSE']._serialized_start=725 - _globals['_QUERYVOTERESPONSE']._serialized_end=779 - _globals['_QUERYVOTESREQUEST']._serialized_start=781 - _globals['_QUERYVOTESREQUEST']._serialized_end=881 - _globals['_QUERYVOTESRESPONSE']._serialized_start=883 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1000 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1002 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1043 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1046 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1274 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1276 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1363 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1365 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1428 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1430 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1533 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1535 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1661 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1663 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1709 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1711 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1780 - _globals['_QUERY']._serialized_start=1783 - _globals['_QUERY']._serialized_end=2897 + _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 + _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 + _globals['_QUERYVOTEREQUEST']._serialized_start=722 + _globals['_QUERYVOTEREQUEST']._serialized_end=802 + _globals['_QUERYVOTERESPONSE']._serialized_start=804 + _globals['_QUERYVOTERESPONSE']._serialized_end=858 + _globals['_QUERYVOTESREQUEST']._serialized_start=860 + _globals['_QUERYVOTESREQUEST']._serialized_end=960 + _globals['_QUERYVOTESRESPONSE']._serialized_start=962 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 + _globals['_QUERY']._serialized_start=1862 + _globals['_QUERY']._serialized_end=3113 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 661dc561..0d043af3 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module @@ -15,52 +40,64 @@ def __init__(self, channel): Args: channel: A grpc.Channel. """ + self.Constitution = channel.unary_unary( + '/cosmos.gov.v1.Query/Constitution', + request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionRequest.SerializeToString, + response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionResponse.FromString, + _registered_method=True) self.Proposal = channel.unary_unary( '/cosmos.gov.v1.Query/Proposal', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.Proposals = channel.unary_unary( '/cosmos.gov.v1.Query/Proposals', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1.Query/Vote', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteResponse.FromString, - ) + _registered_method=True) self.Votes = channel.unary_unary( '/cosmos.gov.v1.Query/Votes', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.gov.v1.Query/Params', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1.Query/Deposit', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositResponse.FromString, - ) + _registered_method=True) self.Deposits = channel.unary_unary( '/cosmos.gov.v1.Query/Deposits', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.gov.v1.Query/TallyResult', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): """Query defines the gRPC querier service for gov module """ + def Constitution(self, request, context): + """Constitution queries the chain's constitution. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def Proposal(self, request, context): """Proposal queries proposal details based on ProposalID. """ @@ -97,7 +134,7 @@ def Params(self, request, context): raise NotImplementedError('Method not implemented!') def Deposit(self, request, context): - """Deposit queries single deposit information based proposalID, depositAddr. + """Deposit queries single deposit information based on proposalID, depositAddr. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -120,6 +157,11 @@ def TallyResult(self, request, context): def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { + 'Constitution': grpc.unary_unary_rpc_method_handler( + servicer.Constitution, + request_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionRequest.FromString, + response_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionResponse.SerializeToString, + ), 'Proposal': grpc.unary_unary_rpc_method_handler( servicer.Proposal, request_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalRequest.FromString, @@ -164,6 +206,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -171,6 +214,33 @@ class Query(object): """Query defines the gRPC querier service for gov module """ + @staticmethod + def Constitution(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Constitution', + cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionRequest.SerializeToString, + cosmos_dot_gov_dot_v1_dot_query__pb2.QueryConstitutionResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def Proposal(request, target, @@ -182,11 +252,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Proposal', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposals(request, @@ -199,11 +279,21 @@ def Proposals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Proposals', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Proposals', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -216,11 +306,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Vote', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Votes(request, @@ -233,11 +333,21 @@ def Votes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Votes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Votes', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -250,11 +360,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Params', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -267,11 +387,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Deposit', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposits(request, @@ -284,11 +414,21 @@ def Deposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Deposits', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Deposits', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -301,8 +441,18 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/TallyResult', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 47cb1b3a..4c14e562 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,78 +19,93 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from amino import amino_pb2 as amino_dot_amino__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\202\347\260*\010proposer\212\347\260*\037cosmos-sdk/v1/MsgSubmitProposal' - _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._options = None + _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGEXECLEGACYCONTENT']._options = None + _globals['_MSGEXECLEGACYCONTENT']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\"cosmos-sdk/v1/MsgExecLegacyContent' - _globals['_MSGVOTE'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\025cosmos-sdk/v1/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED']._options = None + _globals['_MSGVOTEWEIGHTED']._loaded_options = None _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\202\347\260*\005voter\212\347\260*\035cosmos-sdk/v1/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\202\347\260*\tdepositor\212\347\260*\030cosmos-sdk/v1/MsgDeposit' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/gov/v1/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._loaded_options = None + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCANCELPROPOSAL']._loaded_options = None + _globals['_MSGCANCELPROPOSAL']._serialized_options = b'\202\347\260*\010proposer' + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._loaded_options = None + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGSUBMITPROPOSAL']._serialized_start=219 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=486 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=488 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=536 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=539 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=706 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=708 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=738 - _globals['_MSGVOTE']._serialized_start=741 - _globals['_MSGVOTE']._serialized_end=933 - _globals['_MSGVOTERESPONSE']._serialized_start=935 - _globals['_MSGVOTERESPONSE']._serialized_end=952 - _globals['_MSGVOTEWEIGHTED']._serialized_start=955 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1172 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1174 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1199 - _globals['_MSGDEPOSIT']._serialized_start=1202 - _globals['_MSGDEPOSIT']._serialized_end=1401 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1403 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1423 - _globals['_MSGUPDATEPARAMS']._serialized_start=1426 - _globals['_MSGUPDATEPARAMS']._serialized_end=1594 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1596 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1621 - _globals['_MSG']._serialized_start=1624 - _globals['_MSG']._serialized_end=2146 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 + _globals['_MSGVOTE']._serialized_start=854 + _globals['_MSGVOTE']._serialized_end=1046 + _globals['_MSGVOTERESPONSE']._serialized_start=1048 + _globals['_MSGVOTERESPONSE']._serialized_end=1065 + _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 + _globals['_MSGDEPOSIT']._serialized_start=1315 + _globals['_MSGDEPOSIT']._serialized_end=1514 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 + _globals['_MSGUPDATEPARAMS']._serialized_start=1539 + _globals['_MSGUPDATEPARAMS']._serialized_end=1707 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 + _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 + _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 + _globals['_MSG']._serialized_start=2009 + _globals['_MSG']._serialized_end=2625 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index 630e6a26..f47f2cbf 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the gov Msg service. @@ -19,32 +44,37 @@ def __init__(self, channel): '/cosmos.gov.v1.Msg/SubmitProposal', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.ExecLegacyContent = channel.unary_unary( '/cosmos.gov.v1.Msg/ExecLegacyContent', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContent.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContentResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1.Msg/Vote', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.VoteWeighted = channel.unary_unary( '/cosmos.gov.v1.Msg/VoteWeighted', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1.Msg/Deposit', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.gov.v1.Msg/UpdateParams', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) + self.CancelProposal = channel.unary_unary( + '/cosmos.gov.v1.Msg/CancelProposal', + request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, + response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -97,6 +127,15 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def CancelProposal(self, request, context): + """CancelProposal defines a method to cancel governance proposal + + Since: cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -130,10 +169,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'CancelProposal': grpc.unary_unary_rpc_method_handler( + servicer.CancelProposal, + request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.FromString, + response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -152,11 +197,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/SubmitProposal', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecLegacyContent(request, @@ -169,11 +224,21 @@ def ExecLegacyContent(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/ExecLegacyContent', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/ExecLegacyContent', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContent.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContentResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -186,11 +251,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/Vote', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteWeighted(request, @@ -203,11 +278,21 @@ def VoteWeighted(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/VoteWeighted', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/VoteWeighted', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -220,11 +305,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/Deposit', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDeposit.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -237,8 +332,45 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/UpdateParams', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def CancelProposal(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/CancelProposal', + cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, + cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 5ee6a6ce..73aa2466 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_GENESISSTATE'].fields_by_name['deposits']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposits']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\252\337\037\010Deposits\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['votes']._options = None + _globals['_GENESISSTATE'].fields_by_name['votes']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['votes']._serialized_options = b'\310\336\037\000\252\337\037\005Votes\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['proposals']._options = None + _globals['_GENESISSTATE'].fields_by_name['proposals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000\252\337\037\tProposals\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['deposit_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['voting_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['voting_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['tally_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=128 _globals['_GENESISSTATE']._serialized_end=580 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9b978c6 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 12691868..63b30b1a 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/gov.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,118 +21,118 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12L\n\x06weight\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xcb\x02\n\x0bTallyResult\x12I\n\x03yes\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x61\x62stain\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12H\n\x02no\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12R\n\x0cno_with_veto\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\x9f\x02\n\x0bTallyParams\x12R\n\x06quorum\x18\x01 \x01(\x0c\x42\x42\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x10quorum,omitempty\x12X\n\tthreshold\x18\x02 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x13threshold,omitempty\x12\x62\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42J\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x18veto_threshold,omitempty*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42>Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000\330\341\036\000\200\342\036\000' - _globals['_VOTEOPTION']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' + _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._serialized_options = b'\212\235 \013OptionEmpty' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._serialized_options = b'\212\235 \tOptionYes' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._serialized_options = b'\212\235 \rOptionAbstain' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._serialized_options = b'\212\235 \010OptionNo' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._serialized_options = b'\212\235 \020OptionNoWithVeto' - _globals['_PROPOSALSTATUS']._options = None + _globals['_PROPOSALSTATUS']._loaded_options = None _globals['_PROPOSALSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._serialized_options = b'\212\235 \tStatusNil' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._serialized_options = b'\212\235 \023StatusDepositPeriod' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._serialized_options = b'\212\235 \022StatusVotingPeriod' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._serialized_options = b'\212\235 \014StatusPassed' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._serialized_options = b'\212\235 \016StatusRejected' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._serialized_options = b'\212\235 \014StatusFailed' - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._options = None - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_TEXTPROPOSAL']._options = None + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_TEXTPROPOSAL']._loaded_options = None _globals['_TEXTPROPOSAL']._serialized_options = b'\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027cosmos-sdk/TextProposal' - _globals['_DEPOSIT'].fields_by_name['depositor']._options = None + _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSIT'].fields_by_name['amount']._options = None + _globals['_DEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_DEPOSIT']._options = None + _globals['_DEPOSIT']._loaded_options = None _globals['_DEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_PROPOSAL'].fields_by_name['content']._options = None + _globals['_PROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_PROPOSAL'].fields_by_name['final_tally_result']._options = None + _globals['_PROPOSAL'].fields_by_name['final_tally_result']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['final_tally_result']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['total_deposit']._options = None + _globals['_PROPOSAL'].fields_by_name['total_deposit']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['total_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_start_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_start_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_start_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_end_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL']._options = None + _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\350\240\037\001' - _globals['_TALLYRESULT'].fields_by_name['yes']._options = None - _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['abstain']._options = None - _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no']._options = None - _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._options = None - _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT']._options = None + _globals['_TALLYRESULT'].fields_by_name['yes']._loaded_options = None + _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['abstain']._loaded_options = None + _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no']._loaded_options = None + _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._loaded_options = None + _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\350\240\037\001' - _globals['_VOTE'].fields_by_name['proposal_id']._options = None + _globals['_VOTE'].fields_by_name['proposal_id']._loaded_options = None _globals['_VOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\002id\242\347\260*\002id\250\347\260*\001' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VOTE'].fields_by_name['option']._options = None + _globals['_VOTE'].fields_by_name['option']._loaded_options = None _globals['_VOTE'].fields_by_name['option']._serialized_options = b'\030\001' - _globals['_VOTE'].fields_by_name['options']._options = None + _globals['_VOTE'].fields_by_name['options']._loaded_options = None _globals['_VOTE'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VOTE']._options = None - _globals['_VOTE']._serialized_options = b'\230\240\037\000\350\240\037\000' - _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._options = None + _globals['_VOTE']._loaded_options = None + _globals['_VOTE']._serialized_options = b'\350\240\037\000' + _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\310\336\037\000\352\336\037\034max_deposit_period,omitempty\230\337\037\001' - _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._options = None + _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\352\336\037\027voting_period,omitempty\230\337\037\001' - _globals['_TALLYPARAMS'].fields_by_name['quorum']._options = None - _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\020quorum,omitempty' - _globals['_TALLYPARAMS'].fields_by_name['threshold']._options = None - _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\023threshold,omitempty' - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._options = None - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\030veto_threshold,omitempty' - _globals['_VOTEOPTION']._serialized_start=2493 - _globals['_VOTEOPTION']._serialized_end=2723 - _globals['_PROPOSALSTATUS']._serialized_start=2726 - _globals['_PROPOSALSTATUS']._serialized_end=3058 + _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None + _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\020quorum,omitempty\322\264-\ncosmos.Dec' + _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None + _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' + _globals['_VOTEOPTION']._serialized_start=2424 + _globals['_VOTEOPTION']._serialized_end=2654 + _globals['_PROPOSALSTATUS']._serialized_start=2657 + _globals['_PROPOSALSTATUS']._serialized_end=2989 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=391 - _globals['_TEXTPROPOSAL']._serialized_start=393 - _globals['_TEXTPROPOSAL']._serialized_end=507 - _globals['_DEPOSIT']._serialized_start=510 - _globals['_DEPOSIT']._serialized_end=693 - _globals['_PROPOSAL']._serialized_start=696 - _globals['_PROPOSAL']._serialized_end=1304 - _globals['_TALLYRESULT']._serialized_start=1307 - _globals['_TALLYRESULT']._serialized_end=1638 - _globals['_VOTE']._serialized_start=1641 - _globals['_VOTE']._serialized_end=1859 - _globals['_DEPOSITPARAMS']._serialized_start=1862 - _globals['_DEPOSITPARAMS']._serialized_end=2097 - _globals['_VOTINGPARAMS']._serialized_start=2099 - _globals['_VOTINGPARAMS']._serialized_end=2200 - _globals['_TALLYPARAMS']._serialized_start=2203 - _globals['_TALLYPARAMS']._serialized_end=2490 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 + _globals['_TEXTPROPOSAL']._serialized_start=387 + _globals['_TEXTPROPOSAL']._serialized_end=501 + _globals['_DEPOSIT']._serialized_start=504 + _globals['_DEPOSIT']._serialized_end=687 + _globals['_PROPOSAL']._serialized_start=690 + _globals['_PROPOSAL']._serialized_end=1298 + _globals['_TALLYRESULT']._serialized_start=1301 + _globals['_TALLYRESULT']._serialized_end=1564 + _globals['_VOTE']._serialized_start=1567 + _globals['_VOTE']._serialized_end=1781 + _globals['_DEPOSITPARAMS']._serialized_start=1784 + _globals['_DEPOSITPARAMS']._serialized_end=2019 + _globals['_VOTINGPARAMS']._serialized_start=2021 + _globals['_VOTINGPARAMS']._serialized_end=2122 + _globals['_TALLYPARAMS']._serialized_start=2125 + _globals['_TALLYPARAMS']._serialized_end=2421 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 2daafffe..9f0fc764 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index f3df324c..465099d0 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,58 +25,58 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._options = None + _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST']._options = None + _globals['_QUERYPROPOSALSREQUEST']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._options = None + _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._loaded_options = None _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEREQUEST']._options = None + _globals['_QUERYVOTEREQUEST']._loaded_options = None _globals['_QUERYVOTEREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._options = None + _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._options = None + _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._loaded_options = None _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDEPOSITREQUEST']._options = None + _globals['_QUERYDEPOSITREQUEST']._loaded_options = None _globals['_QUERYDEPOSITREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._options = None + _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._loaded_options = None _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._options = None + _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._loaded_options = None _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._options = None + _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._loaded_options = None _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/gov/v1beta1/proposals/{proposal_id}' - _globals['_QUERY'].methods_by_name['Proposals']._options = None + _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposals']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/gov/v1beta1/proposals' - _globals['_QUERY'].methods_by_name['Vote']._options = None + _globals['_QUERY'].methods_by_name['Vote']._loaded_options = None _globals['_QUERY'].methods_by_name['Vote']._serialized_options = b'\202\323\344\223\002;\0229/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}' - _globals['_QUERY'].methods_by_name['Votes']._options = None + _globals['_QUERY'].methods_by_name['Votes']._loaded_options = None _globals['_QUERY'].methods_by_name['Votes']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/votes' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/gov/v1beta1/params/{params_type}' - _globals['_QUERY'].methods_by_name['Deposit']._options = None + _globals['_QUERY'].methods_by_name['Deposit']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposit']._serialized_options = b'\202\323\344\223\002B\022@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}' - _globals['_QUERY'].methods_by_name['Deposits']._options = None + _globals['_QUERY'].methods_by_name['Deposits']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=226 _globals['_QUERYPROPOSALREQUEST']._serialized_end=269 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index db9f5bc0..0e5b4a61 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module @@ -19,42 +44,42 @@ def __init__(self, channel): '/cosmos.gov.v1beta1.Query/Proposal', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.Proposals = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Proposals', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Vote', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteResponse.FromString, - ) + _registered_method=True) self.Votes = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Votes', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Params', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Deposit', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositResponse.FromString, - ) + _registered_method=True) self.Deposits = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Deposits', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.gov.v1beta1.Query/TallyResult', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -97,7 +122,7 @@ def Params(self, request, context): raise NotImplementedError('Method not implemented!') def Deposit(self, request, context): - """Deposit queries single deposit information based proposalID, depositAddr. + """Deposit queries single deposit information based on proposalID, depositor address. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -164,6 +189,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -182,11 +208,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Proposal', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposals(request, @@ -199,11 +235,21 @@ def Proposals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Proposals', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Proposals', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -216,11 +262,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Vote', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Votes(request, @@ -233,11 +289,21 @@ def Votes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Votes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Votes', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -250,11 +316,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Params', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -267,11 +343,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Deposit', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposits(request, @@ -284,11 +370,21 @@ def Deposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Deposits', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Deposits', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -301,8 +397,18 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/TallyResult', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 2bff0a47..64bc3513 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,62 +21,62 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12i\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:>\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xaa\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:1\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xe4\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x80\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:8\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None - _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' - _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None + _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' + _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None - _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTE']._loaded_options = None + _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED']._options = None - _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTEWEIGHTED']._loaded_options = None + _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None - _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGDEPOSIT']._options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' - _globals['_MSG']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGDEPOSIT']._loaded_options = None + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=539 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=541 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=611 - _globals['_MSGVOTE']._serialized_start=614 - _globals['_MSGVOTE']._serialized_end=784 - _globals['_MSGVOTERESPONSE']._serialized_start=786 - _globals['_MSGVOTERESPONSE']._serialized_end=803 - _globals['_MSGVOTEWEIGHTED']._serialized_start=806 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1034 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1036 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1061 - _globals['_MSGDEPOSIT']._serialized_start=1064 - _globals['_MSGDEPOSIT']._serialized_end=1320 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1322 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1342 - _globals['_MSG']._serialized_start=1345 - _globals['_MSG']._serialized_end=1716 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 + _globals['_MSGVOTE']._serialized_start=623 + _globals['_MSGVOTE']._serialized_end=785 + _globals['_MSGVOTERESPONSE']._serialized_start=787 + _globals['_MSGVOTERESPONSE']._serialized_end=804 + _globals['_MSGVOTEWEIGHTED']._serialized_start=807 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 + _globals['_MSGDEPOSIT']._serialized_start=1057 + _globals['_MSGDEPOSIT']._serialized_end=1326 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 + _globals['_MSG']._serialized_start=1351 + _globals['_MSG']._serialized_end=1722 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index 63aba073..fb0f0dcf 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -1,12 +1,37 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): - """Msg defines the bank Msg service. + """Msg defines the gov Msg service. """ def __init__(self, channel): @@ -19,26 +44,26 @@ def __init__(self, channel): '/cosmos.gov.v1beta1.Msg/SubmitProposal', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/Vote', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.VoteWeighted = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/VoteWeighted', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/Deposit', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): - """Msg defines the bank Msg service. + """Msg defines the gov Msg service. """ def SubmitProposal(self, request, context): @@ -98,11 +123,12 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. class Msg(object): - """Msg defines the bank Msg service. + """Msg defines the gov Msg service. """ @staticmethod @@ -116,11 +142,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/SubmitProposal', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -133,11 +169,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/Vote', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteWeighted(request, @@ -150,11 +196,21 @@ def VoteWeighted(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/VoteWeighted', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/VoteWeighted', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -167,8 +223,18 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/Deposit', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index 2ad6f5de..e735d56d 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,11 +23,11 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE'].fields_by_name['max_execution_period']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE'].fields_by_name['max_execution_period']._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_MODULE']._options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/group' _globals['_MODULE']._serialized_start=171 _globals['_MODULE']._serialized_end=323 diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 2daafffe..75848b93 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index 1caa36ef..1c3d7028 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._options = None + _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._options = None + _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._options = None + _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTCREATEGROUP']._serialized_start=105 _globals['_EVENTCREATEGROUP']._serialized_end=141 diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index 2daafffe..ece303bf 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index d5bc091e..78748ede 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_GENESISSTATE']._serialized_start=80 _globals['_GENESISSTATE']._serialized_end=400 diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index 2daafffe..e687ea6c 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index 53bafdb1..f6398b5e 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,52 +25,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._options = None + _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._options = None + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._options = None + _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._loaded_options = None _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['GroupInfo']._options = None + _globals['_QUERY'].methods_by_name['GroupInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupInfo']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/group/v1/group_info/{group_id}' - _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._options = None + _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/group/v1/group_policy_info/{address}' - _globals['_QUERY'].methods_by_name['GroupMembers']._options = None + _globals['_QUERY'].methods_by_name['GroupMembers']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupMembers']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/group/v1/group_members/{group_id}' - _globals['_QUERY'].methods_by_name['GroupsByAdmin']._options = None + _globals['_QUERY'].methods_by_name['GroupsByAdmin']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupsByAdmin']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/group/v1/groups_by_admin/{admin}' - _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._options = None + _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._serialized_options = b'\202\323\344\223\0025\0223/cosmos/group/v1/group_policies_by_group/{group_id}' - _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._options = None + _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._serialized_options = b'\202\323\344\223\0022\0220/cosmos/group/v1/group_policies_by_admin/{admin}' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/group/v1/proposal/{proposal_id}' - _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._options = None + _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._loaded_options = None _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/group/v1/proposals_by_group_policy/{address}' - _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._options = None + _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._loaded_options = None _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._serialized_options = b'\202\323\344\223\002?\022=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}' - _globals['_QUERY'].methods_by_name['VotesByProposal']._options = None + _globals['_QUERY'].methods_by_name['VotesByProposal']._loaded_options = None _globals['_QUERY'].methods_by_name['VotesByProposal']._serialized_options = b'\202\323\344\223\0022\0220/cosmos/group/v1/votes_by_proposal/{proposal_id}' - _globals['_QUERY'].methods_by_name['VotesByVoter']._options = None + _globals['_QUERY'].methods_by_name['VotesByVoter']._loaded_options = None _globals['_QUERY'].methods_by_name['VotesByVoter']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/group/v1/votes_by_voter/{voter}' - _globals['_QUERY'].methods_by_name['GroupsByMember']._options = None + _globals['_QUERY'].methods_by_name['GroupsByMember']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupsByMember']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/group/v1/groups_by_member/{address}' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0020\022./cosmos/group/v1/proposals/{proposal_id}/tally' - _globals['_QUERY'].methods_by_name['Groups']._options = None + _globals['_QUERY'].methods_by_name['Groups']._loaded_options = None _globals['_QUERY'].methods_by_name['Groups']._serialized_options = b'\202\323\344\223\002\031\022\027/cosmos/group/v1/groups' _globals['_QUERYGROUPINFOREQUEST']._serialized_start=219 _globals['_QUERYGROUPINFOREQUEST']._serialized_end=260 diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index 728db883..ba1a4ddd 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the cosmos.group.v1 Query service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.group.v1.Query/GroupInfo', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoResponse.FromString, - ) + _registered_method=True) self.GroupPolicyInfo = channel.unary_unary( '/cosmos.group.v1.Query/GroupPolicyInfo', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoResponse.FromString, - ) + _registered_method=True) self.GroupMembers = channel.unary_unary( '/cosmos.group.v1.Query/GroupMembers', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersResponse.FromString, - ) + _registered_method=True) self.GroupsByAdmin = channel.unary_unary( '/cosmos.group.v1.Query/GroupsByAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminResponse.FromString, - ) + _registered_method=True) self.GroupPoliciesByGroup = channel.unary_unary( '/cosmos.group.v1.Query/GroupPoliciesByGroup', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupResponse.FromString, - ) + _registered_method=True) self.GroupPoliciesByAdmin = channel.unary_unary( '/cosmos.group.v1.Query/GroupPoliciesByAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminResponse.FromString, - ) + _registered_method=True) self.Proposal = channel.unary_unary( '/cosmos.group.v1.Query/Proposal', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.ProposalsByGroupPolicy = channel.unary_unary( '/cosmos.group.v1.Query/ProposalsByGroupPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyResponse.FromString, - ) + _registered_method=True) self.VoteByProposalVoter = channel.unary_unary( '/cosmos.group.v1.Query/VoteByProposalVoter', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterResponse.FromString, - ) + _registered_method=True) self.VotesByProposal = channel.unary_unary( '/cosmos.group.v1.Query/VotesByProposal', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalResponse.FromString, - ) + _registered_method=True) self.VotesByVoter = channel.unary_unary( '/cosmos.group.v1.Query/VotesByVoter', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterResponse.FromString, - ) + _registered_method=True) self.GroupsByMember = channel.unary_unary( '/cosmos.group.v1.Query/GroupsByMember', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.group.v1.Query/TallyResult', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) self.Groups = channel.unary_unary( '/cosmos.group.v1.Query/Groups', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -272,6 +297,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.group.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.group.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -290,11 +316,21 @@ def GroupInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupInfo', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPolicyInfo(request, @@ -307,11 +343,21 @@ def GroupPolicyInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPolicyInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPolicyInfo', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupMembers(request, @@ -324,11 +370,21 @@ def GroupMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupMembers', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupMembers', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupsByAdmin(request, @@ -341,11 +397,21 @@ def GroupsByAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupsByAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupsByAdmin', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPoliciesByGroup(request, @@ -358,11 +424,21 @@ def GroupPoliciesByGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPoliciesByGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPoliciesByGroup', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPoliciesByAdmin(request, @@ -375,11 +451,21 @@ def GroupPoliciesByAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPoliciesByAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPoliciesByAdmin', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposal(request, @@ -392,11 +478,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/Proposal', cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ProposalsByGroupPolicy(request, @@ -409,11 +505,21 @@ def ProposalsByGroupPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/ProposalsByGroupPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/ProposalsByGroupPolicy', cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteByProposalVoter(request, @@ -426,11 +532,21 @@ def VoteByProposalVoter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VoteByProposalVoter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VoteByProposalVoter', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VotesByProposal(request, @@ -443,11 +559,21 @@ def VotesByProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VotesByProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VotesByProposal', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VotesByVoter(request, @@ -460,11 +586,21 @@ def VotesByVoter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VotesByVoter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VotesByVoter', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupsByMember(request, @@ -477,11 +613,21 @@ def GroupsByMember(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupsByMember', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupsByMember', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -494,11 +640,21 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/TallyResult', cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Groups(request, @@ -511,8 +667,18 @@ def Groups(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/Groups', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/Groups', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 81485414..5f9dddba 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,100 +20,100 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"t\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_MSGCREATEGROUP'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUP'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUP'].fields_by_name['members']._options = None + _globals['_MSGCREATEGROUP'].fields_by_name['members']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['members']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEGROUP']._options = None + _globals['_MSGCREATEGROUP']._loaded_options = None _globals['_MSGCREATEGROUP']._serialized_options = b'\202\347\260*\005admin\212\347\260*\031cosmos-sdk/MsgCreateGroup' - _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._options = None + _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEGROUPMEMBERS']._options = None + _globals['_MSGUPDATEGROUPMEMBERS']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS']._serialized_options = b'\202\347\260*\005admin\212\347\260* cosmos-sdk/MsgUpdateGroupMembers' - _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPADMIN']._options = None + _globals['_MSGUPDATEGROUPADMIN']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN']._serialized_options = b'\202\347\260*\005admin\212\347\260*\036cosmos-sdk/MsgUpdateGroupAdmin' - _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPMETADATA']._options = None + _globals['_MSGUPDATEGROUPMETADATA']._loaded_options = None _globals['_MSGUPDATEGROUPMETADATA']._serialized_options = b'\202\347\260*\005admin\212\347\260*!cosmos-sdk/MsgUpdateGroupMetadata' - _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGCREATEGROUPPOLICY']._options = None + _globals['_MSGCREATEGROUPPOLICY']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*\037cosmos-sdk/MsgCreateGroupPolicy' - _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._options = None + _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._loaded_options = None _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_options = b'\202\347\260*\005admin\212\347\260*$cosmos-sdk/MsgUpdateGroupPolicyAdmin' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGCREATEGROUPWITHPOLICY']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*#cosmos-sdk/MsgCreateGroupWithPolicy' - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._options = None + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy' - _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_options = b'\202\347\260*\005admin\212\347\260*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\202\347\260*\tproposers\212\347\260*\"cosmos-sdk/group/MsgSubmitProposal' - _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._options = None + _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._loaded_options = None _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWPROPOSAL']._options = None + _globals['_MSGWITHDRAWPROPOSAL']._loaded_options = None _globals['_MSGWITHDRAWPROPOSAL']._serialized_options = b'\202\347\260*\007address\212\347\260*$cosmos-sdk/group/MsgWithdrawProposal' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\030cosmos-sdk/group/MsgVote' - _globals['_MSGEXEC'].fields_by_name['executor']._options = None + _globals['_MSGEXEC'].fields_by_name['executor']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['executor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXEC']._options = None - _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\006signer\212\347\260*\030cosmos-sdk/group/MsgExec' - _globals['_MSGLEAVEGROUP'].fields_by_name['address']._options = None + _globals['_MSGEXEC']._loaded_options = None + _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\010executor\212\347\260*\030cosmos-sdk/group/MsgExec' + _globals['_MSGLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_MSGLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGLEAVEGROUP']._options = None + _globals['_MSGLEAVEGROUP']._loaded_options = None _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=3741 - _globals['_EXEC']._serialized_end=3783 + _globals['_EXEC']._serialized_start=3743 + _globals['_EXEC']._serialized_end=3785 _globals['_MSGCREATEGROUP']._serialized_start=195 _globals['_MSGCREATEGROUP']._serialized_end=372 _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 @@ -163,13 +163,13 @@ _globals['_MSGVOTERESPONSE']._serialized_start=3376 _globals['_MSGVOTERESPONSE']._serialized_end=3393 _globals['_MSGEXEC']._serialized_start=3395 - _globals['_MSGEXEC']._serialized_end=3511 - _globals['_MSGEXECRESPONSE']._serialized_start=3513 - _globals['_MSGEXECRESPONSE']._serialized_end=3587 - _globals['_MSGLEAVEGROUP']._serialized_start=3589 - _globals['_MSGLEAVEGROUP']._serialized_end=3714 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3716 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3739 - _globals['_MSG']._serialized_start=3786 - _globals['_MSG']._serialized_end=5268 + _globals['_MSGEXEC']._serialized_end=3513 + _globals['_MSGEXECRESPONSE']._serialized_start=3515 + _globals['_MSGEXECRESPONSE']._serialized_end=3589 + _globals['_MSGLEAVEGROUP']._serialized_start=3591 + _globals['_MSGLEAVEGROUP']._serialized_end=3716 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 + _globals['_MSG']._serialized_start=3788 + _globals['_MSG']._serialized_end=5270 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 92b00a12..15175742 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg is the cosmos.group.v1 Msg service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.group.v1.Msg/CreateGroup', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroup.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupResponse.FromString, - ) + _registered_method=True) self.UpdateGroupMembers = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupMembers', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembers.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembersResponse.FromString, - ) + _registered_method=True) self.UpdateGroupAdmin = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdmin.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdminResponse.FromString, - ) + _registered_method=True) self.UpdateGroupMetadata = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupMetadata', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadata.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadataResponse.FromString, - ) + _registered_method=True) self.CreateGroupPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/CreateGroupPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicyResponse.FromString, - ) + _registered_method=True) self.CreateGroupWithPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/CreateGroupWithPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicyResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyAdmin = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdmin.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdminResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyDecisionPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicyResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyMetadata = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadata.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadataResponse.FromString, - ) + _registered_method=True) self.SubmitProposal = channel.unary_unary( '/cosmos.group.v1.Msg/SubmitProposal', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.WithdrawProposal = channel.unary_unary( '/cosmos.group.v1.Msg/WithdrawProposal', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposal.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposalResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.group.v1.Msg/Vote', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.Exec = channel.unary_unary( '/cosmos.group.v1.Msg/Exec', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExec.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExecResponse.FromString, - ) + _registered_method=True) self.LeaveGroup = channel.unary_unary( '/cosmos.group.v1.Msg/LeaveGroup', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroup.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroupResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -266,6 +291,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.group.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.group.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -284,11 +310,21 @@ def CreateGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroup', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroup.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupMembers(request, @@ -301,11 +337,21 @@ def UpdateGroupMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupMembers', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupMembers', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembers.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupAdmin(request, @@ -318,11 +364,21 @@ def UpdateGroupAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupAdmin', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdmin.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupMetadata(request, @@ -335,11 +391,21 @@ def UpdateGroupMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupMetadata', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadata.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateGroupPolicy(request, @@ -352,11 +418,21 @@ def CreateGroupPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroupPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroupPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateGroupWithPolicy(request, @@ -369,11 +445,21 @@ def CreateGroupWithPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroupWithPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroupWithPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyAdmin(request, @@ -386,11 +472,21 @@ def UpdateGroupPolicyAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdmin.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyDecisionPolicy(request, @@ -403,11 +499,21 @@ def UpdateGroupPolicyDecisionPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyMetadata(request, @@ -420,11 +526,21 @@ def UpdateGroupPolicyMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadata.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitProposal(request, @@ -437,11 +553,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/SubmitProposal', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawProposal(request, @@ -454,11 +580,21 @@ def WithdrawProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/WithdrawProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/WithdrawProposal', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposal.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -471,11 +607,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/Vote', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Exec(request, @@ -488,11 +634,21 @@ def Exec(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/Exec', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/Exec', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExec.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExecResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LeaveGroup(request, @@ -505,8 +661,18 @@ def LeaveGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/LeaveGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/LeaveGroup', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroup.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index 259c3de1..581f7add 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,60 +25,60 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_VOTEOPTION']._options = None + _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALSTATUS']._options = None + _globals['_PROPOSALSTATUS']._loaded_options = None _globals['_PROPOSALSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALEXECUTORRESULT']._options = None + _globals['_PROPOSALEXECUTORRESULT']._loaded_options = None _globals['_PROPOSALEXECUTORRESULT']._serialized_options = b'\210\243\036\000' - _globals['_MEMBER'].fields_by_name['address']._options = None + _globals['_MEMBER'].fields_by_name['address']._loaded_options = None _globals['_MEMBER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MEMBER'].fields_by_name['added_at']._options = None + _globals['_MEMBER'].fields_by_name['added_at']._loaded_options = None _globals['_MEMBER'].fields_by_name['added_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MEMBERREQUEST'].fields_by_name['address']._options = None + _globals['_MEMBERREQUEST'].fields_by_name['address']._loaded_options = None _globals['_MEMBERREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_THRESHOLDDECISIONPOLICY']._options = None + _globals['_THRESHOLDDECISIONPOLICY']._loaded_options = None _globals['_THRESHOLDDECISIONPOLICY']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy\212\347\260*\"cosmos-sdk/ThresholdDecisionPolicy' - _globals['_PERCENTAGEDECISIONPOLICY']._options = None + _globals['_PERCENTAGEDECISIONPOLICY']._loaded_options = None _globals['_PERCENTAGEDECISIONPOLICY']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy\212\347\260*#cosmos-sdk/PercentageDecisionPolicy' - _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._options = None + _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._loaded_options = None _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._options = None + _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._loaded_options = None _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_GROUPINFO'].fields_by_name['admin']._options = None + _globals['_GROUPINFO'].fields_by_name['admin']._loaded_options = None _globals['_GROUPINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPINFO'].fields_by_name['created_at']._options = None + _globals['_GROUPINFO'].fields_by_name['created_at']._loaded_options = None _globals['_GROUPINFO'].fields_by_name['created_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_GROUPPOLICYINFO'].fields_by_name['address']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['address']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_GROUPPOLICYINFO']._options = None + _globals['_GROUPPOLICYINFO']._loaded_options = None _globals['_GROUPPOLICYINFO']._serialized_options = b'\210\240\037\000\350\240\037\001' - _globals['_PROPOSAL'].fields_by_name['group_policy_address']._options = None + _globals['_PROPOSAL'].fields_by_name['group_policy_address']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROPOSAL'].fields_by_name['proposers']._options = None + _globals['_PROPOSAL'].fields_by_name['proposers']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposers']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['final_tally_result']._options = None + _globals['_PROPOSAL'].fields_by_name['final_tally_result']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['final_tally_result']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_period_end']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_period_end']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_period_end']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL']._options = None + _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\210\240\037\000' - _globals['_TALLYRESULT']._options = None + _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\210\240\037\000' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VOTE'].fields_by_name['submit_time']._options = None + _globals['_VOTE'].fields_by_name['submit_time']._loaded_options = None _globals['_VOTE'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_VOTEOPTION']._serialized_start=2450 _globals['_VOTEOPTION']._serialized_end=2593 diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index 2daafffe..c721892d 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py index cadf2318..ad2e39c6 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/ics23/v1/proofs.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.ics23.v1.proofs_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z github.com/cosmos/ics23/go;ics23' _globals['_HASHOP']._serialized_start=1930 _globals['_HASHOP']._serialized_end=2080 diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index 2daafffe..a82d5f8b 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index efc1ce22..0cc83382 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/mint' _globals['_MODULE']._serialized_start=95 _globals['_MODULE']._serialized_end=195 diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index 2daafffe..f7416d70 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index 3e9267b6..1888f563 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_GENESISSTATE'].fields_by_name['minter']._options = None + _globals['_GENESISSTATE'].fields_by_name['minter']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['minter']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=131 _globals['_GENESISSTATE']._serialized_end=257 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 2daafffe..3c40b433 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index 3c7ff078..fd4c0ca2 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/mint.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,30 +17,30 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb2\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12W\n\x11\x61nnual_provisions\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"\xb2\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12[\n\x15inflation_rate_change\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_max\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_min\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12Q\n\x0bgoal_bonded\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.mint_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_MINTER'].fields_by_name['inflation']._options = None - _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_MINTER'].fields_by_name['annual_provisions']._options = None - _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_rate_change']._options = None - _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_max']._options = None - _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_min']._options = None - _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['goal_bonded']._options = None - _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/mint/Params' + _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None + _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None + _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['inflation_rate_change']._loaded_options = None + _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['inflation_max']._loaded_options = None + _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['inflation_min']._loaded_options = None + _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['goal_bonded']._loaded_options = None + _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=302 - _globals['_PARAMS']._serialized_start=305 - _globals['_PARAMS']._serialized_end=739 + _globals['_MINTER']._serialized_end=280 + _globals['_PARAMS']._serialized_start=283 + _globals['_PARAMS']._serialized_end=689 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index 2daafffe..f6da96cd 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index 33e12abb..523443a7 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,40 +16,41 @@ from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"`\n\x16QueryInflationResponse\x12\x46\n\tinflation\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"o\n\x1dQueryAnnualProvisionsResponse\x12N\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._options = None - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._options = None - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._loaded_options = None + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/mint/v1beta1/params' - _globals['_QUERY'].methods_by_name['Inflation']._options = None + _globals['_QUERY'].methods_by_name['Inflation']._loaded_options = None _globals['_QUERY'].methods_by_name['Inflation']._serialized_options = b'\202\323\344\223\002 \022\036/cosmos/mint/v1beta1/inflation' - _globals['_QUERY'].methods_by_name['AnnualProvisions']._options = None + _globals['_QUERY'].methods_by_name['AnnualProvisions']._loaded_options = None _globals['_QUERY'].methods_by_name['AnnualProvisions']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/mint/v1beta1/annual_provisions' - _globals['_QUERYPARAMSREQUEST']._serialized_start=159 - _globals['_QUERYPARAMSREQUEST']._serialized_end=179 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=181 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=258 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=260 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=283 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=285 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=381 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=383 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=413 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=415 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=526 - _globals['_QUERY']._serialized_start=529 - _globals['_QUERY']._serialized_end=982 + _globals['_QUERYPARAMSREQUEST']._serialized_start=186 + _globals['_QUERYPARAMSREQUEST']._serialized_end=206 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 + _globals['_QUERY']._serialized_start=562 + _globals['_QUERY']._serialized_end=1015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index b5b3b463..0a03d03d 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.mint.v1beta1.Query/Params', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Inflation = channel.unary_unary( '/cosmos.mint.v1beta1.Query/Inflation', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationResponse.FromString, - ) + _registered_method=True) self.AnnualProvisions = channel.unary_unary( '/cosmos.mint.v1beta1.Query/AnnualProvisions', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.mint.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.mint.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/Params', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Inflation(request, @@ -114,11 +150,21 @@ def Inflation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/Inflation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/Inflation', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AnnualProvisions(request, @@ -131,8 +177,18 @@ def AnnualProvisions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/AnnualProvisions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/AnnualProvisions', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index 52f3ce6e..f00885c7 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/mint/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 _globals['_MSGUPDATEPARAMS']._serialized_end=351 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index 2883d7cd..b23f44eb 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/mint Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.mint.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -48,6 +73,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.mint.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.mint.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Msg/UpdateParams', cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py new file mode 100644 index 00000000..5079cb52 --- /dev/null +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py @@ -0,0 +1,25 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/msg/textual/v1/textual.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:B\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.textual.v1.textual_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py new file mode 100644 index 00000000..2952b60a --- /dev/null +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/msg/textual/v1/textual_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py index 02a94bd7..a4ce7eb7 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/msg/v1/msg.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.v1.msg_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/msgservice' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 2daafffe..3730ba40 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index b1066200..217d6013 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"4\n\x06Module:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/nft' +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=145 + _globals['_MODULE']._serialized_end=129 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 2daafffe..22737655 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 14a87c1d..86d74c90 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/event.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_EVENTSEND']._serialized_start=54 _globals['_EVENTSEND']._serialized_end=129 _globals['_EVENTMINT']._serialized_start=131 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 2daafffe..4f50dde7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index b990dc0d..c44e63ca 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,14 +15,14 @@ from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_GENESISSTATE']._serialized_start=86 _globals['_GENESISSTATE']._serialized_end=188 _globals['_ENTRY']._serialized_start=190 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index 2daafffe..ffcfec91 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 39430c46..0ea652f4 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/nft.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_CLASS']._serialized_start=80 _globals['_CLASS']._serialized_end=217 _globals['_NFT']._serialized_start=219 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 2daafffe..72c83091 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index 254e9605..b6f45782 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,27 +17,27 @@ from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' - _globals['_QUERY'].methods_by_name['Balance']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' - _globals['_QUERY'].methods_by_name['Owner']._options = None + _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None _globals['_QUERY'].methods_by_name['Owner']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/nft/v1beta1/owner/{class_id}/{id}' - _globals['_QUERY'].methods_by_name['Supply']._options = None + _globals['_QUERY'].methods_by_name['Supply']._loaded_options = None _globals['_QUERY'].methods_by_name['Supply']._serialized_options = b'\202\323\344\223\002\'\022%/cosmos/nft/v1beta1/supply/{class_id}' - _globals['_QUERY'].methods_by_name['NFTs']._options = None + _globals['_QUERY'].methods_by_name['NFTs']._loaded_options = None _globals['_QUERY'].methods_by_name['NFTs']._serialized_options = b'\202\323\344\223\002\032\022\030/cosmos/nft/v1beta1/nfts' - _globals['_QUERY'].methods_by_name['NFT']._options = None + _globals['_QUERY'].methods_by_name['NFT']._loaded_options = None _globals['_QUERY'].methods_by_name['NFT']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/nft/v1beta1/nfts/{class_id}/{id}' - _globals['_QUERY'].methods_by_name['Class']._options = None + _globals['_QUERY'].methods_by_name['Class']._loaded_options = None _globals['_QUERY'].methods_by_name['Class']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/nft/v1beta1/classes/{class_id}' - _globals['_QUERY'].methods_by_name['Classes']._options = None + _globals['_QUERY'].methods_by_name['Classes']._loaded_options = None _globals['_QUERY'].methods_by_name['Classes']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/nft/v1beta1/classes' _globals['_QUERYBALANCEREQUEST']._serialized_start=158 _globals['_QUERYBALANCEREQUEST']._serialized_end=212 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index eb4ca61d..6f638e6e 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.nft.v1beta1.Query/Balance', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - ) + _registered_method=True) self.Owner = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Owner', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerResponse.FromString, - ) + _registered_method=True) self.Supply = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Supply', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyResponse.FromString, - ) + _registered_method=True) self.NFTs = channel.unary_unary( '/cosmos.nft.v1beta1.Query/NFTs', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsResponse.FromString, - ) + _registered_method=True) self.NFT = channel.unary_unary( '/cosmos.nft.v1beta1.Query/NFT', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTResponse.FromString, - ) + _registered_method=True) self.Class = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Class', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassResponse.FromString, - ) + _registered_method=True) self.Classes = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Classes', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -148,6 +173,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.nft.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.nft.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -166,11 +192,21 @@ def Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Balance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Balance', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Owner(request, @@ -183,11 +219,21 @@ def Owner(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Owner', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Owner', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Supply(request, @@ -200,11 +246,21 @@ def Supply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Supply', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Supply', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NFTs(request, @@ -217,11 +273,21 @@ def NFTs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/NFTs', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/NFTs', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NFT(request, @@ -234,11 +300,21 @@ def NFT(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/NFT', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/NFT', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Class(request, @@ -251,11 +327,21 @@ def Class(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Class', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Class', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Classes(request, @@ -268,8 +354,18 @@ def Classes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Classes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Classes', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 9e49d5aa..40b885d6 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,21 +16,21 @@ from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' - _globals['_MSGSEND'].fields_by_name['sender']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['receiver']._options = None + _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None _globals['_MSGSEND'].fields_by_name['receiver']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND']._options = None + _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=104 _globals['_MSGSEND']._serialized_end=242 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 54c45b6e..7c40586b 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the nft Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.nft.v1beta1.Msg/Send', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -45,6 +70,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.nft.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.nft.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Send(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Msg/Send', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Msg/Send', cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 49f060a2..26694fcc 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/module/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"2\n\x06Module:(\xba\xc0\x96\xda\x01\"\n github.com/cosmos/cosmos-sdk/ormb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.module.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\"\n github.com/cosmos/cosmos-sdk/orm' +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=155 + _globals['_MODULE']._serialized_end=139 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index 2daafffe..bd028b7a 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index 6467ad6d..2a3c9d0d 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/query/v1alpha1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,8 +23,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.query.v1alpha1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETREQUEST']._serialized_start=204 _globals['_GETREQUEST']._serialized_end=308 _globals['_GETRESPONSE']._serialized_start=310 diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index e0bef2c3..49e4a559 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is a generic gRPC service for querying ORM data. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.orm.query.v1alpha1.Query/Get', request_serializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetRequest.SerializeToString, response_deserializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetResponse.FromString, - ) + _registered_method=True) self.List = channel.unary_unary( '/cosmos.orm.query.v1alpha1.Query/List', request_serializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListRequest.SerializeToString, response_deserializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.orm.query.v1alpha1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.orm.query.v1alpha1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def Get(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.orm.query.v1alpha1.Query/Get', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.orm.query.v1alpha1.Query/Get', cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetRequest.SerializeToString, cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def List(request, @@ -97,8 +133,18 @@ def List(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.orm.query.v1alpha1.Query/List', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.orm.query.v1alpha1.Query/List', cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListRequest.SerializeToString, cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py index bf915285..19b13b87 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/v1/orm.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1.orm_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_TABLEDESCRIPTOR']._serialized_start=77 _globals['_TABLEDESCRIPTOR']._serialized_end=220 _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=222 diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 2daafffe..0f03d13d 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 78e5b257..3e072baf 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/v1alpha1/schema.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*\x9d\x01\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02\x12\x16\n\x12STORAGE_TYPE_INDEX\x10\x03\x12\x1b\n\x17STORAGE_TYPE_COMMITMENT\x10\x04:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_STORAGETYPE']._serialized_start=317 - _globals['_STORAGETYPE']._serialized_end=474 +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_STORAGETYPE']._serialized_start=316 + _globals['_STORAGETYPE']._serialized_end=420 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 2daafffe..40712371 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index 4f547ce0..b40c446a 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/params' _globals['_MODULE']._serialized_start=99 _globals['_MODULE']._serialized_end=154 diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 2daafffe..4bad0bd0 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index de86a593..53c2cc22 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,22 +17,20 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xcc\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:M\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"A\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\t:\x04\x98\xa0\x1f\x00\x42:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\250\342\036\001' - _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._options = None + _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PARAMETERCHANGEPROPOSAL']._options = None - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' - _globals['_PARAMCHANGE']._options = None - _globals['_PARAMCHANGE']._serialized_options = b'\230\240\037\000' + _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=334 - _globals['_PARAMCHANGE']._serialized_start=336 - _globals['_PARAMCHANGE']._serialized_end=401 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 + _globals['_PARAMCHANGE']._serialized_start=332 + _globals['_PARAMCHANGE']._serialized_end=391 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index 2daafffe..cdfe7f6d 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index 0bc1c8c9..79e3ea10 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/params/v1beta1/params' - _globals['_QUERY'].methods_by_name['Subspaces']._options = None + _globals['_QUERY'].methods_by_name['Subspaces']._loaded_options = None _globals['_QUERY'].methods_by_name['Subspaces']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/params/v1beta1/subspaces' _globals['_QUERYPARAMSREQUEST']._serialized_start=167 _globals['_QUERYPARAMSREQUEST']._serialized_end=218 diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index 50987d70..3d53e438 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.params.v1beta1.Query/Params', request_serializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Subspaces = channel.unary_unary( '/cosmos.params.v1beta1.Query/Subspaces', request_serializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesRequest.SerializeToString, response_deserializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -65,6 +90,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.params.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.params.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -83,11 +109,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.params.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.params.v1beta1.Query/Params', cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Subspaces(request, @@ -100,8 +136,18 @@ def Subspaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.params.v1beta1.Query/Subspaces', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.params.v1beta1.Query/Subspaces', cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesRequest.SerializeToString, cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2.py b/pyinjective/proto/cosmos/query/v1/query_pb2.py index 63cc3e06..9e13f960 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/query/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.query.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 2daafffe..51870a49 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index e9cfdb72..d4428c47 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/reflection/v1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,9 +21,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.reflection.v1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._serialized_options = b'\210\347\260*\000' _globals['_FILEDESCRIPTORSREQUEST']._serialized_start=126 _globals['_FILEDESCRIPTORSREQUEST']._serialized_end=150 diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index 0361cff0..6855974e 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """Package cosmos.reflection.v1 provides support for inspecting protobuf @@ -20,7 +45,7 @@ def __init__(self, channel): '/cosmos.reflection.v1.ReflectionService/FileDescriptors', request_serializer=cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsRequest.SerializeToString, response_deserializer=cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -48,6 +73,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.reflection.v1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.reflection.v1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -67,8 +93,18 @@ def FileDescriptors(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.reflection.v1.ReflectionService/FileDescriptors', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.reflection.v1.ReflectionService/FileDescriptors', cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsRequest.SerializeToString, cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index 87d4f932..9b0a305a 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/slashing' _globals['_MODULE']._serialized_start=103 _globals['_MODULE']._serialized_end=179 diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 2daafffe..34467489 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index acfa9c2b..21e1f022 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,34 +18,34 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x92\x01\n\x0bSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x01\n\x15ValidatorMissedBlocks\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['signing_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['signing_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['signing_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._options = None + _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SIGNINGINFO'].fields_by_name['address']._options = None - _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._options = None + _globals['_SIGNINGINFO'].fields_by_name['address']._loaded_options = None + _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._loaded_options = None _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._options = None - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._options = None + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._loaded_options = None + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 _globals['_GENESISSTATE']._serialized_end=403 _globals['_SIGNINGINFO']._serialized_start=406 - _globals['_SIGNINGINFO']._serialized_end=552 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=555 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=693 - _globals['_MISSEDBLOCK']._serialized_start=695 - _globals['_MISSEDBLOCK']._serialized_end=739 + _globals['_SIGNINGINFO']._serialized_end=561 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 + _globals['_MISSEDBLOCK']._serialized_start=713 + _globals['_MISSEDBLOCK']._serialized_end=757 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 2daafffe..5b3f838a 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index 335089ab..51c319ef 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,40 +20,40 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"I\n\x17QuerySigningInfoRequest\x12.\n\x0c\x63ons_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._options = None - _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._options = None + _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None + _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._loaded_options = None _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002!\022\037/cosmos/slashing/v1beta1/params' - _globals['_QUERY'].methods_by_name['SigningInfo']._options = None + _globals['_QUERY'].methods_by_name['SigningInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['SigningInfo']._serialized_options = b'\202\323\344\223\0027\0225/cosmos/slashing/v1beta1/signing_infos/{cons_address}' - _globals['_QUERY'].methods_by_name['SigningInfos']._options = None + _globals['_QUERY'].methods_by_name['SigningInfos']._loaded_options = None _globals['_QUERY'].methods_by_name['SigningInfos']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/slashing/v1beta1/signing_infos' _globals['_QUERYPARAMSREQUEST']._serialized_start=246 _globals['_QUERYPARAMSREQUEST']._serialized_end=266 _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=424 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=426 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=536 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=538 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=624 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=627 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=787 - _globals['_QUERY']._serialized_start=790 - _globals['_QUERY']._serialized_end=1288 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 + _globals['_QUERY']._serialized_start=799 + _globals['_QUERY']._serialized_end=1297 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index 0cd13ae9..260521b5 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.slashing.v1beta1.Query/Params', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.SigningInfo = channel.unary_unary( '/cosmos.slashing.v1beta1.Query/SigningInfo', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoResponse.FromString, - ) + _registered_method=True) self.SigningInfos = channel.unary_unary( '/cosmos.slashing.v1beta1.Query/SigningInfos', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.slashing.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.slashing.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/Params', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SigningInfo(request, @@ -114,11 +150,21 @@ def SigningInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/SigningInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/SigningInfo', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SigningInfos(request, @@ -131,8 +177,18 @@ def SigningInfos(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/SigningInfos', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/SigningInfos', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 77f98813..7b8da5d3 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/slashing.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,32 +19,32 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xeb\x01\n\x14ValidatorSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x96\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12R\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12W\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12T\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.slashing_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._options = None - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._options = None + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VALIDATORSIGNINGINFO']._options = None - _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_PARAMS'].fields_by_name['min_signed_per_window']._options = None - _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._options = None + _globals['_VALIDATORSIGNINGINFO']._loaded_options = None + _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS'].fields_by_name['min_signed_per_window']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=436 - _globals['_PARAMS']._serialized_start=439 - _globals['_PARAMS']._serialized_end=845 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 + _globals['_PARAMS']._serialized_start=444 + _globals['_PARAMS']._serialized_end=859 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 2daafffe..42aa6035 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index db47831b..e8467771 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,34 +19,34 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8f\x01\n\tMsgUnjail\x12L\n\x0evalidator_addr\x18\x01 \x01(\tB4\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x14\x63osmos.AddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\x98\xa0\x1f\x01\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' - _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._options = None - _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\024cosmos.AddressString\242\347\260*\007address\250\347\260*\001' - _globals['_MSGUNJAIL']._options = None - _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\230\240\037\001\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None + _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' + _globals['_MSGUNJAIL']._loaded_options = None + _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*%cosmos-sdk/x/slashing/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=338 - _globals['_MSGUNJAILRESPONSE']._serialized_start=340 - _globals['_MSGUNJAILRESPONSE']._serialized_end=359 - _globals['_MSGUPDATEPARAMS']._serialized_start=362 - _globals['_MSGUPDATEPARAMS']._serialized_end=542 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=544 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=569 - _globals['_MSG']._serialized_start=572 - _globals['_MSG']._serialized_end=782 + _globals['_MSGUNJAIL']._serialized_end=343 + _globals['_MSGUNJAILRESPONSE']._serialized_start=345 + _globals['_MSGUNJAILRESPONSE']._serialized_end=364 + _globals['_MSGUPDATEPARAMS']._serialized_start=367 + _globals['_MSGUPDATEPARAMS']._serialized_end=547 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 + _globals['_MSG']._serialized_start=577 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index 41c6e172..e9be8234 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the slashing Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.slashing.v1beta1.Msg/Unjail', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjail.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjailResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.slashing.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -67,6 +92,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.slashing.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.slashing.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -85,11 +111,21 @@ def Unjail(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Msg/Unjail', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Msg/Unjail', cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjail.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjailResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -102,8 +138,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Msg/UpdateParams', cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index df247d2c..6cf1115c 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"`\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xa2\x01\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/staking' - _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=197 + _globals['_MODULE']._serialized_start=102 + _globals['_MODULE']._serialized_end=264 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 2daafffe..246d99d1 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 800b0fbf..29a3e9b3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,24 +18,28 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xe1\x03\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12K\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12J\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\x9e\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._options = None + _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._loaded_options = None _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._serialized_options = b'\252\337\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_STAKEAUTHORIZATION']._options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\262\347\260*\'cosmos-sdk/StakeAuthorization/AllowList' + _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._loaded_options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' + _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=647 - _globals['_AUTHORIZATIONTYPE']._serialized_end=805 + _globals['_AUTHORIZATIONTYPE']._serialized_start=738 + _globals['_AUTHORIZATIONTYPE']._serialized_end=948 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=644 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=501 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=556 + _globals['_STAKEAUTHORIZATION']._serialized_end=735 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 2daafffe..129a33db 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index c2e7544d..ed1cacb1 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,34 +18,34 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa5\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['last_total_power']._options = None - _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._options = None + _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validators']._options = None + _globals['_GENESISSTATE'].fields_by_name['validators']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['redelegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['redelegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redelegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._options = None + _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._loaded_options = None _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_LASTVALIDATORPOWER']._options = None + _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=720 - _globals['_LASTVALIDATORPOWER']._serialized_start=722 - _globals['_LASTVALIDATORPOWER']._serialized_end=810 + _globals['_GENESISSTATE']._serialized_end=717 + _globals['_LASTVALIDATORPOWER']._serialized_start=719 + _globals['_LASTVALIDATORPOWER']._serialized_end=807 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 2daafffe..06c7bacd 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index ed1552cd..f47e5634 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,166 +21,166 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"I\n\x15QueryValidatorRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x90\x01\n QueryValidatorDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x86\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x8f\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._options = None + _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._options = None + _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._options = None + _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\252\337\037\023DelegationResponses\250\347\260*\001' - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._options = None + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREQUEST']._options = None + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._options = None + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._options = None + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._options = None + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST']._options = None + _globals['_QUERYREDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._options = None + _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._loaded_options = None _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._options = None + _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._options = None - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATORVALIDATORREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._options = None + _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._options = None + _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._loaded_options = None _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Validators']._options = None + _globals['_QUERY'].methods_by_name['Validators']._loaded_options = None _globals['_QUERY'].methods_by_name['Validators']._serialized_options = b'\210\347\260*\001\202\323\344\223\002$\022\"/cosmos/staking/v1beta1/validators' - _globals['_QUERY'].methods_by_name['Validator']._options = None + _globals['_QUERY'].methods_by_name['Validator']._loaded_options = None _globals['_QUERY'].methods_by_name['Validator']._serialized_options = b'\210\347\260*\001\202\323\344\223\0025\0223/cosmos/staking/v1beta1/validators/{validator_addr}' - _globals['_QUERY'].methods_by_name['ValidatorDelegations']._options = None + _globals['_QUERY'].methods_by_name['ValidatorDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002A\022?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations' - _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._options = None + _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002K\022I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations' - _globals['_QUERY'].methods_by_name['Delegation']._options = None + _globals['_QUERY'].methods_by_name['Delegation']._loaded_options = None _globals['_QUERY'].methods_by_name['Delegation']._serialized_options = b'\210\347\260*\001\202\323\344\223\002R\022P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}' - _globals['_QUERY'].methods_by_name['UnbondingDelegation']._options = None + _globals['_QUERY'].methods_by_name['UnbondingDelegation']._loaded_options = None _globals['_QUERY'].methods_by_name['UnbondingDelegation']._serialized_options = b'\210\347\260*\001\202\323\344\223\002g\022e/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation' - _globals['_QUERY'].methods_by_name['DelegatorDelegations']._options = None + _globals['_QUERY'].methods_by_name['DelegatorDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\0026\0224/cosmos/staking/v1beta1/delegations/{delegator_addr}' - _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._options = None + _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002K\022I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations' - _globals['_QUERY'].methods_by_name['Redelegations']._options = None + _globals['_QUERY'].methods_by_name['Redelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['Redelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002C\022A/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations' - _globals['_QUERY'].methods_by_name['DelegatorValidators']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidators']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidators']._serialized_options = b'\210\347\260*\001\202\323\344\223\002@\022>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators' - _globals['_QUERY'].methods_by_name['DelegatorValidator']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidator']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidator']._serialized_options = b'\210\347\260*\001\202\323\344\223\002Q\022O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}' - _globals['_QUERY'].methods_by_name['HistoricalInfo']._options = None + _globals['_QUERY'].methods_by_name['HistoricalInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['HistoricalInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\0022\0220/cosmos/staking/v1beta1/historical_info/{height}' - _globals['_QUERY'].methods_by_name['Pool']._options = None + _globals['_QUERY'].methods_by_name['Pool']._loaded_options = None _globals['_QUERY'].methods_by_name['Pool']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\036\022\034/cosmos/staking/v1beta1/pool' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002 \022\036/cosmos/staking/v1beta1/params' _globals['_QUERYVALIDATORSREQUEST']._serialized_start=271 _globals['_QUERYVALIDATORSREQUEST']._serialized_end=371 _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=601 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=603 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=692 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=695 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=839 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=842 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1046 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1049 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1202 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1205 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1395 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1398 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1532 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1534 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1632 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1635 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1778 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1780 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1886 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1889 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2043 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2046 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2227 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2230 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2393 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2396 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2586 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2589 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2844 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2847 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3025 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3028 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3181 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3184 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3345 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3348 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3490 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3492 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3590 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3592 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3636 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3638 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3721 - _globals['_QUERYPOOLREQUEST']._serialized_start=3723 - _globals['_QUERYPOOLREQUEST']._serialized_end=3741 - _globals['_QUERYPOOLRESPONSE']._serialized_start=3743 - _globals['_QUERYPOOLRESPONSE']._serialized_end=3817 - _globals['_QUERYPARAMSREQUEST']._serialized_start=3819 - _globals['_QUERYPARAMSREQUEST']._serialized_end=3839 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=3841 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=3921 - _globals['_QUERY']._serialized_start=3924 - _globals['_QUERY']._serialized_end=6788 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 + _globals['_QUERYPOOLREQUEST']._serialized_start=3777 + _globals['_QUERYPOOLREQUEST']._serialized_end=3795 + _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 + _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 + _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 + _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 + _globals['_QUERY']._serialized_start=3978 + _globals['_QUERY']._serialized_end=6842 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index d7902512..01dea25c 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.staking.v1beta1.Query/Validators', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsResponse.FromString, - ) + _registered_method=True) self.Validator = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Validator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorResponse.FromString, - ) + _registered_method=True) self.ValidatorDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/ValidatorDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsResponse.FromString, - ) + _registered_method=True) self.ValidatorUnbondingDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsResponse.FromString, - ) + _registered_method=True) self.Delegation = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Delegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationResponse.FromString, - ) + _registered_method=True) self.UnbondingDelegation = channel.unary_unary( '/cosmos.staking.v1beta1.Query/UnbondingDelegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationResponse.FromString, - ) + _registered_method=True) self.DelegatorDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsResponse.FromString, - ) + _registered_method=True) self.DelegatorUnbondingDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsResponse.FromString, - ) + _registered_method=True) self.Redelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Redelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidators = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorValidators', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidator = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorResponse.FromString, - ) + _registered_method=True) self.HistoricalInfo = channel.unary_unary( '/cosmos.staking.v1beta1.Query/HistoricalInfo', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoResponse.FromString, - ) + _registered_method=True) self.Pool = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Pool', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Params', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -291,6 +316,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.staking.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.staking.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -309,11 +335,21 @@ def Validators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Validators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Validators', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Validator(request, @@ -326,11 +362,21 @@ def Validator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Validator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Validator', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorDelegations(request, @@ -343,11 +389,21 @@ def ValidatorDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/ValidatorDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/ValidatorDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorUnbondingDelegations(request, @@ -360,11 +416,21 @@ def ValidatorUnbondingDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Delegation(request, @@ -377,11 +443,21 @@ def Delegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Delegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Delegation', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnbondingDelegation(request, @@ -394,11 +470,21 @@ def UnbondingDelegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/UnbondingDelegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/UnbondingDelegation', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorDelegations(request, @@ -411,11 +497,21 @@ def DelegatorDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorUnbondingDelegations(request, @@ -428,11 +524,21 @@ def DelegatorUnbondingDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Redelegations(request, @@ -445,11 +551,21 @@ def Redelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Redelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Redelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidators(request, @@ -462,11 +578,21 @@ def DelegatorValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorValidators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorValidators', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidator(request, @@ -479,11 +605,21 @@ def DelegatorValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorValidator', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalInfo(request, @@ -496,11 +632,21 @@ def HistoricalInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/HistoricalInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/HistoricalInfo', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Pool(request, @@ -513,11 +659,21 @@ def Pool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Pool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Pool', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -530,8 +686,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Params', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 95b66f8c..968e7a69 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/staking.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,202 +23,200 @@ from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12N\n\x08max_rate\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x0fmax_change_rate\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa8\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"v\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfd\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12L\n\x06tokens\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12V\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x0b \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"E\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x98\xa0\x1f\x00\x80\xdc \x01\"\x80\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc1\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd2\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x06shares\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdb\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xde\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12P\n\nshares_dst\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x8a\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12i\n\x13min_commission_rate\x18\x06 \x01(\tBL\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\":(\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x98\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xee\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBV\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12i\n\rbonded_tokens\x18\x02 \x01(\tBR\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.staking_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_BONDSTATUS']._options = None + _globals['_BONDSTATUS']._loaded_options = None _globals['_BONDSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._serialized_options = b'\212\235 \013Unspecified' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._serialized_options = b'\212\235 \010Unbonded' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._serialized_options = b'\212\235 \tUnbonding' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._serialized_options = b'\212\235 \006Bonded' - _globals['_HISTORICALINFO'].fields_by_name['header']._options = None + _globals['_HISTORICALINFO'].fields_by_name['header']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HISTORICALINFO'].fields_by_name['valset']._options = None + _globals['_HISTORICALINFO'].fields_by_name['valset']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['valset']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_COMMISSIONRATES'].fields_by_name['rate']._options = None - _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES']._options = None - _globals['_COMMISSIONRATES']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_COMMISSION'].fields_by_name['commission_rates']._options = None + _globals['_COMMISSIONRATES'].fields_by_name['rate']._loaded_options = None + _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._loaded_options = None + _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._loaded_options = None + _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES']._loaded_options = None + _globals['_COMMISSIONRATES']._serialized_options = b'\350\240\037\001' + _globals['_COMMISSION'].fields_by_name['commission_rates']._loaded_options = None _globals['_COMMISSION'].fields_by_name['commission_rates']._serialized_options = b'\310\336\037\000\320\336\037\001\250\347\260*\001' - _globals['_COMMISSION'].fields_by_name['update_time']._options = None + _globals['_COMMISSION'].fields_by_name['update_time']._loaded_options = None _globals['_COMMISSION'].fields_by_name['update_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_COMMISSION']._options = None - _globals['_COMMISSION']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_DESCRIPTION']._options = None - _globals['_DESCRIPTION']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_VALIDATOR'].fields_by_name['operator_address']._options = None + _globals['_COMMISSION']._loaded_options = None + _globals['_COMMISSION']._serialized_options = b'\350\240\037\001' + _globals['_DESCRIPTION']._loaded_options = None + _globals['_DESCRIPTION']._serialized_options = b'\350\240\037\001' + _globals['_VALIDATOR'].fields_by_name['operator_address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._options = None + _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' - _globals['_VALIDATOR'].fields_by_name['tokens']._options = None - _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_VALIDATOR'].fields_by_name['delegator_shares']._options = None - _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_VALIDATOR'].fields_by_name['description']._options = None + _globals['_VALIDATOR'].fields_by_name['tokens']._loaded_options = None + _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR'].fields_by_name['delegator_shares']._loaded_options = None + _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_VALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['unbonding_time']._options = None + _globals['_VALIDATOR'].fields_by_name['unbonding_time']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['commission']._options = None + _globals['_VALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._options = None - _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_VALIDATOR']._options = None - _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_VALADDRESSES'].fields_by_name['addresses']._options = None + _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None + _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR']._loaded_options = None + _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_VALADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_VALADDRESSES'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALADDRESSES']._options = None - _globals['_VALADDRESSES']._serialized_options = b'\230\240\037\000\200\334 \001' - _globals['_DVPAIR'].fields_by_name['delegator_address']._options = None + _globals['_DVPAIR'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVPAIR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVPAIR'].fields_by_name['validator_address']._options = None - _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVPAIR']._options = None - _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_DVPAIRS'].fields_by_name['pairs']._options = None + _globals['_DVPAIR'].fields_by_name['validator_address']._loaded_options = None + _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVPAIR']._loaded_options = None + _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_DVPAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_DVPAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._options = None + _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET']._options = None - _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_DVVTRIPLETS'].fields_by_name['triplets']._options = None + _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._loaded_options = None + _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._loaded_options = None + _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVVTRIPLET']._loaded_options = None + _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_DVVTRIPLETS'].fields_by_name['triplets']._loaded_options = None _globals['_DVVTRIPLETS'].fields_by_name['triplets']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATION'].fields_by_name['validator_address']._options = None - _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATION'].fields_by_name['shares']._options = None - _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_DELEGATION']._options = None - _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATION'].fields_by_name['validator_address']._loaded_options = None + _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATION'].fields_by_name['shares']._loaded_options = None + _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_DELEGATION']._loaded_options = None + _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._options = None - _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._options = None + _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None + _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UNBONDINGDELEGATION']._options = None - _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._options = None + _globals['_UNBONDINGDELEGATION']._loaded_options = None + _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_UNBONDINGDELEGATIONENTRY']._options = None - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._loaded_options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY']._loaded_options = None + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' + _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_REDELEGATIONENTRY']._options = None - _globals['_REDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_REDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._loaded_options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_REDELEGATIONENTRY']._loaded_options = None + _globals['_REDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' + _globals['_REDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['validator_src_address']._options = None - _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._options = None - _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['entries']._options = None + _globals['_REDELEGATION'].fields_by_name['validator_src_address']._loaded_options = None + _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._loaded_options = None + _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_REDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATION']._options = None - _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_PARAMS'].fields_by_name['unbonding_time']._options = None + _globals['_REDELEGATION']._loaded_options = None + _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_PARAMS'].fields_by_name['unbonding_time']._loaded_options = None _globals['_PARAMS'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['min_commission_rate']._options = None - _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\362\336\037\032yaml:\"min_commission_rate\"' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' - _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._options = None + _globals['_PARAMS'].fields_by_name['min_commission_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\362\336\037\032yaml:\"min_commission_rate\"\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' + _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._options = None + _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATIONRESPONSE']._options = None - _globals['_DELEGATIONRESPONSE']._serialized_options = b'\230\240\037\000\350\240\037\000' - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._options = None + _globals['_DELEGATIONRESPONSE']._loaded_options = None + _globals['_DELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._options = None - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_REDELEGATIONENTRYRESPONSE']._options = None + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._loaded_options = None + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRYRESPONSE']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._options = None + _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._loaded_options = None _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._options = None + _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONRESPONSE']._options = None + _globals['_REDELEGATIONRESPONSE']._loaded_options = None _globals['_REDELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' - _globals['_POOL'].fields_by_name['not_bonded_tokens']._options = None - _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_POOL'].fields_by_name['bonded_tokens']._options = None - _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_POOL']._options = None + _globals['_POOL'].fields_by_name['not_bonded_tokens']._loaded_options = None + _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL'].fields_by_name['bonded_tokens']._loaded_options = None + _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL']._loaded_options = None _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' - _globals['_VALIDATORUPDATES'].fields_by_name['updates']._options = None + _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=4918 - _globals['_BONDSTATUS']._serialized_end=5100 - _globals['_INFRACTION']._serialized_start=5102 - _globals['_INFRACTION']._serialized_end=5195 + _globals['_BONDSTATUS']._serialized_start=4740 + _globals['_BONDSTATUS']._serialized_end=4922 + _globals['_INFRACTION']._serialized_start=4924 + _globals['_INFRACTION']._serialized_end=5017 _globals['_HISTORICALINFO']._serialized_start=316 _globals['_HISTORICALINFO']._serialized_end=447 _globals['_COMMISSIONRATES']._serialized_start=450 - _globals['_COMMISSIONRATES']._serialized_end=720 - _globals['_COMMISSION']._serialized_start=723 - _globals['_COMMISSION']._serialized_end=891 - _globals['_DESCRIPTION']._serialized_start=893 - _globals['_DESCRIPTION']._serialized_end=1011 - _globals['_VALIDATOR']._serialized_start=1014 - _globals['_VALIDATOR']._serialized_end=1779 - _globals['_VALADDRESSES']._serialized_start=1781 - _globals['_VALADDRESSES']._serialized_end=1850 - _globals['_DVPAIR']._serialized_start=1853 - _globals['_DVPAIR']._serialized_end=1981 - _globals['_DVPAIRS']._serialized_start=1983 - _globals['_DVPAIRS']._serialized_end=2050 - _globals['_DVVTRIPLET']._serialized_start=2053 - _globals['_DVVTRIPLET']._serialized_end=2246 - _globals['_DVVTRIPLETS']._serialized_start=2248 - _globals['_DVVTRIPLETS']._serialized_end=2326 - _globals['_DELEGATION']._serialized_start=2329 - _globals['_DELEGATION']._serialized_end=2539 - _globals['_UNBONDINGDELEGATION']._serialized_start=2542 - _globals['_UNBONDINGDELEGATION']._serialized_end=2761 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2764 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3118 - _globals['_REDELEGATIONENTRY']._serialized_start=3121 - _globals['_REDELEGATIONENTRY']._serialized_end=3471 - _globals['_REDELEGATION']._serialized_start=3474 - _globals['_REDELEGATION']._serialized_end=3740 - _globals['_PARAMS']._serialized_start=3743 - _globals['_PARAMS']._serialized_end=4059 - _globals['_DELEGATIONRESPONSE']._serialized_start=4062 - _globals['_DELEGATIONRESPONSE']._serialized_end=4214 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4217 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4411 - _globals['_REDELEGATIONRESPONSE']._serialized_start=4414 - _globals['_REDELEGATIONRESPONSE']._serialized_end=4592 - _globals['_POOL']._serialized_start=4595 - _globals['_POOL']._serialized_end=4833 - _globals['_VALIDATORUPDATES']._serialized_start=4835 - _globals['_VALIDATORUPDATES']._serialized_end=4915 + _globals['_COMMISSIONRATES']._serialized_end=698 + _globals['_COMMISSION']._serialized_start=701 + _globals['_COMMISSION']._serialized_end=865 + _globals['_DESCRIPTION']._serialized_start=867 + _globals['_DESCRIPTION']._serialized_end=981 + _globals['_VALIDATOR']._serialized_start=984 + _globals['_VALIDATOR']._serialized_end=1700 + _globals['_VALADDRESSES']._serialized_start=1702 + _globals['_VALADDRESSES']._serialized_end=1761 + _globals['_DVPAIR']._serialized_start=1764 + _globals['_DVPAIR']._serialized_end=1897 + _globals['_DVPAIRS']._serialized_start=1899 + _globals['_DVPAIRS']._serialized_end=1966 + _globals['_DVVTRIPLET']._serialized_start=1969 + _globals['_DVVTRIPLET']._serialized_end=2176 + _globals['_DVVTRIPLETS']._serialized_start=2178 + _globals['_DVVTRIPLETS']._serialized_end=2256 + _globals['_DELEGATION']._serialized_start=2259 + _globals['_DELEGATION']._serialized_end=2463 + _globals['_UNBONDINGDELEGATION']._serialized_start=2466 + _globals['_UNBONDINGDELEGATION']._serialized_end=2690 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 + _globals['_REDELEGATIONENTRY']._serialized_start=3012 + _globals['_REDELEGATIONENTRY']._serialized_end=3330 + _globals['_REDELEGATION']._serialized_start=3333 + _globals['_REDELEGATION']._serialized_end=3613 + _globals['_PARAMS']._serialized_start=3616 + _globals['_PARAMS']._serialized_end=3936 + _globals['_DELEGATIONRESPONSE']._serialized_start=3939 + _globals['_DELEGATIONRESPONSE']._serialized_end=4087 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 + _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 + _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 + _globals['_POOL']._serialized_start=4451 + _globals['_POOL']._serialized_end=4655 + _globals['_VALIDATORUPDATES']._serialized_start=4657 + _globals['_VALIDATORUPDATES']._serialized_end=4737 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 2daafffe..57d3c259 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index 869fbe6f..edd8777a 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,114 +22,116 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb3\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x33\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x05 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xf6\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x63ommission_rate\x18\x03 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x13min_self_delegation\x18\x04 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xe8\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xb3\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xec\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"[\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xa3\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._loaded_options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\030\001\322\264-\024cosmos.AddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR']._options = None - _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' - _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._options = None + _globals['_MSGCREATEVALIDATOR']._loaded_options = None + _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' + _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_MSGEDITVALIDATOR']._options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._loaded_options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_MSGEDITVALIDATOR']._loaded_options = None _globals['_MSGEDITVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\033cosmos-sdk/MsgEditValidator' - _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDELEGATE'].fields_by_name['validator_address']._options = None - _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGDELEGATE'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDELEGATE']._options = None + _globals['_MSGDELEGATE']._loaded_options = None _globals['_MSGDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\026cosmos-sdk/MsgDelegate' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._loaded_options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._loaded_options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGBEGINREDELEGATE']._options = None + _globals['_MSGBEGINREDELEGATE']._loaded_options = None _globals['_MSGBEGINREDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\035cosmos-sdk/MsgBeginRedelegate' - _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._options = None + _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._options = None - _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGUNDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUNDELEGATE']._options = None + _globals['_MSGUNDELEGATE']._loaded_options = None _globals['_MSGUNDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\030cosmos-sdk/MsgUndelegate' - _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._options = None + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._options = None - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCANCELUNBONDINGDELEGATION']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\'cosmos-sdk/MsgCancelUnbondingDelegation' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$cosmos-sdk/x/staking/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=846 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=848 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=876 - _globals['_MSGEDITVALIDATOR']._serialized_start=879 - _globals['_MSGEDITVALIDATOR']._serialized_end=1253 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1255 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1281 - _globals['_MSGDELEGATE']._serialized_start=1284 - _globals['_MSGDELEGATE']._serialized_end=1516 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1518 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1539 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1542 - _globals['_MSGBEGINREDELEGATE']._serialized_end=1849 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1851 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1947 - _globals['_MSGUNDELEGATE']._serialized_start=1950 - _globals['_MSGUNDELEGATE']._serialized_end=2186 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2188 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2279 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2282 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2573 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2575 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2613 - _globals['_MSGUPDATEPARAMS']._serialized_start=2616 - _globals['_MSGUPDATEPARAMS']._serialized_end=2794 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2796 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2821 - _globals['_MSG']._serialized_start=2824 - _globals['_MSG']._serialized_end=3621 + _globals['_MSGCREATEVALIDATOR']._serialized_end=823 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 + _globals['_MSGEDITVALIDATOR']._serialized_start=856 + _globals['_MSGEDITVALIDATOR']._serialized_end=1211 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 + _globals['_MSGDELEGATE']._serialized_start=1242 + _globals['_MSGDELEGATE']._serialized_end=1483 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 + _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 + _globals['_MSGUNDELEGATE']._serialized_start=1935 + _globals['_MSGUNDELEGATE']._serialized_end=2180 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 + _globals['_MSGUPDATEPARAMS']._serialized_start=2674 + _globals['_MSGUPDATEPARAMS']._serialized_end=2852 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 + _globals['_MSG']._serialized_start=2882 + _globals['_MSG']._serialized_end=3679 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index c8991d33..15456116 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the staking Msg service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.staking.v1beta1.Msg/CreateValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidator.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidatorResponse.FromString, - ) + _registered_method=True) self.EditValidator = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/EditValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidator.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidatorResponse.FromString, - ) + _registered_method=True) self.Delegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/Delegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegateResponse.FromString, - ) + _registered_method=True) self.BeginRedelegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/BeginRedelegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegateResponse.FromString, - ) + _registered_method=True) self.Undelegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/Undelegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegateResponse.FromString, - ) + _registered_method=True) self.CancelUnbondingDelegation = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegation.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegationResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -155,6 +180,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.staking.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.staking.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -173,11 +199,21 @@ def CreateValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/CreateValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/CreateValidator', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidator.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EditValidator(request, @@ -190,11 +226,21 @@ def EditValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/EditValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/EditValidator', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidator.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Delegate(request, @@ -207,11 +253,21 @@ def Delegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/Delegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/Delegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BeginRedelegate(request, @@ -224,11 +280,21 @@ def BeginRedelegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/BeginRedelegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/BeginRedelegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Undelegate(request, @@ -241,11 +307,21 @@ def Undelegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/Undelegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/Undelegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelUnbondingDelegation(request, @@ -258,11 +334,21 @@ def CancelUnbondingDelegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegation.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -275,8 +361,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/UpdateParams', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py new file mode 100644 index 00000000..d9c99515 --- /dev/null +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py @@ -0,0 +1,32 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/store/internal/kv/v1beta1/kv.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"D\n\x05Pairs\x12;\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42 Z\x1e\x63osmossdk.io/store/internal/kvb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.internal.kv.v1beta1.kv_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\036cosmossdk.io/store/internal/kv' + _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None + _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' + _globals['_PAIRS']._serialized_start=101 + _globals['_PAIRS']._serialized_end=169 + _globals['_PAIR']._serialized_start=171 + _globals['_PAIR']._serialized_end=205 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py new file mode 100644 index 00000000..f3b3da38 --- /dev/null +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py new file mode 100644 index 00000000..33940244 --- /dev/null +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py @@ -0,0 +1,44 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/store/snapshots/v1/snapshot.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\x85\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12;\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xb5\x02\n\x0cSnapshotItem\x12=\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00\x12\x45\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12\x45\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00\x12P\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\x42$Z\"cosmossdk.io/store/snapshots/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.snapshots.v1.snapshot_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\"cosmossdk.io/store/snapshots/types' + _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None + _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' + _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None + _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' + _globals['_SNAPSHOT']._serialized_start=94 + _globals['_SNAPSHOT']._serialized_end=227 + _globals['_METADATA']._serialized_start=229 + _globals['_METADATA']._serialized_end=261 + _globals['_SNAPSHOTITEM']._serialized_start=264 + _globals['_SNAPSHOTITEM']._serialized_end=573 + _globals['_SNAPSHOTSTOREITEM']._serialized_start=575 + _globals['_SNAPSHOTSTOREITEM']._serialized_end=608 + _globals['_SNAPSHOTIAVLITEM']._serialized_start=610 + _globals['_SNAPSHOTIAVLITEM']._serialized_end=689 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=691 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=744 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=746 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=789 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py new file mode 100644 index 00000000..66bea308 --- /dev/null +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/snapshots/v1/snapshot_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py new file mode 100644 index 00000000..513be0e0 --- /dev/null +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/store/streaming/abci/grpc.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x85\x01\n\x1aListenFinalizeBlockRequest\x12\x32\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12\x33\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"\x1d\n\x1bListenFinalizeBlockResponse\"\x90\x01\n\x13ListenCommitRequest\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12,\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x35\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPair\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB#Z!cosmossdk.io/store/streaming/abcib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.streaming.abci.grpc_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z!cosmossdk.io/store/streaming/abci' + _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_start=139 + _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=272 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=274 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=303 + _globals['_LISTENCOMMITREQUEST']._serialized_start=306 + _globals['_LISTENCOMMITREQUEST']._serialized_end=450 + _globals['_LISTENCOMMITRESPONSE']._serialized_start=452 + _globals['_LISTENCOMMITRESPONSE']._serialized_end=474 + _globals['_ABCILISTENERSERVICE']._serialized_start=477 + _globals['_ABCILISTENERSERVICE']._serialized_end=754 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py new file mode 100644 index 00000000..fd9a2422 --- /dev/null +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py @@ -0,0 +1,150 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + +from cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/streaming/abci/grpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class ABCIListenerServiceStub(object): + """ABCIListenerService is the service for the BaseApp ABCIListener interface + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.ListenFinalizeBlock = channel.unary_unary( + '/cosmos.store.streaming.abci.ABCIListenerService/ListenFinalizeBlock', + request_serializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockRequest.SerializeToString, + response_deserializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockResponse.FromString, + _registered_method=True) + self.ListenCommit = channel.unary_unary( + '/cosmos.store.streaming.abci.ABCIListenerService/ListenCommit', + request_serializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitRequest.SerializeToString, + response_deserializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitResponse.FromString, + _registered_method=True) + + +class ABCIListenerServiceServicer(object): + """ABCIListenerService is the service for the BaseApp ABCIListener interface + """ + + def ListenFinalizeBlock(self, request, context): + """ListenFinalizeBlock is the corresponding endpoint for ABCIListener.ListenEndBlock + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListenCommit(self, request, context): + """ListenCommit is the corresponding endpoint for ABCIListener.ListenCommit + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_ABCIListenerServiceServicer_to_server(servicer, server): + rpc_method_handlers = { + 'ListenFinalizeBlock': grpc.unary_unary_rpc_method_handler( + servicer.ListenFinalizeBlock, + request_deserializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockRequest.FromString, + response_serializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockResponse.SerializeToString, + ), + 'ListenCommit': grpc.unary_unary_rpc_method_handler( + servicer.ListenCommit, + request_deserializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitRequest.FromString, + response_serializer=cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'cosmos.store.streaming.abci.ABCIListenerService', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.store.streaming.abci.ABCIListenerService', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class ABCIListenerService(object): + """ABCIListenerService is the service for the BaseApp ABCIListener interface + """ + + @staticmethod + def ListenFinalizeBlock(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.store.streaming.abci.ABCIListenerService/ListenFinalizeBlock', + cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockRequest.SerializeToString, + cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenFinalizeBlockResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ListenCommit(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.store.streaming.abci.ABCIListenerService/ListenCommit', + cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitRequest.SerializeToString, + cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2.ListenCommitResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py new file mode 100644 index 00000000..6ce6f2d3 --- /dev/null +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py @@ -0,0 +1,41 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/store/v1beta1/commit_info.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x92\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12:\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"R\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x37\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.commit_info_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None + _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' + _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None + _globals['_COMMITINFO'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_STOREINFO'].fields_by_name['commit_id']._loaded_options = None + _globals['_STOREINFO'].fields_by_name['commit_id']._serialized_options = b'\310\336\037\000' + _globals['_COMMITID']._loaded_options = None + _globals['_COMMITID']._serialized_options = b'\230\240\037\000' + _globals['_COMMITINFO']._serialized_start=120 + _globals['_COMMITINFO']._serialized_end=266 + _globals['_STOREINFO']._serialized_start=268 + _globals['_STOREINFO']._serialized_end=350 + _globals['_COMMITID']._serialized_start=352 + _globals['_COMMITID']._serialized_end=399 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py new file mode 100644 index 00000000..03188415 --- /dev/null +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/v1beta1/commit_info_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py new file mode 100644 index 00000000..662659f9 --- /dev/null +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py @@ -0,0 +1,30 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/store/v1beta1/listening.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\xf7\x01\n\rBlockMetadata\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x45\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12G\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.listening_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['_STOREKVPAIR']._serialized_start=91 + _globals['_STOREKVPAIR']._serialized_end=167 + _globals['_BLOCKMETADATA']._serialized_start=170 + _globals['_BLOCKMETADATA']._serialized_end=417 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py new file mode 100644 index 00000000..cb16a173 --- /dev/null +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/v1beta1/listening_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index de1af683..3ae4802f 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/config/v1/config.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.config.v1.config_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_CONFIG']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_CONFIG']._loaded_options = None _globals['_CONFIG']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/auth/tx' _globals['_CONFIG']._serialized_start=91 _globals['_CONFIG']._serialized_end=201 diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 2daafffe..98c32a53 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index 39ede274..be360f14 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/signing/v1beta1/signing.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,16 +16,16 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"Z\n\x14SignatureDescriptors\x12\x42\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptor\"\xa4\x04\n\x13SignatureDescriptor\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x41\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x1a\x8d\x03\n\x04\x44\x61ta\x12L\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00\x12J\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00\x1aN\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x1a\x93\x01\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12G\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataB\x05\n\x03sum*\xbf\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x18\n\x13SIGN_MODE_EIP712_V2\x10\x80\x01\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42/Z-github.com/cosmos/cosmos-sdk/types/tx/signingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"Z\n\x14SignatureDescriptors\x12\x42\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptor\"\xa4\x04\n\x13SignatureDescriptor\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x41\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x1a\x8d\x03\n\x04\x44\x61ta\x12L\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00\x12J\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00\x1aN\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x1a\x93\x01\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12G\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataB\x05\n\x03sum*\xa5\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42/Z-github.com/cosmos/cosmos-sdk/types/tx/signingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.signing.v1beta1.signing_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/tx/signing' _globals['_SIGNMODE']._serialized_start=788 - _globals['_SIGNMODE']._serialized_end=979 + _globals['_SIGNMODE']._serialized_end=953 _globals['_SIGNATUREDESCRIPTORS']._serialized_start=144 _globals['_SIGNATUREDESCRIPTORS']._serialized_end=234 _globals['_SIGNATUREDESCRIPTOR']._serialized_start=237 diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index 2daafffe..c2fc4c5b 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 47b7f9ed..844c95bd 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/service.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,80 +20,82 @@ from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xaf\x01\n\x12GetTxsEventRequest\x12\x0e\n\x06\x65vents\x18\x01 \x03(\t\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.service_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._options = None + _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' - _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._options = None + _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None + _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._serialized_options = b'\030\001' + _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._serialized_options = b'\030\001' - _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._options = None + _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._serialized_options = b'\030\001' - _globals['_SIMULATEREQUEST'].fields_by_name['tx']._options = None + _globals['_SIMULATEREQUEST'].fields_by_name['tx']._loaded_options = None _globals['_SIMULATEREQUEST'].fields_by_name['tx']._serialized_options = b'\030\001' - _globals['_SERVICE'].methods_by_name['Simulate']._options = None + _globals['_SERVICE'].methods_by_name['Simulate']._loaded_options = None _globals['_SERVICE'].methods_by_name['Simulate']._serialized_options = b'\202\323\344\223\002 \"\033/cosmos/tx/v1beta1/simulate:\001*' - _globals['_SERVICE'].methods_by_name['GetTx']._options = None + _globals['_SERVICE'].methods_by_name['GetTx']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetTx']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/tx/v1beta1/txs/{hash}' - _globals['_SERVICE'].methods_by_name['BroadcastTx']._options = None + _globals['_SERVICE'].methods_by_name['BroadcastTx']._loaded_options = None _globals['_SERVICE'].methods_by_name['BroadcastTx']._serialized_options = b'\202\323\344\223\002\033\"\026/cosmos/tx/v1beta1/txs:\001*' - _globals['_SERVICE'].methods_by_name['GetTxsEvent']._options = None + _globals['_SERVICE'].methods_by_name['GetTxsEvent']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetTxsEvent']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmos/tx/v1beta1/txs' - _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._options = None + _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._serialized_options = b'\202\323\344\223\002\'\022%/cosmos/tx/v1beta1/txs/block/{height}' - _globals['_SERVICE'].methods_by_name['TxDecode']._options = None + _globals['_SERVICE'].methods_by_name['TxDecode']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecode']._serialized_options = b'\202\323\344\223\002\036\"\031/cosmos/tx/v1beta1/decode:\001*' - _globals['_SERVICE'].methods_by_name['TxEncode']._options = None + _globals['_SERVICE'].methods_by_name['TxEncode']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxEncode']._serialized_options = b'\202\323\344\223\002\036\"\031/cosmos/tx/v1beta1/encode:\001*' - _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._options = None + _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' - _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._options = None + _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=1819 - _globals['_ORDERBY']._serialized_end=1891 - _globals['_BROADCASTMODE']._serialized_start=1894 - _globals['_BROADCASTMODE']._serialized_end=2022 + _globals['_ORDERBY']._serialized_start=1838 + _globals['_ORDERBY']._serialized_end=1910 + _globals['_BROADCASTMODE']._serialized_start=1913 + _globals['_BROADCASTMODE']._serialized_end=2041 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=429 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=432 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=629 - _globals['_BROADCASTTXREQUEST']._serialized_start=631 - _globals['_BROADCASTTXREQUEST']._serialized_end=717 - _globals['_BROADCASTTXRESPONSE']._serialized_start=719 - _globals['_BROADCASTTXRESPONSE']._serialized_end=799 - _globals['_SIMULATEREQUEST']._serialized_start=801 - _globals['_SIMULATEREQUEST']._serialized_end=875 - _globals['_SIMULATERESPONSE']._serialized_start=877 - _globals['_SIMULATERESPONSE']._serialized_end=998 - _globals['_GETTXREQUEST']._serialized_start=1000 - _globals['_GETTXREQUEST']._serialized_end=1028 - _globals['_GETTXRESPONSE']._serialized_start=1030 - _globals['_GETTXRESPONSE']._serialized_end=1139 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1141 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1241 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1244 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1451 - _globals['_TXDECODEREQUEST']._serialized_start=1453 - _globals['_TXDECODEREQUEST']._serialized_end=1488 - _globals['_TXDECODERESPONSE']._serialized_start=1490 - _globals['_TXDECODERESPONSE']._serialized_end=1543 - _globals['_TXENCODEREQUEST']._serialized_start=1545 - _globals['_TXENCODEREQUEST']._serialized_end=1597 - _globals['_TXENCODERESPONSE']._serialized_start=1599 - _globals['_TXENCODERESPONSE']._serialized_end=1635 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1637 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1679 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1681 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=1726 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=1728 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=1772 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=1774 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=1817 - _globals['_SERVICE']._serialized_start=2025 - _globals['_SERVICE']._serialized_end=3219 + _globals['_GETTXSEVENTREQUEST']._serialized_end=448 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 + _globals['_BROADCASTTXREQUEST']._serialized_start=650 + _globals['_BROADCASTTXREQUEST']._serialized_end=736 + _globals['_BROADCASTTXRESPONSE']._serialized_start=738 + _globals['_BROADCASTTXRESPONSE']._serialized_end=818 + _globals['_SIMULATEREQUEST']._serialized_start=820 + _globals['_SIMULATEREQUEST']._serialized_end=894 + _globals['_SIMULATERESPONSE']._serialized_start=896 + _globals['_SIMULATERESPONSE']._serialized_end=1017 + _globals['_GETTXREQUEST']._serialized_start=1019 + _globals['_GETTXREQUEST']._serialized_end=1047 + _globals['_GETTXRESPONSE']._serialized_start=1049 + _globals['_GETTXRESPONSE']._serialized_end=1158 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 + _globals['_TXDECODEREQUEST']._serialized_start=1472 + _globals['_TXDECODEREQUEST']._serialized_end=1507 + _globals['_TXDECODERESPONSE']._serialized_start=1509 + _globals['_TXDECODERESPONSE']._serialized_end=1562 + _globals['_TXENCODEREQUEST']._serialized_start=1564 + _globals['_TXENCODEREQUEST']._serialized_end=1616 + _globals['_TXENCODERESPONSE']._serialized_start=1618 + _globals['_TXENCODERESPONSE']._serialized_end=1654 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 + _globals['_SERVICE']._serialized_start=2044 + _globals['_SERVICE']._serialized_end=3238 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index 050560af..fdf09b79 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines a gRPC service for interacting with transactions. @@ -19,47 +44,47 @@ def __init__(self, channel): '/cosmos.tx.v1beta1.Service/Simulate', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateResponse.FromString, - ) + _registered_method=True) self.GetTx = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetTx', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxResponse.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/cosmos.tx.v1beta1.Service/BroadcastTx', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxResponse.FromString, - ) + _registered_method=True) self.GetTxsEvent = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetTxsEvent', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventResponse.FromString, - ) + _registered_method=True) self.GetBlockWithTxs = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsResponse.FromString, - ) + _registered_method=True) self.TxDecode = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxDecode', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeResponse.FromString, - ) + _registered_method=True) self.TxEncode = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxEncode', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeResponse.FromString, - ) + _registered_method=True) self.TxEncodeAmino = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxEncodeAmino', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoResponse.FromString, - ) + _registered_method=True) self.TxDecodeAmino = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxDecodeAmino', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoResponse.FromString, - ) + _registered_method=True) class ServiceServicer(object): @@ -191,6 +216,7 @@ def add_ServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.tx.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.tx.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -209,11 +235,21 @@ def Simulate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/Simulate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/Simulate', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTx(request, @@ -226,11 +262,21 @@ def GetTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetTx', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetTx', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -243,11 +289,21 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/BroadcastTx', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxsEvent(request, @@ -260,11 +316,21 @@ def GetTxsEvent(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetTxsEvent', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetTxsEvent', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockWithTxs(request, @@ -277,11 +343,21 @@ def GetBlockWithTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxDecode(request, @@ -294,11 +370,21 @@ def TxDecode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxDecode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxDecode', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxEncode(request, @@ -311,11 +397,21 @@ def TxEncode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxEncode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxEncode', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxEncodeAmino(request, @@ -328,11 +424,21 @@ def TxEncodeAmino(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxEncodeAmino', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxEncodeAmino', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxDecodeAmino(request, @@ -345,8 +451,18 @@ def TxDecodeAmino(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxDecodeAmino', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxDecodeAmino', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 274cc4d6..53036ec8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,6 +12,7 @@ _sym_db = _symbol_database.Default() +from amino import amino_pb2 as amino_dot_amino__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 @@ -20,50 +21,56 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb1\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12#\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x89\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12#\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xc9\x01\n\x03\x46\x65\x65\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8c\x01\n\x03Tip\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_FEE'].fields_by_name['amount']._options = None - _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['payer']._options = None + _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None + _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' + _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None + _globals['_AUTHINFO'].fields_by_name['tip']._serialized_options = b'\030\001' + _globals['_FEE'].fields_by_name['amount']._loaded_options = None + _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_FEE'].fields_by_name['payer']._loaded_options = None _globals['_FEE'].fields_by_name['payer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_FEE'].fields_by_name['granter']._options = None + _globals['_FEE'].fields_by_name['granter']._loaded_options = None _globals['_FEE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TIP'].fields_by_name['amount']._options = None - _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TIP'].fields_by_name['tipper']._options = None + _globals['_TIP'].fields_by_name['amount']._loaded_options = None + _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_TIP'].fields_by_name['tipper']._loaded_options = None _globals['_TIP'].fields_by_name['tipper']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_AUXSIGNERDATA'].fields_by_name['address']._options = None + _globals['_TIP']._loaded_options = None + _globals['_TIP']._serialized_options = b'\030\001' + _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=245 - _globals['_TX']._serialized_end=358 - _globals['_TXRAW']._serialized_start=360 - _globals['_TXRAW']._serialized_end=432 - _globals['_SIGNDOC']._serialized_start=434 - _globals['_SIGNDOC']._serialized_end=530 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=533 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=710 - _globals['_TXBODY']._serialized_start=713 - _globals['_TXBODY']._serialized_end=912 - _globals['_AUTHINFO']._serialized_start=915 - _globals['_AUTHINFO']._serialized_end=1052 - _globals['_SIGNERINFO']._serialized_start=1054 - _globals['_SIGNERINFO']._serialized_end=1174 - _globals['_MODEINFO']._serialized_start=1177 - _globals['_MODEINFO']._serialized_end=1486 - _globals['_MODEINFO_SINGLE']._serialized_start=1295 - _globals['_MODEINFO_SINGLE']._serialized_end=1354 - _globals['_MODEINFO_MULTI']._serialized_start=1356 - _globals['_MODEINFO_MULTI']._serialized_end=1479 - _globals['_FEE']._serialized_start=1489 - _globals['_FEE']._serialized_end=1690 - _globals['_TIP']._serialized_start=1693 - _globals['_TIP']._serialized_end=1833 - _globals['_AUXSIGNERDATA']._serialized_start=1836 - _globals['_AUXSIGNERDATA']._serialized_end=2013 + _globals['_TX']._serialized_start=264 + _globals['_TX']._serialized_end=377 + _globals['_TXRAW']._serialized_start=379 + _globals['_TXRAW']._serialized_end=451 + _globals['_SIGNDOC']._serialized_start=453 + _globals['_SIGNDOC']._serialized_end=549 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 + _globals['_TXBODY']._serialized_start=736 + _globals['_TXBODY']._serialized_end=935 + _globals['_AUTHINFO']._serialized_start=938 + _globals['_AUTHINFO']._serialized_end=1079 + _globals['_SIGNERINFO']._serialized_start=1081 + _globals['_SIGNERINFO']._serialized_end=1201 + _globals['_MODEINFO']._serialized_start=1204 + _globals['_MODEINFO']._serialized_end=1513 + _globals['_MODEINFO_SINGLE']._serialized_start=1322 + _globals['_MODEINFO_SINGLE']._serialized_end=1381 + _globals['_MODEINFO_MULTI']._serialized_start=1383 + _globals['_MODEINFO_MULTI']._serialized_end=1506 + _globals['_FEE']._serialized_start=1516 + _globals['_FEE']._serialized_end=1739 + _globals['_TIP']._serialized_start=1742 + _globals['_TIP']._serialized_end=1908 + _globals['_AUXSIGNERDATA']._serialized_start=1911 + _globals['_AUXSIGNERDATA']._serialized_end=2088 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index 2daafffe..cbbb3eb8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index ef0f6664..9a841acf 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,15 +15,15 @@ from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"K\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/upgradeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/upgrade' +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=176 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 2daafffe..81d877e2 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index 36bc6130..a362e0b7 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,27 +16,27 @@ from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._options = None + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_options = b'\030\001' - _globals['_QUERY'].methods_by_name['CurrentPlan']._options = None + _globals['_QUERY'].methods_by_name['CurrentPlan']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentPlan']._serialized_options = b'\202\323\344\223\002&\022$/cosmos/upgrade/v1beta1/current_plan' - _globals['_QUERY'].methods_by_name['AppliedPlan']._options = None + _globals['_QUERY'].methods_by_name['AppliedPlan']._loaded_options = None _globals['_QUERY'].methods_by_name['AppliedPlan']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/upgrade/v1beta1/applied_plan/{name}' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\210\002\001\202\323\344\223\002@\022>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}' - _globals['_QUERY'].methods_by_name['ModuleVersions']._options = None + _globals['_QUERY'].methods_by_name['ModuleVersions']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleVersions']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/upgrade/v1beta1/module_versions' - _globals['_QUERY'].methods_by_name['Authority']._options = None + _globals['_QUERY'].methods_by_name['Authority']._loaded_options = None _globals['_QUERY'].methods_by_name['Authority']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/upgrade/v1beta1/authority' _globals['_QUERYCURRENTPLANREQUEST']._serialized_start=130 _globals['_QUERYCURRENTPLANREQUEST']._serialized_end=155 diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index 29236eba..b88e4fb4 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC upgrade querier service. @@ -19,27 +44,27 @@ def __init__(self, channel): '/cosmos.upgrade.v1beta1.Query/CurrentPlan', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanResponse.FromString, - ) + _registered_method=True) self.AppliedPlan = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/AppliedPlan', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanResponse.FromString, - ) + _registered_method=True) self.UpgradedConsensusState = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - ) + _registered_method=True) self.ModuleVersions = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/ModuleVersions', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsResponse.FromString, - ) + _registered_method=True) self.Authority = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/Authority', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -122,6 +147,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.upgrade.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.upgrade.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -140,11 +166,21 @@ def CurrentPlan(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/CurrentPlan', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/CurrentPlan', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AppliedPlan(request, @@ -157,11 +193,21 @@ def AppliedPlan(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/AppliedPlan', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/AppliedPlan', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedConsensusState(request, @@ -174,11 +220,21 @@ def UpgradedConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleVersions(request, @@ -191,11 +247,21 @@ def ModuleVersions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/ModuleVersions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/ModuleVersions', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Authority(request, @@ -208,8 +274,18 @@ def Authority(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/Authority', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/Authority', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 7f4cb036..3da13e1f 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,25 +19,25 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' - _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._options = None + _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGSOFTWAREUPGRADE']._options = None + _globals['_MSGSOFTWAREUPGRADE']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\035cosmos-sdk/MsgSoftwareUpgrade' - _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._options = None + _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUPGRADE']._options = None + _globals['_MSGCANCELUPGRADE']._loaded_options = None _globals['_MSGCANCELUPGRADE']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\033cosmos-sdk/MsgCancelUpgrade' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSOFTWAREUPGRADE']._serialized_start=191 _globals['_MSGSOFTWAREUPGRADE']._serialized_end=361 diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 96e749ce..ab68b6dd 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the upgrade Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgrade.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgradeResponse.FromString, - ) + _registered_method=True) self.CancelUpgrade = channel.unary_unary( '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgrade.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgradeResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -67,6 +92,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.upgrade.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.upgrade.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -85,11 +111,21 @@ def SoftwareUpgrade(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgrade.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgradeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelUpgrade(request, @@ -102,8 +138,18 @@ def CancelUpgrade(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgrade.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgradeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 8b0a3f91..2c9251d2 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/upgrade.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,34 +19,34 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc4\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x1c\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc5\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:O\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x9a\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:U\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"8\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x08\x98\xa0\x1f\x01\xe8\xa0\x1f\x01\x42\x32Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\310\341\036\000' - _globals['_PLAN'].fields_by_name['time']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' + _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PLAN'].fields_by_name['upgraded_client_state']._options = None + _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_PLAN'].fields_by_name['upgraded_client_state']._serialized_options = b'\030\001' - _globals['_PLAN']._options = None - _globals['_PLAN']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' - _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._options = None + _globals['_PLAN']._loaded_options = None + _globals['_PLAN']._serialized_options = b'\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' + _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SOFTWAREUPGRADEPROPOSAL']._options = None - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._options = None - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' - _globals['_MODULEVERSION']._options = None - _globals['_MODULEVERSION']._serialized_options = b'\230\240\037\001\350\240\037\001' + _globals['_SOFTWAREUPGRADEPROPOSAL']._loaded_options = None + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._loaded_options = None + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' + _globals['_MODULEVERSION']._loaded_options = None + _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=389 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=392 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=589 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=592 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=746 - _globals['_MODULEVERSION']._serialized_start=748 - _globals['_MODULEVERSION']._serialized_end=804 + _globals['_PLAN']._serialized_end=385 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 + _globals['_MODULEVERSION']._serialized_start=736 + _globals['_MODULEVERSION']._serialized_end=788 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index 2daafffe..cce8a2dc 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index ff07fd2e..5381c5bf 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/auth/vesting' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=162 diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 2daafffe..34cc657c 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index e2a2cf59..7cf26be0 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,48 +20,48 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\x9e\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe9\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:D\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0**cosmos-sdk/MsgCreatePeriodicVestingAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._options = None - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCREATEVESTINGACCOUNT']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCREATEVESTINGACCOUNT']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*\"cosmos-sdk/MsgCreateVestingAccount' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._serialized_options = b'\362\336\037\023yaml:\"from_address\"' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._serialized_options = b'\362\336\037\021yaml:\"to_address\"' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._options = None - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePermLockedAccount' - _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._options = None + _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._options = None - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260**cosmos-sdk/MsgCreatePeriodicVestingAccount' - _globals['_MSG']._options = None + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._loaded_options = None + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePeriodVestAccount' + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=537 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=539 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=572 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=575 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=861 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=863 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=904 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=907 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1140 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1142 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1183 - _globals['_MSG']._serialized_start=1186 - _globals['_MSG']._serialized_end=1639 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 + _globals['_MSG']._serialized_start=1215 + _globals['_MSG']._serialized_end=1668 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index a076555a..472de908 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccountResponse.FromString, - ) + _registered_method=True) self.CreatePermanentLockedAccount = channel.unary_unary( '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccountResponse.FromString, - ) + _registered_method=True) self.CreatePeriodicVestingAccount = channel.unary_unary( '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccountResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -86,6 +111,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.vesting.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.vesting.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -104,11 +130,21 @@ def CreateVestingAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreatePermanentLockedAccount(request, @@ -121,11 +157,21 @@ def CreatePermanentLockedAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreatePeriodicVestingAccount(request, @@ -138,8 +184,18 @@ def CreatePeriodicVestingAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index a214705e..7435bce5 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/v1beta1/vesting.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,56 +18,54 @@ from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xd3\x03\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12j\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12h\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12k\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xb0\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:0\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x96\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:-\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x80\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12`\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"\xf0\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x98\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.vesting_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT']._options = None - _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' - _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._loaded_options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._loaded_options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT']._loaded_options = None + _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' + _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_CONTINUOUSVESTINGACCOUNT']._options = None - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' - _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_CONTINUOUSVESTINGACCOUNT']._loaded_options = None + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' + _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_DELAYEDVESTINGACCOUNT']._options = None - _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' - _globals['_PERIOD'].fields_by_name['amount']._options = None - _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIOD']._options = None - _globals['_PERIOD']._serialized_options = b'\230\240\037\000' - _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_DELAYEDVESTINGACCOUNT']._loaded_options = None + _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' + _globals['_PERIOD'].fields_by_name['amount']._loaded_options = None + _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._options = None + _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PERIODICVESTINGACCOUNT']._options = None - _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' - _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_PERIODICVESTINGACCOUNT']._loaded_options = None + _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' + _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_PERMANENTLOCKEDACCOUNT']._options = None - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' + _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=637 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=640 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=816 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=819 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=969 - _globals['_PERIOD']._serialized_start=972 - _globals['_PERIOD']._serialized_end=1100 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1103 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1343 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1346 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1498 + _globals['_BASEVESTINGACCOUNT']._serialized_end=684 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 + _globals['_PERIOD']._serialized_start=1011 + _globals['_PERIOD']._serialized_end=1150 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 2daafffe..585a3132 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2.py b/pyinjective/proto/cosmos_proto/cosmos_pb2.py index 9a964ba3..46c8df48 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos_proto/cosmos.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos_proto.cosmos_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-proto;cosmos_proto' _globals['_SCALARTYPE']._serialized_start=236 _globals['_SCALARTYPE']._serialized_end=324 diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 2daafffe..6fc327ab 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index f506d1ae..6419c101 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,47 +20,49 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xc1\x01\n\rContractGrant\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_STORECODEAUTHORIZATION']._options = None + _globals['_STORECODEAUTHORIZATION']._loaded_options = None _globals['_STORECODEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\033wasm/StoreCodeAuthorization' - _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._options = None + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractExecutionAuthorization' - _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._options = None + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractMigrationAuthorization' - _globals['_CONTRACTGRANT'].fields_by_name['limit']._options = None + _globals['_CONTRACTGRANT'].fields_by_name['contract']._loaded_options = None + _globals['_CONTRACTGRANT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CONTRACTGRANT'].fields_by_name['limit']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['limit']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX' - _globals['_CONTRACTGRANT'].fields_by_name['filter']._options = None + _globals['_CONTRACTGRANT'].fields_by_name['filter']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['filter']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX' - _globals['_MAXCALLSLIMIT']._options = None + _globals['_MAXCALLSLIMIT']._loaded_options = None _globals['_MAXCALLSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxCallsLimit' - _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._options = None + _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._loaded_options = None _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MAXFUNDSLIMIT']._options = None + _globals['_MAXFUNDSLIMIT']._loaded_options = None _globals['_MAXFUNDSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxFundsLimit' - _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._options = None + _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._loaded_options = None _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_COMBINEDLIMIT']._options = None + _globals['_COMBINEDLIMIT']._loaded_options = None _globals['_COMBINEDLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/CombinedLimit' - _globals['_ALLOWALLMESSAGESFILTER']._options = None + _globals['_ALLOWALLMESSAGESFILTER']._loaded_options = None _globals['_ALLOWALLMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AllowAllMessagesFilter' - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._options = None + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\036wasm/AcceptedMessageKeysFilter' - _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._options = None + _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCEPTEDMESSAGESFILTER']._options = None + _globals['_ACCEPTEDMESSAGESFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AcceptedMessagesFilter' _globals['_STORECODEAUTHORIZATION']._serialized_start=208 _globals['_STORECODEAUTHORIZATION']._serialized_end=360 @@ -71,17 +73,17 @@ _globals['_CODEGRANT']._serialized_start=712 _globals['_CODEGRANT']._serialized_end=806 _globals['_CONTRACTGRANT']._serialized_start=809 - _globals['_CONTRACTGRANT']._serialized_end=1002 - _globals['_MAXCALLSLIMIT']._serialized_start=1004 - _globals['_MAXCALLSLIMIT']._serialized_end=1103 - _globals['_MAXFUNDSLIMIT']._serialized_start=1106 - _globals['_MAXFUNDSLIMIT']._serialized_end=1285 - _globals['_COMBINEDLIMIT']._serialized_start=1288 - _globals['_COMBINEDLIMIT']._serialized_end=1492 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1494 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1593 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1595 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1714 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1717 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1858 + _globals['_CONTRACTGRANT']._serialized_end=1028 + _globals['_MAXCALLSLIMIT']._serialized_start=1030 + _globals['_MAXCALLSLIMIT']._serialized_end=1129 + _globals['_MAXFUNDSLIMIT']._serialized_start=1132 + _globals['_MAXFUNDSLIMIT']._serialized_end=1311 + _globals['_COMBINEDLIMIT']._serialized_start=1314 + _globals['_COMBINEDLIMIT']._serialized_end=1518 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 2daafffe..08368e00 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index 2eb2d0f3..578f303d 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,42 +15,45 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\xf8\x01\n\x08\x43ontract\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['codes']._options = None + _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['codes']._serialized_options = b'\310\336\037\000\352\336\037\017codes,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['contracts']._options = None + _globals['_GENESISSTATE'].fields_by_name['contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['contracts']._serialized_options = b'\310\336\037\000\352\336\037\023contracts,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['sequences']._serialized_options = b'\310\336\037\000\352\336\037\023sequences,omitempty\250\347\260*\001' - _globals['_CODE'].fields_by_name['code_id']._options = None + _globals['_CODE'].fields_by_name['code_id']._loaded_options = None _globals['_CODE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CODE'].fields_by_name['code_info']._options = None + _globals['_CODE'].fields_by_name['code_info']._loaded_options = None _globals['_CODE'].fields_by_name['code_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_info']._options = None + _globals['_CONTRACT'].fields_by_name['contract_address']._loaded_options = None + _globals['_CONTRACT'].fields_by_name['contract_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CONTRACT'].fields_by_name['contract_info']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_state']._options = None + _globals['_CONTRACT'].fields_by_name['contract_state']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_state']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_code_history']._options = None + _globals['_CONTRACT'].fields_by_name['contract_code_history']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_code_history']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SEQUENCE'].fields_by_name['id_key']._options = None + _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' - _globals['_GENESISSTATE']._serialized_start=124 - _globals['_GENESISSTATE']._serialized_end=422 - _globals['_CODE']._serialized_start=425 - _globals['_CODE']._serialized_end=554 - _globals['_CONTRACT']._serialized_start=557 - _globals['_CONTRACT']._serialized_end=805 - _globals['_SEQUENCE']._serialized_start=807 - _globals['_SEQUENCE']._serialized_end=859 + _globals['_GENESISSTATE']._serialized_start=151 + _globals['_GENESISSTATE']._serialized_end=449 + _globals['_CODE']._serialized_start=452 + _globals['_CODE']._serialized_end=581 + _globals['_CONTRACT']._serialized_start=584 + _globals['_CONTRACT']._serialized_end=858 + _globals['_SEQUENCE']._serialized_start=860 + _globals['_SEQUENCE']._serialized_end=912 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index 2daafffe..a7fa61f0 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index 5d0bdc14..be9a2e57 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/ibc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,16 +20,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.ibc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_MSGIBCSEND'].fields_by_name['channel']._options = None + _globals['_MSGIBCSEND'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._options = None + _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._serialized_options = b'\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._options = None + _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._options = None + _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND']._serialized_start=71 _globals['_MSGIBCSEND']._serialized_end=249 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index 2daafffe..b6513996 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index 87855d69..e308585b 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/proposal_legacy.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,102 +24,102 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.proposal_legacy_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\330\341\036\000\250\342\036\001' - _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._options = None + _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_STORECODEPROPOSAL']._options = None + _globals['_STORECODEPROPOSAL']._loaded_options = None _globals['_STORECODEPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\026wasm/StoreCodeProposal' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INSTANTIATECONTRACTPROPOSAL']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260* wasm/InstantiateContractProposal' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INSTANTIATECONTRACT2PROPOSAL']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!wasm/InstantiateContract2Proposal' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MIGRATECONTRACTPROPOSAL']._options = None + _globals['_MIGRATECONTRACTPROPOSAL']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/MigrateContractProposal' - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_SUDOCONTRACTPROPOSAL']._options = None + _globals['_SUDOCONTRACTPROPOSAL']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\031wasm/SudoContractProposal' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_EXECUTECONTRACTPROPOSAL']._options = None + _globals['_EXECUTECONTRACTPROPOSAL']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/ExecuteContractProposal' - _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._options = None + _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._loaded_options = None _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"\322\264-\024cosmos.AddressString' - _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._options = None + _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UPDATEADMINPROPOSAL']._options = None + _globals['_UPDATEADMINPROPOSAL']._loaded_options = None _globals['_UPDATEADMINPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\030wasm/UpdateAdminProposal' - _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._options = None + _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_CLEARADMINPROPOSAL']._options = None + _globals['_CLEARADMINPROPOSAL']._loaded_options = None _globals['_CLEARADMINPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027wasm/ClearAdminProposal' - _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._options = None + _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._loaded_options = None _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_PINCODESPROPOSAL']._options = None + _globals['_PINCODESPROPOSAL']._loaded_options = None _globals['_PINCODESPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\025wasm/PinCodesProposal' - _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._options = None + _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._loaded_options = None _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_UNPINCODESPROPOSAL']._options = None + _globals['_UNPINCODESPROPOSAL']._loaded_options = None _globals['_UNPINCODESPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027wasm/UnpinCodesProposal' - _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._options = None + _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._loaded_options = None _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._options = None + _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._loaded_options = None _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._serialized_options = b'\362\336\037\014yaml:\"title\"' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._serialized_options = b'\362\336\037\022yaml:\"description\"' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*$wasm/UpdateInstantiateConfigProposal' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(wasm/StoreAndInstantiateContractProposal' _globals['_STORECODEPROPOSAL']._serialized_start=191 _globals['_STORECODEPROPOSAL']._serialized_end=539 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 2daafffe..416372a7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 3c27e923..9b0fe0f7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,116 +17,137 @@ from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\"+\n\x18QueryContractInfoRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"|\n\x19QueryContractInfoResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"j\n\x1bQueryContractHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\x1cQueryContractsByCodeResponse\x12\x11\n\tcontracts\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1cQueryAllContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"C\n\x1cQueryRawContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"]\n\x1eQuerySmartContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\xec\x01\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"u\n\x1eQueryContractsByCreatorRequest\x12\x17\n\x0f\x63reator_address\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"z\n\x1fQueryContractsByCreatorResponse\x12\x1a\n\x12\x63ontract_addresses\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._options = None + _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\320\336\037\001\352\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTINFORESPONSE']._options = None + _globals['_QUERYCONTRACTINFORESPONSE']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._options = None + _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._options = None + _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._loaded_options = None + _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._loaded_options = None _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._options = None + _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' - _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None + _globals['_CODEINFORESPONSE'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CODEINFORESPONSE']._options = None + _globals['_CODEINFORESPONSE']._loaded_options = None _globals['_CODEINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._serialized_options = b'\320\336\037\001\352\336\037\000' - _globals['_QUERYCODERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['data']._serialized_options = b'\352\336\037\004data' - _globals['_QUERYCODERESPONSE']._options = None + _globals['_QUERYCODERESPONSE']._loaded_options = None _globals['_QUERYCODERESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._options = None + _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._loaded_options = None _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._options = None + _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._loaded_options = None _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['ContractInfo']._options = None + _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._loaded_options = None + _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None + _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' - _globals['_QUERY'].methods_by_name['ContractHistory']._options = None + _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractHistory']._serialized_options = b'\202\323\344\223\002.\022,/cosmwasm/wasm/v1/contract/{address}/history' - _globals['_QUERY'].methods_by_name['ContractsByCode']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCode']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCode']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/code/{code_id}/contracts' - _globals['_QUERY'].methods_by_name['AllContractState']._options = None + _globals['_QUERY'].methods_by_name['AllContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['AllContractState']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/contract/{address}/state' - _globals['_QUERY'].methods_by_name['RawContractState']._options = None + _globals['_QUERY'].methods_by_name['RawContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['RawContractState']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}' - _globals['_QUERY'].methods_by_name['SmartContractState']._options = None + _globals['_QUERY'].methods_by_name['SmartContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['SmartContractState']._serialized_options = b'\202\323\344\223\0029\0227/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}' - _globals['_QUERY'].methods_by_name['Code']._options = None + _globals['_QUERY'].methods_by_name['Code']._loaded_options = None _globals['_QUERY'].methods_by_name['Code']._serialized_options = b'\202\323\344\223\002\"\022 /cosmwasm/wasm/v1/code/{code_id}' - _globals['_QUERY'].methods_by_name['Codes']._options = None + _globals['_QUERY'].methods_by_name['Codes']._loaded_options = None _globals['_QUERY'].methods_by_name['Codes']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmwasm/wasm/v1/code' - _globals['_QUERY'].methods_by_name['PinnedCodes']._options = None + _globals['_QUERY'].methods_by_name['PinnedCodes']._loaded_options = None _globals['_QUERY'].methods_by_name['PinnedCodes']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/pinned' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' - _globals['_QUERY'].methods_by_name['ContractsByCreator']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=195 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=238 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=240 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=364 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=366 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=472 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=475 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=638 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=640 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=746 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=748 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=858 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=860 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=967 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=970 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1114 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1116 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1183 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1185 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1230 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1232 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1325 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1327 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1398 - _globals['_QUERYCODEREQUEST']._serialized_start=1400 - _globals['_QUERYCODEREQUEST']._serialized_end=1435 - _globals['_CODEINFORESPONSE']._serialized_start=1438 - _globals['_CODEINFORESPONSE']._serialized_end=1674 - _globals['_QUERYCODERESPONSE']._serialized_start=1676 - _globals['_QUERYCODERESPONSE']._serialized_end=1790 - _globals['_QUERYCODESREQUEST']._serialized_start=1792 - _globals['_QUERYCODESREQUEST']._serialized_end=1871 - _globals['_QUERYCODESRESPONSE']._serialized_start=1874 - _globals['_QUERYCODESRESPONSE']._serialized_end=2022 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2024 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2109 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2111 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2229 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2231 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2251 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2253 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2327 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2329 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2446 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2448 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2570 - _globals['_QUERY']._serialized_start=2573 - _globals['_QUERY']._serialized_end=4304 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 + _globals['_QUERYCODEREQUEST']._serialized_start=1613 + _globals['_QUERYCODEREQUEST']._serialized_end=1648 + _globals['_CODEINFORESPONSE']._serialized_start=1651 + _globals['_CODEINFORESPONSE']._serialized_end=1913 + _globals['_QUERYCODERESPONSE']._serialized_start=1915 + _globals['_QUERYCODERESPONSE']._serialized_end=2029 + _globals['_QUERYCODESREQUEST']._serialized_start=2031 + _globals['_QUERYCODESREQUEST']._serialized_end=2110 + _globals['_QUERYCODESRESPONSE']._serialized_start=2113 + _globals['_QUERYCODESRESPONSE']._serialized_end=2261 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 + _globals['_QUERY']._serialized_start=2866 + _globals['_QUERY']._serialized_end=4597 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 6859008e..0d7faba0 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,57 +44,57 @@ def __init__(self, channel): '/cosmwasm.wasm.v1.Query/ContractInfo', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoResponse.FromString, - ) + _registered_method=True) self.ContractHistory = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractHistory', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryResponse.FromString, - ) + _registered_method=True) self.ContractsByCode = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractsByCode', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeResponse.FromString, - ) + _registered_method=True) self.AllContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/AllContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateResponse.FromString, - ) + _registered_method=True) self.RawContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/RawContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateResponse.FromString, - ) + _registered_method=True) self.SmartContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/SmartContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateResponse.FromString, - ) + _registered_method=True) self.Code = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Code', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, - ) + _registered_method=True) self.Codes = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Codes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesResponse.FromString, - ) + _registered_method=True) self.PinnedCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Query/PinnedCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Params', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ContractsByCreator = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractsByCreator', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -215,6 +240,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmwasm.wasm.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -233,11 +259,21 @@ def ContractInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractInfo', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractHistory(request, @@ -250,11 +286,21 @@ def ContractHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractHistory', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractHistory', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractsByCode(request, @@ -267,11 +313,21 @@ def ContractsByCode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractsByCode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractsByCode', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllContractState(request, @@ -284,11 +340,21 @@ def AllContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/AllContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/AllContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RawContractState(request, @@ -301,11 +367,21 @@ def RawContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/RawContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/RawContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SmartContractState(request, @@ -318,11 +394,21 @@ def SmartContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/SmartContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/SmartContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Code(request, @@ -335,11 +421,21 @@ def Code(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Code', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Code', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Codes(request, @@ -352,11 +448,21 @@ def Codes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Codes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Codes', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PinnedCodes(request, @@ -369,11 +475,21 @@ def PinnedCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/PinnedCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/PinnedCodes', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -386,11 +502,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Params', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractsByCreator(request, @@ -403,8 +529,18 @@ def ContractsByCreator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractsByCreator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractsByCreator', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index a449711f..afbaeabf 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,186 +20,228 @@ from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x0cMsgStoreCode\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\x96\x02\n\x16MsgInstantiateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"?\n\x1eMsgInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb7\x02\n\x17MsgInstantiateContract2\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"@\n\x1fMsgInstantiateContract2Response\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xe5\x01\n\x12MsgExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa1\x01\n\x12MsgMigrateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"j\n\x0eMsgUpdateAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"U\n\rMsgClearAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xbe\x01\n\x1aMsgUpdateInstantiateConfig\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9e\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xdb\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x06 \x01(\t\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"G\n&MsgStoreAndInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xce\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponseB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None + _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTORECODE']._options = None + _globals['_MSGSTORECODE']._loaded_options = None _globals['_MSGSTORECODE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\021wasm/MsgStoreCode' - _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._options = None + _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGINSTANTIATECONTRACT']._options = None + _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._options = None + _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGINSTANTIATECONTRACT2']._options = None + _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGEXECUTECONTRACT']._options = None + _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGMIGRATECONTRACT']._options = None + _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' - _globals['_MSGUPDATEADMIN']._options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEADMIN']._loaded_options = None _globals['_MSGUPDATEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\023wasm/MsgUpdateAdmin' - _globals['_MSGCLEARADMIN']._options = None + _globals['_MSGCLEARADMIN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGCLEARADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCLEARADMIN'].fields_by_name['contract']._loaded_options = None + _globals['_MSGCLEARADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCLEARADMIN']._loaded_options = None _globals['_MSGCLEARADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022wasm/MsgClearAdmin' - _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._options = None + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGUPDATEINSTANTIATECONFIG']._options = None + _globals['_MSGUPDATEINSTANTIATECONFIG']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_options = b'\202\347\260*\006sender\212\347\260*\037wasm/MsgUpdateInstantiateConfig' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgUpdateParams' - _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSUDOCONTRACT']._options = None + _globals['_MSGSUDOCONTRACT']._loaded_options = None _globals['_MSGSUDOCONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgSudoContract' - _globals['_MSGPINCODES'].fields_by_name['authority']._options = None + _globals['_MSGPINCODES'].fields_by_name['authority']._loaded_options = None _globals['_MSGPINCODES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGPINCODES'].fields_by_name['code_ids']._options = None + _globals['_MSGPINCODES'].fields_by_name['code_ids']._loaded_options = None _globals['_MSGPINCODES'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_MSGPINCODES']._options = None + _globals['_MSGPINCODES']._loaded_options = None _globals['_MSGPINCODES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\020wasm/MsgPinCodes' - _globals['_MSGUNPINCODES'].fields_by_name['authority']._options = None + _globals['_MSGUNPINCODES'].fields_by_name['authority']._loaded_options = None _globals['_MSGUNPINCODES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._options = None + _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._loaded_options = None _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_MSGUNPINCODES']._options = None + _globals['_MSGUNPINCODES']._loaded_options = None _globals['_MSGUNPINCODES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\022wasm/MsgUnpinCodes' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._options = None + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._options = None + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$wasm/MsgAddCodeUploadParamsAddresses' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\'wasm/MsgRemoveCodeUploadParamsAddresses' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSTOREANDMIGRATECONTRACT']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\037wasm/MsgStoreAndMigrateContract' - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._options = None + _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._options = None + _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATECONTRACTLABEL']._options = None + _globals['_MSGUPDATECONTRACTLABEL']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgUpdateContractLabel' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=386 - _globals['_MSGSTORECODERESPONSE']._serialized_start=388 - _globals['_MSGSTORECODERESPONSE']._serialized_end=457 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=460 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=738 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=740 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=803 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=806 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1117 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1119 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1183 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1186 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1415 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1417 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1459 - _globals['_MSGMIGRATECONTRACT']._serialized_start=1462 - _globals['_MSGMIGRATECONTRACT']._serialized_end=1623 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1625 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1667 - _globals['_MSGUPDATEADMIN']._serialized_start=1669 - _globals['_MSGUPDATEADMIN']._serialized_end=1775 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=1777 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=1801 - _globals['_MSGCLEARADMIN']._serialized_start=1803 - _globals['_MSGCLEARADMIN']._serialized_end=1888 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=1890 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=1913 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=1916 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2106 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2108 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2144 - _globals['_MSGUPDATEPARAMS']._serialized_start=2147 - _globals['_MSGUPDATEPARAMS']._serialized_end=2303 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2305 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2330 - _globals['_MSGSUDOCONTRACT']._serialized_start=2333 - _globals['_MSGSUDOCONTRACT']._serialized_end=2491 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2493 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=2532 - _globals['_MSGPINCODES']._serialized_start=2535 - _globals['_MSGPINCODES']._serialized_end=2680 - _globals['_MSGPINCODESRESPONSE']._serialized_start=2682 - _globals['_MSGPINCODESRESPONSE']._serialized_end=2703 - _globals['_MSGUNPINCODES']._serialized_start=2706 - _globals['_MSGUNPINCODES']._serialized_end=2855 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=2857 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=2880 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=2883 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3358 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3360 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3431 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3434 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=3610 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3612 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3653 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=3656 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=3838 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3840 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3884 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=3887 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4173 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4175 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4272 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4275 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4449 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4451 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=4483 - _globals['_MSG']._serialized_start=4486 - _globals['_MSG']._serialized_end=6356 + _globals['_MSGSTORECODE']._serialized_end=412 + _globals['_MSGSTORECODERESPONSE']._serialized_start=414 + _globals['_MSGSTORECODERESPONSE']._serialized_end=483 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 + _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 + _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 + _globals['_MSGUPDATEADMIN']._serialized_start=1956 + _globals['_MSGUPDATEADMIN']._serialized_end=2140 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 + _globals['_MSGCLEARADMIN']._serialized_start=2169 + _globals['_MSGCLEARADMIN']._serialized_end=2306 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 + _globals['_MSGUPDATEPARAMS']._serialized_start=2591 + _globals['_MSGUPDATEPARAMS']._serialized_end=2747 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 + _globals['_MSGSUDOCONTRACT']._serialized_start=2777 + _globals['_MSGSUDOCONTRACT']._serialized_end=2961 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 + _globals['_MSGPINCODES']._serialized_start=3005 + _globals['_MSGPINCODES']._serialized_end=3150 + _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 + _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 + _globals['_MSGUNPINCODES']._serialized_start=3176 + _globals['_MSGUNPINCODES']._serialized_end=3325 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 + _globals['_MSG']._serialized_start=5008 + _globals['_MSG']._serialized_end=6885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index c0074e43..cddb2e59 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasm Msg service. @@ -19,87 +44,87 @@ def __init__(self, channel): '/cosmwasm.wasm.v1.Msg/StoreCode', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, - ) + _registered_method=True) self.InstantiateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/InstantiateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContractResponse.FromString, - ) + _registered_method=True) self.InstantiateContract2 = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/InstantiateContract2', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2Response.FromString, - ) + _registered_method=True) self.ExecuteContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/ExecuteContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContractResponse.FromString, - ) + _registered_method=True) self.MigrateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/MigrateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, - ) + _registered_method=True) self.UpdateAdmin = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateAdmin', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdmin.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdminResponse.FromString, - ) + _registered_method=True) self.ClearAdmin = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/ClearAdmin', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdmin.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdminResponse.FromString, - ) + _registered_method=True) self.UpdateInstantiateConfig = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfig.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfigResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateParams', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.SudoContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/SudoContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContractResponse.FromString, - ) + _registered_method=True) self.PinCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/PinCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodes.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodesResponse.FromString, - ) + _registered_method=True) self.UnpinCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UnpinCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodes.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodesResponse.FromString, - ) + _registered_method=True) self.StoreAndInstantiateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContractResponse.FromString, - ) + _registered_method=True) self.RemoveCodeUploadParamsAddresses = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddresses.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddressesResponse.FromString, - ) + _registered_method=True) self.AddCodeUploadParamsAddresses = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddresses.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddressesResponse.FromString, - ) + _registered_method=True) self.StoreAndMigrateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContractResponse.FromString, - ) + _registered_method=True) self.UpdateContractLabel = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabel.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabelResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -343,6 +368,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmwasm.wasm.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -361,11 +387,21 @@ def StoreCode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreCode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreCode', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantiateContract(request, @@ -378,11 +414,21 @@ def InstantiateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/InstantiateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/InstantiateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantiateContract2(request, @@ -395,11 +441,21 @@ def InstantiateContract2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/InstantiateContract2', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/InstantiateContract2', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecuteContract(request, @@ -412,11 +468,21 @@ def ExecuteContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/ExecuteContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/ExecuteContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MigrateContract(request, @@ -429,11 +495,21 @@ def MigrateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/MigrateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/MigrateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateAdmin(request, @@ -446,11 +522,21 @@ def UpdateAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateAdmin', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdmin.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClearAdmin(request, @@ -463,11 +549,21 @@ def ClearAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/ClearAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/ClearAdmin', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdmin.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateInstantiateConfig(request, @@ -480,11 +576,21 @@ def UpdateInstantiateConfig(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfig.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -497,11 +603,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateParams', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SudoContract(request, @@ -514,11 +630,21 @@ def SudoContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/SudoContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/SudoContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PinCodes(request, @@ -531,11 +657,21 @@ def PinCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/PinCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/PinCodes', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodes.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnpinCodes(request, @@ -548,11 +684,21 @@ def UnpinCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UnpinCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UnpinCodes', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodes.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StoreAndInstantiateContract(request, @@ -565,11 +711,21 @@ def StoreAndInstantiateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RemoveCodeUploadParamsAddresses(request, @@ -582,11 +738,21 @@ def RemoveCodeUploadParamsAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddresses.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddCodeUploadParamsAddresses(request, @@ -599,11 +765,21 @@ def AddCodeUploadParamsAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddresses.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StoreAndMigrateContract(request, @@ -616,11 +792,21 @@ def StoreAndMigrateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateContractLabel(request, @@ -633,8 +819,18 @@ def UpdateContractLabel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabel.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index caf20ad9..3db7c709 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,104 +19,110 @@ from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x8c\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12\'\n\taddresses\x18\x03 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x81\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x90\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\r\n\x05\x61\x64min\x18\x03 \x01(\t\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\001' - _globals['_ACCESSTYPE']._options = None + _globals['_ACCESSTYPE']._loaded_options = None _globals['_ACCESSTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \025AccessTypeUnspecified' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._serialized_options = b'\212\235 \020AccessTypeNobody' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._serialized_options = b'\212\235 \023AccessTypeEverybody' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._serialized_options = b'\212\235 \030AccessTypeAnyOfAddresses' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_options = b'\210\243\036\000' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 +ContractCodeHistoryOperationTypeUnspecified' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._serialized_options = b'\212\235 $ContractCodeHistoryOperationTypeInit' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._serialized_options = b'\212\235 \'ContractCodeHistoryOperationTypeMigrate' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._serialized_options = b'\212\235 \'ContractCodeHistoryOperationTypeGenesis' - _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._options = None + _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._loaded_options = None _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._serialized_options = b'\362\336\037\014yaml:\"value\"' - _globals['_ACCESSTYPEPARAM']._options = None + _globals['_ACCESSTYPEPARAM']._loaded_options = None _globals['_ACCESSTYPEPARAM']._serialized_options = b'\230\240\037\001' - _globals['_ACCESSCONFIG'].fields_by_name['permission']._options = None + _globals['_ACCESSCONFIG'].fields_by_name['permission']._loaded_options = None _globals['_ACCESSCONFIG'].fields_by_name['permission']._serialized_options = b'\362\336\037\021yaml:\"permission\"' - _globals['_ACCESSCONFIG'].fields_by_name['addresses']._options = None - _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_ACCESSCONFIG']._options = None + _globals['_ACCESSCONFIG'].fields_by_name['addresses']._loaded_options = None + _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_ACCESSCONFIG']._loaded_options = None _globals['_ACCESSCONFIG']._serialized_options = b'\230\240\037\001' - _globals['_PARAMS'].fields_by_name['code_upload_access']._options = None + _globals['_PARAMS'].fields_by_name['code_upload_access']._loaded_options = None _globals['_PARAMS'].fields_by_name['code_upload_access']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"code_upload_access\"\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._options = None + _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._loaded_options = None _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._serialized_options = b'\362\336\037%yaml:\"instantiate_default_permission\"' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000' - _globals['_CODEINFO'].fields_by_name['instantiate_config']._options = None + _globals['_CODEINFO'].fields_by_name['creator']._loaded_options = None + _globals['_CODEINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CODEINFO'].fields_by_name['instantiate_config']._loaded_options = None _globals['_CODEINFO'].fields_by_name['instantiate_config']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTINFO'].fields_by_name['code_id']._options = None + _globals['_CONTRACTINFO'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._options = None + _globals['_CONTRACTINFO'].fields_by_name['creator']._loaded_options = None + _globals['_CONTRACTINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CONTRACTINFO'].fields_by_name['admin']._loaded_options = None + _globals['_CONTRACTINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._serialized_options = b'\342\336\037\tIBCPortID' - _globals['_CONTRACTINFO'].fields_by_name['extension']._options = None + _globals['_CONTRACTINFO'].fields_by_name['extension']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['extension']._serialized_options = b'\312\264-&cosmwasm.wasm.v1.ContractInfoExtension' - _globals['_CONTRACTINFO']._options = None + _globals['_CONTRACTINFO']._loaded_options = None _globals['_CONTRACTINFO']._serialized_options = b'\350\240\037\001' - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._options = None + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._options = None + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MODEL'].fields_by_name['key']._options = None + _globals['_MODEL'].fields_by_name['key']._loaded_options = None _globals['_MODEL'].fields_by_name['key']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_EVENTCODESTORED'].fields_by_name['code_id']._options = None + _globals['_EVENTCODESTORED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCODESTORED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._options = None + _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._options = None + _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2007 - _globals['_ACCESSTYPE']._serialized_end=2253 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2256 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2678 + _globals['_ACCESSTYPE']._serialized_start=2089 + _globals['_ACCESSTYPE']._serialized_end=2335 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 _globals['_ACCESSTYPEPARAM']._serialized_start=177 _globals['_ACCESSTYPEPARAM']._serialized_end=263 _globals['_ACCESSCONFIG']._serialized_start=266 - _globals['_ACCESSCONFIG']._serialized_end=406 - _globals['_PARAMS']._serialized_start=409 - _globals['_PARAMS']._serialized_end=636 - _globals['_CODEINFO']._serialized_start=639 - _globals['_CODEINFO']._serialized_end=768 - _globals['_CONTRACTINFO']._serialized_start=771 - _globals['_CONTRACTINFO']._serialized_end=1043 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1046 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1264 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1266 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1326 - _globals['_MODEL']._serialized_start=1328 - _globals['_MODEL']._serialized_end=1417 - _globals['_EVENTCODESTORED']._serialized_start=1420 - _globals['_EVENTCODESTORED']._serialized_end=1556 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1559 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1817 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1819 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=1934 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=1936 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2004 + _globals['_ACCESSCONFIG']._serialized_end=410 + _globals['_PARAMS']._serialized_start=413 + _globals['_PARAMS']._serialized_end=640 + _globals['_CODEINFO']._serialized_start=643 + _globals['_CODEINFO']._serialized_end=798 + _globals['_CONTRACTINFO']._serialized_start=801 + _globals['_CONTRACTINFO']._serialized_end=1125 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 + _globals['_MODEL']._serialized_start=1410 + _globals['_MODEL']._serialized_end=1499 + _globals['_EVENTCODESTORED']._serialized_start=1502 + _globals['_EVENTCODESTORED']._serialized_end=1638 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 2daafffe..5cb4c9d9 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2.py b/pyinjective/proto/exchange/event_provider_api_pb2.py index c169ba8d..f815c155 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/event_provider_api.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,15 +14,15 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"o\n\x17GetLatestHeightResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x33\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeight\"#\n\x11LatestBlockHeight\x12\x0e\n\x06height\x18\x01 \x01(\x04\";\n\x18StreamBlockEventsRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"F\n\x19StreamBlockEventsResponse\x12)\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.Block\"i\n\x05\x42lock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x0f\n\x07version\x18\x02 \x01(\t\x12.\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEvent\x12\x0f\n\x07in_sync\x18\x04 \x01(\x08\">\n\nBlockEvent\x12\x10\n\x08type_url\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07tx_hash\x18\x03 \x01(\x0c\";\n\x18GetBlockEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"n\n\x19GetBlockEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"\xa5\x01\n\x0e\x42lockEventsRPC\x12\r\n\x05types\x18\x01 \x03(\t\x12\x0e\n\x06\x65vents\x18\x02 \x03(\x0c\x12\x43\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntry\x1a/\n\rTxHashesEntry\x12\x0b\n\x03key\x18\x01 \x01(\x11\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x38\x01\"L\n\x19GetCustomEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\x12\x0e\n\x06\x65vents\x18\x03 \x01(\t\"o\n\x1aGetCustomEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"@\n\x19GetABCIBlockEventsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x11\x12\x13\n\x0b\x65vent_types\x18\x02 \x03(\t\"n\n\x1aGetABCIBlockEventsResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12/\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlock\"\xce\x01\n\x08RawBlock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12>\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTx\x12\x39\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x37\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\"\xa8\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x11\x12\x0b\n\x03log\x18\x02 \x01(\t\x12\x0c\n\x04info\x18\x03 \x01(\t\x12\x12\n\ngas_wanted\x18\x04 \x01(\x12\x12\x10\n\x08gas_used\x18\x05 \x01(\x12\x12-\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x11\n\tcodespace\x18\x07 \x01(\t\"P\n\tABCIEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x35\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttribute\"+\n\rABCIAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\x17Z\x15/event_provider_apipbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"o\n\x17GetLatestHeightResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x33\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeight\"#\n\x11LatestBlockHeight\x12\x0e\n\x06height\x18\x01 \x01(\x04\";\n\x18StreamBlockEventsRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"F\n\x19StreamBlockEventsResponse\x12)\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.Block\"i\n\x05\x42lock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x0f\n\x07version\x18\x02 \x01(\t\x12.\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEvent\x12\x0f\n\x07in_sync\x18\x04 \x01(\x08\">\n\nBlockEvent\x12\x10\n\x08type_url\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07tx_hash\x18\x03 \x01(\x0c\";\n\x18GetBlockEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"n\n\x19GetBlockEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"\xa5\x01\n\x0e\x42lockEventsRPC\x12\r\n\x05types\x18\x01 \x03(\t\x12\x0e\n\x06\x65vents\x18\x02 \x03(\x0c\x12\x43\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntry\x1a/\n\rTxHashesEntry\x12\x0b\n\x03key\x18\x01 \x01(\x11\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x38\x01\"L\n\x19GetCustomEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\x12\x0e\n\x06\x65vents\x18\x03 \x01(\t\"o\n\x1aGetCustomEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"@\n\x19GetABCIBlockEventsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x11\x12\x13\n\x0b\x65vent_types\x18\x02 \x03(\t\"n\n\x1aGetABCIBlockEventsResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12/\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlock\"\xfb\x01\n\x08RawBlock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x12\n\nblock_time\x18\x05 \x01(\t\x12\x17\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12\x12>\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTx\x12\x39\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x37\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\"\xb9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x11\x12\x0b\n\x03log\x18\x02 \x01(\t\x12\x0c\n\x04info\x18\x03 \x01(\t\x12\x12\n\ngas_wanted\x18\x04 \x01(\x12\x12\x10\n\x08gas_used\x18\x05 \x01(\x12\x12-\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x11\n\tcodespace\x18\x07 \x01(\t\x12\x0f\n\x07tx_hash\x18\x08 \x01(\x0c\"P\n\tABCIEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x35\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttribute\"+\n\rABCIAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\x17Z\x15/event_provider_apipbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.event_provider_api_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\025/event_provider_apipb' - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._options = None + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._loaded_options = None _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_options = b'8\001' _globals['_GETLATESTHEIGHTREQUEST']._serialized_start=57 _globals['_GETLATESTHEIGHTREQUEST']._serialized_end=81 @@ -55,13 +55,13 @@ _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1135 _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1245 _globals['_RAWBLOCK']._serialized_start=1248 - _globals['_RAWBLOCK']._serialized_end=1454 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1457 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=1625 - _globals['_ABCIEVENT']._serialized_start=1627 - _globals['_ABCIEVENT']._serialized_end=1707 - _globals['_ABCIATTRIBUTE']._serialized_start=1709 - _globals['_ABCIATTRIBUTE']._serialized_end=1752 - _globals['_EVENTPROVIDERAPI']._serialized_start=1755 - _globals['_EVENTPROVIDERAPI']._serialized_end=2345 + _globals['_RAWBLOCK']._serialized_end=1499 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1502 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=1687 + _globals['_ABCIEVENT']._serialized_start=1689 + _globals['_ABCIEVENT']._serialized_end=1769 + _globals['_ABCIATTRIBUTE']._serialized_start=1771 + _globals['_ABCIATTRIBUTE']._serialized_end=1814 + _globals['_EVENTPROVIDERAPI']._serialized_start=1817 + _globals['_EVENTPROVIDERAPI']._serialized_end=2407 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index b3e5c8ef..aa69fc01 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class EventProviderAPIStub(object): """EventProviderAPI provides processed block events for different backends. @@ -19,27 +44,27 @@ def __init__(self, channel): '/event_provider_api.EventProviderAPI/GetLatestHeight', request_serializer=exchange_dot_event__provider__api__pb2.GetLatestHeightRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetLatestHeightResponse.FromString, - ) + _registered_method=True) self.StreamBlockEvents = channel.unary_stream( '/event_provider_api.EventProviderAPI/StreamBlockEvents', request_serializer=exchange_dot_event__provider__api__pb2.StreamBlockEventsRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.StreamBlockEventsResponse.FromString, - ) + _registered_method=True) self.GetBlockEventsRPC = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', request_serializer=exchange_dot_event__provider__api__pb2.GetBlockEventsRPCRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetBlockEventsRPCResponse.FromString, - ) + _registered_method=True) self.GetCustomEventsRPC = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', request_serializer=exchange_dot_event__provider__api__pb2.GetCustomEventsRPCRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetCustomEventsRPCResponse.FromString, - ) + _registered_method=True) self.GetABCIBlockEvents = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', request_serializer=exchange_dot_event__provider__api__pb2.GetABCIBlockEventsRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetABCIBlockEventsResponse.FromString, - ) + _registered_method=True) class EventProviderAPIServicer(object): @@ -113,6 +138,7 @@ def add_EventProviderAPIServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'event_provider_api.EventProviderAPI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('event_provider_api.EventProviderAPI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -131,11 +157,21 @@ def GetLatestHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetLatestHeight', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetLatestHeight', exchange_dot_event__provider__api__pb2.GetLatestHeightRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetLatestHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBlockEvents(request, @@ -148,11 +184,21 @@ def StreamBlockEvents(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/event_provider_api.EventProviderAPI/StreamBlockEvents', + return grpc.experimental.unary_stream( + request, + target, + '/event_provider_api.EventProviderAPI/StreamBlockEvents', exchange_dot_event__provider__api__pb2.StreamBlockEventsRequest.SerializeToString, exchange_dot_event__provider__api__pb2.StreamBlockEventsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockEventsRPC(request, @@ -165,11 +211,21 @@ def GetBlockEventsRPC(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', exchange_dot_event__provider__api__pb2.GetBlockEventsRPCRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetBlockEventsRPCResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCustomEventsRPC(request, @@ -182,11 +238,21 @@ def GetCustomEventsRPC(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', exchange_dot_event__provider__api__pb2.GetCustomEventsRPCRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetCustomEventsRPCResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetABCIBlockEvents(request, @@ -199,8 +265,18 @@ def GetABCIBlockEvents(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', exchange_dot_event__provider__api__pb2.GetABCIBlockEventsRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetABCIBlockEventsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/health_pb2.py b/pyinjective/proto/exchange/health_pb2.py index 2434254f..b92feb01 100644 --- a/pyinjective/proto/exchange/health_pb2.py +++ b/pyinjective/proto/exchange/health_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/health.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.health_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\t/api.v1pb' _globals['_GETSTATUSREQUEST']._serialized_start=33 _globals['_GETSTATUSREQUEST']._serialized_end=51 diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index eaf0f7c5..b236eb52 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import health_pb2 as exchange_dot_health__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/health_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class HealthStub(object): """HealthAPI allows to check if backend data is up-to-date and reliable or not. @@ -19,7 +44,7 @@ def __init__(self, channel): '/api.v1.Health/GetStatus', request_serializer=exchange_dot_health__pb2.GetStatusRequest.SerializeToString, response_deserializer=exchange_dot_health__pb2.GetStatusResponse.FromString, - ) + _registered_method=True) class HealthServicer(object): @@ -45,6 +70,7 @@ def add_HealthServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'api.v1.Health', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('api.v1.Health', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def GetStatus(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/api.v1.Health/GetStatus', + return grpc.experimental.unary_unary( + request, + target, + '/api.v1.Health/GetStatus', exchange_dot_health__pb2.GetStatusRequest.SerializeToString, exchange_dot_health__pb2.GetStatusResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py index ef651868..12ca180c 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_accounts_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,13 +14,13 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\"+\n\x10PortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"P\n\x11PortfolioResponse\x12;\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolio\"\xb8\x01\n\x10\x41\x63\x63ountPortfolio\x12\x17\n\x0fportfolio_value\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\x12@\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolio\"w\n\x13SubaccountPortfolio\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\"P\n\x12OrderStatesRequest\x12\x19\n\x11spot_order_hashes\x18\x01 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\t\"\xa5\x01\n\x13OrderStatesResponse\x12\x43\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\x12I\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\"\x83\x02\n\x10OrderStateRecord\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x12\n\norder_type\x18\x04 \x01(\t\x12\x12\n\norder_side\x18\x05 \x01(\t\x12\r\n\x05state\x18\x06 \x01(\t\x12\x17\n\x0fquantity_filled\x18\x07 \x01(\t\x12\x1a\n\x12quantity_remaining\x18\x08 \x01(\t\x12\x12\n\ncreated_at\x18\t \x01(\x12\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\r\n\x05price\x18\x0b \x01(\t\x12\x0e\n\x06margin\x18\x0c \x01(\t\"1\n\x16SubaccountsListRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\".\n\x17SubaccountsListResponse\x12\x13\n\x0bsubaccounts\x18\x01 \x03(\t\"F\n\x1dSubaccountBalancesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"]\n\x1eSubaccountBalancesListResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"\x8e\x01\n\x11SubaccountBalance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12:\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"H\n SubaccountBalanceEndpointRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"_\n!SubaccountBalanceEndpointResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"G\n\x1eStreamSubaccountBalanceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"p\n\x1fStreamSubaccountBalanceResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\x87\x01\n\x18SubaccountHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x16\n\x0etransfer_types\x18\x03 \x03(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\"\x91\x01\n\x19SubaccountHistoryResponse\x12\x44\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransfer\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.Paging\"\xeb\x01\n\x19SubaccountBalanceTransfer\x12\x15\n\rtransfer_type\x18\x01 \x01(\t\x12\x19\n\x11src_subaccount_id\x18\x02 \x01(\t\x12\x1b\n\x13src_account_address\x18\x03 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x04 \x01(\t\x12\x1b\n\x13\x64st_account_address\x18\x05 \x01(\t\x12\x32\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoin\x12\x13\n\x0b\x65xecuted_at\x18\x07 \x01(\x12\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"b\n\x1dSubaccountOrderSummaryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0forder_direction\x18\x03 \x01(\t\"\\\n\x1eSubaccountOrderSummaryResponse\x12\x19\n\x11spot_orders_total\x18\x01 \x01(\x12\x12\x1f\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12\"8\n\x0eRewardsRequest\x12\r\n\x05\x65poch\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"B\n\x0fRewardsResponse\x12/\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.Reward\"h\n\x06Reward\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12-\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.Coin\x12\x16\n\x0e\x64istributed_at\x18\x03 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t2\xe0\x08\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponseB\x1bZ\x19/injective_accounts_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\"+\n\x10PortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"P\n\x11PortfolioResponse\x12;\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolio\"\xb8\x01\n\x10\x41\x63\x63ountPortfolio\x12\x17\n\x0fportfolio_value\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\x12@\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolio\"w\n\x13SubaccountPortfolio\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\"P\n\x12OrderStatesRequest\x12\x19\n\x11spot_order_hashes\x18\x01 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\t\"\xa5\x01\n\x13OrderStatesResponse\x12\x43\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\x12I\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\"\x83\x02\n\x10OrderStateRecord\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x12\n\norder_type\x18\x04 \x01(\t\x12\x12\n\norder_side\x18\x05 \x01(\t\x12\r\n\x05state\x18\x06 \x01(\t\x12\x17\n\x0fquantity_filled\x18\x07 \x01(\t\x12\x1a\n\x12quantity_remaining\x18\x08 \x01(\t\x12\x12\n\ncreated_at\x18\t \x01(\x12\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\r\n\x05price\x18\x0b \x01(\t\x12\x0e\n\x06margin\x18\x0c \x01(\t\"1\n\x16SubaccountsListRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\".\n\x17SubaccountsListResponse\x12\x13\n\x0bsubaccounts\x18\x01 \x03(\t\"F\n\x1dSubaccountBalancesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"]\n\x1eSubaccountBalancesListResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"\x8e\x01\n\x11SubaccountBalance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12:\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"H\n SubaccountBalanceEndpointRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"_\n!SubaccountBalanceEndpointResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"G\n\x1eStreamSubaccountBalanceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"p\n\x1fStreamSubaccountBalanceResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\x87\x01\n\x18SubaccountHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x16\n\x0etransfer_types\x18\x03 \x03(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\"\x91\x01\n\x19SubaccountHistoryResponse\x12\x44\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransfer\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.Paging\"\xeb\x01\n\x19SubaccountBalanceTransfer\x12\x15\n\rtransfer_type\x18\x01 \x01(\t\x12\x19\n\x11src_subaccount_id\x18\x02 \x01(\t\x12\x1b\n\x13src_account_address\x18\x03 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x04 \x01(\t\x12\x1b\n\x13\x64st_account_address\x18\x05 \x01(\t\x12\x32\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoin\x12\x13\n\x0b\x65xecuted_at\x18\x07 \x01(\x12\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"b\n\x1dSubaccountOrderSummaryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0forder_direction\x18\x03 \x01(\t\"\\\n\x1eSubaccountOrderSummaryResponse\x12\x19\n\x11spot_orders_total\x18\x01 \x01(\x12\x12\x1f\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12\"8\n\x0eRewardsRequest\x12\r\n\x05\x65poch\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"B\n\x0fRewardsResponse\x12/\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.Reward\"h\n\x06Reward\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12-\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.Coin\x12\x16\n\x0e\x64istributed_at\x18\x03 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"3\n\x18StreamAccountDataRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"\x95\x03\n\x19StreamAccountDataResponse\x12K\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResult\x12\x39\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResult\x12\x32\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResult\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResult\x12\x41\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResult\x12\x45\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResult\"h\n\x17SubaccountBalanceResult\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"X\n\x0fPositionsResult\x12\x32\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.Position\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xe5\x01\n\x08Position\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\"\xbf\x01\n\x0bTradeResult\x12\x37\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00\x12\x43\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05trade\"\xa3\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x31\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xc4\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12=\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xc9\x01\n\x0bOrderResult\x12<\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00\x12H\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05order\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xec\x01\n\x12OrderHistoryResult\x12\x46\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00\x12R\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x0f\n\rorder_history\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x83\x01\n\x14\x46undingPaymentResult\x12@\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPayment\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\x1bZ\x19/injective_accounts_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_accounts_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_accounts_rpcpb' _globals['_PORTFOLIOREQUEST']._serialized_start=65 _globals['_PORTFOLIOREQUEST']._serialized_end=108 @@ -78,6 +78,42 @@ _globals['_REWARD']._serialized_end=2939 _globals['_COIN']._serialized_start=2941 _globals['_COIN']._serialized_end=2978 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=2981 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=4101 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=2980 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=3031 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=3034 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=3439 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=3441 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=3545 + _globals['_POSITIONSRESULT']._serialized_start=3547 + _globals['_POSITIONSRESULT']._serialized_end=3635 + _globals['_POSITION']._serialized_start=3638 + _globals['_POSITION']._serialized_end=3867 + _globals['_TRADERESULT']._serialized_start=3870 + _globals['_TRADERESULT']._serialized_end=4061 + _globals['_SPOTTRADE']._serialized_start=4064 + _globals['_SPOTTRADE']._serialized_end=4355 + _globals['_PRICELEVEL']._serialized_start=4357 + _globals['_PRICELEVEL']._serialized_end=4421 + _globals['_DERIVATIVETRADE']._serialized_start=4424 + _globals['_DERIVATIVETRADE']._serialized_end=4748 + _globals['_POSITIONDELTA']._serialized_start=4750 + _globals['_POSITIONDELTA']._serialized_end=4869 + _globals['_ORDERRESULT']._serialized_start=4872 + _globals['_ORDERRESULT']._serialized_end=5073 + _globals['_SPOTLIMITORDER']._serialized_start=5076 + _globals['_SPOTLIMITORDER']._serialized_end=5365 + _globals['_DERIVATIVELIMITORDER']._serialized_start=5368 + _globals['_DERIVATIVELIMITORDER']._serialized_end=5840 + _globals['_ORDERHISTORYRESULT']._serialized_start=5843 + _globals['_ORDERHISTORYRESULT']._serialized_end=6079 + _globals['_SPOTORDERHISTORY']._serialized_start=6082 + _globals['_SPOTORDERHISTORY']._serialized_end=6410 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=6413 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=6858 + _globals['_FUNDINGPAYMENTRESULT']._serialized_start=6861 + _globals['_FUNDINGPAYMENTRESULT']._serialized_end=6992 + _globals['_FUNDINGPAYMENT']._serialized_start=6994 + _globals['_FUNDINGPAYMENT']._serialized_end=7087 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=7090 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=8334 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 7c74ed6f..9af0a6bc 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_accounts_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAccountsRPCStub(object): """InjectiveAccountsRPC defines API of Exchange Accounts provider. @@ -19,47 +44,52 @@ def __init__(self, channel): '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', request_serializer=exchange_dot_injective__accounts__rpc__pb2.PortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.PortfolioResponse.FromString, - ) + _registered_method=True) self.OrderStates = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', request_serializer=exchange_dot_injective__accounts__rpc__pb2.OrderStatesRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.OrderStatesResponse.FromString, - ) + _registered_method=True) self.SubaccountsList = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountsListRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountsListResponse.FromString, - ) + _registered_method=True) self.SubaccountBalancesList = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListResponse.FromString, - ) + _registered_method=True) self.SubaccountBalanceEndpoint = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointResponse.FromString, - ) + _registered_method=True) self.StreamSubaccountBalance = channel.unary_stream( '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', request_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceResponse.FromString, - ) + _registered_method=True) self.SubaccountHistory = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryResponse.FromString, - ) + _registered_method=True) self.SubaccountOrderSummary = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryResponse.FromString, - ) + _registered_method=True) self.Rewards = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', request_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, - ) + _registered_method=True) + self.StreamAccountData = channel.unary_stream( + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', + request_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, + response_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, + _registered_method=True) class InjectiveAccountsRPCServicer(object): @@ -131,6 +161,13 @@ def Rewards(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def StreamAccountData(self, request, context): + """Stream live data for an account and respective data + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_InjectiveAccountsRPCServicer_to_server(servicer, server): rpc_method_handlers = { @@ -179,10 +216,16 @@ def add_InjectiveAccountsRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.FromString, response_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.SerializeToString, ), + 'StreamAccountData': grpc.unary_stream_rpc_method_handler( + servicer.StreamAccountData, + request_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.FromString, + response_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -201,11 +244,21 @@ def Portfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', exchange_dot_injective__accounts__rpc__pb2.PortfolioRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.PortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderStates(request, @@ -218,11 +271,21 @@ def OrderStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', exchange_dot_injective__accounts__rpc__pb2.OrderStatesRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.OrderStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountsList(request, @@ -235,11 +298,21 @@ def SubaccountsList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', exchange_dot_injective__accounts__rpc__pb2.SubaccountsListRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountsListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountBalancesList(request, @@ -252,11 +325,21 @@ def SubaccountBalancesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountBalanceEndpoint(request, @@ -269,11 +352,21 @@ def SubaccountBalanceEndpoint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamSubaccountBalance(request, @@ -286,11 +379,21 @@ def StreamSubaccountBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', + return grpc.experimental.unary_stream( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountHistory(request, @@ -303,11 +406,21 @@ def SubaccountHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrderSummary(request, @@ -320,11 +433,21 @@ def SubaccountOrderSummary(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Rewards(request, @@ -337,8 +460,45 @@ def Rewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def StreamAccountData(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_stream( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', + exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, + exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py index e0e97dc9..1958d92a 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_auction_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_auction_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_auction_rpcpb' _globals['_AUCTIONENDPOINTREQUEST']._serialized_start=63 _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=102 diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index b1ca37e3..ccf75eb8 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAuctionRPCStub(object): """InjectiveAuctionRPC defines gRPC API of the Auction API. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', request_serializer=exchange_dot_injective__auction__rpc__pb2.AuctionEndpointRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.AuctionEndpointResponse.FromString, - ) + _registered_method=True) self.Auctions = channel.unary_unary( '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', request_serializer=exchange_dot_injective__auction__rpc__pb2.AuctionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.AuctionsResponse.FromString, - ) + _registered_method=True) self.StreamBids = channel.unary_stream( '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', request_serializer=exchange_dot_injective__auction__rpc__pb2.StreamBidsRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.StreamBidsResponse.FromString, - ) + _registered_method=True) class InjectiveAuctionRPCServicer(object): @@ -79,6 +104,7 @@ def add_InjectiveAuctionRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_auction_rpc.InjectiveAuctionRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_auction_rpc.InjectiveAuctionRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def AuctionEndpoint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', + return grpc.experimental.unary_unary( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', exchange_dot_injective__auction__rpc__pb2.AuctionEndpointRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.AuctionEndpointResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Auctions(request, @@ -114,11 +150,21 @@ def Auctions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', exchange_dot_injective__auction__rpc__pb2.AuctionsRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.AuctionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBids(request, @@ -131,8 +177,18 @@ def StreamBids(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', + return grpc.experimental.unary_stream( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', exchange_dot_injective__auction__rpc__pb2.StreamBidsRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.StreamBidsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index 449d0d9d..fdd3f308 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_campaign_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,48 +14,48 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"n\n\x0eRankingRequest\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\"\xaa\x01\n\x0fRankingResponse\x12\x32\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x33\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUser\x12.\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\"\x80\x02\n\x08\x43\x61mpaign\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0btotal_score\x18\x04 \x01(\t\x12\x14\n\x0clast_updated\x18\x05 \x01(\x12\x12\x12\n\nstart_date\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_date\x18\x07 \x01(\x12\x12\x14\n\x0cis_claimable\x18\x08 \x01(\x08\x12\x10\n\x08round_id\x18\t \x01(\x11\x12\x10\n\x08\x63ontract\x18\n \x01(\t\x12-\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x12\n\nuser_score\x18\x0c \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\xd3\x01\n\x0c\x43\x61mpaignUser\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05score\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_updated\x18\x05 \x01(\x08\x12\x14\n\x0c\x62lock_height\x18\x06 \x01(\x12\x12\x12\n\nblock_time\x18\x07 \x01(\x12\x12\x18\n\x10purchased_amount\x18\x08 \x01(\t\x12\x15\n\rgalxe_updated\x18\t \x01(\x08\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"R\n\x10\x43\x61mpaignsRequest\x12\x10\n\x08round_id\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\x13\n\x0bto_round_id\x18\x03 \x01(\x11\"\x7f\n\x11\x43\x61mpaignsResponse\x12\x33\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x35\n\x0f\x61\x63\x63ount_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"\\\n\x11ListGuildsRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\x0f\n\x07sort_by\x18\x04 \x01(\t\"\xca\x01\n\x12ListGuildsResponse\x12-\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.Guild\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x12\n\nupdated_at\x18\x03 \x01(\x12\x12\x41\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummary\"\xb9\x02\n\x05Guild\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x16\n\x0emaster_address\x18\x03 \x01(\t\x12\x12\n\ncreated_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x16\n\x0erank_by_volume\x18\x07 \x01(\x11\x12\x13\n\x0brank_by_tvl\x18\x08 \x01(\x11\x12\x0c\n\x04logo\x18\t \x01(\t\x12\x11\n\ttotal_tvl\x18\n \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\x0c\n\x04name\x18\x0e \x01(\t\x12\x11\n\tis_active\x18\r \x01(\x08\x12\x16\n\x0emaster_balance\x18\x0f \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x10 \x01(\t\"\xf8\x01\n\x0f\x43\x61mpaignSummary\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x19\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\t\x12\x1a\n\x12total_guilds_count\x18\x03 \x01(\x11\x12\x11\n\ttotal_tvl\x18\x04 \x01(\t\x12\x19\n\x11total_average_tvl\x18\x05 \x01(\t\x12\x14\n\x0ctotal_volume\x18\x06 \x01(\t\x12\x12\n\nupdated_at\x18\x07 \x01(\x12\x12\x1b\n\x13total_members_count\x18\x08 \x01(\x11\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\"\x90\x01\n\x17ListGuildMembersRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x11\x12\x1a\n\x12include_guild_info\x18\x05 \x01(\x08\x12\x0f\n\x07sort_by\x18\x06 \x01(\t\"\xb3\x01\n\x18ListGuildMembersResponse\x12\x34\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMember\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x31\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.Guild\"\xc0\x02\n\x0bGuildMember\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\x11\n\tjoined_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x11\n\ttotal_tvl\x18\x07 \x01(\t\x12\x1f\n\x17volume_score_percentage\x18\x08 \x01(\x01\x12\x1c\n\x14tvl_score_percentage\x18\t \x01(\x01\x12\x30\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x33\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"C\n\x15GetGuildMemberRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"K\n\x16GetGuildMemberResponse\x12\x31\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMember2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\x1bZ\x19/injective_campaign_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\x88\x01\n\x0eRankingRequest\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\"\xaa\x01\n\x0fRankingResponse\x12\x32\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x33\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUser\x12.\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\"\xe6\x02\n\x08\x43\x61mpaign\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0btotal_score\x18\x04 \x01(\t\x12\x14\n\x0clast_updated\x18\x05 \x01(\x12\x12\x12\n\nstart_date\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_date\x18\x07 \x01(\x12\x12\x14\n\x0cis_claimable\x18\x08 \x01(\x08\x12\x10\n\x08round_id\x18\t \x01(\x11\x12\x18\n\x10manager_contract\x18\n \x01(\t\x12-\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x12\n\nuser_score\x18\x0c \x01(\t\x12\x14\n\x0cuser_claimed\x18\r \x01(\x08\x12\x1c\n\x14subaccount_id_suffix\x18\x0e \x01(\t\x12\x17\n\x0freward_contract\x18\x0f \x01(\t\x12\x0f\n\x07version\x18\x10 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\xeb\x01\n\x0c\x43\x61mpaignUser\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05score\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_updated\x18\x05 \x01(\x08\x12\x14\n\x0c\x62lock_height\x18\x06 \x01(\x12\x12\x12\n\nblock_time\x18\x07 \x01(\x12\x12\x18\n\x10purchased_amount\x18\x08 \x01(\t\x12\x15\n\rgalxe_updated\x18\t \x01(\x08\x12\x16\n\x0ereward_claimed\x18\n \x01(\x08\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"l\n\x10\x43\x61mpaignsRequest\x12\x10\n\x08round_id\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\x13\n\x0bto_round_id\x18\x03 \x01(\x11\x12\x18\n\x10\x63ontract_address\x18\x04 \x01(\t\"\x99\x01\n\x11\x43\x61mpaignsResponse\x12\x33\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x39\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x14\n\x0creward_count\x18\x03 \x01(\x11\"\\\n\x11ListGuildsRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\x0f\n\x07sort_by\x18\x04 \x01(\t\"\xca\x01\n\x12ListGuildsResponse\x12-\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.Guild\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x12\n\nupdated_at\x18\x03 \x01(\x12\x12\x41\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummary\"\xb9\x02\n\x05Guild\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x16\n\x0emaster_address\x18\x03 \x01(\t\x12\x12\n\ncreated_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x16\n\x0erank_by_volume\x18\x07 \x01(\x11\x12\x13\n\x0brank_by_tvl\x18\x08 \x01(\x11\x12\x0c\n\x04logo\x18\t \x01(\t\x12\x11\n\ttotal_tvl\x18\n \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\x0c\n\x04name\x18\x0e \x01(\t\x12\x11\n\tis_active\x18\r \x01(\x08\x12\x16\n\x0emaster_balance\x18\x0f \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x10 \x01(\t\"\xf8\x01\n\x0f\x43\x61mpaignSummary\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x19\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\t\x12\x1a\n\x12total_guilds_count\x18\x03 \x01(\x11\x12\x11\n\ttotal_tvl\x18\x04 \x01(\t\x12\x19\n\x11total_average_tvl\x18\x05 \x01(\t\x12\x14\n\x0ctotal_volume\x18\x06 \x01(\t\x12\x12\n\nupdated_at\x18\x07 \x01(\x12\x12\x1b\n\x13total_members_count\x18\x08 \x01(\x11\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\"\x90\x01\n\x17ListGuildMembersRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x11\x12\x1a\n\x12include_guild_info\x18\x05 \x01(\x08\x12\x0f\n\x07sort_by\x18\x06 \x01(\t\"\xb3\x01\n\x18ListGuildMembersResponse\x12\x34\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMember\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x31\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.Guild\"\xc0\x02\n\x0bGuildMember\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\x11\n\tjoined_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x11\n\ttotal_tvl\x18\x07 \x01(\t\x12\x1f\n\x17volume_score_percentage\x18\x08 \x01(\x01\x12\x1c\n\x14tvl_score_percentage\x18\t \x01(\x01\x12\x30\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x33\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"C\n\x15GetGuildMemberRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"K\n\x16GetGuildMemberResponse\x12\x31\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMember2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\x1bZ\x19/injective_campaign_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_campaign_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_campaign_rpcpb' - _globals['_RANKINGREQUEST']._serialized_start=65 - _globals['_RANKINGREQUEST']._serialized_end=175 - _globals['_RANKINGRESPONSE']._serialized_start=178 - _globals['_RANKINGRESPONSE']._serialized_end=348 - _globals['_CAMPAIGN']._serialized_start=351 - _globals['_CAMPAIGN']._serialized_end=607 - _globals['_COIN']._serialized_start=609 - _globals['_COIN']._serialized_end=646 - _globals['_CAMPAIGNUSER']._serialized_start=649 - _globals['_CAMPAIGNUSER']._serialized_end=860 - _globals['_PAGING']._serialized_start=862 - _globals['_PAGING']._serialized_end=954 - _globals['_CAMPAIGNSREQUEST']._serialized_start=956 - _globals['_CAMPAIGNSREQUEST']._serialized_end=1038 - _globals['_CAMPAIGNSRESPONSE']._serialized_start=1040 - _globals['_CAMPAIGNSRESPONSE']._serialized_end=1167 - _globals['_LISTGUILDSREQUEST']._serialized_start=1169 - _globals['_LISTGUILDSREQUEST']._serialized_end=1261 - _globals['_LISTGUILDSRESPONSE']._serialized_start=1264 - _globals['_LISTGUILDSRESPONSE']._serialized_end=1466 - _globals['_GUILD']._serialized_start=1469 - _globals['_GUILD']._serialized_end=1782 - _globals['_CAMPAIGNSUMMARY']._serialized_start=1785 - _globals['_CAMPAIGNSUMMARY']._serialized_end=2033 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=2036 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=2180 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=2183 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=2362 - _globals['_GUILDMEMBER']._serialized_start=2365 - _globals['_GUILDMEMBER']._serialized_end=2685 - _globals['_GETGUILDMEMBERREQUEST']._serialized_start=2687 - _globals['_GETGUILDMEMBERREQUEST']._serialized_end=2754 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=2756 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=2831 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=2834 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=3379 + _globals['_RANKINGREQUEST']._serialized_start=66 + _globals['_RANKINGREQUEST']._serialized_end=202 + _globals['_RANKINGRESPONSE']._serialized_start=205 + _globals['_RANKINGRESPONSE']._serialized_end=375 + _globals['_CAMPAIGN']._serialized_start=378 + _globals['_CAMPAIGN']._serialized_end=736 + _globals['_COIN']._serialized_start=738 + _globals['_COIN']._serialized_end=775 + _globals['_CAMPAIGNUSER']._serialized_start=778 + _globals['_CAMPAIGNUSER']._serialized_end=1013 + _globals['_PAGING']._serialized_start=1015 + _globals['_PAGING']._serialized_end=1107 + _globals['_CAMPAIGNSREQUEST']._serialized_start=1109 + _globals['_CAMPAIGNSREQUEST']._serialized_end=1217 + _globals['_CAMPAIGNSRESPONSE']._serialized_start=1220 + _globals['_CAMPAIGNSRESPONSE']._serialized_end=1373 + _globals['_LISTGUILDSREQUEST']._serialized_start=1375 + _globals['_LISTGUILDSREQUEST']._serialized_end=1467 + _globals['_LISTGUILDSRESPONSE']._serialized_start=1470 + _globals['_LISTGUILDSRESPONSE']._serialized_end=1672 + _globals['_GUILD']._serialized_start=1675 + _globals['_GUILD']._serialized_end=1988 + _globals['_CAMPAIGNSUMMARY']._serialized_start=1991 + _globals['_CAMPAIGNSUMMARY']._serialized_end=2239 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=2242 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=2386 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=2389 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=2568 + _globals['_GUILDMEMBER']._serialized_start=2571 + _globals['_GUILDMEMBER']._serialized_end=2891 + _globals['_GETGUILDMEMBERREQUEST']._serialized_start=2893 + _globals['_GETGUILDMEMBERREQUEST']._serialized_end=2960 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=2962 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=3037 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=3040 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=3585 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index ee20803b..cc118c36 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveCampaignRPCStub(object): """InjectiveCampaignRPC defined a gRPC service for Injective Campaigns. @@ -19,27 +44,27 @@ def __init__(self, channel): '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', request_serializer=exchange_dot_injective__campaign__rpc__pb2.RankingRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.RankingResponse.FromString, - ) + _registered_method=True) self.Campaigns = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', request_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.FromString, - ) + _registered_method=True) self.ListGuilds = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', request_serializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsResponse.FromString, - ) + _registered_method=True) self.ListGuildMembers = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', request_serializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersResponse.FromString, - ) + _registered_method=True) self.GetGuildMember = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', request_serializer=exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberResponse.FromString, - ) + _registered_method=True) class InjectiveCampaignRPCServicer(object): @@ -113,6 +138,7 @@ def add_InjectiveCampaignRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_campaign_rpc.InjectiveCampaignRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_campaign_rpc.InjectiveCampaignRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -131,11 +157,21 @@ def Ranking(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', exchange_dot_injective__campaign__rpc__pb2.RankingRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.RankingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Campaigns(request, @@ -148,11 +184,21 @@ def Campaigns(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListGuilds(request, @@ -165,11 +211,21 @@ def ListGuilds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.ListGuildsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListGuildMembers(request, @@ -182,11 +238,21 @@ def ListGuildMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetGuildMember(request, @@ -199,8 +265,18 @@ def GetGuildMember(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index 7728b254..9164a7c5 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_derivative_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_derivative_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$/injective_derivative_exchange_rpcpb' _globals['_MARKETSREQUEST']._serialized_start=87 _globals['_MARKETSREQUEST']._serialized_end=172 diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index 352b540a..180d87bd 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveDerivativeExchangeRPCStub(object): """InjectiveDerivativeExchangeRPC defines gRPC API of Derivative Markets @@ -20,127 +45,127 @@ def __init__(self, channel): '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsResponse.FromString, - ) + _registered_method=True) self.Market = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketResponse.FromString, - ) + _registered_method=True) self.StreamMarket = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarkets = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarket = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketResponse.FromString, - ) + _registered_method=True) self.OrderbookV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Response.FromString, - ) + _registered_method=True) self.OrderbooksV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookV2 = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookUpdate = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - ) + _registered_method=True) self.Orders = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersResponse.FromString, - ) + _registered_method=True) self.Positions = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsResponse.FromString, - ) + _registered_method=True) self.PositionsV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Response.FromString, - ) + _registered_method=True) self.LiquidablePositions = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsResponse.FromString, - ) + _registered_method=True) self.FundingPayments = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsResponse.FromString, - ) + _registered_method=True) self.FundingRates = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesResponse.FromString, - ) + _registered_method=True) self.StreamPositions = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsResponse.FromString, - ) + _registered_method=True) self.StreamOrders = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersResponse.FromString, - ) + _registered_method=True) self.Trades = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesResponse.FromString, - ) + _registered_method=True) self.TradesV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Response.FromString, - ) + _registered_method=True) self.StreamTrades = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesResponse.FromString, - ) + _registered_method=True) self.StreamTradesV2 = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Response.FromString, - ) + _registered_method=True) self.SubaccountOrdersList = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - ) + _registered_method=True) self.SubaccountTradesList = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - ) + _registered_method=True) self.OrdersHistory = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - ) + _registered_method=True) self.StreamOrdersHistory = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - ) + _registered_method=True) class InjectiveDerivativeExchangeRPCServicer(object): @@ -457,6 +482,7 @@ def add_InjectiveDerivativeExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -476,11 +502,21 @@ def Markets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Market(request, @@ -493,11 +529,21 @@ def Market(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', exchange_dot_injective__derivative__exchange__rpc__pb2.MarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.MarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamMarket(request, @@ -510,11 +556,21 @@ def StreamMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarkets(request, @@ -527,11 +583,21 @@ def BinaryOptionsMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarket(request, @@ -544,11 +610,21 @@ def BinaryOptionsMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbookV2(request, @@ -561,11 +637,21 @@ def OrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbooksV2(request, @@ -578,11 +664,21 @@ def OrderbooksV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookV2(request, @@ -595,11 +691,21 @@ def StreamOrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookUpdate(request, @@ -612,11 +718,21 @@ def StreamOrderbookUpdate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Orders(request, @@ -629,11 +745,21 @@ def Orders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Positions(request, @@ -646,11 +772,21 @@ def Positions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PositionsV2(request, @@ -663,11 +799,21 @@ def PositionsV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LiquidablePositions(request, @@ -680,11 +826,21 @@ def LiquidablePositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundingPayments(request, @@ -697,11 +853,21 @@ def FundingPayments(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundingRates(request, @@ -714,11 +880,21 @@ def FundingRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPositions(request, @@ -731,11 +907,21 @@ def StreamPositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrders(request, @@ -748,11 +934,21 @@ def StreamOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Trades(request, @@ -765,11 +961,21 @@ def Trades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', exchange_dot_injective__derivative__exchange__rpc__pb2.TradesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.TradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradesV2(request, @@ -782,11 +988,21 @@ def TradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTrades(request, @@ -799,11 +1015,21 @@ def StreamTrades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTradesV2(request, @@ -816,11 +1042,21 @@ def StreamTradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrdersList(request, @@ -833,11 +1069,21 @@ def SubaccountOrdersList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradesList(request, @@ -850,11 +1096,21 @@ def SubaccountTradesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrdersHistory(request, @@ -867,11 +1123,21 @@ def OrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrdersHistory(request, @@ -884,8 +1150,18 @@ def StreamOrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py index cc9ba7f0..41989732 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_exchange_rpcpb' _globals['_GETTXREQUEST']._serialized_start=65 _globals['_GETTXREQUEST']._serialized_end=93 diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index 921a34d5..90506173 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExchangeRPCStub(object): """InjectiveExchangeRPC defines gRPC API of an Injective Exchange service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.GetTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.GetTxResponse.FromString, - ) + _registered_method=True) self.PrepareTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.PrepareTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.PrepareTxResponse.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastTxResponse.FromString, - ) + _registered_method=True) self.PrepareCosmosTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxResponse.FromString, - ) + _registered_method=True) self.BroadcastCosmosTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxResponse.FromString, - ) + _registered_method=True) self.GetFeePayer = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', request_serializer=exchange_dot_injective__exchange__rpc__pb2.GetFeePayerRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.GetFeePayerResponse.FromString, - ) + _registered_method=True) class InjectiveExchangeRPCServicer(object): @@ -130,6 +155,7 @@ def add_InjectiveExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_exchange_rpc.InjectiveExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_exchange_rpc.InjectiveExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -148,11 +174,21 @@ def GetTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', exchange_dot_injective__exchange__rpc__pb2.GetTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.GetTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrepareTx(request, @@ -165,11 +201,21 @@ def PrepareTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', exchange_dot_injective__exchange__rpc__pb2.PrepareTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.PrepareTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -182,11 +228,21 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', exchange_dot_injective__exchange__rpc__pb2.BroadcastTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.BroadcastTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrepareCosmosTx(request, @@ -199,11 +255,21 @@ def PrepareCosmosTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastCosmosTx(request, @@ -216,11 +282,21 @@ def BroadcastCosmosTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetFeePayer(request, @@ -233,8 +309,18 @@ def GetFeePayer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', exchange_dot_injective__exchange__rpc__pb2.GetFeePayerRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.GetFeePayerResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py index dadc62fa..d78d4f45 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_explorer_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,15 +14,15 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xdf\x01\n\x14GetAccountTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x0c\n\x04type\x18\x06 \x01(\t\x12\x0e\n\x06module\x18\x07 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x08 \x01(\x12\x12\x11\n\tto_number\x18\t \x01(\x12\x12\x12\n\nstart_time\x18\n \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x0b \x01(\x12\x12\x0e\n\x06status\x18\x0c \x01(\t\"{\n\x15GetAccountTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\xe7\x03\n\x0cTxDetailData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x12\x12\x10\n\x08gas_used\x18\n \x01(\x12\x12/\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFee\x12\x11\n\tcodespace\x18\x0c \x01(\t\x12-\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.Event\x12\x0f\n\x07tx_type\x18\x0e \x01(\t\x12\x10\n\x08messages\x18\x0f \x01(\x0c\x12\x35\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.Signature\x12\x0c\n\x04memo\x18\x11 \x01(\t\x12\x11\n\ttx_number\x18\x12 \x01(\x04\x12\x1c\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04\x12\x11\n\terror_log\x18\x14 \x01(\t\x12\x0c\n\x04logs\x18\x15 \x01(\x0c\x12\x11\n\tclaim_ids\x18\x16 \x03(\x12\"o\n\x06GasFee\x12\x32\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoin\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\r\n\x05payer\x18\x03 \x01(\t\x12\x0f\n\x07granter\x18\x04 \x01(\t\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8b\x01\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntry\x1a\x31\n\x0f\x41ttributesEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"Q\n\tSignature\x12\x0e\n\x06pubkey\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\tsignature\x18\x04 \x01(\t\"m\n\x15GetContractTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\x13\n\x0b\x66rom_number\x18\x04 \x01(\x12\x12\x11\n\tto_number\x18\x05 \x01(\x12\"|\n\x16GetContractTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"@\n\x10GetBlocksRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\"t\n\x11GetBlocksResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12/\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfo\"\xd4\x01\n\tBlockInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t\"\xc0\x01\n\tTxDataRPC\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x1d\n\x0fGetBlockRequest\x12\n\n\x02id\x18\x01 \x01(\t\"d\n\x10GetBlockResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfo\"\xea\x01\n\x0f\x42lockDetailInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12\x11\n\ttotal_txs\x18\x08 \x01(\x12\x12+\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\x12\x11\n\ttimestamp\x18\n \x01(\t\"\xe1\x01\n\x06TxData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\x0c\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x14\n\x0ctx_msg_types\x18\n \x01(\x0c\x12\x0c\n\x04logs\x18\x0b \x01(\x0c\x12\x11\n\tclaim_ids\x18\x0c \x03(\x12\"\x16\n\x14GetValidatorsRequest\"c\n\x15GetValidatorsResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.Validator\"\x83\x05\n\tValidator\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0f\n\x07moniker\x18\x02 \x01(\t\x12\x18\n\x10operator_address\x18\x03 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x04 \x01(\t\x12\x0e\n\x06jailed\x18\x05 \x01(\x08\x12\x0e\n\x06status\x18\x06 \x01(\x11\x12\x0e\n\x06tokens\x18\x07 \x01(\t\x12\x18\n\x10\x64\x65legator_shares\x18\x08 \x01(\t\x12\x41\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescription\x12\x18\n\x10unbonding_height\x18\n \x01(\x12\x12\x16\n\x0eunbonding_time\x18\x0b \x01(\t\x12\x17\n\x0f\x63ommission_rate\x18\x0c \x01(\t\x12\x1b\n\x13\x63ommission_max_rate\x18\r \x01(\t\x12\"\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\t\x12\x1e\n\x16\x63ommission_update_time\x18\x0f \x01(\t\x12\x10\n\x08proposed\x18\x10 \x01(\x04\x12\x0e\n\x06signed\x18\x11 \x01(\x04\x12\x0e\n\x06missed\x18\x12 \x01(\x04\x12\x11\n\ttimestamp\x18\x13 \x01(\t\x12\x38\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\x12>\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEvent\x12\x19\n\x11uptime_percentage\x18\x16 \x01(\x01\x12\x11\n\timage_url\x18\x17 \x01(\t\"\x88\x01\n\x14ValidatorDescription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t\x12\x11\n\timage_url\x18\x06 \x01(\t\"7\n\x0fValidatorUptime\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\"\x95\x01\n\rSlashingEvent\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\r\n\x05power\x18\x04 \x01(\x04\x12\x0e\n\x06reason\x18\x05 \x01(\t\x12\x0e\n\x06jailed\x18\x06 \x01(\t\x12\x15\n\rmissed_blocks\x18\x07 \x01(\x04\"&\n\x13GetValidatorRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x14GetValidatorResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.Validator\",\n\x19GetValidatorUptimeRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"n\n\x1aGetValidatorUptimeResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\"\xc7\x01\n\rGetTxsRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\x0c\n\x04type\x18\x05 \x01(\t\x12\x0e\n\x06module\x18\x06 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x07 \x01(\x12\x12\x11\n\tto_number\x18\x08 \x01(\x12\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\x12\x0e\n\x06status\x18\x0b \x01(\t\"n\n\x0eGetTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12,\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\"$\n\x14GetTxByTxHashRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"f\n\x15GetTxByTxHashResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x32\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x19GetPeggyDepositTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"S\n\x1aGetPeggyDepositTxsResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTx\"\xf8\x01\n\x0ePeggyDepositTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\x03 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x04 \x01(\x04\x12\x0e\n\x06\x61mount\x18\x05 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x06 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x07 \x01(\t\x12\r\n\x05state\x18\x08 \x01(\t\x12\x12\n\nclaim_type\x18\t \x01(\x11\x12\x11\n\ttx_hashes\x18\n \x03(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\t\"]\n\x1cGetPeggyWithdrawalTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"Y\n\x1dGetPeggyWithdrawalTxsResponse\x12\x38\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTx\"\xd3\x02\n\x11PeggyWithdrawalTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x04 \x01(\t\x12\x12\n\nbridge_fee\x18\x05 \x01(\t\x12\x16\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x07 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\n \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x0b \x01(\x04\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\nclaim_type\x18\r \x01(\x11\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"\xa9\x01\n\x18GetIBCTransferTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsrc_channel\x18\x03 \x01(\t\x12\x10\n\x08src_port\x18\x04 \x01(\t\x12\x14\n\x0c\x64\x65st_channel\x18\x05 \x01(\t\x12\x11\n\tdest_port\x18\x06 \x01(\t\x12\r\n\x05limit\x18\x07 \x01(\x11\x12\x0c\n\x04skip\x18\x08 \x01(\x04\"Q\n\x19GetIBCTransferTxsResponse\x12\x34\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTx\"\xdc\x02\n\rIBCTransferTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsource_port\x18\x03 \x01(\t\x12\x16\n\x0esource_channel\x18\x04 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x05 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x06 \x01(\t\x12\x0e\n\x06\x61mount\x18\x07 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x08 \x01(\t\x12\x16\n\x0etimeout_height\x18\t \x01(\t\x12\x19\n\x11timeout_timestamp\x18\n \x01(\x04\x12\x17\n\x0fpacket_sequence\x18\x0b \x01(\x04\x12\x10\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0c\x12\r\n\x05state\x18\r \x01(\t\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"L\n\x13GetWasmCodesRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x02 \x01(\x12\x12\x11\n\tto_number\x18\x03 \x01(\x12\"v\n\x14GetWasmCodesResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12.\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCode\"\xd5\x02\n\x08WasmCode\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"+\n\x08\x43hecksum\x12\x11\n\talgorithm\x18\x01 \x01(\t\x12\x0c\n\x04hash\x18\x02 \x01(\t\":\n\x12\x43ontractPermission\x12\x13\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\")\n\x16GetWasmCodeByIDRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x12\"\xe4\x02\n\x17GetWasmCodeByIDResponse\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"\x93\x01\n\x17GetWasmContractsRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x0f\n\x07\x63ode_id\x18\x02 \x01(\x12\x12\x13\n\x0b\x66rom_number\x18\x03 \x01(\x12\x12\x11\n\tto_number\x18\x04 \x01(\x12\x12\x13\n\x0b\x61ssets_only\x18\x05 \x01(\x08\x12\x0c\n\x04skip\x18\x06 \x01(\x12\x12\r\n\x05label\x18\x07 \x01(\t\"~\n\x18GetWasmContractsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContract\"\xab\x03\n\x0cWasmContract\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"-\n\x0c\x43ontractFund\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8c\x01\n\x0c\x43w20Metadata\x12\x39\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfo\x12\x41\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfo\"U\n\rCw20TokenInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12\x12\x14\n\x0ctotal_supply\x18\x04 \x01(\t\"Z\n\x11\x43w20MarketingInfo\x12\x0f\n\x07project\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04logo\x18\x03 \x01(\t\x12\x11\n\tmarketing\x18\x04 \x01(\x0c\";\n\x1fGetWasmContractByAddressRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"\xbf\x03\n GetWasmContractByAddressResponse\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"7\n\x15GetCw20BalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\"P\n\x16GetCw20BalanceResponse\x12\x36\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20Balance\"\x9e\x01\n\x0fWasmCw20Balance\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x63\x63ount\x18\x02 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x03 \x01(\t\x12\x12\n\nupdated_at\x18\x04 \x01(\x12\x12;\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\"&\n\x0fRelayersRequest\x12\x13\n\x0bmarket_i_ds\x18\x01 \x03(\t\"I\n\x10RelayersResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarkets\"V\n\x0eRelayerMarkets\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x31\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.Relayer\"$\n\x07Relayer\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0b\n\x03\x63ta\x18\x02 \x01(\t\"\xd6\x01\n\x17GetBankTransfersRequest\x12\x0f\n\x07senders\x18\x01 \x03(\t\x12\x12\n\nrecipients\x18\x02 \x03(\t\x12!\n\x19is_community_pool_related\x18\x03 \x01(\x08\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x0f\n\x07\x61\x64\x64ress\x18\x08 \x03(\t\x12\x10\n\x08per_page\x18\t \x01(\x11\x12\r\n\x05token\x18\n \x01(\t\"~\n\x18GetBankTransfersResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransfer\"\x8f\x01\n\x0c\x42\x61nkTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\trecipient\x18\x02 \x01(\t\x12-\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.Coin\x12\x14\n\x0c\x62lock_number\x18\x04 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x05 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x12\n\x10StreamTxsRequest\"\xc8\x01\n\x11StreamTxsResponse\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x15\n\x13StreamBlocksRequest\"\xdf\x01\n\x14StreamBlocksResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t2\xcf\x12\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\x1bZ\x19/injective_explorer_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xdf\x01\n\x14GetAccountTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x0c\n\x04type\x18\x06 \x01(\t\x12\x0e\n\x06module\x18\x07 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x08 \x01(\x12\x12\x11\n\tto_number\x18\t \x01(\x12\x12\x12\n\nstart_time\x18\n \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x0b \x01(\x12\x12\x0e\n\x06status\x18\x0c \x01(\t\"{\n\x15GetAccountTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\xe7\x03\n\x0cTxDetailData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x12\x12\x10\n\x08gas_used\x18\n \x01(\x12\x12/\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFee\x12\x11\n\tcodespace\x18\x0c \x01(\t\x12-\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.Event\x12\x0f\n\x07tx_type\x18\x0e \x01(\t\x12\x10\n\x08messages\x18\x0f \x01(\x0c\x12\x35\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.Signature\x12\x0c\n\x04memo\x18\x11 \x01(\t\x12\x11\n\ttx_number\x18\x12 \x01(\x04\x12\x1c\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04\x12\x11\n\terror_log\x18\x14 \x01(\t\x12\x0c\n\x04logs\x18\x15 \x01(\x0c\x12\x11\n\tclaim_ids\x18\x16 \x03(\x12\"o\n\x06GasFee\x12\x32\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoin\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\r\n\x05payer\x18\x03 \x01(\t\x12\x0f\n\x07granter\x18\x04 \x01(\t\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8b\x01\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntry\x1a\x31\n\x0f\x41ttributesEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"Q\n\tSignature\x12\x0e\n\x06pubkey\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\tsignature\x18\x04 \x01(\t\"m\n\x15GetContractTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\x13\n\x0b\x66rom_number\x18\x04 \x01(\x12\x12\x11\n\tto_number\x18\x05 \x01(\x12\"|\n\x16GetContractTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"r\n\x17GetContractTxsV2Request\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0c\n\x04\x66rom\x18\x03 \x01(\x12\x12\n\n\x02to\x18\x04 \x01(\x12\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\r\n\x05token\x18\x06 \x01(\t\"\\\n\x18GetContractTxsV2Response\x12\x0c\n\x04next\x18\x01 \x03(\t\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x10GetBlocksRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04\x66rom\x18\x04 \x01(\x04\x12\n\n\x02to\x18\x05 \x01(\x04\"t\n\x11GetBlocksResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12/\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfo\"\xd4\x01\n\tBlockInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t\"\xc0\x01\n\tTxDataRPC\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x1d\n\x0fGetBlockRequest\x12\n\n\x02id\x18\x01 \x01(\t\"d\n\x10GetBlockResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfo\"\xea\x01\n\x0f\x42lockDetailInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12\x11\n\ttotal_txs\x18\x08 \x01(\x12\x12+\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\x12\x11\n\ttimestamp\x18\n \x01(\t\"\xe1\x01\n\x06TxData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\x0c\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x14\n\x0ctx_msg_types\x18\n \x01(\x0c\x12\x0c\n\x04logs\x18\x0b \x01(\x0c\x12\x11\n\tclaim_ids\x18\x0c \x03(\x12\"\x16\n\x14GetValidatorsRequest\"c\n\x15GetValidatorsResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.Validator\"\x83\x05\n\tValidator\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0f\n\x07moniker\x18\x02 \x01(\t\x12\x18\n\x10operator_address\x18\x03 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x04 \x01(\t\x12\x0e\n\x06jailed\x18\x05 \x01(\x08\x12\x0e\n\x06status\x18\x06 \x01(\x11\x12\x0e\n\x06tokens\x18\x07 \x01(\t\x12\x18\n\x10\x64\x65legator_shares\x18\x08 \x01(\t\x12\x41\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescription\x12\x18\n\x10unbonding_height\x18\n \x01(\x12\x12\x16\n\x0eunbonding_time\x18\x0b \x01(\t\x12\x17\n\x0f\x63ommission_rate\x18\x0c \x01(\t\x12\x1b\n\x13\x63ommission_max_rate\x18\r \x01(\t\x12\"\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\t\x12\x1e\n\x16\x63ommission_update_time\x18\x0f \x01(\t\x12\x10\n\x08proposed\x18\x10 \x01(\x04\x12\x0e\n\x06signed\x18\x11 \x01(\x04\x12\x0e\n\x06missed\x18\x12 \x01(\x04\x12\x11\n\ttimestamp\x18\x13 \x01(\t\x12\x38\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\x12>\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEvent\x12\x19\n\x11uptime_percentage\x18\x16 \x01(\x01\x12\x11\n\timage_url\x18\x17 \x01(\t\"\x88\x01\n\x14ValidatorDescription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t\x12\x11\n\timage_url\x18\x06 \x01(\t\"7\n\x0fValidatorUptime\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\"\x95\x01\n\rSlashingEvent\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\r\n\x05power\x18\x04 \x01(\x04\x12\x0e\n\x06reason\x18\x05 \x01(\t\x12\x0e\n\x06jailed\x18\x06 \x01(\t\x12\x15\n\rmissed_blocks\x18\x07 \x01(\x04\"&\n\x13GetValidatorRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x14GetValidatorResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.Validator\",\n\x19GetValidatorUptimeRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"n\n\x1aGetValidatorUptimeResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\"\xc7\x01\n\rGetTxsRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\x0c\n\x04type\x18\x05 \x01(\t\x12\x0e\n\x06module\x18\x06 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x07 \x01(\x12\x12\x11\n\tto_number\x18\x08 \x01(\x12\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\x12\x0e\n\x06status\x18\x0b \x01(\t\"n\n\x0eGetTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12,\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\"$\n\x14GetTxByTxHashRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"f\n\x15GetTxByTxHashResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x32\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x19GetPeggyDepositTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"S\n\x1aGetPeggyDepositTxsResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTx\"\xf8\x01\n\x0ePeggyDepositTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\x03 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x04 \x01(\x04\x12\x0e\n\x06\x61mount\x18\x05 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x06 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x07 \x01(\t\x12\r\n\x05state\x18\x08 \x01(\t\x12\x12\n\nclaim_type\x18\t \x01(\x11\x12\x11\n\ttx_hashes\x18\n \x03(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\t\"]\n\x1cGetPeggyWithdrawalTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"Y\n\x1dGetPeggyWithdrawalTxsResponse\x12\x38\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTx\"\xd3\x02\n\x11PeggyWithdrawalTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x04 \x01(\t\x12\x12\n\nbridge_fee\x18\x05 \x01(\t\x12\x16\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x07 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\n \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x0b \x01(\x04\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\nclaim_type\x18\r \x01(\x11\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"\xa9\x01\n\x18GetIBCTransferTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsrc_channel\x18\x03 \x01(\t\x12\x10\n\x08src_port\x18\x04 \x01(\t\x12\x14\n\x0c\x64\x65st_channel\x18\x05 \x01(\t\x12\x11\n\tdest_port\x18\x06 \x01(\t\x12\r\n\x05limit\x18\x07 \x01(\x11\x12\x0c\n\x04skip\x18\x08 \x01(\x04\"Q\n\x19GetIBCTransferTxsResponse\x12\x34\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTx\"\xdc\x02\n\rIBCTransferTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsource_port\x18\x03 \x01(\t\x12\x16\n\x0esource_channel\x18\x04 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x05 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x06 \x01(\t\x12\x0e\n\x06\x61mount\x18\x07 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x08 \x01(\t\x12\x16\n\x0etimeout_height\x18\t \x01(\t\x12\x19\n\x11timeout_timestamp\x18\n \x01(\x04\x12\x17\n\x0fpacket_sequence\x18\x0b \x01(\x04\x12\x10\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0c\x12\r\n\x05state\x18\r \x01(\t\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"L\n\x13GetWasmCodesRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x02 \x01(\x12\x12\x11\n\tto_number\x18\x03 \x01(\x12\"v\n\x14GetWasmCodesResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12.\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCode\"\xd5\x02\n\x08WasmCode\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"+\n\x08\x43hecksum\x12\x11\n\talgorithm\x18\x01 \x01(\t\x12\x0c\n\x04hash\x18\x02 \x01(\t\":\n\x12\x43ontractPermission\x12\x13\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\")\n\x16GetWasmCodeByIDRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x12\"\xe4\x02\n\x17GetWasmCodeByIDResponse\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"\x93\x01\n\x17GetWasmContractsRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x0f\n\x07\x63ode_id\x18\x02 \x01(\x12\x12\x13\n\x0b\x66rom_number\x18\x03 \x01(\x12\x12\x11\n\tto_number\x18\x04 \x01(\x12\x12\x13\n\x0b\x61ssets_only\x18\x05 \x01(\x08\x12\x0c\n\x04skip\x18\x06 \x01(\x12\x12\r\n\x05label\x18\x07 \x01(\t\"~\n\x18GetWasmContractsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContract\"\xab\x03\n\x0cWasmContract\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"-\n\x0c\x43ontractFund\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8c\x01\n\x0c\x43w20Metadata\x12\x39\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfo\x12\x41\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfo\"U\n\rCw20TokenInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12\x12\x14\n\x0ctotal_supply\x18\x04 \x01(\t\"Z\n\x11\x43w20MarketingInfo\x12\x0f\n\x07project\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04logo\x18\x03 \x01(\t\x12\x11\n\tmarketing\x18\x04 \x01(\x0c\";\n\x1fGetWasmContractByAddressRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"\xbf\x03\n GetWasmContractByAddressResponse\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"7\n\x15GetCw20BalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\"P\n\x16GetCw20BalanceResponse\x12\x36\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20Balance\"\x9e\x01\n\x0fWasmCw20Balance\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x63\x63ount\x18\x02 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x03 \x01(\t\x12\x12\n\nupdated_at\x18\x04 \x01(\x12\x12;\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\"&\n\x0fRelayersRequest\x12\x13\n\x0bmarket_i_ds\x18\x01 \x03(\t\"I\n\x10RelayersResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarkets\"V\n\x0eRelayerMarkets\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x31\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.Relayer\"$\n\x07Relayer\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0b\n\x03\x63ta\x18\x02 \x01(\t\"\xd6\x01\n\x17GetBankTransfersRequest\x12\x0f\n\x07senders\x18\x01 \x03(\t\x12\x12\n\nrecipients\x18\x02 \x03(\t\x12!\n\x19is_community_pool_related\x18\x03 \x01(\x08\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x0f\n\x07\x61\x64\x64ress\x18\x08 \x03(\t\x12\x10\n\x08per_page\x18\t \x01(\x11\x12\r\n\x05token\x18\n \x01(\t\"~\n\x18GetBankTransfersResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransfer\"\x8f\x01\n\x0c\x42\x61nkTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\trecipient\x18\x02 \x01(\t\x12-\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.Coin\x12\x14\n\x0c\x62lock_number\x18\x04 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x05 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x12\n\x10StreamTxsRequest\"\xc8\x01\n\x11StreamTxsResponse\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x15\n\x13StreamBlocksRequest\"\xdf\x01\n\x14StreamBlocksResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\x1bZ\x19/injective_explorer_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_explorer_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_explorer_rpcpb' - _globals['_EVENT_ATTRIBUTESENTRY']._options = None + _globals['_EVENT_ATTRIBUTESENTRY']._loaded_options = None _globals['_EVENT_ATTRIBUTESENTRY']._serialized_options = b'8\001' _globals['_GETACCOUNTTXSREQUEST']._serialized_start=66 _globals['_GETACCOUNTTXSREQUEST']._serialized_end=289 @@ -46,130 +46,134 @@ _globals['_GETCONTRACTTXSREQUEST']._serialized_end=1492 _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=1494 _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=1618 - _globals['_GETBLOCKSREQUEST']._serialized_start=1620 - _globals['_GETBLOCKSREQUEST']._serialized_end=1684 - _globals['_GETBLOCKSRESPONSE']._serialized_start=1686 - _globals['_GETBLOCKSRESPONSE']._serialized_end=1802 - _globals['_BLOCKINFO']._serialized_start=1805 - _globals['_BLOCKINFO']._serialized_end=2017 - _globals['_TXDATARPC']._serialized_start=2020 - _globals['_TXDATARPC']._serialized_end=2212 - _globals['_GETBLOCKREQUEST']._serialized_start=2214 - _globals['_GETBLOCKREQUEST']._serialized_end=2243 - _globals['_GETBLOCKRESPONSE']._serialized_start=2245 - _globals['_GETBLOCKRESPONSE']._serialized_end=2345 - _globals['_BLOCKDETAILINFO']._serialized_start=2348 - _globals['_BLOCKDETAILINFO']._serialized_end=2582 - _globals['_TXDATA']._serialized_start=2585 - _globals['_TXDATA']._serialized_end=2810 - _globals['_GETVALIDATORSREQUEST']._serialized_start=2812 - _globals['_GETVALIDATORSREQUEST']._serialized_end=2834 - _globals['_GETVALIDATORSRESPONSE']._serialized_start=2836 - _globals['_GETVALIDATORSRESPONSE']._serialized_end=2935 - _globals['_VALIDATOR']._serialized_start=2938 - _globals['_VALIDATOR']._serialized_end=3581 - _globals['_VALIDATORDESCRIPTION']._serialized_start=3584 - _globals['_VALIDATORDESCRIPTION']._serialized_end=3720 - _globals['_VALIDATORUPTIME']._serialized_start=3722 - _globals['_VALIDATORUPTIME']._serialized_end=3777 - _globals['_SLASHINGEVENT']._serialized_start=3780 - _globals['_SLASHINGEVENT']._serialized_end=3929 - _globals['_GETVALIDATORREQUEST']._serialized_start=3931 - _globals['_GETVALIDATORREQUEST']._serialized_end=3969 - _globals['_GETVALIDATORRESPONSE']._serialized_start=3971 - _globals['_GETVALIDATORRESPONSE']._serialized_end=4069 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=4071 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=4115 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=4117 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=4227 - _globals['_GETTXSREQUEST']._serialized_start=4230 - _globals['_GETTXSREQUEST']._serialized_end=4429 - _globals['_GETTXSRESPONSE']._serialized_start=4431 - _globals['_GETTXSRESPONSE']._serialized_end=4541 - _globals['_GETTXBYTXHASHREQUEST']._serialized_start=4543 - _globals['_GETTXBYTXHASHREQUEST']._serialized_end=4579 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=4581 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=4683 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=4685 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=4775 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=4777 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=4860 - _globals['_PEGGYDEPOSITTX']._serialized_start=4863 - _globals['_PEGGYDEPOSITTX']._serialized_end=5111 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=5113 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=5206 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=5208 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=5297 - _globals['_PEGGYWITHDRAWALTX']._serialized_start=5300 - _globals['_PEGGYWITHDRAWALTX']._serialized_end=5639 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=5642 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=5811 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=5813 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=5894 - _globals['_IBCTRANSFERTX']._serialized_start=5897 - _globals['_IBCTRANSFERTX']._serialized_end=6245 - _globals['_GETWASMCODESREQUEST']._serialized_start=6247 - _globals['_GETWASMCODESREQUEST']._serialized_end=6323 - _globals['_GETWASMCODESRESPONSE']._serialized_start=6325 - _globals['_GETWASMCODESRESPONSE']._serialized_end=6443 - _globals['_WASMCODE']._serialized_start=6446 - _globals['_WASMCODE']._serialized_end=6787 - _globals['_CHECKSUM']._serialized_start=6789 - _globals['_CHECKSUM']._serialized_end=6832 - _globals['_CONTRACTPERMISSION']._serialized_start=6834 - _globals['_CONTRACTPERMISSION']._serialized_end=6892 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=6894 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=6935 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=6938 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=7294 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=7297 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=7444 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=7446 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=7572 - _globals['_WASMCONTRACT']._serialized_start=7575 - _globals['_WASMCONTRACT']._serialized_end=8002 - _globals['_CONTRACTFUND']._serialized_start=8004 - _globals['_CONTRACTFUND']._serialized_end=8049 - _globals['_CW20METADATA']._serialized_start=8052 - _globals['_CW20METADATA']._serialized_end=8192 - _globals['_CW20TOKENINFO']._serialized_start=8194 - _globals['_CW20TOKENINFO']._serialized_end=8279 - _globals['_CW20MARKETINGINFO']._serialized_start=8281 - _globals['_CW20MARKETINGINFO']._serialized_end=8371 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=8373 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=8432 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=8435 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=8882 - _globals['_GETCW20BALANCEREQUEST']._serialized_start=8884 - _globals['_GETCW20BALANCEREQUEST']._serialized_end=8939 - _globals['_GETCW20BALANCERESPONSE']._serialized_start=8941 - _globals['_GETCW20BALANCERESPONSE']._serialized_end=9021 - _globals['_WASMCW20BALANCE']._serialized_start=9024 - _globals['_WASMCW20BALANCE']._serialized_end=9182 - _globals['_RELAYERSREQUEST']._serialized_start=9184 - _globals['_RELAYERSREQUEST']._serialized_end=9222 - _globals['_RELAYERSRESPONSE']._serialized_start=9224 - _globals['_RELAYERSRESPONSE']._serialized_end=9297 - _globals['_RELAYERMARKETS']._serialized_start=9299 - _globals['_RELAYERMARKETS']._serialized_end=9385 - _globals['_RELAYER']._serialized_start=9387 - _globals['_RELAYER']._serialized_end=9423 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=9426 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=9640 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=9642 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=9768 - _globals['_BANKTRANSFER']._serialized_start=9771 - _globals['_BANKTRANSFER']._serialized_end=9914 - _globals['_COIN']._serialized_start=9916 - _globals['_COIN']._serialized_end=9953 - _globals['_STREAMTXSREQUEST']._serialized_start=9955 - _globals['_STREAMTXSREQUEST']._serialized_end=9973 - _globals['_STREAMTXSRESPONSE']._serialized_start=9976 - _globals['_STREAMTXSRESPONSE']._serialized_end=10176 - _globals['_STREAMBLOCKSREQUEST']._serialized_start=10178 - _globals['_STREAMBLOCKSREQUEST']._serialized_end=10199 - _globals['_STREAMBLOCKSRESPONSE']._serialized_start=10202 - _globals['_STREAMBLOCKSRESPONSE']._serialized_end=10425 - _globals['_INJECTIVEEXPLORERRPC']._serialized_start=10428 - _globals['_INJECTIVEEXPLORERRPC']._serialized_end=12811 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=1620 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=1734 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=1736 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=1828 + _globals['_GETBLOCKSREQUEST']._serialized_start=1830 + _globals['_GETBLOCKSREQUEST']._serialized_end=1920 + _globals['_GETBLOCKSRESPONSE']._serialized_start=1922 + _globals['_GETBLOCKSRESPONSE']._serialized_end=2038 + _globals['_BLOCKINFO']._serialized_start=2041 + _globals['_BLOCKINFO']._serialized_end=2253 + _globals['_TXDATARPC']._serialized_start=2256 + _globals['_TXDATARPC']._serialized_end=2448 + _globals['_GETBLOCKREQUEST']._serialized_start=2450 + _globals['_GETBLOCKREQUEST']._serialized_end=2479 + _globals['_GETBLOCKRESPONSE']._serialized_start=2481 + _globals['_GETBLOCKRESPONSE']._serialized_end=2581 + _globals['_BLOCKDETAILINFO']._serialized_start=2584 + _globals['_BLOCKDETAILINFO']._serialized_end=2818 + _globals['_TXDATA']._serialized_start=2821 + _globals['_TXDATA']._serialized_end=3046 + _globals['_GETVALIDATORSREQUEST']._serialized_start=3048 + _globals['_GETVALIDATORSREQUEST']._serialized_end=3070 + _globals['_GETVALIDATORSRESPONSE']._serialized_start=3072 + _globals['_GETVALIDATORSRESPONSE']._serialized_end=3171 + _globals['_VALIDATOR']._serialized_start=3174 + _globals['_VALIDATOR']._serialized_end=3817 + _globals['_VALIDATORDESCRIPTION']._serialized_start=3820 + _globals['_VALIDATORDESCRIPTION']._serialized_end=3956 + _globals['_VALIDATORUPTIME']._serialized_start=3958 + _globals['_VALIDATORUPTIME']._serialized_end=4013 + _globals['_SLASHINGEVENT']._serialized_start=4016 + _globals['_SLASHINGEVENT']._serialized_end=4165 + _globals['_GETVALIDATORREQUEST']._serialized_start=4167 + _globals['_GETVALIDATORREQUEST']._serialized_end=4205 + _globals['_GETVALIDATORRESPONSE']._serialized_start=4207 + _globals['_GETVALIDATORRESPONSE']._serialized_end=4305 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=4307 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=4351 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=4353 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=4463 + _globals['_GETTXSREQUEST']._serialized_start=4466 + _globals['_GETTXSREQUEST']._serialized_end=4665 + _globals['_GETTXSRESPONSE']._serialized_start=4667 + _globals['_GETTXSRESPONSE']._serialized_end=4777 + _globals['_GETTXBYTXHASHREQUEST']._serialized_start=4779 + _globals['_GETTXBYTXHASHREQUEST']._serialized_end=4815 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=4817 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=4919 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=4921 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=5011 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=5013 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=5096 + _globals['_PEGGYDEPOSITTX']._serialized_start=5099 + _globals['_PEGGYDEPOSITTX']._serialized_end=5347 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=5349 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=5442 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=5444 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=5533 + _globals['_PEGGYWITHDRAWALTX']._serialized_start=5536 + _globals['_PEGGYWITHDRAWALTX']._serialized_end=5875 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=5878 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=6047 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=6049 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=6130 + _globals['_IBCTRANSFERTX']._serialized_start=6133 + _globals['_IBCTRANSFERTX']._serialized_end=6481 + _globals['_GETWASMCODESREQUEST']._serialized_start=6483 + _globals['_GETWASMCODESREQUEST']._serialized_end=6559 + _globals['_GETWASMCODESRESPONSE']._serialized_start=6561 + _globals['_GETWASMCODESRESPONSE']._serialized_end=6679 + _globals['_WASMCODE']._serialized_start=6682 + _globals['_WASMCODE']._serialized_end=7023 + _globals['_CHECKSUM']._serialized_start=7025 + _globals['_CHECKSUM']._serialized_end=7068 + _globals['_CONTRACTPERMISSION']._serialized_start=7070 + _globals['_CONTRACTPERMISSION']._serialized_end=7128 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=7130 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=7171 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=7174 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=7530 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=7533 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=7680 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=7682 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=7808 + _globals['_WASMCONTRACT']._serialized_start=7811 + _globals['_WASMCONTRACT']._serialized_end=8238 + _globals['_CONTRACTFUND']._serialized_start=8240 + _globals['_CONTRACTFUND']._serialized_end=8285 + _globals['_CW20METADATA']._serialized_start=8288 + _globals['_CW20METADATA']._serialized_end=8428 + _globals['_CW20TOKENINFO']._serialized_start=8430 + _globals['_CW20TOKENINFO']._serialized_end=8515 + _globals['_CW20MARKETINGINFO']._serialized_start=8517 + _globals['_CW20MARKETINGINFO']._serialized_end=8607 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=8609 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=8668 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=8671 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=9118 + _globals['_GETCW20BALANCEREQUEST']._serialized_start=9120 + _globals['_GETCW20BALANCEREQUEST']._serialized_end=9175 + _globals['_GETCW20BALANCERESPONSE']._serialized_start=9177 + _globals['_GETCW20BALANCERESPONSE']._serialized_end=9257 + _globals['_WASMCW20BALANCE']._serialized_start=9260 + _globals['_WASMCW20BALANCE']._serialized_end=9418 + _globals['_RELAYERSREQUEST']._serialized_start=9420 + _globals['_RELAYERSREQUEST']._serialized_end=9458 + _globals['_RELAYERSRESPONSE']._serialized_start=9460 + _globals['_RELAYERSRESPONSE']._serialized_end=9533 + _globals['_RELAYERMARKETS']._serialized_start=9535 + _globals['_RELAYERMARKETS']._serialized_end=9621 + _globals['_RELAYER']._serialized_start=9623 + _globals['_RELAYER']._serialized_end=9659 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=9662 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=9876 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=9878 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=10004 + _globals['_BANKTRANSFER']._serialized_start=10007 + _globals['_BANKTRANSFER']._serialized_end=10150 + _globals['_COIN']._serialized_start=10152 + _globals['_COIN']._serialized_end=10189 + _globals['_STREAMTXSREQUEST']._serialized_start=10191 + _globals['_STREAMTXSREQUEST']._serialized_end=10209 + _globals['_STREAMTXSRESPONSE']._serialized_start=10212 + _globals['_STREAMTXSRESPONSE']._serialized_end=10412 + _globals['_STREAMBLOCKSREQUEST']._serialized_start=10414 + _globals['_STREAMBLOCKSREQUEST']._serialized_end=10435 + _globals['_STREAMBLOCKSRESPONSE']._serialized_start=10438 + _globals['_STREAMBLOCKSRESPONSE']._serialized_end=10661 + _globals['_INJECTIVEEXPLORERRPC']._serialized_start=10664 + _globals['_INJECTIVEEXPLORERRPC']._serialized_end=13166 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index 7c969b8c..af6ca547 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_explorer_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExplorerRPCStub(object): """ExplorerAPI implements explorer data API for e.g. Blockchain Explorer @@ -19,107 +44,112 @@ def __init__(self, channel): '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsResponse.FromString, - ) + _registered_method=True) self.GetContractTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, - ) + _registered_method=True) + self.GetContractTxsV2 = channel.unary_unary( + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', + request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, + response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, + _registered_method=True) self.GetBlocks = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksResponse.FromString, - ) + _registered_method=True) self.GetBlock = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlockRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlockResponse.FromString, - ) + _registered_method=True) self.GetValidators = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorsResponse.FromString, - ) + _registered_method=True) self.GetValidator = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorResponse.FromString, - ) + _registered_method=True) self.GetValidatorUptime = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeResponse.FromString, - ) + _registered_method=True) self.GetTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetTxsResponse.FromString, - ) + _registered_method=True) self.GetTxByTxHash = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashResponse.FromString, - ) + _registered_method=True) self.GetPeggyDepositTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsResponse.FromString, - ) + _registered_method=True) self.GetPeggyWithdrawalTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsResponse.FromString, - ) + _registered_method=True) self.GetIBCTransferTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsResponse.FromString, - ) + _registered_method=True) self.GetWasmCodes = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesResponse.FromString, - ) + _registered_method=True) self.GetWasmCodeByID = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDResponse.FromString, - ) + _registered_method=True) self.GetWasmContracts = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsResponse.FromString, - ) + _registered_method=True) self.GetWasmContractByAddress = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressResponse.FromString, - ) + _registered_method=True) self.GetCw20Balance = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceResponse.FromString, - ) + _registered_method=True) self.Relayers = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', request_serializer=exchange_dot_injective__explorer__rpc__pb2.RelayersRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.RelayersResponse.FromString, - ) + _registered_method=True) self.GetBankTransfers = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersResponse.FromString, - ) + _registered_method=True) self.StreamTxs = channel.unary_stream( '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.StreamTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.StreamTxsResponse.FromString, - ) + _registered_method=True) self.StreamBlocks = channel.unary_stream( '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.StreamBlocksRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.StreamBlocksResponse.FromString, - ) + _registered_method=True) class InjectiveExplorerRPCServicer(object): @@ -140,6 +170,13 @@ def GetContractTxs(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def GetContractTxsV2(self, request, context): + """GetContractTxs returns contract-related transactions + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def GetBlocks(self, request, context): """GetBlocks returns blocks based upon the request params """ @@ -290,6 +327,11 @@ def add_InjectiveExplorerRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.FromString, response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.SerializeToString, ), + 'GetContractTxsV2': grpc.unary_unary_rpc_method_handler( + servicer.GetContractTxsV2, + request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.FromString, + response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.SerializeToString, + ), 'GetBlocks': grpc.unary_unary_rpc_method_handler( servicer.GetBlocks, request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.FromString, @@ -389,6 +431,7 @@ def add_InjectiveExplorerRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_explorer_rpc.InjectiveExplorerRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_explorer_rpc.InjectiveExplorerRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -407,11 +450,21 @@ def GetAccountTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetContractTxs(request, @@ -424,11 +477,48 @@ def GetContractTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GetContractTxsV2(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', + exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, + exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlocks(request, @@ -441,11 +531,21 @@ def GetBlocks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBlocksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlock(request, @@ -458,11 +558,21 @@ def GetBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', exchange_dot_injective__explorer__rpc__pb2.GetBlockRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBlockResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidators(request, @@ -475,11 +585,21 @@ def GetValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', exchange_dot_injective__explorer__rpc__pb2.GetValidatorsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidator(request, @@ -492,11 +612,21 @@ def GetValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', exchange_dot_injective__explorer__rpc__pb2.GetValidatorRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidatorUptime(request, @@ -509,11 +639,21 @@ def GetValidatorUptime(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxs(request, @@ -526,11 +666,21 @@ def GetTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', exchange_dot_injective__explorer__rpc__pb2.GetTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxByTxHash(request, @@ -543,11 +693,21 @@ def GetTxByTxHash(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPeggyDepositTxs(request, @@ -560,11 +720,21 @@ def GetPeggyDepositTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPeggyWithdrawalTxs(request, @@ -577,11 +747,21 @@ def GetPeggyWithdrawalTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetIBCTransferTxs(request, @@ -594,11 +774,21 @@ def GetIBCTransferTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmCodes(request, @@ -611,11 +801,21 @@ def GetWasmCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmCodeByID(request, @@ -628,11 +828,21 @@ def GetWasmCodeByID(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmContracts(request, @@ -645,11 +855,21 @@ def GetWasmContracts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmContractByAddress(request, @@ -662,11 +882,21 @@ def GetWasmContractByAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCw20Balance(request, @@ -679,11 +909,21 @@ def GetCw20Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Relayers(request, @@ -696,11 +936,21 @@ def Relayers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', exchange_dot_injective__explorer__rpc__pb2.RelayersRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.RelayersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBankTransfers(request, @@ -713,11 +963,21 @@ def GetBankTransfers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTxs(request, @@ -730,11 +990,21 @@ def StreamTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', + return grpc.experimental.unary_stream( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', exchange_dot_injective__explorer__rpc__pb2.StreamTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.StreamTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBlocks(request, @@ -747,8 +1017,18 @@ def StreamBlocks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', + return grpc.experimental.unary_stream( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', exchange_dot_injective__explorer__rpc__pb2.StreamBlocksRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.StreamBlocksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py index e3fd04e9..05ca3a16 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_insurance_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,13 +14,13 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"F\n\rFundsResponse\x12\x35\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"\xcb\x02\n\rInsuranceFund\x12\x15\n\rmarket_ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rdeposit_denom\x18\x03 \x01(\t\x12\x18\n\x10pool_token_denom\x18\x04 \x01(\t\x12)\n!redemption_notice_period_duration\x18\x05 \x01(\x12\x12\x0f\n\x07\x62\x61lance\x18\x06 \x01(\t\x12\x13\n\x0btotal_share\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x13\n\x0boracle_type\x18\n \x01(\t\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x12\x12>\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMeta\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"P\n\x12RedemptionsRequest\x12\x10\n\x08redeemer\x18\x01 \x01(\t\x12\x18\n\x10redemption_denom\x18\x02 \x01(\t\x12\x0e\n\x06status\x18\x03 \x01(\t\"`\n\x13RedemptionsResponse\x12I\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionSchedule\"\x84\x02\n\x12RedemptionSchedule\x12\x15\n\rredemption_id\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12!\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12\x12\x19\n\x11redemption_amount\x18\x05 \x01(\t\x12\x18\n\x10redemption_denom\x18\x06 \x01(\t\x12\x14\n\x0crequested_at\x18\x07 \x01(\x12\x12\x18\n\x10\x64isbursed_amount\x18\x08 \x01(\t\x12\x17\n\x0f\x64isbursed_denom\x18\t \x01(\t\x12\x14\n\x0c\x64isbursed_at\x18\n \x01(\x12\x32\xd9\x01\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\x1cZ\x1a/injective_insurance_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"F\n\rFundsResponse\x12\x35\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"\xcb\x02\n\rInsuranceFund\x12\x15\n\rmarket_ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rdeposit_denom\x18\x03 \x01(\t\x12\x18\n\x10pool_token_denom\x18\x04 \x01(\t\x12)\n!redemption_notice_period_duration\x18\x05 \x01(\x12\x12\x0f\n\x07\x62\x61lance\x18\x06 \x01(\t\x12\x13\n\x0btotal_share\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x13\n\x0boracle_type\x18\n \x01(\t\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x12\x12>\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMeta\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x1c\n\x0b\x46undRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"D\n\x0c\x46undResponse\x12\x34\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"P\n\x12RedemptionsRequest\x12\x10\n\x08redeemer\x18\x01 \x01(\t\x12\x18\n\x10redemption_denom\x18\x02 \x01(\t\x12\x0e\n\x06status\x18\x03 \x01(\t\"`\n\x13RedemptionsResponse\x12I\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionSchedule\"\x84\x02\n\x12RedemptionSchedule\x12\x15\n\rredemption_id\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12!\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12\x12\x19\n\x11redemption_amount\x18\x05 \x01(\t\x12\x18\n\x10redemption_denom\x18\x06 \x01(\t\x12\x14\n\x0crequested_at\x18\x07 \x01(\x12\x12\x18\n\x10\x64isbursed_amount\x18\x08 \x01(\t\x12\x17\n\x0f\x64isbursed_denom\x18\t \x01(\t\x12\x14\n\x0c\x64isbursed_at\x18\n \x01(\x12\x32\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\x1cZ\x1a/injective_insurance_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_insurance_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_insurance_rpcpb' _globals['_FUNDSREQUEST']._serialized_start=67 _globals['_FUNDSREQUEST']._serialized_end=81 @@ -30,12 +30,16 @@ _globals['_INSURANCEFUND']._serialized_end=487 _globals['_TOKENMETA']._serialized_start=489 _globals['_TOKENMETA']._serialized_end=599 - _globals['_REDEMPTIONSREQUEST']._serialized_start=601 - _globals['_REDEMPTIONSREQUEST']._serialized_end=681 - _globals['_REDEMPTIONSRESPONSE']._serialized_start=683 - _globals['_REDEMPTIONSRESPONSE']._serialized_end=779 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=782 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1042 - _globals['_INJECTIVEINSURANCERPC']._serialized_start=1045 - _globals['_INJECTIVEINSURANCERPC']._serialized_end=1262 + _globals['_FUNDREQUEST']._serialized_start=601 + _globals['_FUNDREQUEST']._serialized_end=629 + _globals['_FUNDRESPONSE']._serialized_start=631 + _globals['_FUNDRESPONSE']._serialized_end=699 + _globals['_REDEMPTIONSREQUEST']._serialized_start=701 + _globals['_REDEMPTIONSREQUEST']._serialized_end=781 + _globals['_REDEMPTIONSRESPONSE']._serialized_start=783 + _globals['_REDEMPTIONSRESPONSE']._serialized_end=879 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=882 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1142 + _globals['_INJECTIVEINSURANCERPC']._serialized_start=1145 + _globals['_INJECTIVEINSURANCERPC']._serialized_end=1447 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index f10f31f1..cadd2b99 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_insurance_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveInsuranceRPCStub(object): """InjectiveInsuranceRPC defines gRPC API of Insurance provider. @@ -19,12 +44,17 @@ def __init__(self, channel): '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, - ) + _registered_method=True) + self.Fund = channel.unary_unary( + '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', + request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, + response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, + _registered_method=True) self.Redemptions = channel.unary_unary( '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', request_serializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsResponse.FromString, - ) + _registered_method=True) class InjectiveInsuranceRPCServicer(object): @@ -38,6 +68,13 @@ def Funds(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def Fund(self, request, context): + """Funds returns an insurance fund for a given insurance fund token denom. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def Redemptions(self, request, context): """PendingRedemptions lists all pending redemptions according to a filter """ @@ -53,6 +90,11 @@ def add_InjectiveInsuranceRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.FromString, response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.SerializeToString, ), + 'Fund': grpc.unary_unary_rpc_method_handler( + servicer.Fund, + request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.FromString, + response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.SerializeToString, + ), 'Redemptions': grpc.unary_unary_rpc_method_handler( servicer.Redemptions, request_deserializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.FromString, @@ -62,6 +104,7 @@ def add_InjectiveInsuranceRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_insurance_rpc.InjectiveInsuranceRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_insurance_rpc.InjectiveInsuranceRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +123,48 @@ def Funds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Fund(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', + exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, + exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Redemptions(request, @@ -97,8 +177,18 @@ def Redemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, exchange_dot_injective__insurance__rpc__pb2.RedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py index 8063b269..e52826cf 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_meta_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,12 +19,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_meta_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\025/injective_meta_rpcpb' - _globals['_VERSIONRESPONSE_BUILDENTRY']._options = None + _globals['_VERSIONRESPONSE_BUILDENTRY']._loaded_options = None _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_options = b'8\001' - _globals['_INFORESPONSE_BUILDENTRY']._options = None + _globals['_INFORESPONSE_BUILDENTRY']._loaded_options = None _globals['_INFORESPONSE_BUILDENTRY']._serialized_options = b'8\001' _globals['_PINGREQUEST']._serialized_start=57 _globals['_PINGREQUEST']._serialized_end=70 diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 53adfe00..c4d6ebc1 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveMetaRPCStub(object): """InjectiveMetaRPC is a special API subset to get info about server. @@ -19,27 +44,27 @@ def __init__(self, channel): '/injective_meta_rpc.InjectiveMetaRPC/Ping', request_serializer=exchange_dot_injective__meta__rpc__pb2.PingRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.PingResponse.FromString, - ) + _registered_method=True) self.Version = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/Version', request_serializer=exchange_dot_injective__meta__rpc__pb2.VersionRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.VersionResponse.FromString, - ) + _registered_method=True) self.Info = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/Info', request_serializer=exchange_dot_injective__meta__rpc__pb2.InfoRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.InfoResponse.FromString, - ) + _registered_method=True) self.StreamKeepalive = channel.unary_stream( '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', request_serializer=exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveResponse.FromString, - ) + _registered_method=True) self.TokenMetadata = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', request_serializer=exchange_dot_injective__meta__rpc__pb2.TokenMetadataRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.TokenMetadataResponse.FromString, - ) + _registered_method=True) class InjectiveMetaRPCServicer(object): @@ -114,6 +139,7 @@ def add_InjectiveMetaRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_meta_rpc.InjectiveMetaRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_meta_rpc.InjectiveMetaRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -132,11 +158,21 @@ def Ping(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Ping', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Ping', exchange_dot_injective__meta__rpc__pb2.PingRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.PingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Version(request, @@ -149,11 +185,21 @@ def Version(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Version', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Version', exchange_dot_injective__meta__rpc__pb2.VersionRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.VersionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Info(request, @@ -166,11 +212,21 @@ def Info(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Info', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Info', exchange_dot_injective__meta__rpc__pb2.InfoRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.InfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamKeepalive(request, @@ -183,11 +239,21 @@ def StreamKeepalive(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', + return grpc.experimental.unary_stream( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TokenMetadata(request, @@ -200,8 +266,18 @@ def TokenMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', exchange_dot_injective__meta__rpc__pb2.TokenMetadataRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.TokenMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py index 71381a34..c4469143 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_oracle_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_oracle_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\027/injective_oracle_rpcpb' _globals['_ORACLELISTREQUEST']._serialized_start=61 _globals['_ORACLELISTREQUEST']._serialized_end=80 diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 387ce865..d2f1a352 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveOracleRPCStub(object): """InjectiveOracleRPC defines gRPC API of Exchange Oracle provider. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', request_serializer=exchange_dot_injective__oracle__rpc__pb2.OracleListRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.OracleListResponse.FromString, - ) + _registered_method=True) self.Price = channel.unary_unary( '/injective_oracle_rpc.InjectiveOracleRPC/Price', request_serializer=exchange_dot_injective__oracle__rpc__pb2.PriceRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.PriceResponse.FromString, - ) + _registered_method=True) self.StreamPrices = channel.unary_stream( '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', request_serializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesResponse.FromString, - ) + _registered_method=True) self.StreamPricesByMarkets = channel.unary_stream( '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', request_serializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsResponse.FromString, - ) + _registered_method=True) class InjectiveOracleRPCServicer(object): @@ -97,6 +122,7 @@ def add_InjectiveOracleRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_oracle_rpc.InjectiveOracleRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_oracle_rpc.InjectiveOracleRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +141,21 @@ def OracleList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', exchange_dot_injective__oracle__rpc__pb2.OracleListRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.OracleListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Price(request, @@ -132,11 +168,21 @@ def Price(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/Price', + return grpc.experimental.unary_unary( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/Price', exchange_dot_injective__oracle__rpc__pb2.PriceRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.PriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPrices(request, @@ -149,11 +195,21 @@ def StreamPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', + return grpc.experimental.unary_stream( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', exchange_dot_injective__oracle__rpc__pb2.StreamPricesRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.StreamPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPricesByMarkets(request, @@ -166,8 +222,18 @@ def StreamPricesByMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', + return grpc.experimental.unary_stream( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py index d98dead6..bd9c8d14 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_portfolio_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,40 +14,46 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"2\n\x17\x41\x63\x63ountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"Q\n\x18\x41\x63\x63ountPortfolioResponse\x12\x35\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.Portfolio\"\xe6\x01\n\tPortfolio\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\x12G\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNL\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"x\n\x13SubaccountBalanceV2\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12;\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"j\n\x11PositionsWithUPNL\x12=\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePosition\x12\x16\n\x0eunrealized_pnl\x18\x02 \x01(\t\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\":\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"a\n AccountPortfolioBalancesResponse\x12=\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalances\"\xa5\x01\n\x11PortfolioBalances\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\"]\n\x1dStreamAccountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0c\n\x04type\x18\x03 \x01(\t\"w\n\x1eStreamAccountPortfolioResponse\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x11\n\ttimestamp\x18\x05 \x01(\x12\x32\xb0\x03\n\x15InjectivePortfolioRPC\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\x1cZ\x1a/injective_portfolio_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"C\n\x13TokenHoldersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x63ursor\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\"^\n\x14TokenHoldersResponse\x12\x30\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.Holder\x12\x14\n\x0cnext_cursors\x18\x02 \x03(\t\"2\n\x06Holder\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x02 \x01(\t\"2\n\x17\x41\x63\x63ountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"Q\n\x18\x41\x63\x63ountPortfolioResponse\x12\x35\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.Portfolio\"\xe6\x01\n\tPortfolio\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\x12G\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNL\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"x\n\x13SubaccountBalanceV2\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12;\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"j\n\x11PositionsWithUPNL\x12=\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePosition\x12\x16\n\x0eunrealized_pnl\x18\x02 \x01(\t\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\":\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"a\n AccountPortfolioBalancesResponse\x12=\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalances\"\xa5\x01\n\x11PortfolioBalances\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\"]\n\x1dStreamAccountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0c\n\x04type\x18\x03 \x01(\t\"w\n\x1eStreamAccountPortfolioResponse\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x11\n\ttimestamp\x18\x05 \x01(\x12\x32\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\x1cZ\x1a/injective_portfolio_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_portfolio_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_portfolio_rpcpb' - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=67 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=117 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=119 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=200 - _globals['_PORTFOLIO']._serialized_start=203 - _globals['_PORTFOLIO']._serialized_end=433 - _globals['_COIN']._serialized_start=435 - _globals['_COIN']._serialized_end=472 - _globals['_SUBACCOUNTBALANCEV2']._serialized_start=474 - _globals['_SUBACCOUNTBALANCEV2']._serialized_end=594 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=596 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=665 - _globals['_POSITIONSWITHUPNL']._serialized_start=667 - _globals['_POSITIONSWITHUPNL']._serialized_end=773 - _globals['_DERIVATIVEPOSITION']._serialized_start=776 - _globals['_DERIVATIVEPOSITION']._serialized_end=1055 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1057 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1115 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1117 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1214 - _globals['_PORTFOLIOBALANCES']._serialized_start=1217 - _globals['_PORTFOLIOBALANCES']._serialized_end=1382 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=1384 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=1477 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=1479 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=1598 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=1601 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2033 + _globals['_TOKENHOLDERSREQUEST']._serialized_start=67 + _globals['_TOKENHOLDERSREQUEST']._serialized_end=134 + _globals['_TOKENHOLDERSRESPONSE']._serialized_start=136 + _globals['_TOKENHOLDERSRESPONSE']._serialized_end=230 + _globals['_HOLDER']._serialized_start=232 + _globals['_HOLDER']._serialized_end=282 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=284 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=334 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=336 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=417 + _globals['_PORTFOLIO']._serialized_start=420 + _globals['_PORTFOLIO']._serialized_end=650 + _globals['_COIN']._serialized_start=652 + _globals['_COIN']._serialized_end=689 + _globals['_SUBACCOUNTBALANCEV2']._serialized_start=691 + _globals['_SUBACCOUNTBALANCEV2']._serialized_end=811 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=813 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=882 + _globals['_POSITIONSWITHUPNL']._serialized_start=884 + _globals['_POSITIONSWITHUPNL']._serialized_end=990 + _globals['_DERIVATIVEPOSITION']._serialized_start=993 + _globals['_DERIVATIVEPOSITION']._serialized_end=1272 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1274 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1332 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1334 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1431 + _globals['_PORTFOLIOBALANCES']._serialized_start=1434 + _globals['_PORTFOLIOBALANCES']._serialized_end=1599 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=1601 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=1694 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=1696 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=1815 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=1818 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2359 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index b1702ddc..0978bcf3 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectivePortfolioRPCStub(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. @@ -15,27 +40,39 @@ def __init__(self, channel): Args: channel: A grpc.Channel. """ + self.TokenHolders = channel.unary_unary( + '/injective_portfolio_rpc.InjectivePortfolioRPC/TokenHolders', + request_serializer=exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersRequest.SerializeToString, + response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersResponse.FromString, + _registered_method=True) self.AccountPortfolio = channel.unary_unary( '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioResponse.FromString, - ) + _registered_method=True) self.AccountPortfolioBalances = channel.unary_unary( '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesResponse.FromString, - ) + _registered_method=True) self.StreamAccountPortfolio = channel.unary_stream( '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioResponse.FromString, - ) + _registered_method=True) class InjectivePortfolioRPCServicer(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. """ + def TokenHolders(self, request, context): + """Provide a list of addresses holding a specific token + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def AccountPortfolio(self, request, context): """Provide the account's portfolio """ @@ -60,6 +97,11 @@ def StreamAccountPortfolio(self, request, context): def add_InjectivePortfolioRPCServicer_to_server(servicer, server): rpc_method_handlers = { + 'TokenHolders': grpc.unary_unary_rpc_method_handler( + servicer.TokenHolders, + request_deserializer=exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersRequest.FromString, + response_serializer=exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersResponse.SerializeToString, + ), 'AccountPortfolio': grpc.unary_unary_rpc_method_handler( servicer.AccountPortfolio, request_deserializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioRequest.FromString, @@ -79,6 +121,7 @@ def add_InjectivePortfolioRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_portfolio_rpc.InjectivePortfolioRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_portfolio_rpc.InjectivePortfolioRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -86,6 +129,33 @@ class InjectivePortfolioRPC(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. """ + @staticmethod + def TokenHolders(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/TokenHolders', + exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersRequest.SerializeToString, + exchange_dot_injective__portfolio__rpc__pb2.TokenHoldersResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def AccountPortfolio(request, target, @@ -97,11 +167,21 @@ def AccountPortfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', + return grpc.experimental.unary_unary( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountPortfolioBalances(request, @@ -114,11 +194,21 @@ def AccountPortfolioBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', + return grpc.experimental.unary_unary( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamAccountPortfolio(request, @@ -131,8 +221,18 @@ def StreamAccountPortfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', + return grpc.experimental.unary_stream( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index 3fa7f325..9299d5c8 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_spot_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_spot_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\036/injective_spot_exchange_rpcpb' _globals['_MARKETSREQUEST']._serialized_start=75 _globals['_MARKETSREQUEST']._serialized_end=180 diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index c537ae50..94f667da 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveSpotExchangeRPCStub(object): """InjectiveSpotExchangeRPC defines gRPC API of Spot Exchange provider. @@ -19,92 +44,92 @@ def __init__(self, channel): '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketsResponse.FromString, - ) + _registered_method=True) self.Market = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketResponse.FromString, - ) + _registered_method=True) self.StreamMarkets = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsResponse.FromString, - ) + _registered_method=True) self.OrderbookV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Response.FromString, - ) + _registered_method=True) self.OrderbooksV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookV2 = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookUpdate = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - ) + _registered_method=True) self.Orders = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersResponse.FromString, - ) + _registered_method=True) self.StreamOrders = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersResponse.FromString, - ) + _registered_method=True) self.Trades = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesResponse.FromString, - ) + _registered_method=True) self.StreamTrades = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesResponse.FromString, - ) + _registered_method=True) self.TradesV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Response.FromString, - ) + _registered_method=True) self.StreamTradesV2 = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Response.FromString, - ) + _registered_method=True) self.SubaccountOrdersList = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - ) + _registered_method=True) self.SubaccountTradesList = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - ) + _registered_method=True) self.OrdersHistory = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - ) + _registered_method=True) self.StreamOrdersHistory = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - ) + _registered_method=True) self.AtomicSwapHistory = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryResponse.FromString, - ) + _registered_method=True) class InjectiveSpotExchangeRPCServicer(object): @@ -334,6 +359,7 @@ def add_InjectiveSpotExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_spot_exchange_rpc.InjectiveSpotExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_spot_exchange_rpc.InjectiveSpotExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -352,11 +378,21 @@ def Markets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', exchange_dot_injective__spot__exchange__rpc__pb2.MarketsRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.MarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Market(request, @@ -369,11 +405,21 @@ def Market(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', exchange_dot_injective__spot__exchange__rpc__pb2.MarketRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.MarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamMarkets(request, @@ -386,11 +432,21 @@ def StreamMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbookV2(request, @@ -403,11 +459,21 @@ def OrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbooksV2(request, @@ -420,11 +486,21 @@ def OrderbooksV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookV2(request, @@ -437,11 +513,21 @@ def StreamOrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookUpdate(request, @@ -454,11 +540,21 @@ def StreamOrderbookUpdate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Orders(request, @@ -471,11 +567,21 @@ def Orders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', exchange_dot_injective__spot__exchange__rpc__pb2.OrdersRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrders(request, @@ -488,11 +594,21 @@ def StreamOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Trades(request, @@ -505,11 +621,21 @@ def Trades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', exchange_dot_injective__spot__exchange__rpc__pb2.TradesRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.TradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTrades(request, @@ -522,11 +648,21 @@ def StreamTrades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradesV2(request, @@ -539,11 +675,21 @@ def TradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTradesV2(request, @@ -556,11 +702,21 @@ def StreamTradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrdersList(request, @@ -573,11 +729,21 @@ def SubaccountOrdersList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradesList(request, @@ -590,11 +756,21 @@ def SubaccountTradesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrdersHistory(request, @@ -607,11 +783,21 @@ def OrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrdersHistory(request, @@ -624,11 +810,21 @@ def StreamOrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AtomicSwapHistory(request, @@ -641,8 +837,18 @@ def AtomicSwapHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py index 96f61eb2..efc752c9 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_trading_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,22 +14,24 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xce\x01\n\x1cListTradingStrategiesRequest\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x19\n\x11pending_execution\x18\x05 \x01(\x08\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\r\n\x05limit\x18\x08 \x01(\x11\x12\x0c\n\x04skip\x18\t \x01(\x04\"\x8a\x01\n\x1dListTradingStrategiesResponse\x12:\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategy\x12-\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.Paging\"\x85\x05\n\x0fTradingStrategy\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x06 \x01(\t\x12\x15\n\rbase_quantity\x18\x07 \x01(\t\x12\x16\n\x0equote_quantity\x18\x14 \x01(\t\x12\x13\n\x0blower_bound\x18\x08 \x01(\t\x12\x13\n\x0bupper_bound\x18\t \x01(\t\x12\x11\n\tstop_loss\x18\n \x01(\t\x12\x13\n\x0btake_profit\x18\x0b \x01(\t\x12\x10\n\x08swap_fee\x18\x0c \x01(\t\x12\x14\n\x0c\x62\x61se_deposit\x18\x11 \x01(\t\x12\x15\n\rquote_deposit\x18\x12 \x01(\t\x12\x18\n\x10market_mid_price\x18\x13 \x01(\t\x12#\n\x1bsubscription_quote_quantity\x18\x15 \x01(\t\x12\"\n\x1asubscription_base_quantity\x18\x16 \x01(\t\x12\x1d\n\x15number_of_grid_levels\x18\x17 \x01(\t\x12#\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08\x12\x13\n\x0bstop_reason\x18\x19 \x01(\t\x12\x19\n\x11pending_execution\x18\x1a \x01(\x08\x12\x16\n\x0e\x63reated_height\x18\r \x01(\x12\x12\x16\n\x0eremoved_height\x18\x0e \x01(\x12\x12\x12\n\ncreated_at\x18\x0f \x01(\x12\x12\x12\n\nupdated_at\x18\x10 \x01(\x12\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\x1aZ\x18/injective_trading_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xfa\x01\n\x1cListTradingStrategiesRequest\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x19\n\x11pending_execution\x18\x05 \x01(\x08\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\r\n\x05limit\x18\x08 \x01(\x11\x12\x0c\n\x04skip\x18\t \x01(\x04\x12\x15\n\rstrategy_type\x18\n \x03(\t\x12\x13\n\x0bmarket_type\x18\x0b \x01(\t\"\x8a\x01\n\x1dListTradingStrategiesResponse\x12:\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategy\x12-\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.Paging\"\xf1\x06\n\x0fTradingStrategy\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x06 \x01(\t\x12\x15\n\rbase_quantity\x18\x07 \x01(\t\x12\x16\n\x0equote_quantity\x18\x14 \x01(\t\x12\x13\n\x0blower_bound\x18\x08 \x01(\t\x12\x13\n\x0bupper_bound\x18\t \x01(\t\x12\x11\n\tstop_loss\x18\n \x01(\t\x12\x13\n\x0btake_profit\x18\x0b \x01(\t\x12\x10\n\x08swap_fee\x18\x0c \x01(\t\x12\x14\n\x0c\x62\x61se_deposit\x18\x11 \x01(\t\x12\x15\n\rquote_deposit\x18\x12 \x01(\t\x12\x18\n\x10market_mid_price\x18\x13 \x01(\t\x12#\n\x1bsubscription_quote_quantity\x18\x15 \x01(\t\x12\"\n\x1asubscription_base_quantity\x18\x16 \x01(\t\x12\x1d\n\x15number_of_grid_levels\x18\x17 \x01(\t\x12#\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08\x12\x13\n\x0bstop_reason\x18\x19 \x01(\t\x12\x19\n\x11pending_execution\x18\x1a \x01(\x08\x12\x16\n\x0e\x63reated_height\x18\r \x01(\x12\x12\x16\n\x0eremoved_height\x18\x0e \x01(\x12\x12\x12\n\ncreated_at\x18\x0f \x01(\x12\x12\x12\n\nupdated_at\x18\x10 \x01(\x12\x12\x11\n\texit_type\x18\x1b \x01(\t\x12;\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12=\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12\x15\n\rstrategy_type\x18\x1e \x01(\t\x12\x18\n\x10\x63ontract_version\x18\x1f \x01(\t\x12\x15\n\rcontract_name\x18 \x01(\t\x12\x13\n\x0bmarket_type\x18! \x01(\t\"3\n\nExitConfig\x12\x11\n\texit_type\x18\x01 \x01(\t\x12\x12\n\nexit_price\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\x1aZ\x18/injective_trading_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_trading_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_trading_rpcpb' _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_start=64 - _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=270 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=273 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=411 - _globals['_TRADINGSTRATEGY']._serialized_start=414 - _globals['_TRADINGSTRATEGY']._serialized_end=1059 - _globals['_PAGING']._serialized_start=1061 - _globals['_PAGING']._serialized_end=1153 - _globals['_INJECTIVETRADINGRPC']._serialized_start=1156 - _globals['_INJECTIVETRADINGRPC']._serialized_end=1310 + _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=314 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=317 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=455 + _globals['_TRADINGSTRATEGY']._serialized_start=458 + _globals['_TRADINGSTRATEGY']._serialized_end=1339 + _globals['_EXITCONFIG']._serialized_start=1341 + _globals['_EXITCONFIG']._serialized_end=1392 + _globals['_PAGING']._serialized_start=1394 + _globals['_PAGING']._serialized_end=1486 + _globals['_INJECTIVETRADINGRPC']._serialized_start=1489 + _globals['_INJECTIVETRADINGRPC']._serialized_end=1643 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index c9d845f0..b91507b4 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveTradingRPCStub(object): """InjectiveTradingStrategiesRPC defined a gRPC service for Injective Trading @@ -20,7 +45,7 @@ def __init__(self, channel): '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', request_serializer=exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesRequest.SerializeToString, response_deserializer=exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesResponse.FromString, - ) + _registered_method=True) class InjectiveTradingRPCServicer(object): @@ -47,6 +72,7 @@ def add_InjectiveTradingRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_trading_rpc.InjectiveTradingRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_trading_rpc.InjectiveTradingRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def ListTradingStrategies(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', + return grpc.experimental.unary_unary( + request, + target, + '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesRequest.SerializeToString, exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/gogoproto/gogo_pb2.py b/pyinjective/proto/gogoproto/gogo_pb2.py index a88b12d3..a295b103 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2.py +++ b/pyinjective/proto/gogoproto/gogo_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: gogoproto/gogo.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'gogoproto.gogo_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index 2daafffe..f29e834c 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index 99649d3c..7a7930ca 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: google/api/annotations.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,7 +21,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.annotations_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\004GAPI' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index 2daafffe..aff8bf22 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/http_pb2.py b/pyinjective/proto/google/api/http_pb2.py index 39efe97f..13a56dac 100644 --- a/pyinjective/proto/google/api/http_pb2.py +++ b/pyinjective/proto/google/api/http_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: google/api/http.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.http_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\004GAPI' _globals['_HTTP']._serialized_start=37 _globals['_HTTP']._serialized_end=121 diff --git a/pyinjective/proto/google/api/http_pb2_grpc.py b/pyinjective/proto/google/api/http_pb2_grpc.py index 2daafffe..b9a887d8 100644 --- a/pyinjective/proto/google/api/http_pb2_grpc.py +++ b/pyinjective/proto/google/api/http_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/http_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index 1b43143f..cdbd63cd 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,23 +12,16 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"\xe3\x01\n\x1bIncentivizedAcknowledgement\x12;\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x42\x1e\xf2\xde\x1f\x1ayaml:\"app_acknowledgement\"\x12\x43\n\x17\x66orward_relayer_address\x18\x02 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"forward_relayer_address\"\x12\x42\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\"\xf2\xde\x1f\x1eyaml:\"underlying_app_successl\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._serialized_options = b'\362\336\037\032yaml:\"app_acknowledgement\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._serialized_options = b'\362\336\037\036yaml:\"forward_relayer_address\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._serialized_options = b'\362\336\037\036yaml:\"underlying_app_successl\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=85 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=312 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 2daafffe..3436a5f1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index 951345ba..bab1a197 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,41 +12,43 @@ _sym_db = _symbol_database.Default() +from amino import amino_pb2 as amino_dot_amino__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xdf\x02\n\x03\x46\x65\x65\x12p\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"recv_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12n\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBB\xc8\xde\x1f\x00\xf2\xde\x1f\x0eyaml:\"ack_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12v\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"timeout_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\x81\x01\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0erefund_address\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"refund_address\"\x12\x10\n\x08relayers\x18\x03 \x03(\t\"a\n\nPacketFees\x12S\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"\"\xb7\x01\n\x14IdentifiedPacketFees\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12S\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_FEE'].fields_by_name['recv_fee']._options = None - _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"recv_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['ack_fee']._options = None - _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\362\336\037\016yaml:\"ack_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['timeout_fee']._options = None - _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"timeout_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PACKETFEE'].fields_by_name['fee']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None + _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' + _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None + _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' + _globals['_FEE'].fields_by_name['timeout_fee']._loaded_options = None + _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' + _globals['_PACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_PACKETFEE'].fields_by_name['refund_address']._options = None - _globals['_PACKETFEE'].fields_by_name['refund_address']._serialized_options = b'\362\336\037\025yaml:\"refund_address\"' - _globals['_PACKETFEES'].fields_by_name['packet_fees']._options = None - _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' - _globals['_FEE']._serialized_start=152 - _globals['_FEE']._serialized_end=503 - _globals['_PACKETFEE']._serialized_start=506 - _globals['_PACKETFEE']._serialized_end=635 - _globals['_PACKETFEES']._serialized_start=637 - _globals['_PACKETFEES']._serialized_end=734 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=737 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=920 + _globals['_PACKETFEE']._loaded_options = None + _globals['_PACKETFEE']._serialized_options = b'\202\347\260*\016refund_address' + _globals['_PACKETFEES'].fields_by_name['packet_fees']._loaded_options = None + _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._loaded_options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' + _globals['_FEE']._serialized_start=196 + _globals['_FEE']._serialized_end=539 + _globals['_PACKETFEE']._serialized_start=541 + _globals['_PACKETFEE']._serialized_end=664 + _globals['_PACKETFEES']._serialized_start=666 + _globals['_PACKETFEES']._serialized_end=741 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 2daafffe..7bf8f9b7 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index 73603058..f783ad91 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,44 +17,34 @@ from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xc5\x04\n\x0cGenesisState\x12\x66\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"identified_fees\"\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\x12\x65\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB \xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"registered_payees\"\x12\x8b\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB-\xc8\xde\x1f\x00\xf2\xde\x1f%yaml:\"registered_counterparty_payees\"\x12i\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"forward_relayers\"\"c\n\x11\x46\x65\x65\x45nabledChannel\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\\\n\x0fRegisteredPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"\x94\x01\n\x1bRegisteredCounterpartyPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"t\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12J\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_GENESISSTATE'].fields_by_name['identified_fees']._options = None - _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"identified_fees\"' - _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._options = None - _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' - _globals['_GENESISSTATE'].fields_by_name['registered_payees']._options = None - _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"registered_payees\"' - _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._options = None - _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000\362\336\037%yaml:\"registered_counterparty_payees\"' - _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._options = None - _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"forward_relayers\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._options = None - _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._options = None - _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._options = None - _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._options = None - _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['registered_payees']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000' + _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None + _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=740 - _globals['_FEEENABLEDCHANNEL']._serialized_start=742 - _globals['_FEEENABLEDCHANNEL']._serialized_end=841 - _globals['_REGISTEREDPAYEE']._serialized_start=843 - _globals['_REGISTEREDPAYEE']._serialized_end=935 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=938 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=1086 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=1088 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=1204 + _globals['_GENESISSTATE']._serialized_end=586 + _globals['_FEEENABLEDCHANNEL']._serialized_start=588 + _globals['_FEEENABLEDCHANNEL']._serialized_end=644 + _globals['_REGISTEREDPAYEE']._serialized_start=646 + _globals['_REGISTEREDPAYEE']._serialized_end=715 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index 2daafffe..fa8a53fb 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index 9e16565f..fb919113 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,21 +12,16 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"d\n\x08Metadata\x12+\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"fee_version\"\x12+\n\x0b\x61pp_version\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"app_version\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_METADATA'].fields_by_name['fee_version']._options = None - _globals['_METADATA'].fields_by_name['fee_version']._serialized_options = b'\362\336\037\022yaml:\"fee_version\"' - _globals['_METADATA'].fields_by_name['app_version']._options = None - _globals['_METADATA'].fields_by_name['app_version']._serialized_options = b'\362\336\037\022yaml:\"app_version\"' - _globals['_METADATA']._serialized_start=89 - _globals['_METADATA']._serialized_end=189 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_METADATA']._serialized_start=67 + _globals['_METADATA']._serialized_end=119 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 2daafffe..5e282d9e 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 7fabdbef..356a52c5 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,108 +21,94 @@ from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"u\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"y\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x90\x01\n\x1aQueryTotalRecvFeesResponse\x12r\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBD\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"recv_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x19QueryTotalAckFeesResponse\x12p\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"ack_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x99\x01\n\x1dQueryTotalTimeoutFeesResponse\x12x\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBG\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"timeout_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"O\n\x11QueryPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"E\n\x12QueryPayeeResponse\x12/\n\rpayee_address\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"payee_address\"\"[\n\x1dQueryCounterpartyPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"[\n\x1eQueryCounterpartyPayeeResponse\x12\x39\n\x12\x63ounterparty_payee\x18\x01 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\x90\x01\n\x1fQueryFeeEnabledChannelsResponse\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\"o\n\x1dQueryFeeEnabledChannelRequest\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"M\n\x1eQueryFeeEnabledChannelResponse\x12+\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x42\x16\xf2\xde\x1f\x12yaml:\"fee_enabled\"2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._options = None + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._options = None - _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"recv_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._loaded_options = None + _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._options = None - _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"ack_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._loaded_options = None + _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._options = None - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"timeout_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._options = None - _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._options = None - _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._serialized_options = b'\362\336\037\024yaml:\"payee_address\"' - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._options = None - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._options = None - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._options = None - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._options = None - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._options = None - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._options = None - _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._serialized_options = b'\362\336\037\022yaml:\"fee_enabled\"' - _globals['_QUERY'].methods_by_name['IncentivizedPackets']._options = None + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._loaded_options = None + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._loaded_options = None + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' + _globals['_QUERY'].methods_by_name['IncentivizedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPackets']._serialized_options = b'\202\323\344\223\002\'\022%/ibc/apps/fee/v1/incentivized_packets' - _globals['_QUERY'].methods_by_name['IncentivizedPacket']._options = None + _globals['_QUERY'].methods_by_name['IncentivizedPacket']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPacket']._serialized_options = b'\202\323\344\223\002\177\022}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet' - _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._options = None + _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._serialized_options = b'\202\323\344\223\002M\022K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets' - _globals['_QUERY'].methods_by_name['TotalRecvFees']._options = None + _globals['_QUERY'].methods_by_name['TotalRecvFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalRecvFees']._serialized_options = b'\202\323\344\223\002{\022y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees' - _globals['_QUERY'].methods_by_name['TotalAckFees']._options = None + _globals['_QUERY'].methods_by_name['TotalAckFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalAckFees']._serialized_options = b'\202\323\344\223\002z\022x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees' - _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._options = None + _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._serialized_options = b'\202\323\344\223\002~\022|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees' - _globals['_QUERY'].methods_by_name['Payee']._options = None + _globals['_QUERY'].methods_by_name['Payee']._loaded_options = None _globals['_QUERY'].methods_by_name['Payee']._serialized_options = b'\202\323\344\223\002A\022?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee' - _globals['_QUERY'].methods_by_name['CounterpartyPayee']._options = None + _globals['_QUERY'].methods_by_name['CounterpartyPayee']._loaded_options = None _globals['_QUERY'].methods_by_name['CounterpartyPayee']._serialized_options = b'\202\323\344\223\002N\022L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee' - _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._options = None + _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/fee/v1/fee_enabled' - _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._options = None + _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=418 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=535 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=537 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=647 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=649 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=764 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=767 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=929 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=931 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1052 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1054 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1137 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1140 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1284 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1286 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1368 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1371 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1512 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1514 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1600 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1603 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1756 - _globals['_QUERYPAYEEREQUEST']._serialized_start=1758 - _globals['_QUERYPAYEEREQUEST']._serialized_end=1837 - _globals['_QUERYPAYEERESPONSE']._serialized_start=1839 - _globals['_QUERYPAYEERESPONSE']._serialized_end=1908 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1910 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2001 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2003 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2094 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2096 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2210 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2213 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2357 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2359 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2470 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2472 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2549 - _globals['_QUERY']._serialized_start=2552 - _globals['_QUERY']._serialized_end=4830 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 + _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 + _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 + _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 + _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 + _globals['_QUERY']._serialized_start=2472 + _globals['_QUERY']._serialized_end=4750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index 35479696..7e66cf59 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the ICS29 gRPC querier service. @@ -19,52 +44,52 @@ def __init__(self, channel): '/ibc.applications.fee.v1.Query/IncentivizedPackets', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsResponse.FromString, - ) + _registered_method=True) self.IncentivizedPacket = channel.unary_unary( '/ibc.applications.fee.v1.Query/IncentivizedPacket', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketResponse.FromString, - ) + _registered_method=True) self.IncentivizedPacketsForChannel = channel.unary_unary( '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelResponse.FromString, - ) + _registered_method=True) self.TotalRecvFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalRecvFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesResponse.FromString, - ) + _registered_method=True) self.TotalAckFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalAckFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesResponse.FromString, - ) + _registered_method=True) self.TotalTimeoutFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalTimeoutFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesResponse.FromString, - ) + _registered_method=True) self.Payee = channel.unary_unary( '/ibc.applications.fee.v1.Query/Payee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeResponse.FromString, - ) + _registered_method=True) self.CounterpartyPayee = channel.unary_unary( '/ibc.applications.fee.v1.Query/CounterpartyPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeResponse.FromString, - ) + _registered_method=True) self.FeeEnabledChannels = channel.unary_unary( '/ibc.applications.fee.v1.Query/FeeEnabledChannels', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsResponse.FromString, - ) + _registered_method=True) self.FeeEnabledChannel = channel.unary_unary( '/ibc.applications.fee.v1.Query/FeeEnabledChannel', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -198,6 +223,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.fee.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.fee.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -216,11 +242,21 @@ def IncentivizedPackets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPackets', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPackets', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncentivizedPacket(request, @@ -233,11 +269,21 @@ def IncentivizedPacket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPacket', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPacket', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncentivizedPacketsForChannel(request, @@ -250,11 +296,21 @@ def IncentivizedPacketsForChannel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalRecvFees(request, @@ -267,11 +323,21 @@ def TotalRecvFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalRecvFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalRecvFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalAckFees(request, @@ -284,11 +350,21 @@ def TotalAckFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalAckFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalAckFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalTimeoutFees(request, @@ -301,11 +377,21 @@ def TotalTimeoutFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalTimeoutFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalTimeoutFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Payee(request, @@ -318,11 +404,21 @@ def Payee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/Payee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/Payee', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CounterpartyPayee(request, @@ -335,11 +431,21 @@ def CounterpartyPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/CounterpartyPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/CounterpartyPayee', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeEnabledChannels(request, @@ -352,11 +458,21 @@ def FeeEnabledChannels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/FeeEnabledChannels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/FeeEnabledChannels', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeEnabledChannel(request, @@ -369,8 +485,18 @@ def FeeEnabledChannel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/FeeEnabledChannel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/FeeEnabledChannel', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 1f2c27d1..5599fc25 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,63 +12,53 @@ _sym_db = _symbol_database.Default() +from amino import amino_pb2 as amino_dot_amino__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x10MsgRegisterPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgRegisterPayeeResponse\"\xc4\x01\n\x1cMsgRegisterCounterpartyPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x04 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xda\x01\n\x0fMsgPayPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0esource_port_id\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_port_id\"\x12\x37\n\x11source_channel_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"source_channel_id\"\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgPayPacketFeeResponse\"\xbf\x01\n\x14MsgPayPacketFeeAsync\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12Q\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x19\xc8\xde\x1f\x00\xf2\xde\x1f\x11yaml:\"packet_fee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xef\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponseB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._options = None - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._options = None - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERPAYEE']._options = None - _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._serialized_options = b'\362\336\037\025yaml:\"source_port_id\"' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._serialized_options = b'\362\336\037\030yaml:\"source_channel_id\"' - _globals['_MSGPAYPACKETFEE']._options = None - _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\362\336\037\021yaml:\"packet_fee\"' - _globals['_MSGPAYPACKETFEEASYNC']._options = None - _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERPAYEE']._serialized_start=154 - _globals['_MSGREGISTERPAYEE']._serialized_end=294 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=296 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=322 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=325 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=521 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=523 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=561 - _globals['_MSGPAYPACKETFEE']._serialized_start=564 - _globals['_MSGPAYPACKETFEE']._serialized_end=782 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=784 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=809 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=812 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1003 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1005 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1035 - _globals['_MSG']._serialized_start=1038 - _globals['_MSG']._serialized_end=1533 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_MSGREGISTERPAYEE']._loaded_options = None + _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\'cosmos-sdk/MsgRegisterCounterpartyPayee' + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._loaded_options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGPAYPACKETFEE']._loaded_options = None + _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer\212\347\260*\032cosmos-sdk/MsgPayPacketFee' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._loaded_options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._loaded_options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGPAYPACKETFEEASYNC']._loaded_options = None + _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\202\347\260*\npacket_fee\212\347\260*\037cosmos-sdk/MsgPayPacketFeeAsync' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGREGISTERPAYEE']._serialized_start=198 + _globals['_MSGREGISTERPAYEE']._serialized_end=335 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 + _globals['_MSGPAYPACKETFEE']._serialized_start=583 + _globals['_MSGPAYPACKETFEE']._serialized_end=787 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 + _globals['_MSG']._serialized_start=1059 + _globals['_MSG']._serialized_end=1561 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index c2520573..0d72fa61 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ICS29 Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/ibc.applications.fee.v1.Msg/RegisterPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayeeResponse.FromString, - ) + _registered_method=True) self.RegisterCounterpartyPayee = channel.unary_unary( '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayeeResponse.FromString, - ) + _registered_method=True) self.PayPacketFee = channel.unary_unary( '/ibc.applications.fee.v1.Msg/PayPacketFee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeResponse.FromString, - ) + _registered_method=True) self.PayPacketFeeAsync = channel.unary_unary( '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsync.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsyncResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -110,6 +135,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.fee.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.fee.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -128,11 +154,21 @@ def RegisterPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/RegisterPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/RegisterPayee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RegisterCounterpartyPayee(request, @@ -145,11 +181,21 @@ def RegisterCounterpartyPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PayPacketFee(request, @@ -162,11 +208,21 @@ def PayPacketFee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/PayPacketFee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/PayPacketFee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PayPacketFeeAsync(request, @@ -179,8 +235,18 @@ def PayPacketFeeAsync(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsync.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsyncResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index a3f35e4f..53e2a4c1 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,19 +12,16 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\"C\n\x06Params\x12\x39\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42\x1d\xf2\xde\x1f\x19yaml:\"controller_enabled\"BRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_PARAMS'].fields_by_name['controller_enabled']._options = None - _globals['_PARAMS'].fields_by_name['controller_enabled']._serialized_options = b'\362\336\037\031yaml:\"controller_enabled\"' - _globals['_PARAMS']._serialized_start=145 - _globals['_PARAMS']._serialized_end=212 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['_PARAMS']._serialized_start=123 + _globals['_PARAMS']._serialized_end=159 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 2daafffe..8436a09b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index fbe1e453..dba39064 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,32 +13,29 @@ from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\"_\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._options = None - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_QUERY'].methods_by_name['InterchainAccount']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=239 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=334 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=336 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=385 - _globals['_QUERYPARAMSREQUEST']._serialized_start=387 - _globals['_QUERYPARAMSREQUEST']._serialized_end=407 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=409 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=506 - _globals['_QUERY']._serialized_start=509 - _globals['_QUERY']._serialized_end=1017 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 + _globals['_QUERYPARAMSREQUEST']._serialized_start=339 + _globals['_QUERYPARAMSREQUEST']._serialized_end=359 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 + _globals['_QUERY']._serialized_start=461 + _globals['_QUERY']._serialized_end=969 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index 14b1ab2e..de3d5a81 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.interchain_accounts.controller.v1.Query/Params', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.controller.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def InterchainAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -97,8 +133,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Query/Params', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index 212a697a..e155af64 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,40 +14,47 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\"y\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\x0f\n\x07version\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n$MsgRegisterInterchainAccountResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\"\x83\x02\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12u\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_data\"\x12\x35\n\x10relative_timeout\x18\x04 \x01(\x04\x42\x1b\xf2\xde\x1f\x17yaml:\"relative_timeout\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"%\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32\xe0\x02\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponseBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._options = None - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._options = None - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._options = None - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGSENDTX'].fields_by_name['connection_id']._options = None - _globals['_MSGSENDTX'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGSENDTX'].fields_by_name['packet_data']._options = None - _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_data\"' - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._options = None - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._serialized_options = b'\362\336\037\027yaml:\"relative_timeout\"' - _globals['_MSGSENDTX']._options = None - _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=191 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=312 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=314 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=432 - _globals['_MSGSENDTX']._serialized_start=435 - _globals['_MSGSENDTX']._serialized_end=694 - _globals['_MSGSENDTXRESPONSE']._serialized_start=696 - _globals['_MSGSENDTXRESPONSE']._serialized_end=733 - _globals['_MSG']._serialized_start=736 - _globals['_MSG']._serialized_end=1088 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGSENDTX'].fields_by_name['packet_data']._loaded_options = None + _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000' + _globals['_MSGSENDTX']._loaded_options = None + _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' + _globals['_MSGSENDTXRESPONSE']._loaded_options = None + _globals['_MSGSENDTXRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 + _globals['_MSGSENDTX']._serialized_start=554 + _globals['_MSGSENDTX']._serialized_end=742 + _globals['_MSGSENDTXRESPONSE']._serialized_start=744 + _globals['_MSGSENDTXRESPONSE']._serialized_end=787 + _globals['_MSGUPDATEPARAMS']._serialized_start=790 + _globals['_MSGUPDATEPARAMS']._serialized_end=922 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 + _globals['_MSG']._serialized_start=952 + _globals['_MSG']._serialized_end=1474 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index cbf4e543..35ada760 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the 27-interchain-accounts/controller Msg service. @@ -19,12 +44,17 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccount.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccountResponse.FromString, - ) + _registered_method=True) self.SendTx = channel.unary_unary( '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, - ) + _registered_method=True) + self.UpdateParams = channel.unary_unary( + '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', + request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -45,6 +75,13 @@ def SendTx(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def UpdateParams(self, request, context): + """UpdateParams defines a rpc handler for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -58,10 +95,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.FromString, response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.SerializeToString, ), + 'UpdateParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateParams, + request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +123,21 @@ def RegisterInterchainAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccount.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendTx(request, @@ -97,8 +150,45 @@ def SendTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', + ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 1b3ccac5..2386f482 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/genesis/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,52 +17,38 @@ from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xa6\x02\n\x0cGenesisState\x12\x92\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\'\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"controller_genesis_state\"\x12\x80\x01\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"host_genesis_state\"\"\x82\x03\n\x16\x43ontrollerGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xf5\x02\n\x10HostGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\rActiveChannel\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x03 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12?\n\x15is_middleware_enabled\x18\x04 \x01(\x08\x42 \xf2\xde\x1f\x1cyaml:\"is_middleware_enabled\"\"\xa8\x01\n\x1bRegisteredInterchainAccount\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"account_address\"BOZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/types' - _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._options = None - _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"controller_genesis_state\"' - _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._options = None - _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"host_genesis_state\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' + _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' - _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' - _globals['_HOSTGENESISSTATE'].fields_by_name['params']._options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' + _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' + _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._options = None - _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._options = None - _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._options = None - _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._options = None - _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._serialized_options = b'\362\336\037\034yaml:\"is_middleware_enabled\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._serialized_options = b'\362\336\037\026yaml:\"account_address\"' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=557 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=560 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=946 - _globals['_HOSTGENESISSTATE']._serialized_start=949 - _globals['_HOSTGENESISSTATE']._serialized_end=1322 - _globals['_ACTIVECHANNEL']._serialized_start=1325 - _globals['_ACTIVECHANNEL']._serialized_end=1534 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1537 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1705 + _globals['_GENESISSTATE']._serialized_end=491 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 + _globals['_HOSTGENESISSTATE']._serialized_start=826 + _globals['_HOSTGENESISSTATE']._serialized_end=1142 + _globals['_ACTIVECHANNEL']._serialized_start=1144 + _globals['_ACTIVECHANNEL']._serialized_end=1250 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index 2daafffe..fb59b2d9 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index 263e3850..a33171de 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,21 +12,18 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\"j\n\x06Params\x12-\n\x0chost_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"host_enabled\"\x12\x31\n\x0e\x61llow_messages\x18\x02 \x03(\tB\x19\xf2\xde\x1f\x15yaml:\"allow_messages\"BLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_PARAMS'].fields_by_name['host_enabled']._options = None - _globals['_PARAMS'].fields_by_name['host_enabled']._serialized_options = b'\362\336\037\023yaml:\"host_enabled\"' - _globals['_PARAMS'].fields_by_name['allow_messages']._options = None - _globals['_PARAMS'].fields_by_name['allow_messages']._serialized_options = b'\362\336\037\025yaml:\"allow_messages\"' - _globals['_PARAMS']._serialized_start=127 - _globals['_PARAMS']._serialized_end=233 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['_PARAMS']._serialized_start=105 + _globals['_PARAMS']._serialized_end=159 + _globals['_QUERYREQUEST']._serialized_start=161 + _globals['_QUERYREQUEST']._serialized_end=203 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index 2daafffe..f677412a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index dc3afaeb..07511197 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,15 +16,15 @@ from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_QUERY'].methods_by_name['Params']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 _globals['_QUERYPARAMSREQUEST']._serialized_end=213 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index d1a09b09..d98a5b0b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.host.v1.Query/Params', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.host.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.host.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.host.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.host.v1.Query/Params', ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py new file mode 100644 index 00000000..aacfd578 --- /dev/null +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py @@ -0,0 +1,46 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/applications/interchain_accounts/host/v1/tx.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"~\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12J\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x83\x01\n\x12MsgModuleQuerySafe\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12L\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequest:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"?\n\x1aMsgModuleQuerySafeResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x11\n\tresponses\x18\x02 \x03(\x0c\x32\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.tx_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGMODULEQUERYSAFE']._loaded_options = None + _globals['_MSGMODULEQUERYSAFE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATEPARAMS']._serialized_start=207 + _globals['_MSGUPDATEPARAMS']._serialized_end=333 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=335 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=360 + _globals['_MSGMODULEQUERYSAFE']._serialized_start=363 + _globals['_MSGMODULEQUERYSAFE']._serialized_end=494 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=496 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=559 + _globals['_MSG']._serialized_start=562 + _globals['_MSG']._serialized_end=885 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py new file mode 100644 index 00000000..83d86202 --- /dev/null +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py @@ -0,0 +1,150 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + +from ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class MsgStub(object): + """Msg defines the 27-interchain-accounts/host Msg service. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.UpdateParams = channel.unary_unary( + '/ibc.applications.interchain_accounts.host.v1.Msg/UpdateParams', + request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) + self.ModuleQuerySafe = channel.unary_unary( + '/ibc.applications.interchain_accounts.host.v1.Msg/ModuleQuerySafe', + request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafe.SerializeToString, + response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafeResponse.FromString, + _registered_method=True) + + +class MsgServicer(object): + """Msg defines the 27-interchain-accounts/host Msg service. + """ + + def UpdateParams(self, request, context): + """UpdateParams defines a rpc handler for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ModuleQuerySafe(self, request, context): + """ModuleQuerySafe defines a rpc handler for MsgModuleQuerySafe. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_MsgServicer_to_server(servicer, server): + rpc_method_handlers = { + 'UpdateParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateParams, + request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), + 'ModuleQuerySafe': grpc.unary_unary_rpc_method_handler( + servicer.ModuleQuerySafe, + request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafe.FromString, + response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafeResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'ibc.applications.interchain_accounts.host.v1.Msg', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.host.v1.Msg', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Msg(object): + """Msg defines the 27-interchain-accounts/host Msg service. + """ + + @staticmethod + def UpdateParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.host.v1.Msg/UpdateParams', + ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ModuleQuerySafe(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.host.v1.Msg/ModuleQuerySafe', + ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafe.SerializeToString, + ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2.MsgModuleQuerySafeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 8b8a793b..26c5ce4d 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/account.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,20 +17,18 @@ from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xe1\x01\n\x11InterchainAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12/\n\raccount_owner\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"account_owner\":F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._options = None - _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' - _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._options = None - _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._serialized_options = b'\362\336\037\024yaml:\"account_owner\"' - _globals['_INTERCHAINACCOUNT']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None + _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' + _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=405 + _globals['_INTERCHAINACCOUNT']._serialized_end=356 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index 2daafffe..b430af9b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index 4dde630b..c9cbc973 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,21 +12,16 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x14gogoproto/gogo.proto\"\xd1\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x45\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tB#\xf2\xde\x1f\x1fyaml:\"controller_connection_id\"\x12\x39\n\x12host_connection_id\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"host_connection_id\"\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_METADATA'].fields_by_name['controller_connection_id']._options = None - _globals['_METADATA'].fields_by_name['controller_connection_id']._serialized_options = b'\362\336\037\037yaml:\"controller_connection_id\"' - _globals['_METADATA'].fields_by_name['host_connection_id']._options = None - _globals['_METADATA'].fields_by_name['host_connection_id']._serialized_options = b'\362\336\037\031yaml:\"host_connection_id\"' - _globals['_METADATA']._serialized_start=122 - _globals['_METADATA']._serialized_end=331 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['_METADATA']._serialized_start=100 + _globals['_METADATA']._serialized_end=241 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index 2daafffe..f6c4f460 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index 5e7b86ff..a246e1fe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/packet.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,19 +16,19 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_TYPE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' - _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._options = None + _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._options = None + _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._serialized_options = b'\212\235 \nEXECUTE_TX' _globals['_TYPE']._serialized_start=318 _globals['_TYPE']._serialized_end=406 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 2daafffe..49c27f11 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 31637b6c..5f1c6310 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,26 +17,22 @@ from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xe2\x01\n\nAllocation\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_ALLOCATION'].fields_by_name['source_port']._options = None - _globals['_ALLOCATION'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_ALLOCATION'].fields_by_name['source_channel']._options = None - _globals['_ALLOCATION'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_ALLOCATION'].fields_by_name['spend_limit']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._options = None + _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._serialized_options = b'\310\336\037\000' - _globals['_TRANSFERAUTHORIZATION']._options = None + _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=382 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=385 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=517 + _globals['_ALLOCATION']._serialized_end=360 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index 2daafffe..ed0ac6b8 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index a066cec2..9e7cb61b 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,22 +17,20 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xd4\x02\n\x0cGenesisState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x65\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB%\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"denom_traces\"\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12|\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"total_escrowed\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_GENESISSTATE'].fields_by_name['port_id']._options = None - _globals['_GENESISSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_GENESISSTATE'].fields_by_name['denom_traces']._options = None - _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"denom_traces\"\252\337\037\006Traces' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._options = None - _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"total_escrowed\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=516 + _globals['_GENESISSTATE']._serialized_end=448 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 2daafffe..800ee9cf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 046ba4c2..7bcdf0d5 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,29 +19,29 @@ from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['DenomTrace']._options = None - _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' - _globals['_QUERY'].methods_by_name['DenomTraces']._options = None + _globals['_QUERY'].methods_by_name['DenomTraces']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomTraces']._serialized_options = b'\202\323\344\223\002$\022\"/ibc/apps/transfer/v1/denom_traces' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['DenomTrace']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/transfer/v1/params' - _globals['_QUERY'].methods_by_name['DenomHash']._options = None + _globals['_QUERY'].methods_by_name['DenomHash']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomHash']._serialized_options = b'\202\323\344\223\002/\022-/ibc/apps/transfer/v1/denom_hashes/{trace=**}' - _globals['_QUERY'].methods_by_name['EscrowAddress']._options = None + _globals['_QUERY'].methods_by_name['EscrowAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['EscrowAddress']._serialized_options = b'\202\323\344\223\002L\022J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address' - _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._options = None + _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._serialized_options = b'\202\323\344\223\0026\0224/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrow' _globals['_QUERYDENOMTRACEREQUEST']._serialized_start=247 _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=285 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 74c1b392..3f6de8a1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -15,51 +40,51 @@ def __init__(self, channel): Args: channel: A grpc.Channel. """ - self.DenomTrace = channel.unary_unary( - '/ibc.applications.transfer.v1.Query/DenomTrace', - request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, - response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, - ) self.DenomTraces = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomTraces', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, - ) + _registered_method=True) + self.DenomTrace = channel.unary_unary( + '/ibc.applications.transfer.v1.Query/DenomTrace', + request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, + response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.transfer.v1.Query/Params', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomHash = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomHash', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashResponse.FromString, - ) + _registered_method=True) self.EscrowAddress = channel.unary_unary( '/ibc.applications.transfer.v1.Query/EscrowAddress', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressResponse.FromString, - ) + _registered_method=True) self.TotalEscrowForDenom = channel.unary_unary( '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): """Query provides defines the gRPC querier service. """ - def DenomTrace(self, request, context): - """DenomTrace queries a denomination trace information. + def DenomTraces(self, request, context): + """DenomTraces queries all denomination traces. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DenomTraces(self, request, context): - """DenomTraces queries all denomination traces. + def DenomTrace(self, request, context): + """DenomTrace queries a denomination trace information. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -96,16 +121,16 @@ def TotalEscrowForDenom(self, request, context): def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { - 'DenomTrace': grpc.unary_unary_rpc_method_handler( - servicer.DenomTrace, - request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.FromString, - response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.SerializeToString, - ), 'DenomTraces': grpc.unary_unary_rpc_method_handler( servicer.DenomTraces, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.SerializeToString, ), + 'DenomTrace': grpc.unary_unary_rpc_method_handler( + servicer.DenomTrace, + request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.FromString, + response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.SerializeToString, + ), 'Params': grpc.unary_unary_rpc_method_handler( servicer.Params, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.FromString, @@ -130,6 +155,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.transfer.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -138,7 +164,7 @@ class Query(object): """ @staticmethod - def DenomTrace(request, + def DenomTraces(request, target, options=(), channel_credentials=None, @@ -148,14 +174,24 @@ def DenomTrace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomTrace', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomTraces', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def DenomTraces(request, + def DenomTrace(request, target, options=(), channel_credentials=None, @@ -165,11 +201,21 @@ def DenomTraces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomTraces', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomTrace', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -182,11 +228,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/Params', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomHash(request, @@ -199,11 +255,21 @@ def DenomHash(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomHash', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomHash', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EscrowAddress(request, @@ -216,11 +282,21 @@ def EscrowAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/EscrowAddress', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/EscrowAddress', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalEscrowForDenom(request, @@ -233,8 +309,18 @@ def TotalEscrowForDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 5d4c9a07..341de825 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,23 +12,18 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"l\n\x06Params\x12-\n\x0csend_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"send_enabled\"\x12\x33\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x1a\xf2\xde\x1f\x16yaml:\"receive_enabled\"B9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._options = None - _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\362\336\037\023yaml:\"send_enabled\"' - _globals['_PARAMS'].fields_by_name['receive_enabled']._options = None - _globals['_PARAMS'].fields_by_name['receive_enabled']._serialized_options = b'\362\336\037\026yaml:\"receive_enabled\"' - _globals['_DENOMTRACE']._serialized_start=99 - _globals['_DENOMTRACE']._serialized_end=145 - _globals['_PARAMS']._serialized_start=147 - _globals['_PARAMS']._serialized_end=255 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_DENOMTRACE']._serialized_start=77 + _globals['_DENOMTRACE']._serialized_end=123 + _globals['_PARAMS']._serialized_start=125 + _globals['_PARAMS']._serialized_end=180 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 2daafffe..283b46bf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index dc8c79c7..c638e565 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,35 +12,44 @@ _sym_db = _symbol_database.Default() +from amino import amino_pb2 as amino_dot_amino__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\"\xe3\x02\n\x0bMsgTransfer\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12.\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12Q\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x07 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04memo\x18\x08 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\'\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32o\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponseB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_MSGTRANSFER'].fields_by_name['source_port']._options = None - _globals['_MSGTRANSFER'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._options = None - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_MSGTRANSFER'].fields_by_name['token']._options = None - _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000' - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._options = None - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._options = None - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_MSGTRANSFER']._options = None - _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTRANSFER']._serialized_start=159 - _globals['_MSGTRANSFER']._serialized_end=514 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=516 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=555 - _globals['_MSG']._serialized_start=557 - _globals['_MSG']._serialized_end=668 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None + _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGTRANSFER']._loaded_options = None + _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\026cosmos-sdk/MsgTransfer' + _globals['_MSGTRANSFERRESPONSE']._loaded_options = None + _globals['_MSGTRANSFERRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGTRANSFER']._serialized_start=248 + _globals['_MSGTRANSFER']._serialized_end=541 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 + _globals['_MSGUPDATEPARAMS']._serialized_start=590 + _globals['_MSGUPDATEPARAMS']._serialized_end=700 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 + _globals['_MSG']._serialized_start=730 + _globals['_MSG']._serialized_end=966 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index 74bc9aae..9effa128 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/transfer Msg service. @@ -19,7 +44,12 @@ def __init__(self, channel): '/ibc.applications.transfer.v1.Msg/Transfer', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, - ) + _registered_method=True) + self.UpdateParams = channel.unary_unary( + '/ibc.applications.transfer.v1.Msg/UpdateParams', + request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -33,6 +63,13 @@ def Transfer(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def UpdateParams(self, request, context): + """UpdateParams defines a rpc handler for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -41,10 +78,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.SerializeToString, ), + 'UpdateParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateParams, + request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.transfer.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +106,45 @@ def Transfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Msg/Transfer', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Msg/Transfer', ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Msg/UpdateParams', + ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index eebbb3a8..78efc002 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v2/packet.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 2daafffe..3121fc69 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index eef5376c..b48462d6 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/channel.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,94 +16,80 @@ from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xed\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\x9c\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t:\x04\x88\xa0\x1f\x00\"d\n\x0c\x43ounterparty\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\":\x04\x88\xa0\x1f\x00\"\x8e\x03\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12+\n\x0bsource_port\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x03 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x35\n\x10\x64\x65stination_port\x18\x04 \x01(\tB\x1b\xf2\xde\x1f\x17yaml:\"destination_port\"\x12;\n\x13\x64\x65stination_channel\x18\x05 \x01(\tB\x1e\xf2\xde\x1f\x1ayaml:\"destination_channel\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12Q\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x08 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\":\x04\x88\xa0\x1f\x00\"\x83\x01\n\x0bPacketState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x08PacketId\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response*\xb7\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_STATE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' - _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._options = None + _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._serialized_options = b'\212\235 \rUNINITIALIZED' - _globals['_STATE'].values_by_name["STATE_INIT"]._options = None + _globals['_STATE'].values_by_name["STATE_INIT"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_INIT"]._serialized_options = b'\212\235 \004INIT' - _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._options = None + _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._serialized_options = b'\212\235 \007TRYOPEN' - _globals['_STATE'].values_by_name["STATE_OPEN"]._options = None + _globals['_STATE'].values_by_name["STATE_OPEN"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_OPEN"]._serialized_options = b'\212\235 \004OPEN' - _globals['_STATE'].values_by_name["STATE_CLOSED"]._options = None + _globals['_STATE'].values_by_name["STATE_CLOSED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_CLOSED"]._serialized_options = b'\212\235 \006CLOSED' - _globals['_ORDER']._options = None + _globals['_STATE'].values_by_name["STATE_FLUSHING"]._loaded_options = None + _globals['_STATE'].values_by_name["STATE_FLUSHING"]._serialized_options = b'\212\235 \010FLUSHING' + _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._loaded_options = None + _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._serialized_options = b'\212\235 \rFLUSHCOMPLETE' + _globals['_ORDER']._loaded_options = None _globals['_ORDER']._serialized_options = b'\210\243\036\000' - _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._serialized_options = b'\212\235 \004NONE' - _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._serialized_options = b'\212\235 \tUNORDERED' - _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._serialized_options = b'\212\235 \007ORDERED' - _globals['_CHANNEL'].fields_by_name['counterparty']._options = None + _globals['_CHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_CHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_CHANNEL'].fields_by_name['connection_hops']._options = None - _globals['_CHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' - _globals['_CHANNEL']._options = None + _globals['_CHANNEL']._loaded_options = None _globals['_CHANNEL']._serialized_options = b'\210\240\037\000' - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._options = None + _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._options = None - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' - _globals['_IDENTIFIEDCHANNEL']._options = None + _globals['_IDENTIFIEDCHANNEL']._loaded_options = None _globals['_IDENTIFIEDCHANNEL']._serialized_options = b'\210\240\037\000' - _globals['_COUNTERPARTY'].fields_by_name['port_id']._options = None - _globals['_COUNTERPARTY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_COUNTERPARTY'].fields_by_name['channel_id']._options = None - _globals['_COUNTERPARTY'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_COUNTERPARTY']._options = None + _globals['_COUNTERPARTY']._loaded_options = None _globals['_COUNTERPARTY']._serialized_options = b'\210\240\037\000' - _globals['_PACKET'].fields_by_name['source_port']._options = None - _globals['_PACKET'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_PACKET'].fields_by_name['source_channel']._options = None - _globals['_PACKET'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_PACKET'].fields_by_name['destination_port']._options = None - _globals['_PACKET'].fields_by_name['destination_port']._serialized_options = b'\362\336\037\027yaml:\"destination_port\"' - _globals['_PACKET'].fields_by_name['destination_channel']._options = None - _globals['_PACKET'].fields_by_name['destination_channel']._serialized_options = b'\362\336\037\032yaml:\"destination_channel\"' - _globals['_PACKET'].fields_by_name['timeout_height']._options = None - _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_PACKET'].fields_by_name['timeout_timestamp']._options = None - _globals['_PACKET'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_PACKET']._options = None + _globals['_PACKET'].fields_by_name['timeout_height']._loaded_options = None + _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000' + _globals['_PACKET']._loaded_options = None _globals['_PACKET']._serialized_options = b'\210\240\037\000' - _globals['_PACKETSTATE'].fields_by_name['port_id']._options = None - _globals['_PACKETSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSTATE'].fields_by_name['channel_id']._options = None - _globals['_PACKETSTATE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_PACKETSTATE']._options = None + _globals['_PACKETSTATE']._loaded_options = None _globals['_PACKETSTATE']._serialized_options = b'\210\240\037\000' - _globals['_PACKETID'].fields_by_name['port_id']._options = None - _globals['_PACKETID'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETID'].fields_by_name['channel_id']._options = None - _globals['_PACKETID'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_PACKETID']._options = None + _globals['_PACKETID']._loaded_options = None _globals['_PACKETID']._serialized_options = b'\210\240\037\000' - _globals['_STATE']._serialized_start=1460 - _globals['_STATE']._serialized_end=1643 - _globals['_ORDER']._serialized_start=1645 - _globals['_ORDER']._serialized_end=1764 + _globals['_TIMEOUT'].fields_by_name['height']._loaded_options = None + _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' + _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None + _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' + _globals['_STATE']._serialized_start=1310 + _globals['_STATE']._serialized_end=1571 + _globals['_ORDER']._serialized_start=1573 + _globals['_ORDER']._serialized_end=1692 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=351 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=354 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=638 - _globals['_COUNTERPARTY']._serialized_start=640 - _globals['_COUNTERPARTY']._serialized_end=740 - _globals['_PACKET']._serialized_start=743 - _globals['_PACKET']._serialized_end=1141 - _globals['_PACKETSTATE']._serialized_start=1144 - _globals['_PACKETSTATE']._serialized_end=1275 - _globals['_PACKETID']._serialized_start=1277 - _globals['_PACKETID']._serialized_end=1391 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1393 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1457 + _globals['_CHANNEL']._serialized_end=349 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 + _globals['_COUNTERPARTY']._serialized_start=636 + _globals['_COUNTERPARTY']._serialized_end=693 + _globals['_PACKET']._serialized_start=696 + _globals['_PACKET']._serialized_end=927 + _globals['_PACKETSTATE']._serialized_start=929 + _globals['_PACKETSTATE']._serialized_end=1017 + _globals['_PACKETID']._serialized_start=1019 + _globals['_PACKETID']._serialized_end=1090 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 + _globals['_TIMEOUT']._serialized_start=1158 + _globals['_TIMEOUT']._serialized_end=1236 + _globals['_PARAMS']._serialized_start=1238 + _globals['_PARAMS']._serialized_end=1307 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2daafffe..2cee10e1 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index c2ea8b2e..68c6e425 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,36 +16,32 @@ from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xef\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12Z\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"send_sequences\"\x12Z\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"recv_sequences\"\x12X\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"ack_sequences\"\x12?\n\x15next_channel_sequence\x18\x08 \x01(\x04\x42 \xf2\xde\x1f\x1cyaml:\"next_channel_sequence\"\"r\n\x0ePacketSequence\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_GENESISSTATE'].fields_by_name['channels']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' - _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._options = None + _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['commitments']._options = None + _globals['_GENESISSTATE'].fields_by_name['commitments']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['commitments']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['receipts']._options = None + _globals['_GENESISSTATE'].fields_by_name['receipts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['receipts']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['send_sequences']._options = None - _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"send_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._options = None - _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"recv_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._options = None - _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"ack_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._options = None - _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._serialized_options = b'\362\336\037\034yaml:\"next_channel_sequence\"' - _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._options = None - _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._options = None - _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_GENESISSTATE'].fields_by_name['send_sequences']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=739 - _globals['_PACKETSEQUENCE']._serialized_start=741 - _globals['_PACKETSEQUENCE']._serialized_end=855 + _globals['_GENESISSTATE']._serialized_end=682 + _globals['_PACKETSEQUENCE']._serialized_start=684 + _globals['_PACKETSEQUENCE']._serialized_end=755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index 2daafffe..a34643ef 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index 54bd958d..9f704ebb 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,120 +18,155 @@ from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x32\x8b\x16\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequenceB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Channel']._options = None + _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._loaded_options = None + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERY'].methods_by_name['Channel']._loaded_options = None _globals['_QUERY'].methods_by_name['Channel']._serialized_options = b'\202\323\344\223\002<\022:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}' - _globals['_QUERY'].methods_by_name['Channels']._options = None + _globals['_QUERY'].methods_by_name['Channels']._loaded_options = None _globals['_QUERY'].methods_by_name['Channels']._serialized_options = b'\202\323\344\223\002\037\022\035/ibc/core/channel/v1/channels' - _globals['_QUERY'].methods_by_name['ConnectionChannels']._options = None + _globals['_QUERY'].methods_by_name['ConnectionChannels']._loaded_options = None _globals['_QUERY'].methods_by_name['ConnectionChannels']._serialized_options = b'\202\323\344\223\0028\0226/ibc/core/channel/v1/connections/{connection}/channels' - _globals['_QUERY'].methods_by_name['ChannelClientState']._options = None + _globals['_QUERY'].methods_by_name['ChannelClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelClientState']._serialized_options = b'\202\323\344\223\002I\022G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state' - _globals['_QUERY'].methods_by_name['ChannelConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ChannelConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelConsensusState']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['PacketCommitment']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitment']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitment']._serialized_options = b'\202\323\344\223\002Z\022X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}' - _globals['_QUERY'].methods_by_name['PacketCommitments']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitments']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitments']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments' - _globals['_QUERY'].methods_by_name['PacketReceipt']._options = None + _globals['_QUERY'].methods_by_name['PacketReceipt']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketReceipt']._serialized_options = b'\202\323\344\223\002W\022U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._serialized_options = b'\202\323\344\223\002S\022Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._serialized_options = b'\202\323\344\223\002T\022R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements' - _globals['_QUERY'].methods_by_name['UnreceivedPackets']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedPackets']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets' - _globals['_QUERY'].methods_by_name['UnreceivedAcks']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedAcks']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedAcks']._serialized_options = b'\202\323\344\223\002v\022t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks' - _globals['_QUERY'].methods_by_name['NextSequenceReceive']._options = None + _globals['_QUERY'].methods_by_name['NextSequenceReceive']._loaded_options = None _globals['_QUERY'].methods_by_name['NextSequenceReceive']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence' - _globals['_QUERYCHANNELREQUEST']._serialized_start=247 - _globals['_QUERYCHANNELREQUEST']._serialized_end=305 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=308 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=448 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=450 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=532 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=535 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=727 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=729 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=841 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=844 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1046 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1048 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1117 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1120 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1300 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1302 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1424 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1427 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1600 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1602 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1687 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1689 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1811 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1814 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1942 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1945 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2143 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2145 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2227 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2229 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2346 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2348 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2438 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2441 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2573 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2576 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2746 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2749 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2957 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2959 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3064 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3066 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3167 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3169 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3264 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3266 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3364 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3366 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3436 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3439 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3575 - _globals['_QUERY']._serialized_start=3578 - _globals['_QUERY']._serialized_end=6405 + _globals['_QUERY'].methods_by_name['NextSequenceSend']._loaded_options = None + _globals['_QUERY'].methods_by_name['NextSequenceSend']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send' + _globals['_QUERY'].methods_by_name['UpgradeError']._loaded_options = None + _globals['_QUERY'].methods_by_name['UpgradeError']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error' + _globals['_QUERY'].methods_by_name['Upgrade']._loaded_options = None + _globals['_QUERY'].methods_by_name['Upgrade']._serialized_options = b'\202\323\344\223\002D\022B/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade' + _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None + _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' + _globals['_QUERYCHANNELREQUEST']._serialized_start=282 + _globals['_QUERYCHANNELREQUEST']._serialized_end=340 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 + _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 + _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 + _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 + _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 + _globals['_QUERY']._serialized_start=4358 + _globals['_QUERY']._serialized_end=7915 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index 8dcef23a..2d3e84e6 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,67 +44,87 @@ def __init__(self, channel): '/ibc.core.channel.v1.Query/Channel', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelResponse.FromString, - ) + _registered_method=True) self.Channels = channel.unary_unary( '/ibc.core.channel.v1.Query/Channels', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsResponse.FromString, - ) + _registered_method=True) self.ConnectionChannels = channel.unary_unary( '/ibc.core.channel.v1.Query/ConnectionChannels', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsResponse.FromString, - ) + _registered_method=True) self.ChannelClientState = channel.unary_unary( '/ibc.core.channel.v1.Query/ChannelClientState', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateResponse.FromString, - ) + _registered_method=True) self.ChannelConsensusState = channel.unary_unary( '/ibc.core.channel.v1.Query/ChannelConsensusState', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateResponse.FromString, - ) + _registered_method=True) self.PacketCommitment = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketCommitment', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentResponse.FromString, - ) + _registered_method=True) self.PacketCommitments = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketCommitments', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsResponse.FromString, - ) + _registered_method=True) self.PacketReceipt = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketReceipt', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptResponse.FromString, - ) + _registered_method=True) self.PacketAcknowledgement = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketAcknowledgement', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementResponse.FromString, - ) + _registered_method=True) self.PacketAcknowledgements = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketAcknowledgements', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsResponse.FromString, - ) + _registered_method=True) self.UnreceivedPackets = channel.unary_unary( '/ibc.core.channel.v1.Query/UnreceivedPackets', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsResponse.FromString, - ) + _registered_method=True) self.UnreceivedAcks = channel.unary_unary( '/ibc.core.channel.v1.Query/UnreceivedAcks', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksResponse.FromString, - ) + _registered_method=True) self.NextSequenceReceive = channel.unary_unary( '/ibc.core.channel.v1.Query/NextSequenceReceive', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, - ) + _registered_method=True) + self.NextSequenceSend = channel.unary_unary( + '/ibc.core.channel.v1.Query/NextSequenceSend', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, + _registered_method=True) + self.UpgradeError = channel.unary_unary( + '/ibc.core.channel.v1.Query/UpgradeError', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, + _registered_method=True) + self.Upgrade = channel.unary_unary( + '/ibc.core.channel.v1.Query/Upgrade', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, + _registered_method=True) + self.ChannelParams = channel.unary_unary( + '/ibc.core.channel.v1.Query/ChannelParams', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -185,6 +230,34 @@ def NextSequenceReceive(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def NextSequenceSend(self, request, context): + """NextSequenceSend returns the next send sequence for a given channel. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpgradeError(self, request, context): + """UpgradeError returns the error receipt if the upgrade handshake failed. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Upgrade(self, request, context): + """Upgrade returns the upgrade for a given port and channel id. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelParams(self, request, context): + """ChannelParams queries all parameters of the ibc channel submodule. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -253,10 +326,31 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.SerializeToString, ), + 'NextSequenceSend': grpc.unary_unary_rpc_method_handler( + servicer.NextSequenceSend, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.SerializeToString, + ), + 'UpgradeError': grpc.unary_unary_rpc_method_handler( + servicer.UpgradeError, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.SerializeToString, + ), + 'Upgrade': grpc.unary_unary_rpc_method_handler( + servicer.Upgrade, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.SerializeToString, + ), + 'ChannelParams': grpc.unary_unary_rpc_method_handler( + servicer.ChannelParams, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.channel.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -275,11 +369,21 @@ def Channel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/Channel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Channel', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Channels(request, @@ -292,11 +396,21 @@ def Channels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/Channels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Channels', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionChannels(request, @@ -309,11 +423,21 @@ def ConnectionChannels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ConnectionChannels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ConnectionChannels', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelClientState(request, @@ -326,11 +450,21 @@ def ChannelClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ChannelClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelClientState', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelConsensusState(request, @@ -343,11 +477,21 @@ def ChannelConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ChannelConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelConsensusState', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketCommitment(request, @@ -360,11 +504,21 @@ def PacketCommitment(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketCommitment', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketCommitment', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketCommitments(request, @@ -377,11 +531,21 @@ def PacketCommitments(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketCommitments', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketCommitments', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketReceipt(request, @@ -394,11 +558,21 @@ def PacketReceipt(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketReceipt', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketReceipt', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketAcknowledgement(request, @@ -411,11 +585,21 @@ def PacketAcknowledgement(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketAcknowledgement', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketAcknowledgement', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketAcknowledgements(request, @@ -428,11 +612,21 @@ def PacketAcknowledgements(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketAcknowledgements', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketAcknowledgements', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnreceivedPackets(request, @@ -445,11 +639,21 @@ def UnreceivedPackets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/UnreceivedPackets', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UnreceivedPackets', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnreceivedAcks(request, @@ -462,11 +666,21 @@ def UnreceivedAcks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/UnreceivedAcks', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UnreceivedAcks', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NextSequenceReceive(request, @@ -479,8 +693,126 @@ def NextSequenceReceive(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/NextSequenceReceive', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/NextSequenceReceive', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def NextSequenceSend(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/NextSequenceSend', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpgradeError(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UpgradeError', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Upgrade(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Upgrade', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelParams', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index 03784b7c..df3e0329 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,178 +13,228 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\"\x88\x01\n\x12MsgChannelOpenInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x1aMsgChannelOpenInitResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07version\x18\x02 \x01(\t\"\xff\x02\n\x11MsgChannelOpenTry\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12=\n\x13previous_channel_id\x18\x02 \x01(\tB \x18\x01\xf2\xde\x1f\x1ayaml:\"previous_channel_id\"\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12)\n\nproof_init\x18\x05 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"W\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\xf9\x02\n\x11MsgChannelOpenAck\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x43\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"counterparty_channel_id\"\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12\'\n\tproof_try\x18\x05 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_try\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19MsgChannelOpenAckResponse\"\xf9\x01\n\x15MsgChannelOpenConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\'\n\tproof_ack\x18\x03 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_ack\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"\x7f\n\x13MsgChannelCloseInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xfc\x01\n\x16MsgChannelCloseConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12)\n\nproof_init\x18\x03 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\" \n\x1eMsgChannelCloseConfirmResponse\"\xe2\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_commitment\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_commitment\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x04 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12+\n\x0bproof_close\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_close\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x05 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xf6\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12+\n\x0bproof_acked\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_acked\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00*\xa9\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x1a\x04\x88\xa3\x1e\x00\x32\xaf\x08\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponseB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_RESPONSERESULTTYPE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._serialized_options = b'\212\235 \004NOOP' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._serialized_options = b'\212\235 \007SUCCESS' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._loaded_options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._serialized_options = b'\212\235 \007FAILURE' + _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENINIT']._options = None - _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001\362\336\037\032yaml:\"previous_channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._options = None + _globals['_MSGCHANNELOPENINIT']._loaded_options = None + _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELOPENINITRESPONSE']._loaded_options = None + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._loaded_options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENTRY']._options = None - _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._serialized_options = b'\362\336\037\036yaml:\"counterparty_channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._serialized_options = b'\362\336\037\020yaml:\"proof_try\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENACK']._options = None - _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._serialized_options = b'\362\336\037\020yaml:\"proof_ack\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENCONFIRM']._options = None - _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSEINIT']._options = None - _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELCLOSECONFIRM']._options = None - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['packet']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELOPENTRY']._loaded_options = None + _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELOPENTRYRESPONSE']._loaded_options = None + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELOPENACK']._loaded_options = None + _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELOPENCONFIRM']._loaded_options = None + _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELCLOSEINIT']._loaded_options = None + _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELCLOSECONFIRM']._loaded_options = None + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGRECVPACKET'].fields_by_name['packet']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._options = None - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._serialized_options = b'\362\336\037\027yaml:\"proof_commitment\"' - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._options = None - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGRECVPACKET']._options = None - _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKETRESPONSE']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGRECVPACKET']._loaded_options = None + _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGRECVPACKETRESPONSE']._loaded_options = None _globals['_MSGRECVPACKETRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._options = None - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._options = None - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._options = None - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUT']._options = None - _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTRESPONSE']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGTIMEOUT']._loaded_options = None + _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGTIMEOUTRESPONSE']._loaded_options = None _globals['_MSGTIMEOUTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._serialized_options = b'\362\336\037\022yaml:\"proof_close\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUTONCLOSE']._options = None - _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTONCLOSERESPONSE']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGTIMEOUTONCLOSE']._loaded_options = None + _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGTIMEOUTONCLOSERESPONSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._options = None - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._serialized_options = b'\362\336\037\022yaml:\"proof_acked\"' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._options = None - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGACKNOWLEDGEMENT']._options = None - _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGACKNOWLEDGEMENT']._loaded_options = None + _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._loaded_options = None _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_RESPONSERESULTTYPE']._serialized_start=3449 - _globals['_RESPONSERESULTTYPE']._serialized_end=3618 - _globals['_MSGCHANNELOPENINIT']._serialized_start=144 - _globals['_MSGCHANNELOPENINIT']._serialized_end=280 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=282 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=370 - _globals['_MSGCHANNELOPENTRY']._serialized_start=373 - _globals['_MSGCHANNELOPENTRY']._serialized_end=756 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=758 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=845 - _globals['_MSGCHANNELOPENACK']._serialized_start=848 - _globals['_MSGCHANNELOPENACK']._serialized_end=1225 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1227 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1254 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1257 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1506 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1508 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1539 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1541 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1668 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1670 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1699 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1702 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1954 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1956 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1988 - _globals['_MSGRECVPACKET']._serialized_start=1991 - _globals['_MSGRECVPACKET']._serialized_end=2217 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2219 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2305 - _globals['_MSGTIMEOUT']._serialized_start=2308 - _globals['_MSGTIMEOUT']._serialized_end=2590 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2592 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2675 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2678 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3012 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3014 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3104 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3107 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3353 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3355 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3446 - _globals['_MSG']._serialized_start=3621 - _globals['_MSG']._serialized_end=4692 + _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEINIT']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRY']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEACK']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEOPEN']._loaded_options = None + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETIMEOUT']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECANCEL']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\tauthority' + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._loaded_options = None + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_RESPONSERESULTTYPE']._serialized_start=5624 + _globals['_RESPONSERESULTTYPE']._serialized_end=5840 + _globals['_MSGCHANNELOPENINIT']._serialized_start=203 + _globals['_MSGCHANNELOPENINIT']._serialized_end=326 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 + _globals['_MSGCHANNELOPENTRY']._serialized_start=402 + _globals['_MSGCHANNELOPENTRY']._serialized_end=663 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 + _globals['_MSGCHANNELOPENACK']._serialized_start=738 + _globals['_MSGCHANNELOPENACK']._serialized_end=965 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 + _globals['_MSGRECVPACKET']._serialized_start=1571 + _globals['_MSGRECVPACKET']._serialized_end=1752 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 + _globals['_MSGTIMEOUT']._serialized_start=1843 + _globals['_MSGTIMEOUT']._serialized_end=2049 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 + _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 + _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 + _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 + _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 + _globals['_MSGUPDATEPARAMS']._serialized_start=5271 + _globals['_MSGUPDATEPARAMS']._serialized_end=5378 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 + _globals['_MSG']._serialized_start=5843 + _globals['_MSG']._serialized_end=7999 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index 3d96a3e0..b10625f5 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/channel Msg service. @@ -19,52 +44,97 @@ def __init__(self, channel): '/ibc.core.channel.v1.Msg/ChannelOpenInit', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInit.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInitResponse.FromString, - ) + _registered_method=True) self.ChannelOpenTry = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenTry', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTry.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTryResponse.FromString, - ) + _registered_method=True) self.ChannelOpenAck = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenAck', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAck.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAckResponse.FromString, - ) + _registered_method=True) self.ChannelOpenConfirm = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirmResponse.FromString, - ) + _registered_method=True) self.ChannelCloseInit = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelCloseInit', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInit.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInitResponse.FromString, - ) + _registered_method=True) self.ChannelCloseConfirm = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirmResponse.FromString, - ) + _registered_method=True) self.RecvPacket = channel.unary_unary( '/ibc.core.channel.v1.Msg/RecvPacket', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacket.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacketResponse.FromString, - ) + _registered_method=True) self.Timeout = channel.unary_unary( '/ibc.core.channel.v1.Msg/Timeout', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeout.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutResponse.FromString, - ) + _registered_method=True) self.TimeoutOnClose = channel.unary_unary( '/ibc.core.channel.v1.Msg/TimeoutOnClose', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnClose.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnCloseResponse.FromString, - ) + _registered_method=True) self.Acknowledgement = channel.unary_unary( '/ibc.core.channel.v1.Msg/Acknowledgement', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, - ) + _registered_method=True) + self.ChannelUpgradeInit = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, + _registered_method=True) + self.ChannelUpgradeTry = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, + _registered_method=True) + self.ChannelUpgradeAck = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, + _registered_method=True) + self.ChannelUpgradeConfirm = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, + _registered_method=True) + self.ChannelUpgradeOpen = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, + _registered_method=True) + self.ChannelUpgradeTimeout = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, + _registered_method=True) + self.ChannelUpgradeCancel = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, + _registered_method=True) + self.UpdateChannelParams = channel.unary_unary( + '/ibc.core.channel.v1.Msg/UpdateChannelParams', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) + self.PruneAcknowledgements = channel.unary_unary( + '/ibc.core.channel.v1.Msg/PruneAcknowledgements', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -142,6 +212,69 @@ def Acknowledgement(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ChannelUpgradeInit(self, request, context): + """ChannelUpgradeInit defines a rpc handler method for MsgChannelUpgradeInit. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeTry(self, request, context): + """ChannelUpgradeTry defines a rpc handler method for MsgChannelUpgradeTry. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeAck(self, request, context): + """ChannelUpgradeAck defines a rpc handler method for MsgChannelUpgradeAck. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeConfirm(self, request, context): + """ChannelUpgradeConfirm defines a rpc handler method for MsgChannelUpgradeConfirm. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeOpen(self, request, context): + """ChannelUpgradeOpen defines a rpc handler method for MsgChannelUpgradeOpen. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeTimeout(self, request, context): + """ChannelUpgradeTimeout defines a rpc handler method for MsgChannelUpgradeTimeout. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeCancel(self, request, context): + """ChannelUpgradeCancel defines a rpc handler method for MsgChannelUpgradeCancel. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateChannelParams(self, request, context): + """UpdateChannelParams defines a rpc handler method for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def PruneAcknowledgements(self, request, context): + """PruneAcknowledgements defines a rpc handler method for MsgPruneAcknowledgements. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -195,10 +328,56 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.SerializeToString, ), + 'ChannelUpgradeInit': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeInit, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.SerializeToString, + ), + 'ChannelUpgradeTry': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeTry, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.SerializeToString, + ), + 'ChannelUpgradeAck': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeAck, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.SerializeToString, + ), + 'ChannelUpgradeConfirm': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeConfirm, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.SerializeToString, + ), + 'ChannelUpgradeOpen': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeOpen, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.SerializeToString, + ), + 'ChannelUpgradeTimeout': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeTimeout, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.SerializeToString, + ), + 'ChannelUpgradeCancel': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeCancel, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.SerializeToString, + ), + 'UpdateChannelParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateChannelParams, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), + 'PruneAcknowledgements': grpc.unary_unary_rpc_method_handler( + servicer.PruneAcknowledgements, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.channel.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -217,11 +396,21 @@ def ChannelOpenInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenInit', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInit.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenTry(request, @@ -234,11 +423,21 @@ def ChannelOpenTry(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenTry', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenTry', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTry.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenAck(request, @@ -251,11 +450,21 @@ def ChannelOpenAck(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenAck', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenAck', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAck.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAckResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenConfirm(request, @@ -268,11 +477,21 @@ def ChannelOpenConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirm.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelCloseInit(request, @@ -285,11 +504,21 @@ def ChannelCloseInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelCloseInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelCloseInit', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInit.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelCloseConfirm(request, @@ -302,11 +531,21 @@ def ChannelCloseConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirm.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RecvPacket(request, @@ -319,11 +558,21 @@ def RecvPacket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/RecvPacket', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/RecvPacket', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacket.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Timeout(request, @@ -336,11 +585,21 @@ def Timeout(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/Timeout', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/Timeout', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeout.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TimeoutOnClose(request, @@ -353,11 +612,21 @@ def TimeoutOnClose(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/TimeoutOnClose', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/TimeoutOnClose', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnClose.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnCloseResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Acknowledgement(request, @@ -370,8 +639,261 @@ def Acknowledgement(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/Acknowledgement', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/Acknowledgement', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeInit(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeTry(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeAck(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeConfirm(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeOpen(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeTimeout(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeCancel(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateChannelParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/UpdateChannelParams', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def PruneAcknowledgements(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/PruneAcknowledgements', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py new file mode 100644 index 00000000..6d23febd --- /dev/null +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py @@ -0,0 +1,43 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/core/channel/v1/upgrade.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\x9a\x01\n\x07Upgrade\x12\x38\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x33\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_send\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"m\n\rUpgradeFields\x12,\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12\x17\n\x0f\x63onnection_hops\x18\x02 \x03(\t\x12\x0f\n\x07version\x18\x03 \x01(\t:\x04\x88\xa0\x1f\x00\"7\n\x0c\x45rrorReceipt\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x0f\n\x07message\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.upgrade_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['_UPGRADE'].fields_by_name['fields']._loaded_options = None + _globals['_UPGRADE'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' + _globals['_UPGRADE'].fields_by_name['timeout']._loaded_options = None + _globals['_UPGRADE'].fields_by_name['timeout']._serialized_options = b'\310\336\037\000' + _globals['_UPGRADE']._loaded_options = None + _globals['_UPGRADE']._serialized_options = b'\210\240\037\000' + _globals['_UPGRADEFIELDS']._loaded_options = None + _globals['_UPGRADEFIELDS']._serialized_options = b'\210\240\037\000' + _globals['_ERRORRECEIPT']._loaded_options = None + _globals['_ERRORRECEIPT']._serialized_options = b'\210\240\037\000' + _globals['_UPGRADE']._serialized_start=116 + _globals['_UPGRADE']._serialized_end=270 + _globals['_UPGRADEFIELDS']._serialized_start=272 + _globals['_UPGRADEFIELDS']._serialized_end=381 + _globals['_ERRORRECEIPT']._serialized_start=383 + _globals['_ERRORRECEIPT']._serialized_end=438 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py new file mode 100644 index 00000000..3510c2ab --- /dev/null +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/upgrade_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 537a43d4..749fbd2f 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,64 +12,50 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x85\x01\n\x15IdentifiedClientState\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\"\x97\x01\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\"\xa9\x01\n\x15\x43lientConsensusStates\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12g\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_states\"\"\xd6\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xea\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"|\n\x06Height\x12\x33\n\x0frevision_number\x18\x01 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_number\"\x12\x33\n\x0frevision_height\x18\x02 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_height\":\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"=\n\x06Params\x12\x33\n\x0f\x61llowed_clients\x18\x01 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"allowed_clients\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._options = None - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._options = None - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._options = None - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._options = None - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._options = None - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"consensus_states\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' + _globals['_HEIGHT']._loaded_options = None + _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._serialized_options = b'\362\336\037\030yaml:\"subject_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._serialized_options = b'\362\336\037\033yaml:\"substitute_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL']._options = None - _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._options = None + _globals['_CLIENTUPDATEPROPOSAL']._loaded_options = None + _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' - _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._serialized_options = b'\362\336\037\034yaml:\"upgraded_client_state\"' - _globals['_UPGRADEPROPOSAL']._options = None - _globals['_UPGRADEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_HEIGHT'].fields_by_name['revision_number']._options = None - _globals['_HEIGHT'].fields_by_name['revision_number']._serialized_options = b'\362\336\037\026yaml:\"revision_number\"' - _globals['_HEIGHT'].fields_by_name['revision_height']._options = None - _globals['_HEIGHT'].fields_by_name['revision_height']._serialized_options = b'\362\336\037\026yaml:\"revision_height\"' - _globals['_HEIGHT']._options = None - _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_PARAMS'].fields_by_name['allowed_clients']._options = None - _globals['_PARAMS'].fields_by_name['allowed_clients']._serialized_options = b'\362\336\037\026yaml:\"allowed_clients\"' - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=170 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=303 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=306 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=457 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=460 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=629 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=632 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=846 - _globals['_UPGRADEPROPOSAL']._serialized_start=849 - _globals['_UPGRADEPROPOSAL']._serialized_end=1083 - _globals['_HEIGHT']._serialized_start=1085 - _globals['_HEIGHT']._serialized_end=1209 - _globals['_PARAMS']._serialized_start=1211 - _globals['_PARAMS']._serialized_end=1272 + _globals['_UPGRADEPROPOSAL']._loaded_options = None + _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 + _globals['_HEIGHT']._serialized_start=504 + _globals['_HEIGHT']._serialized_end=572 + _globals['_PARAMS']._serialized_start=574 + _globals['_PARAMS']._serialized_end=607 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 + _globals['_UPGRADEPROPOSAL']._serialized_start=829 + _globals['_UPGRADEPROPOSAL']._serialized_end=1065 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 2daafffe..8066058d 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index de692772..6221040e 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,36 +16,32 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xff\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x80\x01\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB:\xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"clients_consensus\"\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12h\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"clients_metadata\"\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x35\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x1b\xf2\xde\x1f\x17yaml:\"create_localhost\"\x12=\n\x14next_client_sequence\x18\x06 \x01(\x04\x42\x1f\xf2\xde\x1f\x1byaml:\"next_client_sequence\"\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\xa2\x01\n\x19IdentifiedGenesisMetadata\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\\\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"client_metadata\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_GENESISSTATE'].fields_by_name['clients']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._options = None - _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"clients_consensus\"\252\337\037\026ClientsConsensusStates' - _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._options = None - _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"clients_metadata\"' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\252\337\037\026ClientsConsensusStates' + _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['create_localhost']._options = None - _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\362\336\037\027yaml:\"create_localhost\"' - _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._options = None - _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._serialized_options = b'\362\336\037\033yaml:\"next_client_sequence\"' - _globals['_GENESISMETADATA']._options = None + _globals['_GENESISSTATE'].fields_by_name['create_localhost']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\030\001' + _globals['_GENESISMETADATA']._loaded_options = None _globals['_GENESISMETADATA']._serialized_options = b'\210\240\037\000' - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._options = None - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._options = None - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"client_metadata\"' + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=623 - _globals['_GENESISMETADATA']._serialized_start=625 - _globals['_GENESISMETADATA']._serialized_end=676 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=679 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=841 + _globals['_GENESISSTATE']._serialized_end=509 + _globals['_GENESISMETADATA']._serialized_start=511 + _globals['_GENESISMETADATA']._serialized_end=562 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index 2daafffe..ad99adc9 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index 79e13f4b..b72cc79c 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,84 +13,96 @@ from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any2\xd1\x0c\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_statesB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._options = None + _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._options = None + _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._loaded_options = None _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._options = None + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._loaded_options = None _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['ClientState']._options = None + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._loaded_options = None + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._serialized_options = b'\310\336\037\000' + _globals['_QUERY'].methods_by_name['ClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_states/{client_id}' - _globals['_QUERY'].methods_by_name['ClientStates']._options = None + _globals['_QUERY'].methods_by_name['ClientStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStates']._serialized_options = b'\202\323\344\223\002#\022!/ibc/core/client/v1/client_states' - _globals['_QUERY'].methods_by_name['ConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusState']._serialized_options = b'\202\323\344\223\002f\022d/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['ConsensusStates']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStates']._serialized_options = b'\202\323\344\223\0022\0220/ibc/core/client/v1/consensus_states/{client_id}' - _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._serialized_options = b'\202\323\344\223\002:\0228/ibc/core/client/v1/consensus_states/{client_id}/heights' - _globals['_QUERY'].methods_by_name['ClientStatus']._options = None + _globals['_QUERY'].methods_by_name['ClientStatus']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStatus']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_status/{client_id}' - _globals['_QUERY'].methods_by_name['ClientParams']._options = None + _globals['_QUERY'].methods_by_name['ClientParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientParams']._serialized_options = b'\202\323\344\223\002\034\022\032/ibc/core/client/v1/params' - _globals['_QUERY'].methods_by_name['UpgradedClientState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedClientState']._serialized_options = b'\202\323\344\223\002,\022*/ibc/core/client/v1/upgraded_client_states' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/upgraded_consensus_states' - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=210 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=254 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=257 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=398 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=400 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=486 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=489 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=675 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=677 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=797 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=800 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=947 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=949 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1057 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1060 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1229 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1231 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1345 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1348 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1512 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1514 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1559 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1561 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1604 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1606 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1632 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1634 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1705 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1707 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1740 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1742 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1829 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1831 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1867 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1869 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=1962 - _globals['_QUERY']._serialized_start=1965 - _globals['_QUERY']._serialized_end=3582 + _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None + _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 + _globals['_QUERY']._serialized_start=2327 + _globals['_QUERY']._serialized_end=4121 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index 48b9e97d..d4ffb77c 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,47 +44,52 @@ def __init__(self, channel): '/ibc.core.client.v1.Query/ClientState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateResponse.FromString, - ) + _registered_method=True) self.ClientStates = channel.unary_unary( '/ibc.core.client.v1.Query/ClientStates', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesResponse.FromString, - ) + _registered_method=True) self.ConsensusState = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateResponse.FromString, - ) + _registered_method=True) self.ConsensusStates = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusStates', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesResponse.FromString, - ) + _registered_method=True) self.ConsensusStateHeights = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusStateHeights', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsResponse.FromString, - ) + _registered_method=True) self.ClientStatus = channel.unary_unary( '/ibc.core.client.v1.Query/ClientStatus', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusResponse.FromString, - ) + _registered_method=True) self.ClientParams = channel.unary_unary( '/ibc.core.client.v1.Query/ClientParams', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsResponse.FromString, - ) + _registered_method=True) self.UpgradedClientState = channel.unary_unary( '/ibc.core.client.v1.Query/UpgradedClientState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateResponse.FromString, - ) + _registered_method=True) self.UpgradedConsensusState = channel.unary_unary( '/ibc.core.client.v1.Query/UpgradedConsensusState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - ) + _registered_method=True) + self.VerifyMembership = channel.unary_unary( + '/ibc.core.client.v1.Query/VerifyMembership', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -131,6 +161,13 @@ def UpgradedConsensusState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def VerifyMembership(self, request, context): + """VerifyMembership queries an IBC light client for proof verification of a value at a given key path. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -179,10 +216,16 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.SerializeToString, ), + 'VerifyMembership': grpc.unary_unary_rpc_method_handler( + servicer.VerifyMembership, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.client.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -201,11 +244,21 @@ def ClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientStates(request, @@ -218,11 +271,21 @@ def ClientStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientStates', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientStates', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusState(request, @@ -235,11 +298,21 @@ def ConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusStates(request, @@ -252,11 +325,21 @@ def ConsensusStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusStates', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusStates', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusStateHeights(request, @@ -269,11 +352,21 @@ def ConsensusStateHeights(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusStateHeights', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusStateHeights', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientStatus(request, @@ -286,11 +379,21 @@ def ClientStatus(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientStatus', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientStatus', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientParams(request, @@ -303,11 +406,21 @@ def ClientParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientParams', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientParams', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedClientState(request, @@ -320,11 +433,21 @@ def UpgradedClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/UpgradedClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/UpgradedClientState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedConsensusState(request, @@ -337,8 +460,45 @@ def UpgradedConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/UpgradedConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/UpgradedConsensusState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def VerifyMembership(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/VerifyMembership', + ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 877a93f6..471be9c9 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,64 +12,69 @@ _sym_db = _symbol_database.Default() +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xbb\x01\n\x0fMsgCreateClient\x12\x43\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgCreateClientResponse\"\x82\x01\n\x0fMsgUpdateClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgUpdateClientResponse\"\xf5\x02\n\x10MsgUpgradeClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12=\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x42\x1f\xf2\xde\x1f\x1byaml:\"proof_upgrade_client\"\x12O\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x42(\xf2\xde\x1f$yaml:\"proof_upgrade_consensus_state\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgUpgradeClientResponse\"\x90\x01\n\x15MsgSubmitMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12.\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01\x12\x12\n\x06signer\x18\x03 \x01(\tB\x02\x18\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgSubmitMisbehaviourResponse2\xa2\x03\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponseB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._options = None - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._options = None - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGCREATECLIENT']._options = None - _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._options = None - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPDATECLIENT']._options = None - _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._serialized_options = b'\362\336\037\033yaml:\"proof_upgrade_client\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._serialized_options = b'\362\336\037$yaml:\"proof_upgrade_consensus_state\"' - _globals['_MSGUPGRADECLIENT']._options = None - _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR']._options = None - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATECLIENT']._serialized_start=101 - _globals['_MSGCREATECLIENT']._serialized_end=288 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=290 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=315 - _globals['_MSGUPDATECLIENT']._serialized_start=318 - _globals['_MSGUPDATECLIENT']._serialized_end=448 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=450 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=475 - _globals['_MSGUPGRADECLIENT']._serialized_start=478 - _globals['_MSGUPGRADECLIENT']._serialized_end=851 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=853 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=879 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=882 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1026 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1028 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1059 - _globals['_MSG']._serialized_start=1062 - _globals['_MSG']._serialized_end=1480 +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['_MSGCREATECLIENT']._loaded_options = None + _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGUPDATECLIENT']._loaded_options = None + _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGUPGRADECLIENT']._loaded_options = None + _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGSUBMITMISBEHAVIOUR']._loaded_options = None + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\030\001\210\240\037\000\202\347\260*\006signer' + _globals['_MSGRECOVERCLIENT']._loaded_options = None + _globals['_MSGRECOVERCLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None + _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' + _globals['_MSGIBCSOFTWAREUPGRADE']._loaded_options = None + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_options = b'\202\347\260*\006signer' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATECLIENT']._serialized_start=197 + _globals['_MSGCREATECLIENT']._serialized_end=338 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 + _globals['_MSGUPDATECLIENT']._serialized_start=367 + _globals['_MSGUPDATECLIENT']._serialized_end=482 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 + _globals['_MSGUPGRADECLIENT']._serialized_start=512 + _globals['_MSGUPGRADECLIENT']._serialized_end=742 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 + _globals['_MSGRECOVERCLIENT']._serialized_start=928 + _globals['_MSGRECOVERCLIENT']._serialized_end=1036 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 + _globals['_MSGUPDATEPARAMS']._serialized_start=1257 + _globals['_MSGUPDATEPARAMS']._serialized_end=1357 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 + _globals['_MSG']._serialized_start=1387 + _globals['_MSG']._serialized_end=2133 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index c1d0d56b..9cc5a0cb 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/client Msg service. @@ -19,22 +44,37 @@ def __init__(self, channel): '/ibc.core.client.v1.Msg/CreateClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClientResponse.FromString, - ) + _registered_method=True) self.UpdateClient = channel.unary_unary( '/ibc.core.client.v1.Msg/UpdateClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClientResponse.FromString, - ) + _registered_method=True) self.UpgradeClient = channel.unary_unary( '/ibc.core.client.v1.Msg/UpgradeClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClientResponse.FromString, - ) + _registered_method=True) self.SubmitMisbehaviour = channel.unary_unary( '/ibc.core.client.v1.Msg/SubmitMisbehaviour', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, - ) + _registered_method=True) + self.RecoverClient = channel.unary_unary( + '/ibc.core.client.v1.Msg/RecoverClient', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, + _registered_method=True) + self.IBCSoftwareUpgrade = channel.unary_unary( + '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, + _registered_method=True) + self.UpdateClientParams = channel.unary_unary( + '/ibc.core.client.v1.Msg/UpdateClientParams', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -69,6 +109,27 @@ def SubmitMisbehaviour(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def RecoverClient(self, request, context): + """RecoverClient defines a rpc handler method for MsgRecoverClient. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def IBCSoftwareUpgrade(self, request, context): + """IBCSoftwareUpgrade defines a rpc handler method for MsgIBCSoftwareUpgrade. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateClientParams(self, request, context): + """UpdateClientParams defines a rpc handler method for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -92,10 +153,26 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.SerializeToString, ), + 'RecoverClient': grpc.unary_unary_rpc_method_handler( + servicer.RecoverClient, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.SerializeToString, + ), + 'IBCSoftwareUpgrade': grpc.unary_unary_rpc_method_handler( + servicer.IBCSoftwareUpgrade, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.SerializeToString, + ), + 'UpdateClientParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateClientParams, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.client.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -114,11 +191,21 @@ def CreateClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/CreateClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/CreateClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateClient(request, @@ -131,11 +218,21 @@ def UpdateClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/UpdateClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpdateClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradeClient(request, @@ -148,11 +245,21 @@ def UpgradeClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/UpgradeClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpgradeClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitMisbehaviour(request, @@ -165,8 +272,99 @@ def SubmitMisbehaviour(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/SubmitMisbehaviour', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/SubmitMisbehaviour', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def RecoverClient(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/RecoverClient', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def IBCSoftwareUpgrade(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateClientParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpdateClientParams', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index 4d8dd9bb..636f49bf 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/commitment/v1/commitment.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,28 +16,22 @@ from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"9\n\x0cMerklePrefix\x12)\n\nkey_prefix\x18\x01 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"key_prefix\"\"9\n\nMerklePath\x12%\n\x08key_path\x18\x01 \x03(\tB\x13\xf2\xde\x1f\x0fyaml:\"key_path\":\x04\x98\xa0\x1f\x00\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py index 9b603653..ea3dd30f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/connection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,70 +16,52 @@ from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/connection/v1/connection.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/commitment/v1/commitment.proto\"\x90\x02\n\rConnectionEnd\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x31\n\x08versions\x18\x02 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12,\n\x05state\x18\x03 \x01(\x0e\x32\x1d.ibc.core.connection.v1.State\x12@\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12-\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\":\x04\x88\xa0\x1f\x00\"\xb2\x02\n\x14IdentifiedConnection\x12\x19\n\x02id\x18\x01 \x01(\tB\r\xf2\xde\x1f\tyaml:\"id\"\x12\'\n\tclient_id\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x31\n\x08versions\x18\x03 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12,\n\x05state\x18\x04 \x01(\x0e\x32\x1d.ibc.core.connection.v1.State\x12@\n\x0c\x63ounterparty\x18\x05 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12-\n\x0c\x64\x65lay_period\x18\x06 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\":\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x0c\x43ounterparty\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12:\n\x06prefix\x18\x03 \x01(\x0b\x32$.ibc.core.commitment.v1.MerklePrefixB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x1c\n\x0b\x43lientPaths\x12\r\n\x05paths\x18\x01 \x03(\t\"I\n\x0f\x43onnectionPaths\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\r\n\x05paths\x18\x02 \x03(\t\"5\n\x07Version\x12\x12\n\nidentifier\x18\x01 \x01(\t\x12\x10\n\x08\x66\x65\x61tures\x18\x02 \x03(\t:\x04\x88\xa0\x1f\x00\"U\n\x06Params\x12K\n\x1bmax_expected_time_per_block\x18\x01 \x01(\x04\x42&\xf2\xde\x1f\"yaml:\"max_expected_time_per_block\"*\x99\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x1a\x04\x88\xa3\x1e\x00\x42>ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py index 05550756..d924103f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,22 +16,20 @@ from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/core/connection/v1/genesis.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xc6\x02\n\x0cGenesisState\x12G\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnectionB\x04\xc8\xde\x1f\x00\x12p\n\x17\x63lient_connection_paths\x18\x02 \x03(\x0b\x32\'.ibc.core.connection.v1.ConnectionPathsB&\xc8\xde\x1f\x00\xf2\xde\x1f\x1eyaml:\"client_connection_paths\"\x12\x45\n\x18next_connection_sequence\x18\x03 \x01(\x04\x42#\xf2\xde\x1f\x1fyaml:\"next_connection_sequence\"\x12\x34\n\x06params\x18\x04 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00\x42>ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py index e64eb81c..c8911c46 100644 --- a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,39 +20,35 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"ibc/core/connection/v1/query.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\"/\n\x16QueryConnectionRequest\x12\x15\n\rconnection_id\x18\x01 \x01(\t\"\x9b\x01\n\x17QueryConnectionResponse\x12\x39\n\nconnection\x18\x01 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x17QueryConnectionsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n\x18QueryConnectionsResponse\x12\x41\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnection\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"2\n\x1dQueryClientConnectionsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x81\x01\n\x1eQueryClientConnectionsResponse\x12\x18\n\x10\x63onnection_paths\x18\x01 \x03(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"T\n!QueryConnectionClientStateRequest\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\"\xb7\x01\n\"QueryConnectionClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x89\x01\n$QueryConnectionConsensusStateRequest\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\"\xb0\x01\n%QueryConnectionConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1e\n\x1cQueryConnectionParamsRequest\"O\n\x1dQueryConnectionParamsResponse\x12.\n\x06params\x18\x01 \x01(\x0b\x32\x1e.ibc.core.connection.v1.Params2\xb9\t\n\x05Query\x12\xaa\x01\n\nConnection\x12..ibc.core.connection.v1.QueryConnectionRequest\x1a/.ibc.core.connection.v1.QueryConnectionResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/core/connection/v1/connections/{connection_id}\x12\x9d\x01\n\x0b\x43onnections\x12/.ibc.core.connection.v1.QueryConnectionsRequest\x1a\x30.ibc.core.connection.v1.QueryConnectionsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/core/connection/v1/connections\x12\xc2\x01\n\x11\x43lientConnections\x12\x35.ibc.core.connection.v1.QueryClientConnectionsRequest\x1a\x36.ibc.core.connection.v1.QueryClientConnectionsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,32 +44,32 @@ def __init__(self, channel): '/ibc.core.connection.v1.Query/Connection', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionResponse.FromString, - ) + _registered_method=True) self.Connections = channel.unary_unary( '/ibc.core.connection.v1.Query/Connections', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsResponse.FromString, - ) + _registered_method=True) self.ClientConnections = channel.unary_unary( '/ibc.core.connection.v1.Query/ClientConnections', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsResponse.FromString, - ) + _registered_method=True) self.ConnectionClientState = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionClientState', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateResponse.FromString, - ) + _registered_method=True) self.ConnectionConsensusState = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionConsensusState', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateResponse.FromString, - ) + _registered_method=True) self.ConnectionParams = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionParams', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -133,6 +158,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.connection.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.connection.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -151,11 +177,21 @@ def Connection(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/Connection', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/Connection', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Connections(request, @@ -168,11 +204,21 @@ def Connections(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/Connections', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/Connections', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientConnections(request, @@ -185,11 +231,21 @@ def ClientConnections(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ClientConnections', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ClientConnections', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionClientState(request, @@ -202,11 +258,21 @@ def ConnectionClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionClientState', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionConsensusState(request, @@ -219,11 +285,21 @@ def ConnectionConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionConsensusState', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionParams(request, @@ -236,8 +312,18 @@ def ConnectionParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionParams', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionParams', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py index 7c43cb15..4206411f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,93 +13,70 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/connection/v1/tx.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xfd\x01\n\x15MsgConnectionOpenInit\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12@\n\x0c\x63ounterparty\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12-\n\x0c\x64\x65lay_period\x18\x04 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgConnectionOpenInitResponse\"\x8f\x06\n\x14MsgConnectionOpenTry\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x16previous_connection_id\x18\x02 \x01(\tB#\x18\x01\xf2\xde\x1f\x1dyaml:\"previous_connection_id\"\x12\x43\n\x0c\x63lient_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12@\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12-\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\"\x12`\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.VersionB \xf2\xde\x1f\x1cyaml:\"counterparty_versions\"\x12M\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12)\n\nproof_init\x18\x08 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12-\n\x0cproof_client\x18\t \x01(\x0c\x42\x17\xf2\xde\x1f\x13yaml:\"proof_client\"\x12\x33\n\x0fproof_consensus\x18\n \x01(\x0c\x42\x1a\xf2\xde\x1f\x16yaml:\"proof_consensus\"\x12U\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_height\"\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xfa\x04\n\x14MsgConnectionOpenAck\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12I\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\tB%\xf2\xde\x1f!yaml:\"counterparty_connection_id\"\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x43\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12M\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\'\n\tproof_try\x18\x06 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_try\"\x12-\n\x0cproof_client\x18\x07 \x01(\x0c\x42\x17\xf2\xde\x1f\x13yaml:\"proof_client\"\x12\x33\n\x0fproof_consensus\x18\x08 \x01(\x0c\x42\x1a\xf2\xde\x1f\x16yaml:\"proof_consensus\"\x12U\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_height\"\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\xdd\x01\n\x18MsgConnectionOpenConfirm\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\'\n\tproof_ack\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_ack\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\"\n MsgConnectionOpenConfirmResponse2\xf9\x03\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponseB>Z\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/connection Msg service. @@ -19,22 +44,27 @@ def __init__(self, channel): '/ibc.core.connection.v1.Msg/ConnectionOpenInit', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInit.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInitResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenTry = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenTry', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTry.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTryResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenAck = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenAck', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAck.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAckResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenConfirm = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirmResponse.FromString, - ) + _registered_method=True) + self.UpdateConnectionParams = channel.unary_unary( + '/ibc.core.connection.v1.Msg/UpdateConnectionParams', + request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -70,6 +100,14 @@ def ConnectionOpenConfirm(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def UpdateConnectionParams(self, request, context): + """UpdateConnectionParams defines a rpc handler method for + MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -93,10 +131,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirm.FromString, response_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirmResponse.SerializeToString, ), + 'UpdateConnectionParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateConnectionParams, + request_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.connection.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.connection.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +159,21 @@ def ConnectionOpenInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenInit', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInit.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenTry(request, @@ -132,11 +186,21 @@ def ConnectionOpenTry(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenTry', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenTry', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTry.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenAck(request, @@ -149,11 +213,21 @@ def ConnectionOpenAck(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenAck', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenAck', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAck.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAckResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenConfirm(request, @@ -166,8 +240,45 @@ def ConnectionOpenConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirm.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateConnectionParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/UpdateConnectionParams', + ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py index 6c3d4e09..e1500e35 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/types/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,20 +18,20 @@ from ibc.core.channel.v1 import genesis_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\xa8\x02\n\x0cGenesisState\x12W\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"client_genesis\"\x12\x63\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"connection_genesis\"\x12Z\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"channel_genesis\"B0Z.github.com/cosmos/ibc-go/v7/modules/core/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\xd8\x01\n\x0cGenesisState\x12>\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v7/modules/core/types' - _globals['_GENESISSTATE'].fields_by_name['client_genesis']._options = None - _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"client_genesis\"' - _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._options = None - _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"connection_genesis\"' - _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._options = None - _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"channel_genesis\"' +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' + _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=480 + _globals['_GENESISSTATE']._serialized_end=400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index 2daafffe..db28782d 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 6926eecd..48efc944 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/localhost/v2/localhost.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,17 +16,17 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhostb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhost' - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=135 _globals['_CLIENTSTATE']._serialized_end=211 diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index 2daafffe..ced3d903 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 2fb7546b..00743462 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/solomachine/v2/solomachine.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,126 +18,92 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x81\x02\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12K\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08\x42&\xf2\xde\x1f\"yaml:\"allow_update_after_proposal\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xc4\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12G\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x05 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\x97\x02\n\x0cMisbehaviour\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x62\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"\xa0\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12R\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xad\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12R\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"j\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\":\x04\x88\xa0\x1f\x00\"s\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\"U\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12/\n\rnext_seq_recv\x18\x02 \x01(\x04\x42\x18\xf2\xde\x1f\x14yaml:\"next_seq_recv\"*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7' - _globals['_DATATYPE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' + _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._serialized_options = b'\212\235 \006CLIENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._serialized_options = b'\212\235 \tCONSENSUS' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._serialized_options = b'\212\235 \nCONNECTION' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._serialized_options = b'\212\235 \007CHANNEL' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._serialized_options = b'\212\235 \020PACKETCOMMITMENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._serialized_options = b'\212\235 \025PACKETACKNOWLEDGEMENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._serialized_options = b'\212\235 \024PACKETRECEIPTABSENCE' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._serialized_options = b'\212\235 \020NEXTSEQUENCERECV' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._serialized_options = b'\212\235 \006HEADER' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._options = None - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._options = None - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._serialized_options = b'\362\336\037\"yaml:\"allow_update_after_proposal\"' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._options = None - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._options = None - _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._options = None - _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADER']._options = None + _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._options = None - _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' - _globals['_SIGNATUREANDDATA']._options = None + _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._options = None - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' - _globals['_TIMESTAMPEDSIGNATUREDATA']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' - _globals['_SIGNBYTES'].fields_by_name['data_type']._options = None - _globals['_SIGNBYTES'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' - _globals['_SIGNBYTES']._options = None + _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._options = None - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._options = None - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADERDATA']._options = None + _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' - _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._options = None - _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_CLIENTSTATEDATA']._options = None + _globals['_CLIENTSTATEDATA']._loaded_options = None _globals['_CLIENTSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._options = None - _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CONSENSUSSTATEDATA']._options = None + _globals['_CONSENSUSSTATEDATA']._loaded_options = None _globals['_CONSENSUSSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CONNECTIONSTATEDATA']._options = None + _globals['_CONNECTIONSTATEDATA']._loaded_options = None _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CHANNELSTATEDATA']._options = None + _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._options = None - _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._serialized_options = b'\362\336\037\024yaml:\"next_seq_recv\"' - _globals['_DATATYPE']._serialized_start=2335 - _globals['_DATATYPE']._serialized_end=2859 + _globals['_DATATYPE']._serialized_start=1890 + _globals['_DATATYPE']._serialized_end=2414 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=469 - _globals['_CONSENSUSSTATE']._serialized_start=471 - _globals['_CONSENSUSSTATE']._serialized_end=598 - _globals['_HEADER']._serialized_start=601 - _globals['_HEADER']._serialized_end=797 - _globals['_MISBEHAVIOUR']._serialized_start=800 - _globals['_MISBEHAVIOUR']._serialized_end=1079 - _globals['_SIGNATUREANDDATA']._serialized_start=1082 - _globals['_SIGNATUREANDDATA']._serialized_end=1242 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1244 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1346 - _globals['_SIGNBYTES']._serialized_start=1349 - _globals['_SIGNBYTES']._serialized_end=1522 - _globals['_HEADERDATA']._serialized_start=1525 - _globals['_HEADERDATA']._serialized_end=1663 - _globals['_CLIENTSTATEDATA']._serialized_start=1665 - _globals['_CLIENTSTATEDATA']._serialized_end=1771 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1773 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1888 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1890 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1990 - _globals['_CHANNELSTATEDATA']._serialized_start=1992 - _globals['_CHANNELSTATEDATA']._serialized_end=2077 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=2079 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=2135 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2137 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2203 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2205 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2245 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2247 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2332 + _globals['_CLIENTSTATE']._serialized_end=379 + _globals['_CONSENSUSSTATE']._serialized_start=381 + _globals['_CONSENSUSSTATE']._serialized_end=485 + _globals['_HEADER']._serialized_start=488 + _globals['_HEADER']._serialized_end=629 + _globals['_MISBEHAVIOUR']._serialized_start=632 + _globals['_MISBEHAVIOUR']._serialized_end=837 + _globals['_SIGNATUREANDDATA']._serialized_start=840 + _globals['_SIGNATUREANDDATA']._serialized_end=978 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 + _globals['_SIGNBYTES']._serialized_start=1058 + _globals['_SIGNBYTES']._serialized_end=1209 + _globals['_HEADERDATA']._serialized_start=1211 + _globals['_HEADERDATA']._serialized_end=1297 + _globals['_CLIENTSTATEDATA']._serialized_start=1299 + _globals['_CLIENTSTATEDATA']._serialized_end=1380 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 + _globals['_CHANNELSTATEDATA']._serialized_start=1573 + _globals['_CHANNELSTATEDATA']._serialized_end=1658 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 2daafffe..61b2057f 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index 72b07b29..d90dba0b 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/solomachine/v3/solomachine.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,64 +16,44 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xb4\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xb2\x01\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12G\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x04 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\xee\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x62\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachineb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachine' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._options = None - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._options = None - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTSTATE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._options = None - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._options = None - _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._options = None - _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADER']._options = None + _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_SIGNATUREANDDATA']._options = None + _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._options = None - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' - _globals['_TIMESTAMPEDSIGNATUREDATA']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' - _globals['_SIGNBYTES']._options = None + _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._options = None - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._options = None - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADERDATA']._options = None + _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=316 - _globals['_CONSENSUSSTATE']._serialized_start=318 - _globals['_CONSENSUSSTATE']._serialized_end=445 - _globals['_HEADER']._serialized_start=448 - _globals['_HEADER']._serialized_end=626 - _globals['_MISBEHAVIOUR']._serialized_start=629 - _globals['_MISBEHAVIOUR']._serialized_end=867 - _globals['_SIGNATUREANDDATA']._serialized_start=869 - _globals['_SIGNATUREANDDATA']._serialized_end=959 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=961 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1063 - _globals['_SIGNBYTES']._serialized_start=1065 - _globals['_SIGNBYTES']._serialized_end=1168 - _globals['_HEADERDATA']._serialized_start=1171 - _globals['_HEADERDATA']._serialized_end=1309 + _globals['_CLIENTSTATE']._serialized_end=266 + _globals['_CONSENSUSSTATE']._serialized_start=268 + _globals['_CONSENSUSSTATE']._serialized_end=372 + _globals['_HEADER']._serialized_start=374 + _globals['_HEADER']._serialized_end=497 + _globals['_MISBEHAVIOUR']._serialized_start=500 + _globals['_MISBEHAVIOUR']._serialized_end=686 + _globals['_SIGNATUREANDDATA']._serialized_start=688 + _globals['_SIGNATUREANDDATA']._serialized_end=778 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 + _globals['_SIGNBYTES']._serialized_start=857 + _globals['_SIGNBYTES']._serialized_end=960 + _globals['_HEADERDATA']._serialized_start=962 + _globals['_HEADERDATA']._serialized_end=1048 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 2daafffe..0d0343ea 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index 8bc02e7d..99fce3bb 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/tendermint/v1/tendermint.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,68 +22,60 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xc6\x06\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12Y\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"trust_level\"\x12V\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"trusting_period\"\x98\xdf\x1f\x01\x12X\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"unbonding_period\"\x98\xdf\x1f\x01\x12V\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"max_clock_drift\"\x98\xdf\x1f\x01\x12O\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"frozen_height\"\x12O\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"latest_height\"\x12G\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecB\x16\xf2\xde\x1f\x12yaml:\"proof_specs\"\x12-\n\x0cupgrade_path\x18\t \x03(\tB\x17\xf2\xde\x1f\x13yaml:\"upgrade_path\"\x12I\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42&\x18\x01\xf2\xde\x1f yaml:\"allow_update_after_expiry\"\x12U\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42,\x18\x01\xf2\xde\x1f&yaml:\"allow_update_after_misbehaviour\":\x04\x88\xa0\x1f\x00\"\xfa\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12q\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42S\xf2\xde\x1f\x1byaml:\"next_validators_hash\"\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xf3\x01\n\x0cMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12X\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header1\xf2\xde\x1f\x0fyaml:\"header_1\"\x12X\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header2\xf2\xde\x1f\x0fyaml:\"header_2\":\x04\x88\xa0\x1f\x00\"\xdc\x02\n\x06Header\x12S\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x1c\xd0\xde\x1f\x01\xf2\xde\x1f\x14yaml:\"signed_header\"\x12O\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x18\xf2\xde\x1f\x14yaml:\"validator_set\"\x12Q\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"trusted_height\"\x12Y\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x1d\xf2\xde\x1f\x19yaml:\"trusted_validators\"\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermint' - _globals['_CLIENTSTATE'].fields_by_name['trust_level']._options = None - _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"trust_level\"' - _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._options = None - _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"trusting_period\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._options = None - _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"unbonding_period\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._options = None - _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"max_clock_drift\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._options = None - _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"frozen_height\"' - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._options = None - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"latest_height\"' - _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._options = None - _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._serialized_options = b'\362\336\037\022yaml:\"proof_specs\"' - _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._options = None - _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._serialized_options = b'\362\336\037\023yaml:\"upgrade_path\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001\362\336\037 yaml:\"allow_update_after_expiry\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001\362\336\037&yaml:\"allow_update_after_misbehaviour\"' - _globals['_CLIENTSTATE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' + _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001' + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CONSENSUSSTATE'].fields_by_name['root']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['root']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['root']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._options = None - _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\362\336\037\033yaml:\"next_validators_hash\"\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._loaded_options = None + _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1\362\336\037\017yaml:\"header_1\"' - _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2\362\336\037\017yaml:\"header_2\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001' + _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1' + _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2' + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['signed_header']._options = None - _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001\362\336\037\024yaml:\"signed_header\"' - _globals['_HEADER'].fields_by_name['validator_set']._options = None - _globals['_HEADER'].fields_by_name['validator_set']._serialized_options = b'\362\336\037\024yaml:\"validator_set\"' - _globals['_HEADER'].fields_by_name['trusted_height']._options = None - _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"trusted_height\"' - _globals['_HEADER'].fields_by_name['trusted_validators']._options = None - _globals['_HEADER'].fields_by_name['trusted_validators']._serialized_options = b'\362\336\037\031yaml:\"trusted_validators\"' + _globals['_HEADER'].fields_by_name['signed_header']._loaded_options = None + _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001' + _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None + _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=1177 - _globals['_CONSENSUSSTATE']._serialized_start=1180 - _globals['_CONSENSUSSTATE']._serialized_end=1430 - _globals['_MISBEHAVIOUR']._serialized_start=1433 - _globals['_MISBEHAVIOUR']._serialized_end=1676 - _globals['_HEADER']._serialized_start=1679 - _globals['_HEADER']._serialized_end=2027 - _globals['_FRACTION']._serialized_start=2029 - _globals['_FRACTION']._serialized_end=2079 + _globals['_CLIENTSTATE']._serialized_end=901 + _globals['_CONSENSUSSTATE']._serialized_start=904 + _globals['_CONSENSUSSTATE']._serialized_end=1123 + _globals['_MISBEHAVIOUR']._serialized_start=1126 + _globals['_MISBEHAVIOUR']._serialized_end=1311 + _globals['_HEADER']._serialized_start=1314 + _globals['_HEADER']._serialized_end=1556 + _globals['_FRACTION']._serialized_start=1558 + _globals['_FRACTION']._serialized_end=1608 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 2daafffe..0a72e20f 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py new file mode 100644 index 00000000..7a95d7ec --- /dev/null +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py @@ -0,0 +1,34 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/lightclients/wasm/v1/genesis.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/lightclients/wasm/v1/genesis.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\"K\n\x0cGenesisState\x12;\n\tcontracts\x18\x01 \x03(\x0b\x32\".ibc.lightclients.wasm.v1.ContractB\x04\xc8\xde\x1f\x00\"$\n\x08\x43ontract\x12\x12\n\ncode_bytes\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py new file mode 100644 index 00000000..f1f9a938 --- /dev/null +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py @@ -0,0 +1,41 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/lightclients/wasm/v1/query.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/lightclients/wasm/v1/query.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"S\n\x15QueryChecksumsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"h\n\x16QueryChecksumsResponse\x12\x11\n\tchecksums\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"$\n\x10QueryCodeRequest\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\t\"!\n\x11QueryCodeResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x32\xc4\x02\n\x05Query\x12\x9b\x01\n\tChecksums\x12/.ibc.lightclients.wasm.v1.QueryChecksumsRequest\x1a\x30.ibc.lightclients.wasm.v1.QueryChecksumsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/lightclients/wasm/v1/checksums\x12\x9c\x01\n\x04\x43ode\x12*.ibc.lightclients.wasm.v1.QueryCodeRequest\x1a+.ibc.lightclients.wasm.v1.QueryCodeResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/lightclients/wasm/v1/checksums/{checksum}/codeB>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class QueryStub(object): + """Query service for wasm module + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.Checksums = channel.unary_unary( + '/ibc.lightclients.wasm.v1.Query/Checksums', + request_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsRequest.SerializeToString, + response_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsResponse.FromString, + _registered_method=True) + self.Code = channel.unary_unary( + '/ibc.lightclients.wasm.v1.Query/Code', + request_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, + response_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, + _registered_method=True) + + +class QueryServicer(object): + """Query service for wasm module + """ + + def Checksums(self, request, context): + """Get all Wasm checksums + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Code(self, request, context): + """Get Wasm code for given checksum + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_QueryServicer_to_server(servicer, server): + rpc_method_handlers = { + 'Checksums': grpc.unary_unary_rpc_method_handler( + servicer.Checksums, + request_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsRequest.FromString, + response_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsResponse.SerializeToString, + ), + 'Code': grpc.unary_unary_rpc_method_handler( + servicer.Code, + request_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.FromString, + response_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'ibc.lightclients.wasm.v1.Query', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.lightclients.wasm.v1.Query', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Query(object): + """Query service for wasm module + """ + + @staticmethod + def Checksums(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.lightclients.wasm.v1.Query/Checksums', + ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsRequest.SerializeToString, + ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryChecksumsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Code(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.lightclients.wasm.v1.Query/Code', + ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, + ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py new file mode 100644 index 00000000..12e8326f --- /dev/null +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py @@ -0,0 +1,48 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/lightclients/wasm/v1/tx.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/lightclients/wasm/v1/tx.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x17\x63osmos/msg/v1/msg.proto\"C\n\x0cMsgStoreCode\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x16\n\x0ewasm_byte_code\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"(\n\x14MsgStoreCodeResponse\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\x0c\"B\n\x11MsgRemoveChecksum\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgRemoveChecksumResponse\"c\n\x12MsgMigrateContract\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x03 \x01(\x0c\x12\x0b\n\x03msg\x18\x04 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1c\n\x1aMsgMigrateContractResponse2\xdc\x02\n\x03Msg\x12\x63\n\tStoreCode\x12&.ibc.lightclients.wasm.v1.MsgStoreCode\x1a..ibc.lightclients.wasm.v1.MsgStoreCodeResponse\x12r\n\x0eRemoveChecksum\x12+.ibc.lightclients.wasm.v1.MsgRemoveChecksum\x1a\x33.ibc.lightclients.wasm.v1.MsgRemoveChecksumResponse\x12u\n\x0fMigrateContract\x12,.ibc.lightclients.wasm.v1.MsgMigrateContract\x1a\x34.ibc.lightclients.wasm.v1.MsgMigrateContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class MsgStub(object): + """Msg defines the ibc/08-wasm Msg service. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.StoreCode = channel.unary_unary( + '/ibc.lightclients.wasm.v1.Msg/StoreCode', + request_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, + response_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, + _registered_method=True) + self.RemoveChecksum = channel.unary_unary( + '/ibc.lightclients.wasm.v1.Msg/RemoveChecksum', + request_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksum.SerializeToString, + response_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksumResponse.FromString, + _registered_method=True) + self.MigrateContract = channel.unary_unary( + '/ibc.lightclients.wasm.v1.Msg/MigrateContract', + request_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, + response_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, + _registered_method=True) + + +class MsgServicer(object): + """Msg defines the ibc/08-wasm Msg service. + """ + + def StoreCode(self, request, context): + """StoreCode defines a rpc handler method for MsgStoreCode. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def RemoveChecksum(self, request, context): + """RemoveChecksum defines a rpc handler method for MsgRemoveChecksum. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def MigrateContract(self, request, context): + """MigrateContract defines a rpc handler method for MsgMigrateContract. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_MsgServicer_to_server(servicer, server): + rpc_method_handlers = { + 'StoreCode': grpc.unary_unary_rpc_method_handler( + servicer.StoreCode, + request_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.FromString, + response_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.SerializeToString, + ), + 'RemoveChecksum': grpc.unary_unary_rpc_method_handler( + servicer.RemoveChecksum, + request_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksum.FromString, + response_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksumResponse.SerializeToString, + ), + 'MigrateContract': grpc.unary_unary_rpc_method_handler( + servicer.MigrateContract, + request_deserializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.FromString, + response_serializer=ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'ibc.lightclients.wasm.v1.Msg', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.lightclients.wasm.v1.Msg', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Msg(object): + """Msg defines the ibc/08-wasm Msg service. + """ + + @staticmethod + def StoreCode(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.lightclients.wasm.v1.Msg/StoreCode', + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def RemoveChecksum(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.lightclients.wasm.v1.Msg/RemoveChecksum', + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksum.SerializeToString, + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveChecksumResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def MigrateContract(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.lightclients.wasm.v1.Msg/MigrateContract', + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, + ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py new file mode 100644 index 00000000..aaf604be --- /dev/null +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py @@ -0,0 +1,45 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: ibc/lightclients/wasm/v1/wasm.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/lightclients/wasm/v1/wasm.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"l\n\x0b\x43lientState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x37\n\rlatest_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"$\n\x0e\x43onsensusState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"#\n\rClientMessage\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\tChecksums\x12\x11\n\tchecksums\x18\x01 \x03(\x0c:\x02\x18\x01\x42>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index 2dba413f..f3694a41 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,38 +14,43 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"{\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12S\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\xe8\xa0\x1f\x01\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._options = None - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_BID'].fields_by_name['bidder']._options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\016auction/Params' + _globals['_BID'].fields_by_name['bidder']._loaded_options = None _globals['_BID'].fields_by_name['bidder']._serialized_options = b'\352\336\037\006bidder\362\336\037\ryaml:\"bidder\"' - _globals['_BID'].fields_by_name['amount']._options = None + _globals['_BID'].fields_by_name['amount']._loaded_options = None _globals['_BID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTBID'].fields_by_name['amount']._options = None + _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None + _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' + _globals['_EVENTBID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._options = None + _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._options = None + _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._serialized_start=124 - _globals['_PARAMS']._serialized_end=247 - _globals['_BID']._serialized_start=249 - _globals['_BID']._serialized_end=364 - _globals['_EVENTBID']._serialized_start=366 - _globals['_EVENTBID']._serialized_end=472 - _globals['_EVENTAUCTIONRESULT']._serialized_start=474 - _globals['_EVENTAUCTIONRESULT']._serialized_end=590 - _globals['_EVENTAUCTIONSTART']._serialized_start=593 - _globals['_EVENTAUCTIONSTART']._serialized_end=750 + _globals['_PARAMS']._serialized_start=144 + _globals['_PARAMS']._serialized_end=275 + _globals['_BID']._serialized_start=277 + _globals['_BID']._serialized_end=392 + _globals['_LASTAUCTIONRESULT']._serialized_start=394 + _globals['_LASTAUCTIONRESULT']._serialized_end=509 + _globals['_EVENTBID']._serialized_start=511 + _globals['_EVENTBID']._serialized_end=617 + _globals['_EVENTAUCTIONRESULT']._serialized_start=619 + _globals['_EVENTAUCTIONRESULT']._serialized_end=735 + _globals['_EVENTAUCTIONSTART']._serialized_start=738 + _globals['_EVENTAUCTIONSTART']._serialized_end=895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index 2daafffe..f976ac52 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index ec0f4334..8c75a10e 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,16 +16,16 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\xb5\x01\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\x80\x02\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x12I\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=134 - _globals['_GENESISSTATE']._serialized_end=315 + _globals['_GENESISSTATE']._serialized_end=390 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index 2daafffe..c4715b7c 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 9ea7c785..26d5e1e7 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,26 +19,28 @@ from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x93\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12H\n\x10highestBidAmount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState2\xa1\x04\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_stateBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._options = None - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_QUERY'].methods_by_name['AuctionParams']._options = None + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._loaded_options = None + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERY'].methods_by_name['AuctionParams']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionParams']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/params' - _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._options = None + _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/basket' - _globals['_QUERY'].methods_by_name['AuctionModuleState']._options = None + _globals['_QUERY'].methods_by_name['AuctionModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionModuleState']._serialized_options = b'\202\323\344\223\002)\022\'/injective/auction/v1beta1/module_state' + _globals['_QUERY'].methods_by_name['LastAuctionResult']._loaded_options = None + _globals['_QUERY'].methods_by_name['LastAuctionResult']._serialized_options = b'\202\323\344\223\0020\022./injective/auction/v1beta1/last_auction_result' _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 @@ -46,11 +48,15 @@ _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=662 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=664 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=689 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=691 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=773 - _globals['_QUERY']._serialized_start=776 - _globals['_QUERY']._serialized_end=1321 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 + _globals['_QUERY']._serialized_start=901 + _globals['_QUERY']._serialized_end=1641 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 361329e3..94191280 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,22 @@ def __init__(self, channel): '/injective.auction.v1beta1.Query/AuctionParams', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsResponse.FromString, - ) + _registered_method=True) self.CurrentAuctionBasket = channel.unary_unary( '/injective.auction.v1beta1.Query/CurrentAuctionBasket', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketResponse.FromString, - ) + _registered_method=True) self.AuctionModuleState = channel.unary_unary( '/injective.auction.v1beta1.Query/AuctionModuleState', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) + self.LastAuctionResult = channel.unary_unary( + '/injective.auction.v1beta1.Query/LastAuctionResult', + request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, + response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -57,6 +87,12 @@ def AuctionModuleState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def LastAuctionResult(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -75,10 +111,16 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.FromString, response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.SerializeToString, ), + 'LastAuctionResult': grpc.unary_unary_rpc_method_handler( + servicer.LastAuctionResult, + request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.FromString, + response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.auction.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +139,21 @@ def AuctionParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/AuctionParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/AuctionParams', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CurrentAuctionBasket(request, @@ -114,11 +166,21 @@ def CurrentAuctionBasket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/CurrentAuctionBasket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/CurrentAuctionBasket', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AuctionModuleState(request, @@ -131,8 +193,45 @@ def AuctionModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/AuctionModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/AuctionModuleState', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def LastAuctionResult(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/LastAuctionResult', + injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, + injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index 9db3c1eb..578a21f4 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,34 +17,37 @@ from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\"q\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x10\n\x0eMsgBidResponse\"\x87\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xca\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponseBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_MSGBID'].fields_by_name['bid_amount']._options = None + _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGBID']._options = None - _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGBID']._loaded_options = None + _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\016auction/MsgBid' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGBID']._serialized_start=212 - _globals['_MSGBID']._serialized_end=325 - _globals['_MSGBIDRESPONSE']._serialized_start=327 - _globals['_MSGBIDRESPONSE']._serialized_end=343 - _globals['_MSGUPDATEPARAMS']._serialized_start=346 - _globals['_MSGUPDATEPARAMS']._serialized_end=481 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=483 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=508 - _globals['_MSG']._serialized_start=511 - _globals['_MSG']._serialized_end=713 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\027auction/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGBID']._serialized_start=232 + _globals['_MSGBID']._serialized_end=364 + _globals['_MSGBIDRESPONSE']._serialized_start=366 + _globals['_MSGBIDRESPONSE']._serialized_end=382 + _globals['_MSGUPDATEPARAMS']._serialized_start=385 + _globals['_MSGUPDATEPARAMS']._serialized_end=548 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 + _globals['_MSG']._serialized_start=578 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index 87c4ec5e..3589f7a6 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the auction Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/injective.auction.v1beta1.Msg/Bid', request_serializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBid.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBidResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.auction.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -61,6 +86,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.auction.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -79,11 +105,21 @@ def Bid(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Msg/Bid', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Msg/Bid', injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBid.SerializeToString, injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBidResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -96,8 +132,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Msg/UpdateParams', injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index c2bad181..84cc035a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,20 +13,23 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\"\x1b\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:\x04\x98\xa0\x1f\x00\"\x16\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' - _globals['_PUBKEY']._options = None - _globals['_PUBKEY']._serialized_options = b'\230\240\037\000' - _globals['_PUBKEY']._serialized_start=113 - _globals['_PUBKEY']._serialized_end=140 - _globals['_PRIVKEY']._serialized_start=142 - _globals['_PRIVKEY']._serialized_end=164 + _globals['_PUBKEY']._loaded_options = None + _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' + _globals['_PRIVKEY']._loaded_options = None + _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' + _globals['_PUBKEY']._serialized_start=132 + _globals['_PUBKEY']._serialized_end=206 + _globals['_PRIVKEY']._serialized_start=208 + _globals['_PRIVKEY']._serialized_end=280 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index 2daafffe..d64ecc8a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index 17dc8826..52226e62 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,58 +13,59 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"Y\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"T\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"e\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"t\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:\x11\xca\xb4-\rAuthorizationBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_CREATESPOTLIMITORDERAUTHZ']._options = None - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATESPOTMARKETORDERAUTHZ']._options = None - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._options = None - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELSPOTORDERAUTHZ']._options = None - _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._options = None - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._options = None - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._options = None - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._options = None - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELDERIVATIVEORDERAUTHZ']._options = None - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._options = None - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHUPDATEORDERSAUTHZ']._options = None - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=97 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=186 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=188 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=278 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=280 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=375 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=377 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=461 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=463 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=553 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=555 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=650 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=652 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=748 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=750 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=851 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=853 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=943 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=945 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1041 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1043 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1159 + _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' + _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CreateSpotMarketOrderAuthz' + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._loaded_options = None + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/BatchCreateSpotLimitOrdersAuthz' + _globals['_CANCELSPOTORDERAUTHZ']._loaded_options = None + _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\035exchange/CancelSpotOrderAuthz' + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._loaded_options = None + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/BatchCancelSpotOrdersAuthz' + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._loaded_options = None + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/CreateDerivativeLimitOrderAuthz' + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._loaded_options = None + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/CreateDerivativeMarketOrderAuthz' + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._loaded_options = None + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*.exchange/BatchCreateDerivativeLimitOrdersAuthz' + _globals['_CANCELDERIVATIVEORDERAUTHZ']._loaded_options = None + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CancelDerivativeOrderAuthz' + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._loaded_options = None + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/BatchCancelDerivativeOrdersAuthz' + _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index 2daafffe..a9990661 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 762821cb..64c2584b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,122 +18,132 @@ from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\xa8\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12J\n\x12\x63umulative_funding\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\x81\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12_\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12U\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\xa6\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x44\n\x0c\x66unding_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmark_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xb5\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12G\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\x8c\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\"@\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._options = None - _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None + _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._loaded_options = None + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._options = None + _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._loaded_options = None _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._serialized_options = b'\310\336\037\001' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\001' - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._options = None + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._loaded_options = None _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._serialized_options = b'\310\336\037\001' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._loaded_options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._loaded_options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._options = None + _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._options = None + _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._options = None + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._loaded_options = None _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._options = None - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._options = None + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._options = None + _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._options = None + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._options = None + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' + _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None + _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=687 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=690 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=947 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=949 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1065 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1067 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1194 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1196 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1296 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1298 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1393 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1395 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1498 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1501 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=1669 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1672 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1858 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=1860 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=1966 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1968 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2053 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2056 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2313 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2316 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2511 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2514 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2808 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2810 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2927 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2929 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3047 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3050 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3185 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3187 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3280 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3283 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3464 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3467 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3706 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3708 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3801 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3804 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3995 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3997 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4098 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4101 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4249 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4252 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4489 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4492 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4632 - _globals['_EVENTORDERFAIL']._serialized_start=4634 - _globals['_EVENTORDERFAIL']._serialized_end=4698 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4700 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4826 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4829 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4991 - _globals['_ORDERBOOKUPDATE']._serialized_start=4993 - _globals['_ORDERBOOKUPDATE']._serialized_end=5081 - _globals['_ORDERBOOK']._serialized_start=5084 - _globals['_ORDERBOOK']._serialized_end=5225 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 + _globals['_EVENTORDERFAIL']._serialized_start=4597 + _globals['_EVENTORDERFAIL']._serialized_end=4675 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 + _globals['_ORDERBOOKUPDATE']._serialized_start=4970 + _globals['_ORDERBOOKUPDATE']._serialized_end=5058 + _globals['_ORDERBOOK']._serialized_start=5061 + _globals['_ORDERBOOK']._serialized_end=5202 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 + _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 + _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 + _globals['_EVENTINVALIDGRANT']._serialized_start=5418 + _globals['_EVENTINVALIDGRANT']._serialized_end=5471 + _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 + _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 2daafffe..512bbac9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 2ad66583..6bda7c87 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,376 +15,397 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x99\x0f\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12S\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12S\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n default_maintenance_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12N\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12W\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12_\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12T\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12_\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12i\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03:\x04\xe8\xa0\x1f\x01\"v\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x46\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xbf\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xa7\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x11 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\x92\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12^\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x81\x02\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12O\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14hourly_interest_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xc6\x01\n\x16PerpetualMarketFunding\x12J\n\x12\x63umulative_funding\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"}\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x10settlement_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xe4\x01\n\x0eMidPriceAndTOB\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x8f\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9b\x01\n\x07\x44\x65posit\x12I\n\x11\x61vailable_balance\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtotal_balance\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xc7\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xe1\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa9\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\xae\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x44\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa7\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe9\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12V\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\xa8\x01\n\x0fSubaccountOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xef\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xf3\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bmargin_hold\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xb3\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\xa5\x02\n\x08TradeLog\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xff\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12J\n\x12\x65xecution_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65xecution_margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x65xecution_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb1\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\xb4\x01\n\x10PointsMultiplier\x12O\n\x17maker_points_multiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12O\n\x17taker_points_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\xb6\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12K\n\x13maker_discount_rate\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13taker_discount_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rstaked_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12>\n\x06volume\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x9a\x01\n\x0cVolumeRecord\x12\x44\n\x0cmaker_volume\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctaker_volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\xa1\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n\x05Level\x12\x39\n\x01p\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x39\n\x01q\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._options = None + _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_ORDERTYPE'].values_by_name["BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY"]._serialized_options = b'\212\235 \003BUY' - _globals['_ORDERTYPE'].values_by_name["SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL"]._serialized_options = b'\212\235 \004SELL' - _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._serialized_options = b'\212\235 \010STOP_BUY' - _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._serialized_options = b'\212\235 \tSTOP_SELL' - _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._serialized_options = b'\212\235 \010TAKE_BUY' - _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._serialized_options = b'\212\235 \tTAKE_SELL' - _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._serialized_options = b'\212\235 \006BUY_PO' - _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._serialized_options = b'\212\235 \007SELL_PO' - _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._serialized_options = b'\212\235 \nBUY_ATOMIC' - _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._serialized_options = b'\212\235 \013SELL_ATOMIC' - _globals['_ORDERMASK'].values_by_name["UNUSED"]._options = None + _globals['_ORDERMASK'].values_by_name["UNUSED"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["UNUSED"]._serialized_options = b'\212\235 \006UNUSED' - _globals['_ORDERMASK'].values_by_name["ANY"]._options = None + _globals['_ORDERMASK'].values_by_name["ANY"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["ANY"]._serialized_options = b'\212\235 \003ANY' - _globals['_ORDERMASK'].values_by_name["REGULAR"]._options = None + _globals['_ORDERMASK'].values_by_name["REGULAR"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["REGULAR"]._serialized_options = b'\212\235 \007REGULAR' - _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._options = None + _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._serialized_options = b'\212\235 \013CONDITIONAL' - _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._serialized_options = b'\212\235 \rBUY_OR_HIGHER' - _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._serialized_options = b'\212\235 \rSELL_OR_LOWER' - _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._serialized_options = b'\212\235 \006MARKET' - _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._serialized_options = b'\212\235 \005LIMIT' - _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._options = None - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._options = None - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._options = None - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._options = None - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._options = None - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._options = None - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._options = None - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._options = None - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._options = None - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._options = None - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._loaded_options = None + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._options = None - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._options = None - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._options = None - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._options = None - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._options = None - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFEEMULTIPLIER']._options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._loaded_options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._loaded_options = None + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._loaded_options = None + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\017exchange/Params' + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MARKETFEEMULTIPLIER']._loaded_options = None _globals['_MARKETFEEMULTIPLIER']._serialized_options = b'\210\240\037\000' - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET']._loaded_options = None _globals['_DERIVATIVEMARKET']._serialized_options = b'\210\240\037\000' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET']._loaded_options = None _globals['_BINARYOPTIONSMARKET']._serialized_options = b'\210\240\037\000' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._options = None - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._options = None - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._options = None - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._options = None - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['available_balance']._options = None - _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['total_balance']._options = None - _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['price']._options = None - _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['quantity']._options = None - _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTORDER'].fields_by_name['order_info']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._loaded_options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._loaded_options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._loaded_options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._loaded_options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._loaded_options = None + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._loaded_options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._loaded_options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._loaded_options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DEPOSIT'].fields_by_name['available_balance']._loaded_options = None + _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DEPOSIT'].fields_by_name['total_balance']._loaded_options = None + _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORDERINFO'].fields_by_name['price']._loaded_options = None + _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORDERINFO'].fields_by_name['quantity']._loaded_options = None + _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['trigger_price']._options = None - _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._options = None - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._options = None - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._options = None - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._options = None - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._loaded_options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._options = None - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._options = None - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._loaded_options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._loaded_options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._loaded_options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._loaded_options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._loaded_options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['quantity']._options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['entry_price']._options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['margin']._options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['quantity']._options = None - _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['price']._options = None - _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee']._options = None - _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._loaded_options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._loaded_options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['margin']._loaded_options = None + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADELOG'].fields_by_name['quantity']._loaded_options = None + _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADELOG'].fields_by_name['price']._loaded_options = None + _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADELOG'].fields_by_name['fee']._loaded_options = None + _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._loaded_options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._loaded_options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._loaded_options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._loaded_options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._loaded_options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._loaded_options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._loaded_options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._loaded_options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._options = None + _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._loaded_options = None _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._options = None - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._options = None - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._loaded_options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._loaded_options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._loaded_options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._loaded_options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._loaded_options = None + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._loaded_options = None + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRADERECORD'].fields_by_name['price']._options = None - _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADERECORD'].fields_by_name['quantity']._options = None - _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['p']._options = None - _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['q']._options = None - _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETVOLUME'].fields_by_name['volume']._options = None + _globals['_TRADERECORD'].fields_by_name['price']._loaded_options = None + _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADERECORD'].fields_by_name['quantity']._loaded_options = None + _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_LEVEL'].fields_by_name['p']._loaded_options = None + _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_LEVEL'].fields_by_name['q']._loaded_options = None + _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MARKETVOLUME'].fields_by_name['volume']._loaded_options = None _globals['_MARKETVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12505 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12621 - _globals['_MARKETSTATUS']._serialized_start=12623 - _globals['_MARKETSTATUS']._serialized_end=12707 - _globals['_ORDERTYPE']._serialized_start=12710 - _globals['_ORDERTYPE']._serialized_end=13025 - _globals['_EXECUTIONTYPE']._serialized_start=13028 - _globals['_EXECUTIONTYPE']._serialized_end=13203 - _globals['_ORDERMASK']._serialized_start=13206 - _globals['_ORDERMASK']._serialized_end=13471 - _globals['_PARAMS']._serialized_start=167 - _globals['_PARAMS']._serialized_end=2112 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2114 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=2232 - _globals['_DERIVATIVEMARKET']._serialized_start=2235 - _globals['_DERIVATIVEMARKET']._serialized_end=3066 - _globals['_BINARYOPTIONSMARKET']._serialized_start=3069 - _globals['_BINARYOPTIONSMARKET']._serialized_end=3876 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3879 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4153 - _globals['_PERPETUALMARKETINFO']._serialized_start=4156 - _globals['_PERPETUALMARKETINFO']._serialized_end=4413 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=4416 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=4614 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4616 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4741 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4743 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4789 - _globals['_MIDPRICEANDTOB']._serialized_start=4792 - _globals['_MIDPRICEANDTOB']._serialized_end=5020 - _globals['_SPOTMARKET']._serialized_start=5023 - _globals['_SPOTMARKET']._serialized_end=5550 - _globals['_DEPOSIT']._serialized_start=5553 - _globals['_DEPOSIT']._serialized_end=5708 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5710 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5747 - _globals['_ORDERINFO']._serialized_start=5750 - _globals['_ORDERINFO']._serialized_end=5949 - _globals['_SPOTORDER']._serialized_start=5952 - _globals['_SPOTORDER']._serialized_end=6177 - _globals['_SPOTLIMITORDER']._serialized_start=6180 - _globals['_SPOTLIMITORDER']._serialized_end=6477 - _globals['_SPOTMARKETORDER']._serialized_start=6480 - _globals['_SPOTMARKETORDER']._serialized_end=6782 - _globals['_DERIVATIVEORDER']._serialized_start=6785 - _globals['_DERIVATIVEORDER']._serialized_end=7080 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=7083 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7444 - _globals['_SUBACCOUNTORDER']._serialized_start=7447 - _globals['_SUBACCOUNTORDER']._serialized_end=7615 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=7617 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=7718 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7721 - _globals['_DERIVATIVELIMITORDER']._serialized_end=8088 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=8091 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=8462 - _globals['_POSITION']._serialized_start=8465 - _globals['_POSITION']._serialized_end=8772 - _globals['_MARKETORDERINDICATOR']._serialized_start=8774 - _globals['_MARKETORDERINDICATOR']._serialized_end=8830 - _globals['_TRADELOG']._serialized_start=8833 - _globals['_TRADELOG']._serialized_end=9126 - _globals['_POSITIONDELTA']._serialized_start=9129 - _globals['_POSITIONDELTA']._serialized_end=9384 - _globals['_DERIVATIVETRADELOG']._serialized_start=9387 - _globals['_DERIVATIVETRADELOG']._serialized_end=9692 - _globals['_SUBACCOUNTPOSITION']._serialized_start=9694 - _globals['_SUBACCOUNTPOSITION']._serialized_end=9793 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9795 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9891 - _globals['_DEPOSITUPDATE']._serialized_start=9893 - _globals['_DEPOSITUPDATE']._serialized_end=9988 - _globals['_POINTSMULTIPLIER']._serialized_start=9991 - _globals['_POINTSMULTIPLIER']._serialized_end=10171 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=10174 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10454 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10457 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10609 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10612 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10824 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10827 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=11137 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=11140 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=11332 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=11334 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=11391 - _globals['_VOLUMERECORD']._serialized_start=11394 - _globals['_VOLUMERECORD']._serialized_end=11548 - _globals['_ACCOUNTREWARDS']._serialized_start=11550 - _globals['_ACCOUNTREWARDS']._serialized_end=11677 - _globals['_TRADERECORDS']._serialized_start=11679 - _globals['_TRADERECORDS']._serialized_end=11783 - _globals['_SUBACCOUNTIDS']._serialized_start=11785 - _globals['_SUBACCOUNTIDS']._serialized_end=11824 - _globals['_TRADERECORD']._serialized_start=11827 - _globals['_TRADERECORD']._serialized_end=11988 - _globals['_LEVEL']._serialized_start=11990 - _globals['_LEVEL']._serialized_end=12115 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=12117 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=12239 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=12241 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=12354 - _globals['_MARKETVOLUME']._serialized_start=12356 - _globals['_MARKETVOLUME']._serialized_end=12453 - _globals['_DENOMDECIMALS']._serialized_start=12455 - _globals['_DENOMDECIMALS']._serialized_end=12503 + _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._loaded_options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_ACTIVEGRANT'].fields_by_name['amount']._loaded_options = None + _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None + _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 + _globals['_MARKETSTATUS']._serialized_start=12382 + _globals['_MARKETSTATUS']._serialized_end=12466 + _globals['_ORDERTYPE']._serialized_start=12469 + _globals['_ORDERTYPE']._serialized_end=12784 + _globals['_EXECUTIONTYPE']._serialized_start=12787 + _globals['_EXECUTIONTYPE']._serialized_end=12962 + _globals['_ORDERMASK']._serialized_start=12965 + _globals['_ORDERMASK']._serialized_end=13230 + _globals['_PARAMS']._serialized_start=186 + _globals['_PARAMS']._serialized_end=2064 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 + _globals['_DERIVATIVEMARKET']._serialized_start=2176 + _globals['_DERIVATIVEMARKET']._serialized_end=3031 + _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 + _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 + _globals['_PERPETUALMARKETINFO']._serialized_start=4119 + _globals['_PERPETUALMARKETINFO']._serialized_end=4354 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 + _globals['_MIDPRICEANDTOB']._serialized_start=4700 + _globals['_MIDPRICEANDTOB']._serialized_end=4895 + _globals['_SPOTMARKET']._serialized_start=4898 + _globals['_SPOTMARKET']._serialized_end=5471 + _globals['_DEPOSIT']._serialized_start=5474 + _globals['_DEPOSIT']._serialized_end=5607 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 + _globals['_ORDERINFO']._serialized_start=5649 + _globals['_ORDERINFO']._serialized_end=5826 + _globals['_SPOTORDER']._serialized_start=5829 + _globals['_SPOTORDER']._serialized_end=6043 + _globals['_SPOTLIMITORDER']._serialized_start=6046 + _globals['_SPOTLIMITORDER']._serialized_end=6321 + _globals['_SPOTMARKETORDER']._serialized_start=6324 + _globals['_SPOTMARKETORDER']._serialized_end=6604 + _globals['_DERIVATIVEORDER']._serialized_start=6607 + _globals['_DERIVATIVEORDER']._serialized_end=6880 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 + _globals['_SUBACCOUNTORDER']._serialized_start=7225 + _globals['_SUBACCOUNTORDER']._serialized_end=7384 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 + _globals['_POSITION']._serialized_start=8168 + _globals['_POSITION']._serialized_end=8431 + _globals['_MARKETORDERINDICATOR']._serialized_start=8433 + _globals['_MARKETORDERINDICATOR']._serialized_end=8489 + _globals['_TRADELOG']._serialized_start=8492 + _globals['_TRADELOG']._serialized_end=8752 + _globals['_POSITIONDELTA']._serialized_start=8755 + _globals['_POSITIONDELTA']._serialized_end=8977 + _globals['_DERIVATIVETRADELOG']._serialized_start=8980 + _globals['_DERIVATIVETRADELOG']._serialized_end=9313 + _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 + _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 + _globals['_DEPOSITUPDATE']._serialized_start=9514 + _globals['_DEPOSITUPDATE']._serialized_end=9609 + _globals['_POINTSMULTIPLIER']._serialized_start=9612 + _globals['_POINTSMULTIPLIER']._serialized_end=9770 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 + _globals['_VOLUMERECORD']._serialized_start=10943 + _globals['_VOLUMERECORD']._serialized_end=11075 + _globals['_ACCOUNTREWARDS']._serialized_start=11077 + _globals['_ACCOUNTREWARDS']._serialized_end=11204 + _globals['_TRADERECORDS']._serialized_start=11206 + _globals['_TRADERECORDS']._serialized_end=11310 + _globals['_SUBACCOUNTIDS']._serialized_start=11312 + _globals['_SUBACCOUNTIDS']._serialized_end=11351 + _globals['_TRADERECORD']._serialized_start=11354 + _globals['_TRADERECORD']._serialized_end=11493 + _globals['_LEVEL']._serialized_start=11495 + _globals['_LEVEL']._serialized_end=11598 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 + _globals['_MARKETVOLUME']._serialized_start=11839 + _globals['_MARKETVOLUME']._serialized_end=11936 + _globals['_DENOMDECIMALS']._serialized_start=11938 + _globals['_DENOMDECIMALS']._serialized_end=11986 + _globals['_GRANTAUTHORIZATION']._serialized_start=11988 + _globals['_GRANTAUTHORIZATION']._serialized_end=12072 + _globals['_ACTIVEGRANT']._serialized_start=12074 + _globals['_ACTIVEGRANT']._serialized_end=12151 + _globals['_EFFECTIVEGRANT']._serialized_start=12153 + _globals['_EFFECTIVEGRANT']._serialized_end=12262 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 2daafffe..04af743b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index 02bbf4dc..cf0273a2 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,82 +17,88 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\x91\x15\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"`\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06points\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._options = None + _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._options = None + _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['balances']._options = None + _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['positions']._options = None + _globals['_GENESISSTATE'].fields_by_name['positions']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['positions']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._options = None + _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._options = None + _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._options = None + _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._options = None + _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' - _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._options = None - _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._options = None - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTORDERBOOK']._options = None + _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._loaded_options = None + _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._loaded_options = None + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTORDERBOOK']._loaded_options = None _globals['_SPOTORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEORDERBOOK']._options = None + _globals['_DERIVATIVEORDERBOOK']._loaded_options = None _globals['_DERIVATIVEORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._options = None + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._loaded_options = None _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_BALANCE']._options = None + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEPOSITION']._options = None + _globals['_DERIVATIVEPOSITION']._loaded_options = None _globals['_DERIVATIVEPOSITION']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._options = None + _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._loaded_options = None _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._serialized_options = b'\310\336\037\000' - _globals['_SUBACCOUNTNONCE']._options = None + _globals['_SUBACCOUNTNONCE']._loaded_options = None _globals['_SUBACCOUNTNONCE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None + _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=2880 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=2882 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=2938 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=2940 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3050 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3053 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3185 - _globals['_ACCOUNTVOLUME']._serialized_start=3187 - _globals['_ACCOUNTVOLUME']._serialized_end=3283 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3285 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3402 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3405 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3573 - _globals['_SPOTORDERBOOK']._serialized_start=3575 - _globals['_SPOTORDERBOOK']._serialized_end=3698 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=3701 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=3836 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3839 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4210 - _globals['_BALANCE']._serialized_start=4212 - _globals['_BALANCE']._serialized_end=4324 - _globals['_DERIVATIVEPOSITION']._serialized_start=4327 - _globals['_DERIVATIVEPOSITION']._serialized_end=4455 - _globals['_SUBACCOUNTNONCE']._serialized_start=4458 - _globals['_SUBACCOUNTNONCE']._serialized_end=4596 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4598 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4721 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4723 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4840 + _globals['_GENESISSTATE']._serialized_end=3031 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 + _globals['_ACCOUNTVOLUME']._serialized_start=3338 + _globals['_ACCOUNTVOLUME']._serialized_end=3423 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 + _globals['_SPOTORDERBOOK']._serialized_start=3704 + _globals['_SPOTORDERBOOK']._serialized_end=3827 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 + _globals['_BALANCE']._serialized_start=4341 + _globals['_BALANCE']._serialized_end=4453 + _globals['_DERIVATIVEPOSITION']._serialized_start=4456 + _globals['_DERIVATIVEPOSITION']._serialized_end=4584 + _globals['_SUBACCOUNTNONCE']._serialized_start=4587 + _globals['_SUBACCOUNTNONCE']._serialized_end=4725 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 + _globals['_FULLACTIVEGRANT']._serialized_start=5178 + _globals['_FULLACTIVEGRANT']._serialized_end=5275 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2daafffe..2ead22e3 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 7d31ee8f..9ae28250 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,180 +19,203 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\xb5\x04\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x86\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\t\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcc\x03\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12K\n\x13min_price_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe0\x05\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12L\n\x14initial_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x94\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xf4\x05\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb6\x07\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12J\n\x12HourlyInterestRate\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc9\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12H\n\x10settlement_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xac\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9c\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12H\n\x10settlement_price\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x8e\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xef\x02\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"p\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x42\n\nnew_points\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe3\x01\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa4\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb9\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcd\x01\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' - _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._serialized_options = b'\212\235 \004SPOT' - _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._serialized_options = b'\212\235 \013DERIVATIVES' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXCHANGEENABLEPROPOSAL']._options = None - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._options = None - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL']._options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._options = None - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._options = None - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._options = None - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._options = None - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._options = None - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FEEDISCOUNTPROPOSAL']._options = None - _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._options = None - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._options = None - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXCHANGETYPE']._serialized_start=8872 - _globals['_EXCHANGETYPE']._serialized_end=8992 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=310 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=875 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=878 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1012 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1015 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2270 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2273 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=2733 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=2736 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3472 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3475 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4135 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4138 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=4894 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=4897 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=5847 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=5850 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6051 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6054 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=6226 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=6229 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7025 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=7028 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=7172 - _globals['_ORACLEPARAMS']._serialized_start=7175 - _globals['_ORACLEPARAMS']._serialized_end=7320 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=7323 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=7593 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=7596 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=7963 - _globals['_REWARDPOINTUPDATE']._serialized_start=7965 - _globals['_REWARDPOINTUPDATE']._serialized_end=8077 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=8080 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=8307 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=8310 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=8474 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=8477 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=8662 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=8665 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=8870 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/SpotMarketParamUpdateProposal' + _globals['_EXCHANGEENABLEPROPOSAL']._loaded_options = None + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\037exchange/ExchangeEnableProposal' + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._loaded_options = None + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BatchExchangeModificationProposal' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!exchange/SpotMarketLaunchProposal' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/PerpetualMarketLaunchProposal' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BinaryOptionsMarketLaunchProposal' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/ExpiryFuturesMarketLaunchProposal' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/DerivativeMarketParamUpdateProposal' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._loaded_options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'exchange/MarketForcedSettlementProposal' + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._loaded_options = None + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*$exchange/UpdateDenomDecimalsProposal' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*/exchange/BinaryOptionsMarketParamUpdateProposal' + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._loaded_options = None + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignLaunchProposal' + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._loaded_options = None + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignUpdateProposal' + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._loaded_options = None + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._loaded_options = None + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*1exchange/TradingRewardPendingPointsUpdateProposal' + _globals['_FEEDISCOUNTPROPOSAL']._loaded_options = None + _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034exchange/FeeDiscountProposal' + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' + _globals['_EXCHANGETYPE']._serialized_start=10062 + _globals['_EXCHANGETYPE']._serialized_end=10182 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 + _globals['_ADMININFO']._serialized_start=6564 + _globals['_ADMININFO']._serialized_end=6617 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 + _globals['_ORACLEPARAMS']._serialized_start=8086 + _globals['_ORACLEPARAMS']._serialized_end=8231 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 + _globals['_REWARDPOINTUPDATE']._serialized_start=8974 + _globals['_REWARDPOINTUPDATE']._serialized_end=9075 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index 2daafffe..e392ca56 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index ebb49053..d6d3ffa1 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,258 +19,268 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x9e\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12Q\n\x19limit_cumulative_notional\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xfd\x01\n\x15TrimmedSpotLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xf5\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xfb\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x96\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12Q\n\x19limit_cumulative_notional\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xf2\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x43\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cquote_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb3\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x44\n\x0cquote_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xce\x02\n\x1bTrimmedDerivativeLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"\x8d\x01\n\nPriceLevel\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\x86\x03\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x42\n\nmark_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xf5\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"u\n\x1eQueryTradeRewardPointsResponse\x12S\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xf3\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Q\n\x19total_trade_reward_points\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Y\n!pending_total_trade_reward_points\x18\x05 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\x8a\x03\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x65xpected_total\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\ndifference\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x84\x02\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xe5\x01\n\x1dQueryMarketVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xf6\x02\n!TrimmedDerivativeConditionalOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctriggerPrice\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"u\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x42\n\nmultiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd`\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplierBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._options = None + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._loaded_options = None _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._serialized_options = b'\310\336\037\001' - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._options = None + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._loaded_options = None _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_options = b'8\001' - _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._options = None + _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000' - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._options = None + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._loaded_options = None _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' - _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._options = None + _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._options = None + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._loaded_options = None + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._options = None - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._loaded_options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._loaded_options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._loaded_options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._loaded_options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._loaded_options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' - _globals['_PRICELEVEL'].fields_by_name['price']._options = None - _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICELEVEL'].fields_by_name['quantity']._options = None - _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._options = None - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._options = None + _globals['_PRICELEVEL'].fields_by_name['price']._loaded_options = None + _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICELEVEL'].fields_by_name['quantity']._loaded_options = None + _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._loaded_options = None + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' - _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._loaded_options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._loaded_options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._loaded_options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' - _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000' - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._options = None + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._options = None - _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['available']._options = None - _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['total']._options = None - _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._options = None - _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._options = None - _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['difference']._options = None - _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._options = None - _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._options = None + _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._loaded_options = None + _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._loaded_options = None + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._loaded_options = None + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['available']._loaded_options = None + _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['total']._loaded_options = None + _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._loaded_options = None + _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._loaded_options = None + _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['difference']._loaded_options = None + _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._loaded_options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._loaded_options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._loaded_options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None + _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._loaded_options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._loaded_options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._loaded_options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._loaded_options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._serialized_options = b'\352\336\037\007isLimit' - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._options = None - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERY'].methods_by_name['QueryExchangeParams']._options = None + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._loaded_options = None + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._loaded_options = None + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERY'].methods_by_name['QueryExchangeParams']._loaded_options = None _globals['_QUERY'].methods_by_name['QueryExchangeParams']._serialized_options = b'\202\323\344\223\002,\022*/injective/exchange/v1beta1/exchangeParams' - _globals['_QUERY'].methods_by_name['SubaccountDeposits']._options = None + _globals['_QUERY'].methods_by_name['SubaccountDeposits']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountDeposits']._serialized_options = b'\202\323\344\223\0029\0227/injective/exchange/v1beta1/exchange/subaccountDeposits' - _globals['_QUERY'].methods_by_name['SubaccountDeposit']._options = None + _globals['_QUERY'].methods_by_name['SubaccountDeposit']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountDeposit']._serialized_options = b'\202\323\344\223\0028\0226/injective/exchange/v1beta1/exchange/subaccountDeposit' - _globals['_QUERY'].methods_by_name['ExchangeBalances']._options = None + _globals['_QUERY'].methods_by_name['ExchangeBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['ExchangeBalances']._serialized_options = b'\202\323\344\223\0027\0225/injective/exchange/v1beta1/exchange/exchangeBalances' - _globals['_QUERY'].methods_by_name['AggregateVolume']._options = None + _globals['_QUERY'].methods_by_name['AggregateVolume']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateVolume']._serialized_options = b'\202\323\344\223\002@\022>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}' - _globals['_QUERY'].methods_by_name['AggregateVolumes']._options = None + _globals['_QUERY'].methods_by_name['AggregateVolumes']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateVolumes']._serialized_options = b'\202\323\344\223\0027\0225/injective/exchange/v1beta1/exchange/aggregateVolumes' - _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._options = None + _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._serialized_options = b'\202\323\344\223\002H\022F/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}' - _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._options = None + _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._serialized_options = b'\202\323\344\223\002=\022;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes' - _globals['_QUERY'].methods_by_name['DenomDecimal']._options = None + _globals['_QUERY'].methods_by_name['DenomDecimal']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomDecimal']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}' - _globals['_QUERY'].methods_by_name['DenomDecimals']._options = None + _globals['_QUERY'].methods_by_name['DenomDecimals']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomDecimals']._serialized_options = b'\202\323\344\223\0025\0223/injective/exchange/v1beta1/exchange/denom_decimals' - _globals['_QUERY'].methods_by_name['SpotMarkets']._options = None + _globals['_QUERY'].methods_by_name['SpotMarkets']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMarkets']._serialized_options = b'\202\323\344\223\002*\022(/injective/exchange/v1beta1/spot/markets' - _globals['_QUERY'].methods_by_name['SpotMarket']._options = None + _globals['_QUERY'].methods_by_name['SpotMarket']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMarket']._serialized_options = b'\202\323\344\223\0026\0224/injective/exchange/v1beta1/spot/markets/{market_id}' - _globals['_QUERY'].methods_by_name['FullSpotMarkets']._options = None + _globals['_QUERY'].methods_by_name['FullSpotMarkets']._loaded_options = None _globals['_QUERY'].methods_by_name['FullSpotMarkets']._serialized_options = b'\202\323\344\223\002/\022-/injective/exchange/v1beta1/spot/full_markets' - _globals['_QUERY'].methods_by_name['FullSpotMarket']._options = None + _globals['_QUERY'].methods_by_name['FullSpotMarket']._loaded_options = None _globals['_QUERY'].methods_by_name['FullSpotMarket']._serialized_options = b'\202\323\344\223\002:\0228/injective/exchange/v1beta1/spot/full_market/{market_id}' - _globals['_QUERY'].methods_by_name['SpotOrderbook']._options = None + _globals['_QUERY'].methods_by_name['SpotOrderbook']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotOrderbook']._serialized_options = b'\202\323\344\223\0028\0226/injective/exchange/v1beta1/spot/orderbook/{market_id}' - _globals['_QUERY'].methods_by_name['TraderSpotOrders']._options = None + _globals['_QUERY'].methods_by_name['TraderSpotOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['TraderSpotOrders']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._options = None + _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}' - _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._options = None + _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['SubaccountOrders']._options = None + _globals['_QUERY'].methods_by_name['SubaccountOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountOrders']._serialized_options = b'\202\323\344\223\0024\0222/injective/exchange/v1beta1/orders/{subaccount_id}' - _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._options = None + _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._options = None + _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._serialized_options = b'\202\323\344\223\002@\022>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}' - _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._options = None + _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._loaded_options = None _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._serialized_options = b'\202\323\344\223\002F\022D/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}' - _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._options = None + _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._loaded_options = None _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._serialized_options = b'\202\323\344\223\002>\022\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,287 +44,302 @@ def __init__(self, channel): '/injective.exchange.v1beta1.Query/QueryExchangeParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsResponse.FromString, - ) + _registered_method=True) self.SubaccountDeposits = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountDeposits', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsResponse.FromString, - ) + _registered_method=True) self.SubaccountDeposit = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountDeposit', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositResponse.FromString, - ) + _registered_method=True) self.ExchangeBalances = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExchangeBalances', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesResponse.FromString, - ) + _registered_method=True) self.AggregateVolume = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateVolume', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeResponse.FromString, - ) + _registered_method=True) self.AggregateVolumes = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateVolumes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesResponse.FromString, - ) + _registered_method=True) self.AggregateMarketVolume = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateMarketVolume', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeResponse.FromString, - ) + _registered_method=True) self.AggregateMarketVolumes = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesResponse.FromString, - ) + _registered_method=True) self.DenomDecimal = channel.unary_unary( '/injective.exchange.v1beta1.Query/DenomDecimal', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalResponse.FromString, - ) + _registered_method=True) self.DenomDecimals = channel.unary_unary( '/injective.exchange.v1beta1.Query/DenomDecimals', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsResponse.FromString, - ) + _registered_method=True) self.SpotMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsResponse.FromString, - ) + _registered_method=True) self.SpotMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketResponse.FromString, - ) + _registered_method=True) self.FullSpotMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/FullSpotMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsResponse.FromString, - ) + _registered_method=True) self.FullSpotMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/FullSpotMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketResponse.FromString, - ) + _registered_method=True) self.SpotOrderbook = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotOrderbook', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookResponse.FromString, - ) + _registered_method=True) self.TraderSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - ) + _registered_method=True) self.AccountAddressSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersResponse.FromString, - ) + _registered_method=True) self.SpotOrdersByHashes = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesResponse.FromString, - ) + _registered_method=True) self.SubaccountOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersResponse.FromString, - ) + _registered_method=True) self.TraderSpotTransientOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - ) + _registered_method=True) self.SpotMidPriceAndTOB = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBResponse.FromString, - ) + _registered_method=True) self.DerivativeMidPriceAndTOB = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBResponse.FromString, - ) + _registered_method=True) self.DerivativeOrderbook = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeOrderbook', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.AccountAddressDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.DerivativeOrdersByHashes = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeTransientOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.DerivativeMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsResponse.FromString, - ) + _registered_method=True) self.DerivativeMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketResponse.FromString, - ) + _registered_method=True) self.DerivativeMarketAddress = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressResponse.FromString, - ) + _registered_method=True) self.SubaccountTradeNonce = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceResponse.FromString, - ) + _registered_method=True) self.ExchangeModuleState = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExchangeModuleState', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.Positions = channel.unary_unary( '/injective.exchange.v1beta1.Query/Positions', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsResponse.FromString, - ) + _registered_method=True) self.SubaccountPositions = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountPositions', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsResponse.FromString, - ) + _registered_method=True) self.SubaccountPositionInMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketResponse.FromString, - ) + _registered_method=True) self.SubaccountEffectivePositionInMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketResponse.FromString, - ) + _registered_method=True) self.PerpetualMarketInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoResponse.FromString, - ) + _registered_method=True) self.ExpiryFuturesMarketInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoResponse.FromString, - ) + _registered_method=True) self.PerpetualMarketFunding = channel.unary_unary( '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingResponse.FromString, - ) + _registered_method=True) self.SubaccountOrderMetadata = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataResponse.FromString, - ) + _registered_method=True) self.TradeRewardPoints = channel.unary_unary( '/injective.exchange.v1beta1.Query/TradeRewardPoints', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - ) + _registered_method=True) self.PendingTradeRewardPoints = channel.unary_unary( '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - ) + _registered_method=True) self.TradeRewardCampaign = channel.unary_unary( '/injective.exchange.v1beta1.Query/TradeRewardCampaign', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignResponse.FromString, - ) + _registered_method=True) self.FeeDiscountAccountInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoResponse.FromString, - ) + _registered_method=True) self.FeeDiscountSchedule = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleResponse.FromString, - ) + _registered_method=True) self.BalanceMismatches = channel.unary_unary( '/injective.exchange.v1beta1.Query/BalanceMismatches', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesResponse.FromString, - ) + _registered_method=True) self.BalanceWithBalanceHolds = channel.unary_unary( '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsResponse.FromString, - ) + _registered_method=True) self.FeeDiscountTierStatistics = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsResponse.FromString, - ) + _registered_method=True) self.MitoVaultInfos = channel.unary_unary( '/injective.exchange.v1beta1.Query/MitoVaultInfos', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosResponse.FromString, - ) + _registered_method=True) self.QueryMarketIDFromVault = channel.unary_unary( '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultResponse.FromString, - ) + _registered_method=True) self.HistoricalTradeRecords = channel.unary_unary( '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsResponse.FromString, - ) + _registered_method=True) self.IsOptedOutOfRewards = channel.unary_unary( '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsResponse.FromString, - ) + _registered_method=True) self.OptedOutOfRewardsAccounts = channel.unary_unary( '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsResponse.FromString, - ) + _registered_method=True) self.MarketVolatility = channel.unary_unary( '/injective.exchange.v1beta1.Query/MarketVolatility', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeConditionalOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersResponse.FromString, - ) + _registered_method=True) self.MarketAtomicExecutionFeeMultiplier = channel.unary_unary( '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, - ) + _registered_method=True) + self.ActiveStakeGrant = channel.unary_unary( + '/injective.exchange.v1beta1.Query/ActiveStakeGrant', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, + _registered_method=True) + self.GrantAuthorization = channel.unary_unary( + '/injective.exchange.v1beta1.Query/GrantAuthorization', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, + _registered_method=True) + self.GrantAuthorizations = channel.unary_unary( + '/injective.exchange.v1beta1.Query/GrantAuthorizations', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -709,6 +749,27 @@ def MarketAtomicExecutionFeeMultiplier(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ActiveStakeGrant(self, request, context): + """Retrieves the active stake grant for a grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GrantAuthorization(self, request, context): + """Retrieves the grant authorization amount for a granter and grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GrantAuthorizations(self, request, context): + """Retrieves the grant authorization amount for a granter and grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -997,10 +1058,26 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.SerializeToString, ), + 'ActiveStakeGrant': grpc.unary_unary_rpc_method_handler( + servicer.ActiveStakeGrant, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.SerializeToString, + ), + 'GrantAuthorization': grpc.unary_unary_rpc_method_handler( + servicer.GrantAuthorization, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.SerializeToString, + ), + 'GrantAuthorizations': grpc.unary_unary_rpc_method_handler( + servicer.GrantAuthorizations, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.exchange.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -1019,11 +1096,21 @@ def QueryExchangeParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/QueryExchangeParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/QueryExchangeParams', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountDeposits(request, @@ -1036,11 +1123,21 @@ def SubaccountDeposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountDeposits', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountDeposits', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountDeposit(request, @@ -1053,11 +1150,21 @@ def SubaccountDeposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountDeposit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountDeposit', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExchangeBalances(request, @@ -1070,11 +1177,21 @@ def ExchangeBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExchangeBalances', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExchangeBalances', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateVolume(request, @@ -1087,11 +1204,21 @@ def AggregateVolume(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateVolume', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateVolume', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateVolumes(request, @@ -1104,11 +1231,21 @@ def AggregateVolumes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateVolumes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateVolumes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateMarketVolume(request, @@ -1121,11 +1258,21 @@ def AggregateMarketVolume(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateMarketVolume', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateMarketVolume', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateMarketVolumes(request, @@ -1138,11 +1285,21 @@ def AggregateMarketVolumes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomDecimal(request, @@ -1155,11 +1312,21 @@ def DenomDecimal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DenomDecimal', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DenomDecimal', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomDecimals(request, @@ -1172,11 +1339,21 @@ def DenomDecimals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DenomDecimals', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DenomDecimals', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMarkets(request, @@ -1189,11 +1366,21 @@ def SpotMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMarket(request, @@ -1206,11 +1393,21 @@ def SpotMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FullSpotMarkets(request, @@ -1223,11 +1420,21 @@ def FullSpotMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FullSpotMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FullSpotMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FullSpotMarket(request, @@ -1240,11 +1447,21 @@ def FullSpotMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FullSpotMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FullSpotMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotOrderbook(request, @@ -1257,11 +1474,21 @@ def SpotOrderbook(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotOrderbook', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotOrderbook', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderSpotOrders(request, @@ -1274,11 +1501,21 @@ def TraderSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderSpotOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressSpotOrders(request, @@ -1291,11 +1528,21 @@ def AccountAddressSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotOrdersByHashes(request, @@ -1308,11 +1555,21 @@ def SpotOrdersByHashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrders(request, @@ -1325,11 +1582,21 @@ def SubaccountOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderSpotTransientOrders(request, @@ -1342,11 +1609,21 @@ def TraderSpotTransientOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMidPriceAndTOB(request, @@ -1359,11 +1636,21 @@ def SpotMidPriceAndTOB(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMidPriceAndTOB(request, @@ -1376,11 +1663,21 @@ def DerivativeMidPriceAndTOB(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeOrderbook(request, @@ -1393,11 +1690,21 @@ def DerivativeOrderbook(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeOrderbook', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeOrderbook', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeOrders(request, @@ -1410,11 +1717,21 @@ def TraderDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressDerivativeOrders(request, @@ -1427,11 +1744,21 @@ def AccountAddressDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeOrdersByHashes(request, @@ -1444,11 +1771,21 @@ def DerivativeOrdersByHashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeTransientOrders(request, @@ -1461,11 +1798,21 @@ def TraderDerivativeTransientOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarkets(request, @@ -1478,11 +1825,21 @@ def DerivativeMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarket(request, @@ -1495,11 +1852,21 @@ def DerivativeMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarketAddress(request, @@ -1512,11 +1879,21 @@ def DerivativeMarketAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradeNonce(request, @@ -1529,11 +1906,21 @@ def SubaccountTradeNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExchangeModuleState(request, @@ -1546,11 +1933,21 @@ def ExchangeModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExchangeModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExchangeModuleState', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Positions(request, @@ -1563,11 +1960,21 @@ def Positions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/Positions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/Positions', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountPositions(request, @@ -1580,11 +1987,21 @@ def SubaccountPositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountPositions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountPositions', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountPositionInMarket(request, @@ -1597,11 +2014,21 @@ def SubaccountPositionInMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountEffectivePositionInMarket(request, @@ -1614,11 +2041,21 @@ def SubaccountEffectivePositionInMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PerpetualMarketInfo(request, @@ -1631,11 +2068,21 @@ def PerpetualMarketInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExpiryFuturesMarketInfo(request, @@ -1648,11 +2095,21 @@ def ExpiryFuturesMarketInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PerpetualMarketFunding(request, @@ -1665,11 +2122,21 @@ def PerpetualMarketFunding(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrderMetadata(request, @@ -1682,11 +2149,21 @@ def SubaccountOrderMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradeRewardPoints(request, @@ -1699,11 +2176,21 @@ def TradeRewardPoints(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TradeRewardPoints', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TradeRewardPoints', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PendingTradeRewardPoints(request, @@ -1716,11 +2203,21 @@ def PendingTradeRewardPoints(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradeRewardCampaign(request, @@ -1733,11 +2230,21 @@ def TradeRewardCampaign(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TradeRewardCampaign', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TradeRewardCampaign', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountAccountInfo(request, @@ -1750,11 +2257,21 @@ def FeeDiscountAccountInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountSchedule(request, @@ -1767,11 +2284,21 @@ def FeeDiscountSchedule(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BalanceMismatches(request, @@ -1784,11 +2311,21 @@ def BalanceMismatches(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BalanceMismatches', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BalanceMismatches', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BalanceWithBalanceHolds(request, @@ -1801,11 +2338,21 @@ def BalanceWithBalanceHolds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountTierStatistics(request, @@ -1818,11 +2365,21 @@ def FeeDiscountTierStatistics(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MitoVaultInfos(request, @@ -1835,11 +2392,21 @@ def MitoVaultInfos(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MitoVaultInfos', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MitoVaultInfos', injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def QueryMarketIDFromVault(request, @@ -1852,11 +2419,21 @@ def QueryMarketIDFromVault(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalTradeRecords(request, @@ -1869,11 +2446,21 @@ def HistoricalTradeRecords(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IsOptedOutOfRewards(request, @@ -1886,11 +2473,21 @@ def IsOptedOutOfRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OptedOutOfRewardsAccounts(request, @@ -1903,11 +2500,21 @@ def OptedOutOfRewardsAccounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MarketVolatility(request, @@ -1920,11 +2527,21 @@ def MarketVolatility(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MarketVolatility', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MarketVolatility', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarkets(request, @@ -1937,11 +2554,21 @@ def BinaryOptionsMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeConditionalOrders(request, @@ -1954,11 +2581,21 @@ def TraderDerivativeConditionalOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MarketAtomicExecutionFeeMultiplier(request, @@ -1971,8 +2608,99 @@ def MarketAtomicExecutionFeeMultiplier(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ActiveStakeGrant(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ActiveStakeGrant', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GrantAuthorization(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/GrantAuthorization', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GrantAuthorizations(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/GrantAuthorizations', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 5fc205b1..4c87a127 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,360 +19,421 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x88\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"y\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x14\n\x12MsgDepositResponse\"z\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x15\n\x13MsgWithdrawResponse\"z\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"?\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x81\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"G\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x97\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12K\n\x13min_price_tick_size\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xbb\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xef\x04\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x46\n\x0emaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xcf\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12\x46\n\x0emaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"{\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x8b\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x16SpotMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x82\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"E\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x85\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"H\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"M\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSpotOrderResponse\"v\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x7f\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc7\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\xf0\x01\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x83\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x97\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xef\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12>\n\x06payout\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9a\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9a\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgCancelDerivativeOrderResponse\"\x9d\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"|\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa6\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xa4\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgExternalTransferResponse\"\x9f\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgLiquidatePositionResponse\"a\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\"\n MsgEmergencySettleMarketResponse\"\xcc\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12>\n\x06\x61mount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x0b\x82\xe7\xb0*\x06sender\"#\n!MsgIncreasePositionMarginResponse\"z\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t\"\x1a\n\x18MsgRewardsOptOutResponse\"d\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\x93\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12H\n\x10settlement_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:\x0b\x82\xe7\xb0*\x06sender\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse2\x9e#\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12\x82\x01\n\x12ReclaimLockedFunds\x12\x31.injective.exchange.v1beta1.MsgReclaimLockedFunds\x1a\x39.injective.exchange.v1beta1.MsgReclaimLockedFundsResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponseBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\034exchange/MsgUpdateSpotMarket' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\"exchange/MsgUpdateDerivativeMarket' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\030exchange/MsgUpdateParams' + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGDEPOSIT']._options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAW'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\023exchange/MsgDeposit' + _globals['_MSGWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAW']._options = None - _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGWITHDRAW']._loaded_options = None + _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\024exchange/MsgWithdraw' + _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTLIMITORDER']._options = None - _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTLIMITORDER']._loaded_options = None + _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* exchange/MsgCreateSpotLimitOrder' + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._options = None - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._loaded_options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgBatchCreateSpotLimitOrders' + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*#exchange/MsgInstantSpotMarketLaunch' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*(exchange/MsgInstantPerpetualMarketLaunch' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantBinaryOptionsMarketLaunch' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantExpiryFuturesMarketLaunch' + _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTMARKETORDER']._options = None - _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATESPOTMARKETORDER']._loaded_options = None + _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCreateSpotMarketOrder' + _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETORDERRESULTS']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER']._options = None - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._loaded_options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgCreateDerivativeLimitOrder' + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._options = None - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*)exchange/MsgCreateBinaryOptionsLimitOrder' + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._options = None - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._loaded_options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgBatchCreateDerivativeLimitOrders' + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELSPOTORDER']._options = None - _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._options = None + _globals['_MSGCANCELSPOTORDER']._loaded_options = None + _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\033exchange/MsgCancelSpotOrder' + _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELSPOTORDERS']._options = None - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._loaded_options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgBatchCancelSpotOrders' + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._options = None - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._loaded_options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgBatchCancelBinaryOptionsOrders' + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS']._options = None - _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._options = None + _globals['_MSGBATCHUPDATEORDERS']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\035exchange/MsgBatchUpdateOrders' + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._options = None - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._loaded_options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgCreateDerivativeMarketOrder' + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDERRESULTS']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._options = None - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgCreateBinaryOptionsMarketOrder' + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELDERIVATIVEORDER']._options = None - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCANCELBINARYOPTIONSORDER']._options = None - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._options = None + _globals['_MSGCANCELDERIVATIVEORDER']._loaded_options = None + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCancelDerivativeOrder' + _globals['_MSGCANCELBINARYOPTIONSORDER']._loaded_options = None + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*$exchange/MsgCancelBinaryOptionsOrder' + _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._options = None - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._loaded_options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgBatchCancelDerivativeOrders' + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSUBACCOUNTTRANSFER']._options = None - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGSUBACCOUNTTRANSFER']._loaded_options = None + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgSubaccountTransfer' + _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGEXTERNALTRANSFER']._options = None - _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._options = None + _globals['_MSGEXTERNALTRANSFER']._loaded_options = None + _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034exchange/MsgExternalTransfer' + _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._serialized_options = b'\310\336\037\001' - _globals['_MSGLIQUIDATEPOSITION']._options = None - _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEMERGENCYSETTLEMARKET']._options = None - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._options = None - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINCREASEPOSITIONMARGIN']._options = None - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._options = None - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._options = None + _globals['_MSGLIQUIDATEPOSITION']._loaded_options = None + _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender\212\347\260*\035exchange/MsgLiquidatePosition' + _globals['_MSGEMERGENCYSETTLEMARKET']._loaded_options = None + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260*!exchange/MsgEmergencySettleMarket' + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINCREASEPOSITIONMARGIN']._loaded_options = None + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgIncreasePositionMargin' + _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGDECREASEPOSITIONMARGIN']._loaded_options = None + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgDecreasePositionMargin' + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._loaded_options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*%exchange/MsgPrivilegedExecuteContract' + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRECLAIMLOCKEDFUNDS']._options = None - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSIGNDATA'].fields_by_name['Signer']._options = None + _globals['_MSGREWARDSOPTOUT']._loaded_options = None + _globals['_MSGREWARDSOPTOUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031exchange/MsgRewardsOptOut' + _globals['_MSGRECLAIMLOCKEDFUNDS']._loaded_options = None + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgReclaimLockedFunds' + _globals['_MSGSIGNDATA'].fields_by_name['Signer']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Signer']._serialized_options = b'\352\336\037\006signer\372\336\037-github.com/cosmos/cosmos-sdk/types.AccAddress' - _globals['_MSGSIGNDATA'].fields_by_name['Data']._options = None + _globals['_MSGSIGNDATA'].fields_by_name['Data']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Data']._serialized_options = b'\352\336\037\004data' - _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._serialized_options = b'\352\336\037\004type' - _globals['_MSGSIGNDOC'].fields_by_name['value']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['value']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['value']._serialized_options = b'\310\336\037\000' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS']._serialized_start=304 - _globals['_MSGUPDATEPARAMS']._serialized_end=440 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=442 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=467 - _globals['_MSGDEPOSIT']._serialized_start=469 - _globals['_MSGDEPOSIT']._serialized_end=590 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=592 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=612 - _globals['_MSGWITHDRAW']._serialized_start=614 - _globals['_MSGWITHDRAW']._serialized_end=736 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=738 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=759 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=761 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=883 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=885 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=948 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=951 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=1080 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=1082 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=1153 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=1156 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=1435 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=1437 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=1473 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=1476 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=2175 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=2177 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=2218 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=2221 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=2844 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=2846 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=2891 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=2894 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=3613 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=3615 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=3660 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=3662 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=3785 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=3788 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=3927 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=3930 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=4154 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=4157 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=4287 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=4289 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=4358 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=4361 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=4494 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=4496 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=4568 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=4571 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=4708 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=4710 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=4787 - _globals['_MSGCANCELSPOTORDER']._serialized_start=4790 - _globals['_MSGCANCELSPOTORDER']._serialized_end=4918 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=4920 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=4948 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=4950 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=5068 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=5070 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=5131 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=5133 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=5260 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=5262 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=5332 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=5335 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=6046 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=6049 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=6289 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=6292 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=6423 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=6426 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=6577 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=6580 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=6947 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=6950 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=7084 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=7087 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=7241 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=7244 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=7398 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=7400 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=7434 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=7437 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=7594 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=7596 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=7633 - _globals['_ORDERDATA']._serialized_start=7635 - _globals['_ORDERDATA']._serialized_end=7741 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=7743 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=7867 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=7869 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=7936 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=7939 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=8105 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=8107 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=8138 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=8141 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=8305 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=8307 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=8336 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=8339 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=8498 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=8500 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=8530 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=8532 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=8629 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=8631 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=8665 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=8668 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=8872 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=8874 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=8909 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=8911 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=9033 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=9036 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=9192 - _globals['_MSGREWARDSOPTOUT']._serialized_start=9194 - _globals['_MSGREWARDSOPTOUT']._serialized_end=9228 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=9230 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=9256 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=9258 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=9358 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=9360 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=9391 - _globals['_MSGSIGNDATA']._serialized_start=9393 - _globals['_MSGSIGNDATA']._serialized_end=9507 - _globals['_MSGSIGNDOC']._serialized_start=9509 - _globals['_MSGSIGNDOC']._serialized_end=9612 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=9615 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=9890 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=9892 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=9935 - _globals['_MSG']._serialized_start=9938 - _globals['_MSG']._serialized_end=14448 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._loaded_options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260**exchange/MsgAdminUpdateBinaryOptionsMarket' + _globals['_MSGAUTHORIZESTAKEGRANTS']._loaded_options = None + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_options = b'\202\347\260*\006sender\212\347\260* exchange/MsgAuthorizeStakeGrants' + _globals['_MSGACTIVATESTAKEGRANT']._loaded_options = None + _globals['_MSGACTIVATESTAKEGRANT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgActivateStakeGrant' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 + _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 + _globals['_MSGUPDATEPARAMS']._serialized_start=1223 + _globals['_MSGUPDATEPARAMS']._serialized_end=1388 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 + _globals['_MSGDEPOSIT']._serialized_start=1418 + _globals['_MSGDEPOSIT']._serialized_end=1563 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 + _globals['_MSGWITHDRAW']._serialized_start=1588 + _globals['_MSGWITHDRAW']._serialized_end=1735 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 + _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 + _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 + _globals['_ORDERDATA']._serialized_start=9786 + _globals['_ORDERDATA']._serialized_end=9892 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 + _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 + _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 + _globals['_MSGSIGNDATA']._serialized_start=12160 + _globals['_MSGSIGNDATA']._serialized_end=12274 + _globals['_MSGSIGNDOC']._serialized_start=12276 + _globals['_MSGSIGNDOC']._serialized_end=12379 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 + _globals['_MSG']._serialized_start=13073 + _globals['_MSG']._serialized_end=18145 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index 4bd5fecc..4b3b5fb9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the exchange Msg service. @@ -19,157 +44,177 @@ def __init__(self, channel): '/injective.exchange.v1beta1.Msg/Deposit', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) self.Withdraw = channel.unary_unary( '/injective.exchange.v1beta1.Msg/Withdraw', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdraw.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdrawResponse.FromString, - ) + _registered_method=True) self.InstantSpotMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunchResponse.FromString, - ) + _registered_method=True) self.InstantPerpetualMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunchResponse.FromString, - ) + _registered_method=True) self.InstantExpiryFuturesMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunchResponse.FromString, - ) + _registered_method=True) self.CreateSpotLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrderResponse.FromString, - ) + _registered_method=True) self.BatchCreateSpotLimitOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrdersResponse.FromString, - ) + _registered_method=True) self.CreateSpotMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelSpotOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelSpotOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrdersResponse.FromString, - ) + _registered_method=True) self.BatchUpdateOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrdersResponse.FromString, - ) + _registered_method=True) self.PrivilegedExecuteContract = channel.unary_unary( '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContract.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContractResponse.FromString, - ) + _registered_method=True) self.CreateDerivativeLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrderResponse.FromString, - ) + _registered_method=True) self.BatchCreateDerivativeLimitOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrdersResponse.FromString, - ) + _registered_method=True) self.CreateDerivativeMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelDerivativeOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.InstantBinaryOptionsMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunchResponse.FromString, - ) + _registered_method=True) self.CreateBinaryOptionsLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrderResponse.FromString, - ) + _registered_method=True) self.CreateBinaryOptionsMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelBinaryOptionsOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelBinaryOptionsOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrdersResponse.FromString, - ) + _registered_method=True) self.SubaccountTransfer = channel.unary_unary( '/injective.exchange.v1beta1.Msg/SubaccountTransfer', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransfer.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransferResponse.FromString, - ) + _registered_method=True) self.ExternalTransfer = channel.unary_unary( '/injective.exchange.v1beta1.Msg/ExternalTransfer', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransfer.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransferResponse.FromString, - ) + _registered_method=True) self.LiquidatePosition = channel.unary_unary( '/injective.exchange.v1beta1.Msg/LiquidatePosition', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePosition.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePositionResponse.FromString, - ) + _registered_method=True) self.EmergencySettleMarket = channel.unary_unary( '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarketResponse.FromString, - ) + _registered_method=True) self.IncreasePositionMargin = channel.unary_unary( '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, - ) + _registered_method=True) + self.DecreasePositionMargin = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, + _registered_method=True) self.RewardsOptOut = channel.unary_unary( '/injective.exchange.v1beta1.Msg/RewardsOptOut', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOutResponse.FromString, - ) + _registered_method=True) self.AdminUpdateBinaryOptionsMarket = channel.unary_unary( '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, - ) - self.ReclaimLockedFunds = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.exchange.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) + self.UpdateSpotMarket = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, + _registered_method=True) + self.UpdateDerivativeMarket = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, + _registered_method=True) + self.AuthorizeStakeGrants = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, + _registered_method=True) + self.ActivateStakeGrant = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -384,6 +429,13 @@ def IncreasePositionMargin(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DecreasePositionMargin(self, request, context): + """DecreasePositionMargin defines a method for decreasing margin of a position + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def RewardsOptOut(self, request, context): """RewardsOptOut defines a method for opting out of rewards """ @@ -399,14 +451,34 @@ def AdminUpdateBinaryOptionsMarket(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ReclaimLockedFunds(self, request, context): + def UpdateParams(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateSpotMarket(self, request, context): + """UpdateSpotMarket modifies certain spot market fields (admin only) """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateDerivativeMarket(self, request, context): + """UpdateDerivativeMarket modifies certain derivative market fields (admin + only) """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def UpdateParams(self, request, context): + def AuthorizeStakeGrants(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ActivateStakeGrant(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -550,6 +622,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.SerializeToString, ), + 'DecreasePositionMargin': grpc.unary_unary_rpc_method_handler( + servicer.DecreasePositionMargin, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.SerializeToString, + ), 'RewardsOptOut': grpc.unary_unary_rpc_method_handler( servicer.RewardsOptOut, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.FromString, @@ -560,20 +637,36 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.SerializeToString, ), - 'ReclaimLockedFunds': grpc.unary_unary_rpc_method_handler( - servicer.ReclaimLockedFunds, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.SerializeToString, - ), 'UpdateParams': grpc.unary_unary_rpc_method_handler( servicer.UpdateParams, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'UpdateSpotMarket': grpc.unary_unary_rpc_method_handler( + servicer.UpdateSpotMarket, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.SerializeToString, + ), + 'UpdateDerivativeMarket': grpc.unary_unary_rpc_method_handler( + servicer.UpdateDerivativeMarket, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.SerializeToString, + ), + 'AuthorizeStakeGrants': grpc.unary_unary_rpc_method_handler( + servicer.AuthorizeStakeGrants, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.SerializeToString, + ), + 'ActivateStakeGrant': grpc.unary_unary_rpc_method_handler( + servicer.ActivateStakeGrant, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.exchange.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -592,11 +685,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/Deposit', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Withdraw(request, @@ -609,11 +712,21 @@ def Withdraw(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/Withdraw', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/Withdraw', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdraw.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdrawResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantSpotMarketLaunch(request, @@ -626,11 +739,21 @@ def InstantSpotMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantPerpetualMarketLaunch(request, @@ -643,11 +766,21 @@ def InstantPerpetualMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantExpiryFuturesMarketLaunch(request, @@ -660,11 +793,21 @@ def InstantExpiryFuturesMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateSpotLimitOrder(request, @@ -677,11 +820,21 @@ def CreateSpotLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCreateSpotLimitOrders(request, @@ -694,11 +847,21 @@ def BatchCreateSpotLimitOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateSpotMarketOrder(request, @@ -711,11 +874,21 @@ def CreateSpotMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelSpotOrder(request, @@ -728,11 +901,21 @@ def CancelSpotOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelSpotOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelSpotOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelSpotOrders(request, @@ -745,11 +928,21 @@ def BatchCancelSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchUpdateOrders(request, @@ -762,11 +955,21 @@ def BatchUpdateOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrivilegedExecuteContract(request, @@ -779,11 +982,21 @@ def PrivilegedExecuteContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContract.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateDerivativeLimitOrder(request, @@ -796,11 +1009,21 @@ def CreateDerivativeLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCreateDerivativeLimitOrders(request, @@ -813,11 +1036,21 @@ def BatchCreateDerivativeLimitOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateDerivativeMarketOrder(request, @@ -830,11 +1063,21 @@ def CreateDerivativeMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelDerivativeOrder(request, @@ -847,11 +1090,21 @@ def CancelDerivativeOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelDerivativeOrders(request, @@ -864,11 +1117,21 @@ def BatchCancelDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantBinaryOptionsMarketLaunch(request, @@ -881,11 +1144,21 @@ def InstantBinaryOptionsMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateBinaryOptionsLimitOrder(request, @@ -898,11 +1171,21 @@ def CreateBinaryOptionsLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateBinaryOptionsMarketOrder(request, @@ -915,11 +1198,21 @@ def CreateBinaryOptionsMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelBinaryOptionsOrder(request, @@ -932,11 +1225,21 @@ def CancelBinaryOptionsOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelBinaryOptionsOrders(request, @@ -949,11 +1252,21 @@ def BatchCancelBinaryOptionsOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTransfer(request, @@ -966,11 +1279,21 @@ def SubaccountTransfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/SubaccountTransfer', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/SubaccountTransfer', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransfer.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExternalTransfer(request, @@ -983,11 +1306,21 @@ def ExternalTransfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/ExternalTransfer', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/ExternalTransfer', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransfer.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LiquidatePosition(request, @@ -1000,11 +1333,21 @@ def LiquidatePosition(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/LiquidatePosition', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/LiquidatePosition', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePosition.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePositionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EmergencySettleMarket(request, @@ -1017,11 +1360,21 @@ def EmergencySettleMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarket.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncreasePositionMargin(request, @@ -1034,11 +1387,48 @@ def IncreasePositionMargin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DecreasePositionMargin(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RewardsOptOut(request, @@ -1051,11 +1441,21 @@ def RewardsOptOut(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/RewardsOptOut', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/RewardsOptOut', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOutResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AdminUpdateBinaryOptionsMarket(request, @@ -1068,14 +1468,24 @@ def AdminUpdateBinaryOptionsMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def ReclaimLockedFunds(request, + def UpdateParams(request, target, options=(), channel_credentials=None, @@ -1085,14 +1495,24 @@ def ReclaimLockedFunds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/UpdateParams', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def UpdateParams(request, + def UpdateSpotMarket(request, target, options=(), channel_credentials=None, @@ -1102,8 +1522,99 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/UpdateParams', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateDerivativeMarket(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def AuthorizeStakeGrants(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ActivateStakeGrant(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index 8505d39c..6f6d8e4c 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,16 +22,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._options = None + _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._loaded_options = None _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._serialized_options = b'\310\336\037\000' - _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._options = None + _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._options = None + _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._loaded_options = None _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._serialized_options = b'\310\336\037\000' - _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._options = None + _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._loaded_options = None _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._serialized_options = b'\310\336\037\000' _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_start=172 _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=256 diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index 2daafffe..f5f15403 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index 235eb78a..38173148 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._options = None + _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._options = None + _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=142 _globals['_GENESISSTATE']._serialized_end=440 diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index 2daafffe..fe975d23 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index 0c583417..e43d0913 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,34 +17,35 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x9b\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x04\xe8\xa0\x1f\x01\"\xec\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12?\n\x07\x62\x61lance\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x43\n\x0btotal_share\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._options = None + _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._options = None + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\020insurance/Params' + _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\037(yaml:\"redemption_notice_period_duration\"\230\337\037\001' - _globals['_INSURANCEFUND'].fields_by_name['balance']._options = None - _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_INSURANCEFUND'].fields_by_name['total_share']._options = None - _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._loaded_options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_INSURANCEFUND'].fields_by_name['total_share']._loaded_options = None + _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._serialized_options = b'\310\336\037\000\362\336\037 yaml:\"claimable_redemption_time\"\220\337\037\001' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._serialized_start=235 - _globals['_PARAMS']._serialized_end=390 - _globals['_INSURANCEFUND']._serialized_start=393 - _globals['_INSURANCEFUND']._serialized_end=885 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=888 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1125 + _globals['_PARAMS']._serialized_start=254 + _globals['_PARAMS']._serialized_end=430 + _globals['_INSURANCEFUND']._serialized_start=433 + _globals['_INSURANCEFUND']._serialized_end=891 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 2daafffe..31b5576f 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index 7a333c93..ef78d6b9 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,28 +24,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._options = None + _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._loaded_options = None _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._serialized_options = b'\310\336\037\000' - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['InsuranceParams']._options = None + _globals['_QUERY'].methods_by_name['InsuranceParams']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceParams']._serialized_options = b'\202\323\344\223\002%\022#/injective/insurance/v1beta1/params' - _globals['_QUERY'].methods_by_name['InsuranceFund']._options = None + _globals['_QUERY'].methods_by_name['InsuranceFund']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceFund']._serialized_options = b'\202\323\344\223\0029\0227/injective/insurance/v1beta1/insurance_fund/{market_id}' - _globals['_QUERY'].methods_by_name['InsuranceFunds']._options = None + _globals['_QUERY'].methods_by_name['InsuranceFunds']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceFunds']._serialized_options = b'\202\323\344\223\002.\022,/injective/insurance/v1beta1/insurance_funds' - _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._options = None + _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._loaded_options = None _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._serialized_options = b'\202\323\344\223\0024\0222/injective/insurance/v1beta1/estimated_redemptions' - _globals['_QUERY'].methods_by_name['PendingRedemptions']._options = None + _globals['_QUERY'].methods_by_name['PendingRedemptions']._loaded_options = None _globals['_QUERY'].methods_by_name['PendingRedemptions']._serialized_options = b'\202\323\344\223\0022\0220/injective/insurance/v1beta1/pending_redemptions' - _globals['_QUERY'].methods_by_name['InsuranceModuleState']._options = None + _globals['_QUERY'].methods_by_name['InsuranceModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceModuleState']._serialized_options = b'\202\323\344\223\002+\022)/injective/insurance/v1beta1/module_state' _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_start=244 _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_end=273 diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index 32065c17..4f64c30b 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.insurance.v1beta1.Query/InsuranceParams', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsResponse.FromString, - ) + _registered_method=True) self.InsuranceFund = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceFund', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundResponse.FromString, - ) + _registered_method=True) self.InsuranceFunds = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceFunds', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsResponse.FromString, - ) + _registered_method=True) self.EstimatedRedemptions = channel.unary_unary( '/injective.insurance.v1beta1.Query/EstimatedRedemptions', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsResponse.FromString, - ) + _registered_method=True) self.PendingRedemptions = channel.unary_unary( '/injective.insurance.v1beta1.Query/PendingRedemptions', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsResponse.FromString, - ) + _registered_method=True) self.InsuranceModuleState = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceModuleState', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -131,6 +156,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.insurance.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.insurance.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -149,11 +175,21 @@ def InsuranceParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceParams', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceFund(request, @@ -166,11 +202,21 @@ def InsuranceFund(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceFund', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceFund', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceFunds(request, @@ -183,11 +229,21 @@ def InsuranceFunds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceFunds', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceFunds', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EstimatedRedemptions(request, @@ -200,11 +256,21 @@ def EstimatedRedemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/EstimatedRedemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/EstimatedRedemptions', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PendingRedemptions(request, @@ -217,11 +283,21 @@ def PendingRedemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/PendingRedemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/PendingRedemptions', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceModuleState(request, @@ -234,8 +310,18 @@ def InsuranceModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceModuleState', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index ab3b343f..3fee662a 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,50 +18,53 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x92\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgCreateInsuranceFundResponse\"y\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgUnderwriteResponse\"\x7f\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgRequestRedemptionResponse\"\x89\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf5\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponseBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._options = None + _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEINSURANCEFUND']._options = None - _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._options = None + _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None + _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* insurance/MsgCreateInsuranceFund' + _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGUNDERWRITE']._options = None - _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._options = None + _globals['_MSGUNDERWRITE']._loaded_options = None + _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\027insurance/MsgUnderwrite' + _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._loaded_options = None _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGREQUESTREDEMPTION']._options = None - _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGREQUESTREDEMPTION']._loaded_options = None + _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\036insurance/MsgRequestRedemption' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEINSURANCEFUND']._serialized_start=260 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=534 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=536 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=568 - _globals['_MSGUNDERWRITE']._serialized_start=570 - _globals['_MSGUNDERWRITE']._serialized_end=691 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=693 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=716 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=718 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=845 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=847 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=877 - _globals['_MSGUPDATEPARAMS']._serialized_start=880 - _globals['_MSGUPDATEPARAMS']._serialized_end=1017 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1019 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1044 - _globals['_MSG']._serialized_start=1047 - _globals['_MSG']._serialized_end=1548 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\031insurance/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 + _globals['_MSGUNDERWRITE']._serialized_start=627 + _globals['_MSGUNDERWRITE']._serialized_end=776 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 + _globals['_MSGUPDATEPARAMS']._serialized_start=1001 + _globals['_MSGUPDATEPARAMS']._serialized_end=1168 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 + _globals['_MSG']._serialized_start=1198 + _globals['_MSG']._serialized_end=1706 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index 82b9066c..da5f0eac 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the insurance Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFund.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFundResponse.FromString, - ) + _registered_method=True) self.Underwrite = channel.unary_unary( '/injective.insurance.v1beta1.Msg/Underwrite', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwrite.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwriteResponse.FromString, - ) + _registered_method=True) self.RequestRedemption = channel.unary_unary( '/injective.insurance.v1beta1.Msg/RequestRedemption', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemption.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemptionResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.insurance.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -97,6 +122,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.insurance.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.insurance.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +141,21 @@ def CreateInsuranceFund(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFund.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Underwrite(request, @@ -132,11 +168,21 @@ def Underwrite(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/Underwrite', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/Underwrite', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwrite.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwriteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestRedemption(request, @@ -149,11 +195,21 @@ def RequestRedemption(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/RequestRedemption', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/RequestRedemption', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemption.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemptionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -166,8 +222,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/UpdateParams', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index 259074e6..9ad402fa 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_REWARDPOOL'].fields_by_name['amount']._options = None + _globals['_REWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_REWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=150 _globals['_GENESISSTATE']._serialized_end=771 diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 2daafffe..9240f0ba 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 07adf6bf..969ed49a 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/ocr.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,98 +16,99 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"W\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xb0\x03\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x42\n\nmin_answer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\x92\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd0\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x42\n\nmin_answer\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xdf\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x8e\x01\n\x0cTransmission\x12>\n\x06\x61nswer\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"\x81\x01\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x44\n\x0cobservations\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\x12\x45ventAnswerUpdated\x12?\n\x07\x63urrent\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12@\n\x08round_id\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x9f\x01\n\rEventNewRound\x12@\n\x08round_id\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xe8\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12>\n\x06\x61nswer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x44\n\x0cobservations\x18\x06 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.ocr_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_MODULEPARAMS'].fields_by_name['min_answer']._options = None - _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MODULEPARAMS'].fields_by_name['max_answer']._options = None - _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_SETCONFIGPROPOSAL']._options = None - _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._options = None - _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._options = None - _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_SETBATCHCONFIGPROPOSAL']._options = None - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRANSMISSION'].fields_by_name['answer']._options = None - _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_REPORT'].fields_by_name['observations']._options = None - _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTORACLEPAID'].fields_by_name['amount']._options = None + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' + _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None + _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MODULEPARAMS'].fields_by_name['max_answer']._loaded_options = None + _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._loaded_options = None + _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._loaded_options = None + _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_SETCONFIGPROPOSAL']._loaded_options = None + _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\025ocr/SetConfigProposal' + _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._loaded_options = None + _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._loaded_options = None + _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._loaded_options = None + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._loaded_options = None + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_SETBATCHCONFIGPROPOSAL']._loaded_options = None + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\032ocr/SetBatchConfigProposal' + _globals['_TRANSMISSION'].fields_by_name['answer']._loaded_options = None + _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_REPORT'].fields_by_name['observations']._loaded_options = None + _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTORACLEPAID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTORACLEPAID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._loaded_options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._loaded_options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVENTNEWROUND'].fields_by_name['round_id']._options = None - _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTNEWROUND'].fields_by_name['started_at']._options = None + _globals['_EVENTNEWROUND'].fields_by_name['round_id']._loaded_options = None + _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTNEWROUND'].fields_by_name['started_at']._loaded_options = None _globals['_EVENTNEWROUND'].fields_by_name['started_at']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._serialized_start=172 - _globals['_PARAMS']._serialized_end=259 - _globals['_FEEDCONFIG']._serialized_start=262 - _globals['_FEEDCONFIG']._serialized_end=466 - _globals['_FEEDCONFIGINFO']._serialized_start=468 - _globals['_FEEDCONFIGINFO']._serialized_end=594 - _globals['_MODULEPARAMS']._serialized_start=597 - _globals['_MODULEPARAMS']._serialized_end=1029 - _globals['_CONTRACTCONFIG']._serialized_start=1032 - _globals['_CONTRACTCONFIG']._serialized_end=1202 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1205 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1351 - _globals['_FEEDPROPERTIES']._serialized_start=1354 - _globals['_FEEDPROPERTIES']._serialized_end=1818 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1821 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2044 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2046 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2088 - _globals['_GASREIMBURSEMENTS']._serialized_start=2090 - _globals['_GASREIMBURSEMENTS']._serialized_end=2160 - _globals['_PAYEE']._serialized_start=2162 - _globals['_PAYEE']._serialized_end=2217 - _globals['_TRANSMISSION']._serialized_start=2220 - _globals['_TRANSMISSION']._serialized_end=2362 - _globals['_EPOCHANDROUND']._serialized_start=2364 - _globals['_EPOCHANDROUND']._serialized_end=2409 - _globals['_REPORT']._serialized_start=2412 - _globals['_REPORT']._serialized_end=2541 - _globals['_REPORTTOSIGN']._serialized_start=2543 - _globals['_REPORTTOSIGN']._serialized_end=2646 - _globals['_EVENTORACLEPAID']._serialized_start=2648 - _globals['_EVENTORACLEPAID']._serialized_end=2760 - _globals['_EVENTANSWERUPDATED']._serialized_start=2763 - _globals['_EVENTANSWERUPDATED']._serialized_end=2972 - _globals['_EVENTNEWROUND']._serialized_start=2975 - _globals['_EVENTNEWROUND']._serialized_end=3134 - _globals['_EVENTTRANSMITTED']._serialized_start=3136 - _globals['_EVENTTRANSMITTED']._serialized_end=3192 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=3195 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=3555 - _globals['_EVENTCONFIGSET']._serialized_start=3558 - _globals['_EVENTCONFIGSET']._serialized_end=3746 + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._loaded_options = None + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS']._serialized_start=191 + _globals['_PARAMS']._serialized_end=293 + _globals['_FEEDCONFIG']._serialized_start=296 + _globals['_FEEDCONFIG']._serialized_end=500 + _globals['_FEEDCONFIGINFO']._serialized_start=502 + _globals['_FEEDCONFIGINFO']._serialized_end=628 + _globals['_MODULEPARAMS']._serialized_start=631 + _globals['_MODULEPARAMS']._serialized_end=1007 + _globals['_CONTRACTCONFIG']._serialized_start=1010 + _globals['_CONTRACTCONFIG']._serialized_end=1180 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 + _globals['_FEEDPROPERTIES']._serialized_start=1358 + _globals['_FEEDPROPERTIES']._serialized_end=1766 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 + _globals['_GASREIMBURSEMENTS']._serialized_start=2069 + _globals['_GASREIMBURSEMENTS']._serialized_end=2139 + _globals['_PAYEE']._serialized_start=2141 + _globals['_PAYEE']._serialized_end=2196 + _globals['_TRANSMISSION']._serialized_start=2199 + _globals['_TRANSMISSION']._serialized_end=2330 + _globals['_EPOCHANDROUND']._serialized_start=2332 + _globals['_EPOCHANDROUND']._serialized_end=2377 + _globals['_REPORT']._serialized_start=2379 + _globals['_REPORT']._serialized_end=2497 + _globals['_REPORTTOSIGN']._serialized_start=2499 + _globals['_REPORTTOSIGN']._serialized_end=2602 + _globals['_EVENTORACLEPAID']._serialized_start=2604 + _globals['_EVENTORACLEPAID']._serialized_end=2716 + _globals['_EVENTANSWERUPDATED']._serialized_start=2719 + _globals['_EVENTANSWERUPDATED']._serialized_end=2894 + _globals['_EVENTNEWROUND']._serialized_start=2897 + _globals['_EVENTNEWROUND']._serialized_end=3039 + _globals['_EVENTTRANSMITTED']._serialized_start=3041 + _globals['_EVENTTRANSMITTED']._serialized_end=3097 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 + _globals['_EVENTCONFIGSET']._serialized_start=3441 + _globals['_EVENTCONFIGSET']._serialized_end=3629 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 2daafffe..73cf0672 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index 6203db59..28395594 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,26 +24,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\037\022\035/chainlink/ocr/v1beta1/params' - _globals['_QUERY'].methods_by_name['FeedConfig']._options = None + _globals['_QUERY'].methods_by_name['FeedConfig']._loaded_options = None _globals['_QUERY'].methods_by_name['FeedConfig']._serialized_options = b'\202\323\344\223\002.\022,/chainlink/ocr/v1beta1/feed_config/{feed_id}' - _globals['_QUERY'].methods_by_name['FeedConfigInfo']._options = None + _globals['_QUERY'].methods_by_name['FeedConfigInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['FeedConfigInfo']._serialized_options = b'\202\323\344\223\0023\0221/chainlink/ocr/v1beta1/feed_config_info/{feed_id}' - _globals['_QUERY'].methods_by_name['LatestRound']._options = None + _globals['_QUERY'].methods_by_name['LatestRound']._loaded_options = None _globals['_QUERY'].methods_by_name['LatestRound']._serialized_options = b'\202\323\344\223\002/\022-/chainlink/ocr/v1beta1/latest_round/{feed_id}' - _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._options = None + _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._loaded_options = None _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._serialized_options = b'\202\323\344\223\002>\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for OCR module. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.ocr.v1beta1.Query/Params', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.FeedConfig = channel.unary_unary( '/injective.ocr.v1beta1.Query/FeedConfig', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigResponse.FromString, - ) + _registered_method=True) self.FeedConfigInfo = channel.unary_unary( '/injective.ocr.v1beta1.Query/FeedConfigInfo', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoResponse.FromString, - ) + _registered_method=True) self.LatestRound = channel.unary_unary( '/injective.ocr.v1beta1.Query/LatestRound', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundResponse.FromString, - ) + _registered_method=True) self.LatestTransmissionDetails = channel.unary_unary( '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsResponse.FromString, - ) + _registered_method=True) self.OwedAmount = channel.unary_unary( '/injective.ocr.v1beta1.Query/OwedAmount', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountResponse.FromString, - ) + _registered_method=True) self.OcrModuleState = channel.unary_unary( '/injective.ocr.v1beta1.Query/OcrModuleState', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -147,6 +172,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.ocr.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.ocr.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -165,11 +191,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/Params', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeedConfig(request, @@ -182,11 +218,21 @@ def FeedConfig(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/FeedConfig', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/FeedConfig', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeedConfigInfo(request, @@ -199,11 +245,21 @@ def FeedConfigInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/FeedConfigInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/FeedConfigInfo', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LatestRound(request, @@ -216,11 +272,21 @@ def LatestRound(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/LatestRound', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/LatestRound', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LatestTransmissionDetails(request, @@ -233,11 +299,21 @@ def LatestTransmissionDetails(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OwedAmount(request, @@ -250,11 +326,21 @@ def OwedAmount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/OwedAmount', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/OwedAmount', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OcrModuleState(request, @@ -267,8 +353,18 @@ def OcrModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/OcrModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/OcrModuleState', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index 2085e04f..4b626d2e 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,82 +17,85 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\"g\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgCreateFeedResponse\"\xc8\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12L\n\x14link_per_observation\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgUpdateFeedResponse\"\xd9\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:\x18\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\"\x15\n\x13MsgTransmitResponse\"~\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\x82\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"#\n!MsgWithdrawFeedRewardPoolResponse\"j\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x16\n\x14MsgSetPayeesResponse\"s\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgTransferPayeeshipResponse\"c\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:\x18\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x83\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xd5\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponseBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"}\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xbc\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12;\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xed\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\x9c\x01\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xa4\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\x7f\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\x90\x01\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"~\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x9b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42KZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_MSGCREATEFEED']._options = None - _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._options = None - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._options = None - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED']._options = None - _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSMIT']._options = None - _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGCREATEFEED']._loaded_options = None + _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgCreateFeed' + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037\025cosmossdk.io/math.Int' + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._loaded_options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037\025cosmossdk.io/math.Int' + _globals['_MSGUPDATEFEED']._loaded_options = None + _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgUpdateFeed' + _globals['_MSGTRANSMIT']._loaded_options = None + _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter\212\347\260*\017ocr/MsgTransmit' + _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGFUNDFEEDREWARDPOOL']._options = None - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGFUNDFEEDREWARDPOOL']._loaded_options = None + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031ocr/MsgFundFeedRewardPool' + _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._options = None - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGSETPAYEES']._options = None - _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSFERPAYEESHIP']._options = None - _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGACCEPTPAYEESHIP']._options = None - _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._loaded_options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035ocr/MsgWithdrawFeedRewardPool' + _globals['_MSGSETPAYEES']._loaded_options = None + _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\020ocr/MsgSetPayees' + _globals['_MSGTRANSFERPAYEESHIP']._loaded_options = None + _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\030ocr/MsgTransferPayeeship' + _globals['_MSGACCEPTPAYEESHIP']._loaded_options = None + _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter\212\347\260*\026ocr/MsgAcceptPayeeship' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEFEED']._serialized_start=196 - _globals['_MSGCREATEFEED']._serialized_end=299 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=301 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=324 - _globals['_MSGUPDATEFEED']._serialized_start=327 - _globals['_MSGUPDATEFEED']._serialized_end=655 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=657 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=680 - _globals['_MSGTRANSMIT']._serialized_start=683 - _globals['_MSGTRANSMIT']._serialized_end=900 - _globals['_MSGTRANSMITRESPONSE']._serialized_start=902 - _globals['_MSGTRANSMITRESPONSE']._serialized_end=923 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=925 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1051 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1053 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1084 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1087 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1217 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1219 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1254 - _globals['_MSGSETPAYEES']._serialized_start=1256 - _globals['_MSGSETPAYEES']._serialized_end=1362 - _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1364 - _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1386 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1388 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1503 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1505 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1535 - _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1537 - _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1636 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1638 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1666 - _globals['_MSGUPDATEPARAMS']._serialized_start=1669 - _globals['_MSGUPDATEPARAMS']._serialized_end=1800 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1802 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1827 - _globals['_MSG']._serialized_start=1830 - _globals['_MSG']._serialized_end=2811 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\023ocr/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEFEED']._serialized_start=215 + _globals['_MSGCREATEFEED']._serialized_end=340 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=342 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=365 + _globals['_MSGUPDATEFEED']._serialized_start=368 + _globals['_MSGUPDATEFEED']._serialized_end=684 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=686 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=709 + _globals['_MSGTRANSMIT']._serialized_start=712 + _globals['_MSGTRANSMIT']._serialized_end=949 + _globals['_MSGTRANSMITRESPONSE']._serialized_start=951 + _globals['_MSGTRANSMITRESPONSE']._serialized_end=972 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=975 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1131 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1133 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1164 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1167 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1331 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1333 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1368 + _globals['_MSGSETPAYEES']._serialized_start=1370 + _globals['_MSGSETPAYEES']._serialized_end=1497 + _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1499 + _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1521 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1524 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1668 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1670 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1700 + _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1702 + _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1828 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1830 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1858 + _globals['_MSGUPDATEPARAMS']._serialized_start=1861 + _globals['_MSGUPDATEPARAMS']._serialized_end=2016 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2018 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2043 + _globals['_MSG']._serialized_start=2046 + _globals['_MSG']._serialized_end=3034 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index 75c42929..4ec7196f 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.ocr.v1beta1 import tx_pb2 as injective_dot_ocr_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the OCR Msg service. @@ -19,47 +44,47 @@ def __init__(self, channel): '/injective.ocr.v1beta1.Msg/CreateFeed', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeed.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeedResponse.FromString, - ) + _registered_method=True) self.UpdateFeed = channel.unary_unary( '/injective.ocr.v1beta1.Msg/UpdateFeed', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeed.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeedResponse.FromString, - ) + _registered_method=True) self.Transmit = channel.unary_unary( '/injective.ocr.v1beta1.Msg/Transmit', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmit.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmitResponse.FromString, - ) + _registered_method=True) self.FundFeedRewardPool = channel.unary_unary( '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPool.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPoolResponse.FromString, - ) + _registered_method=True) self.WithdrawFeedRewardPool = channel.unary_unary( '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPool.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPoolResponse.FromString, - ) + _registered_method=True) self.SetPayees = channel.unary_unary( '/injective.ocr.v1beta1.Msg/SetPayees', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayees.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayeesResponse.FromString, - ) + _registered_method=True) self.TransferPayeeship = channel.unary_unary( '/injective.ocr.v1beta1.Msg/TransferPayeeship', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeship.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeshipResponse.FromString, - ) + _registered_method=True) self.AcceptPayeeship = channel.unary_unary( '/injective.ocr.v1beta1.Msg/AcceptPayeeship', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeship.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeshipResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.ocr.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -184,6 +209,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.ocr.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.ocr.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -202,11 +228,21 @@ def CreateFeed(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/CreateFeed', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/CreateFeed', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeed.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateFeed(request, @@ -219,11 +255,21 @@ def UpdateFeed(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/UpdateFeed', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/UpdateFeed', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeed.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Transmit(request, @@ -236,11 +282,21 @@ def Transmit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/Transmit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/Transmit', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmit.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundFeedRewardPool(request, @@ -253,11 +309,21 @@ def FundFeedRewardPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPool.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawFeedRewardPool(request, @@ -270,11 +336,21 @@ def WithdrawFeedRewardPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPool.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetPayees(request, @@ -287,11 +363,21 @@ def SetPayees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/SetPayees', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/SetPayees', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayees.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TransferPayeeship(request, @@ -304,11 +390,21 @@ def TransferPayeeship(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/TransferPayeeship', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/TransferPayeeship', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeship.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeshipResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AcceptPayeeship(request, @@ -321,11 +417,21 @@ def AcceptPayeeship(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/AcceptPayeeship', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/AcceptPayeeship', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeship.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeshipResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -338,8 +444,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/UpdateParams', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index 92c728b3..c848c23f 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,44 +17,44 @@ from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"|\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12>\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x9d\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xb5\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12>\n\x06prices\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"\x85\x01\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x89\x01\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"y\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"q\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x92\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xaa\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\x33\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"z\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"~\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"n\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._options = None - _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._options = None - _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._options = None - _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._options = None - _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._options = None - _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._options = None - _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None + _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None + _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._loaded_options = None + _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._loaded_options = None + _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._loaded_options = None + _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None + _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 - _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=284 - _globals['_SETBANDPRICEEVENT']._serialized_start=287 - _globals['_SETBANDPRICEEVENT']._serialized_end=444 - _globals['_SETBANDIBCPRICEEVENT']._serialized_start=447 - _globals['_SETBANDIBCPRICEEVENT']._serialized_end=628 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=630 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=693 - _globals['_EVENTBANDIBCACKERROR']._serialized_start=695 - _globals['_EVENTBANDIBCACKERROR']._serialized_end=755 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=757 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=805 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=808 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=941 - _globals['_SETPROVIDERPRICEEVENT']._serialized_start=944 - _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1081 - _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1083 - _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1204 - _globals['_EVENTSETPYTHPRICES']._serialized_start=1206 - _globals['_EVENTSETPYTHPRICES']._serialized_end=1284 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=273 + _globals['_SETBANDPRICEEVENT']._serialized_start=276 + _globals['_SETBANDPRICEEVENT']._serialized_end=422 + _globals['_SETBANDIBCPRICEEVENT']._serialized_start=425 + _globals['_SETBANDIBCPRICEEVENT']._serialized_end=595 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=597 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=660 + _globals['_EVENTBANDIBCACKERROR']._serialized_start=662 + _globals['_EVENTBANDIBCACKERROR']._serialized_end=722 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=724 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=772 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=774 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=896 + _globals['_SETPROVIDERPRICEEVENT']._serialized_start=898 + _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1024 + _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1026 + _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1136 + _globals['_EVENTSETPYTHPRICES']._serialized_start=1138 + _globals['_EVENTSETPYTHPRICES']._serialized_end=1216 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 2daafffe..879f7df6 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py index 7ceafb6c..fb74d6ae 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=130 _globals['_GENESISSTATE']._serialized_end=1095 diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 2daafffe..1234a6d3 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 1d543833..7667b51e 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,98 +14,99 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"%\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x04\xe8\xa0\x1f\x01\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xba\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12>\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xc9\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12<\n\x04rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"O\n\x0ePriceFeedPrice\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\nPriceState\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\xbc\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x41\n\tema_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x65ma_conf\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04\x63onf\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"_\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xbf\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12<\n\x04mean\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04twap\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x41\n\tmin_price\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x41\n\tmax_price\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cmedian_price\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"7\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xaf\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xb8\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12+\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"D\n\x0ePriceFeedPrice\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x92\x01\n\nPriceState\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\x9b\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x36\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"T\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x88\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12\x31\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x36\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x36\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._options = None - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDPRICESTATE'].fields_by_name['rate']._options = None - _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_BANDPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._loaded_options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_BANDPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._options = None - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICESTATE'].fields_by_name['price']._options = None - _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._options = None - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._options = None - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None + _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._loaded_options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._loaded_options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._loaded_options = None + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._options = None + _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._loaded_options = None _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PRICERECORD'].fields_by_name['price']._options = None - _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['mean']._options = None - _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['twap']._options = None - _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._options = None - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._options = None - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._options = None - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORACLETYPE']._serialized_start=3375 - _globals['_ORACLETYPE']._serialized_end=3534 - _globals['_PARAMS']._serialized_start=121 - _globals['_PARAMS']._serialized_end=158 - _globals['_ORACLEINFO']._serialized_start=160 - _globals['_ORACLEINFO']._serialized_end=247 - _globals['_CHAINLINKPRICESTATE']._serialized_start=250 - _globals['_CHAINLINKPRICESTATE']._serialized_end=436 - _globals['_BANDPRICESTATE']._serialized_start=439 - _globals['_BANDPRICESTATE']._serialized_end=640 - _globals['_PRICEFEEDSTATE']._serialized_start=642 - _globals['_PRICEFEEDSTATE']._serialized_end=764 - _globals['_PROVIDERINFO']._serialized_start=766 - _globals['_PROVIDERINFO']._serialized_end=816 - _globals['_PROVIDERSTATE']._serialized_start=819 - _globals['_PROVIDERSTATE']._serialized_end=974 - _globals['_PROVIDERPRICESTATE']._serialized_start=976 - _globals['_PROVIDERPRICESTATE']._serialized_end=1065 - _globals['_PRICEFEEDINFO']._serialized_start=1067 - _globals['_PRICEFEEDINFO']._serialized_end=1111 - _globals['_PRICEFEEDPRICE']._serialized_start=1113 - _globals['_PRICEFEEDPRICE']._serialized_end=1192 - _globals['_COINBASEPRICESTATE']._serialized_start=1195 - _globals['_COINBASEPRICESTATE']._serialized_end=1341 - _globals['_PRICESTATE']._serialized_start=1344 - _globals['_PRICESTATE']._serialized_end=1512 - _globals['_PYTHPRICESTATE']._serialized_start=1515 - _globals['_PYTHPRICESTATE']._serialized_end=1831 - _globals['_BANDORACLEREQUEST']._serialized_start=1834 - _globals['_BANDORACLEREQUEST']._serialized_end=2118 - _globals['_BANDIBCPARAMS']._serialized_start=2121 - _globals['_BANDIBCPARAMS']._serialized_end=2289 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2291 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2405 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=2407 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=2507 - _globals['_PRICERECORDS']._serialized_start=2510 - _globals['_PRICERECORDS']._serialized_end=2666 - _globals['_PRICERECORD']._serialized_start=2668 - _globals['_PRICERECORD']._serialized_end=2763 - _globals['_METADATASTATISTICS']._serialized_start=2766 - _globals['_METADATASTATISTICS']._serialized_end=3213 - _globals['_PRICEATTESTATION']._serialized_start=3216 - _globals['_PRICEATTESTATION']._serialized_end=3372 + _globals['_PRICERECORD'].fields_by_name['price']._loaded_options = None + _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_METADATASTATISTICS'].fields_by_name['mean']._loaded_options = None + _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_METADATASTATISTICS'].fields_by_name['twap']._loaded_options = None + _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._loaded_options = None + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._loaded_options = None + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLETYPE']._serialized_start=3252 + _globals['_ORACLETYPE']._serialized_end=3411 + _globals['_PARAMS']._serialized_start=140 + _globals['_PARAMS']._serialized_end=195 + _globals['_ORACLEINFO']._serialized_start=197 + _globals['_ORACLEINFO']._serialized_end=284 + _globals['_CHAINLINKPRICESTATE']._serialized_start=287 + _globals['_CHAINLINKPRICESTATE']._serialized_end=462 + _globals['_BANDPRICESTATE']._serialized_start=465 + _globals['_BANDPRICESTATE']._serialized_end=649 + _globals['_PRICEFEEDSTATE']._serialized_start=651 + _globals['_PRICEFEEDSTATE']._serialized_end=773 + _globals['_PROVIDERINFO']._serialized_start=775 + _globals['_PROVIDERINFO']._serialized_end=825 + _globals['_PROVIDERSTATE']._serialized_start=828 + _globals['_PROVIDERSTATE']._serialized_end=983 + _globals['_PROVIDERPRICESTATE']._serialized_start=985 + _globals['_PROVIDERPRICESTATE']._serialized_end=1074 + _globals['_PRICEFEEDINFO']._serialized_start=1076 + _globals['_PRICEFEEDINFO']._serialized_end=1120 + _globals['_PRICEFEEDPRICE']._serialized_start=1122 + _globals['_PRICEFEEDPRICE']._serialized_end=1190 + _globals['_COINBASEPRICESTATE']._serialized_start=1193 + _globals['_COINBASEPRICESTATE']._serialized_end=1339 + _globals['_PRICESTATE']._serialized_start=1342 + _globals['_PRICESTATE']._serialized_end=1488 + _globals['_PYTHPRICESTATE']._serialized_start=1491 + _globals['_PYTHPRICESTATE']._serialized_end=1774 + _globals['_BANDORACLEREQUEST']._serialized_start=1777 + _globals['_BANDORACLEREQUEST']._serialized_end=2061 + _globals['_BANDIBCPARAMS']._serialized_start=2064 + _globals['_BANDIBCPARAMS']._serialized_end=2232 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 + _globals['_PRICERECORDS']._serialized_start=2453 + _globals['_PRICERECORDS']._serialized_end=2609 + _globals['_PRICERECORD']._serialized_start=2611 + _globals['_PRICERECORD']._serialized_end=2695 + _globals['_METADATASTATISTICS']._serialized_start=2698 + _globals['_METADATASTATISTICS']._serialized_end=3090 + _globals['_PRICEATTESTATION']._serialized_start=3093 + _globals['_PRICEATTESTATION']._serialized_end=3249 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 2daafffe..893bb41b 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index 9d3b82e6..ce151115 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,54 +16,55 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x80\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x81\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9e\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x91\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9f\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb4\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xab\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._options = None - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._options = None - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._options = None - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._options = None - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._options = None - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._options = None - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/RevokeBandOraclePrivilegeProposal' + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/GrantPriceFeederPrivilegeProposal' + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*%oracle/GrantProviderPrivilegeProposal' + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/RevokeProviderPrivilegeProposal' + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/RevokePriceFeederPrivilegeProposal' + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._serialized_options = b'\310\336\037\000' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._options = None - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._options = None - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._loaded_options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/AuthorizeBandOracleRequestProposal' + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._loaded_options = None + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/UpdateBandOracleRequestProposal' + _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' - _globals['_ENABLEBANDIBCPROPOSAL']._options = None - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=190 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=318 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=321 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=450 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=453 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=611 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=614 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=758 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=761 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=906 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=909 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1068 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1071 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1251 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1254 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1467 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1470 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=1641 + _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index 2daafffe..bbfd8d96 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 4c62e164..30a67483 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,57 +18,59 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xe3\x01\n\x1dQueryOracleVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"q\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\"\xad\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nbase_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bquote_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12M\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16quote_cumulative_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._options = None - _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None + _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._loaded_options = None + _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._serialized_options = b'\310\336\037\001' + _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._loaded_options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._loaded_options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._loaded_options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._loaded_options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._loaded_options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\"\022 /injective/oracle/v1beta1/params' - _globals['_QUERY'].methods_by_name['BandRelayers']._options = None + _globals['_QUERY'].methods_by_name['BandRelayers']._loaded_options = None _globals['_QUERY'].methods_by_name['BandRelayers']._serialized_options = b'\202\323\344\223\002)\022\'/injective/oracle/v1beta1/band_relayers' - _globals['_QUERY'].methods_by_name['BandPriceStates']._options = None + _globals['_QUERY'].methods_by_name['BandPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['BandPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/band_price_states' - _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._options = None + _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/band_ibc_price_states' - _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._options = None + _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._serialized_options = b'\202\323\344\223\0022\0220/injective/oracle/v1beta1/pricefeed_price_states' - _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._options = None + _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/coinbase_price_states' - _globals['_QUERY'].methods_by_name['PythPriceStates']._options = None + _globals['_QUERY'].methods_by_name['PythPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/pyth_price_states' - _globals['_QUERY'].methods_by_name['ProviderPriceState']._options = None + _globals['_QUERY'].methods_by_name['ProviderPriceState']._loaded_options = None _globals['_QUERY'].methods_by_name['ProviderPriceState']._serialized_options = b'\202\323\344\223\002D\022B/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}' - _globals['_QUERY'].methods_by_name['OracleModuleState']._options = None + _globals['_QUERY'].methods_by_name['OracleModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleModuleState']._serialized_options = b'\202\323\344\223\002(\022&/injective/oracle/v1beta1/module_state' - _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._options = None + _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._loaded_options = None _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._serialized_options = b'\202\323\344\223\0024\0222/injective/oracle/v1beta1/historical_price_records' - _globals['_QUERY'].methods_by_name['OracleVolatility']._options = None + _globals['_QUERY'].methods_by_name['OracleVolatility']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleVolatility']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/volatility' - _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._options = None + _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._serialized_options = b'\202\323\344\223\002%\022#/injective/oracle/v1beta1/providers' - _globals['_QUERY'].methods_by_name['OracleProviderPrices']._options = None + _globals['_QUERY'].methods_by_name['OracleProviderPrices']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleProviderPrices']._serialized_options = b'\202\323\344\223\002+\022)/injective/oracle/v1beta1/provider_prices' - _globals['_QUERY'].methods_by_name['OraclePrice']._options = None + _globals['_QUERY'].methods_by_name['OraclePrice']._loaded_options = None _globals['_QUERY'].methods_by_name['OraclePrice']._serialized_options = b'\202\323\344\223\002!\022\037/injective/oracle/v1beta1/price' - _globals['_QUERY'].methods_by_name['PythPrice']._options = None + _globals['_QUERY'].methods_by_name['PythPrice']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPrice']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/pyth_price' _globals['_QUERYPYTHPRICEREQUEST']._serialized_start=197 _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=238 @@ -119,21 +121,23 @@ _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2205 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2207 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2240 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2242 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2335 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2337 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2389 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2391 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2490 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2492 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2605 - _globals['_PRICEPAIRSTATE']._serialized_start=2608 - _globals['_PRICEPAIRSTATE']._serialized_end=3037 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3039 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3133 - _globals['_QUERY']._serialized_start=3136 - _globals['_QUERY']._serialized_end=5914 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 + _globals['_SCALINGOPTIONS']._serialized_start=2481 + _globals['_SCALINGOPTIONS']._serialized_end=2544 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 + _globals['_PRICEPAIRSTATE']._serialized_start=2736 + _globals['_PRICEPAIRSTATE']._serialized_end=3110 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 + _globals['_QUERY']._serialized_start=3209 + _globals['_QUERY']._serialized_end=5987 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index fcb3f81a..6f1d76bd 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,77 +44,77 @@ def __init__(self, channel): '/injective.oracle.v1beta1.Query/Params', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.BandRelayers = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandRelayers', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersResponse.FromString, - ) + _registered_method=True) self.BandPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesResponse.FromString, - ) + _registered_method=True) self.BandIBCPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandIBCPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesResponse.FromString, - ) + _registered_method=True) self.PriceFeedPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesResponse.FromString, - ) + _registered_method=True) self.CoinbasePriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/CoinbasePriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesResponse.FromString, - ) + _registered_method=True) self.PythPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/PythPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, - ) + _registered_method=True) self.ProviderPriceState = channel.unary_unary( '/injective.oracle.v1beta1.Query/ProviderPriceState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateResponse.FromString, - ) + _registered_method=True) self.OracleModuleState = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleModuleState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.HistoricalPriceRecords = channel.unary_unary( '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsResponse.FromString, - ) + _registered_method=True) self.OracleVolatility = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleVolatility', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityResponse.FromString, - ) + _registered_method=True) self.OracleProvidersInfo = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleProvidersInfo', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoResponse.FromString, - ) + _registered_method=True) self.OracleProviderPrices = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleProviderPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesResponse.FromString, - ) + _registered_method=True) self.OraclePrice = channel.unary_unary( '/injective.oracle.v1beta1.Query/OraclePrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceResponse.FromString, - ) + _registered_method=True) self.PythPrice = channel.unary_unary( '/injective.oracle.v1beta1.Query/PythPrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -279,6 +304,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.oracle.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.oracle.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -297,11 +323,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/Params', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandRelayers(request, @@ -314,11 +350,21 @@ def BandRelayers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandRelayers', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandRelayers', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandPriceStates(request, @@ -331,11 +377,21 @@ def BandPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandIBCPriceStates(request, @@ -348,11 +404,21 @@ def BandIBCPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandIBCPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandIBCPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PriceFeedPriceStates(request, @@ -365,11 +431,21 @@ def PriceFeedPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CoinbasePriceStates(request, @@ -382,11 +458,21 @@ def CoinbasePriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/CoinbasePriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/CoinbasePriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PythPriceStates(request, @@ -399,11 +485,21 @@ def PythPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PythPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PythPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ProviderPriceState(request, @@ -416,11 +512,21 @@ def ProviderPriceState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/ProviderPriceState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/ProviderPriceState', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleModuleState(request, @@ -433,11 +539,21 @@ def OracleModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleModuleState', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalPriceRecords(request, @@ -450,11 +566,21 @@ def HistoricalPriceRecords(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleVolatility(request, @@ -467,11 +593,21 @@ def OracleVolatility(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleVolatility', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleVolatility', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleProvidersInfo(request, @@ -484,11 +620,21 @@ def OracleProvidersInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleProvidersInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleProvidersInfo', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleProviderPrices(request, @@ -501,11 +647,21 @@ def OracleProviderPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleProviderPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleProviderPrices', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OraclePrice(request, @@ -518,11 +674,21 @@ def OraclePrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OraclePrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OraclePrice', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PythPrice(request, @@ -535,8 +701,18 @@ def PythPrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PythPrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PythPrice', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index cc6441eb..71c2aa54 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,66 +16,69 @@ from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xa0\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12>\n\x06prices\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayProviderPricesResponse\"\x99\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12=\n\x05price\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayPriceFeedPriceResponse\"}\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:\x0c\x82\xe7\xb0*\x07relayer\"\x1b\n\x19MsgRelayBandRatesResponse\"e\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgRelayCoinbaseMessagesResponse\"Q\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRequestBandIBCRatesResponse\"\x81\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgRelayPythPricesResponse\"\x86\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponseBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._options = None - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPROVIDERPRICES']._options = None - _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._options = None - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPRICEFEEDPRICE']._options = None - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYBANDRATES']._options = None - _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer' - _globals['_MSGRELAYCOINBASEMESSAGES']._options = None - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTBANDIBCRATES']._options = None - _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPYTHPRICES']._options = None - _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None + _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayProviderPrices' + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGRELAYPRICEFEEDPRICE']._loaded_options = None + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayPriceFeedPrice' + _globals['_MSGRELAYBANDRATES']._loaded_options = None + _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' + _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' + _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None + _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' + _globals['_MSGRELAYPYTHPRICES']._loaded_options = None + _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031oracle/MsgRelayPythPrices' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=177 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=337 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=339 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=371 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=374 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=527 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=529 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=561 - _globals['_MSGRELAYBANDRATES']._serialized_start=563 - _globals['_MSGRELAYBANDRATES']._serialized_end=688 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=690 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=717 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=719 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=820 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=822 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=856 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=858 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=939 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=941 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=973 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=976 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1105 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1107 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1135 - _globals['_MSGUPDATEPARAMS']._serialized_start=1138 - _globals['_MSGUPDATEPARAMS']._serialized_end=1272 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1274 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1299 - _globals['_MSG']._serialized_start=1302 - _globals['_MSG']._serialized_end=2186 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\026oracle/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 + _globals['_MSGRELAYBANDRATES']._serialized_start=629 + _globals['_MSGRELAYBANDRATES']._serialized_end=783 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 + _globals['_MSGUPDATEPARAMS']._serialized_start=1334 + _globals['_MSGUPDATEPARAMS']._serialized_end=1495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 + _globals['_MSG']._serialized_start=1525 + _globals['_MSG']._serialized_end=2416 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index 791ff704..34286685 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the oracle Msg service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.oracle.v1beta1.Msg/RelayProviderPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPrices.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPricesResponse.FromString, - ) + _registered_method=True) self.RelayPriceFeedPrice = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPrice.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPriceResponse.FromString, - ) + _registered_method=True) self.RelayBandRates = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayBandRates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRates.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRatesResponse.FromString, - ) + _registered_method=True) self.RequestBandIBCRates = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRates.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRatesResponse.FromString, - ) + _registered_method=True) self.RelayCoinbaseMessages = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, - ) + _registered_method=True) self.RelayPythPrices = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPythPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPricesResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.oracle.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -150,6 +175,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.oracle.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.oracle.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -168,11 +194,21 @@ def RelayProviderPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayProviderPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayProviderPrices', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPrices.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayPriceFeedPrice(request, @@ -185,11 +221,21 @@ def RelayPriceFeedPrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPrice.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayBandRates(request, @@ -202,11 +248,21 @@ def RelayBandRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayBandRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayBandRates', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRates.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestBandIBCRates(request, @@ -219,11 +275,21 @@ def RequestBandIBCRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRates.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayCoinbaseMessages(request, @@ -236,11 +302,21 @@ def RelayCoinbaseMessages(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayPythPrices(request, @@ -253,11 +329,21 @@ def RelayPythPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayPythPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayPythPrices', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -270,8 +356,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/UpdateParams', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index e3e2e2e2..4bc045af 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/attestation.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,32 +16,32 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"^\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12>\n\x06\x61mount\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.attestation_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_CLAIMTYPE']._options = None + _globals['_CLAIMTYPE']._loaded_options = None _globals['_CLAIMTYPE']._serialized_options = b'\210\243\036\000' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._serialized_options = b'\212\235 \022CLAIM_TYPE_UNKNOWN' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._serialized_options = b'\212\235 \022CLAIM_TYPE_DEPOSIT' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._serialized_options = b'\212\235 \023CLAIM_TYPE_WITHDRAW' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_ERC20_DEPLOYED' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' - _globals['_ERC20TOKEN'].fields_by_name['amount']._options = None - _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_CLAIMTYPE']._serialized_start=307 - _globals['_CLAIMTYPE']._serialized_end=594 + _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None + _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_CLAIMTYPE']._serialized_start=290 + _globals['_CLAIMTYPE']._serialized_end=577 _globals['_ATTESTATION']._serialized_start=109 _globals['_ATTESTATION']._serialized_end=208 _globals['_ERC20TOKEN']._serialized_start=210 - _globals['_ERC20TOKEN']._serialized_end=304 + _globals['_ERC20TOKEN']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 2daafffe..285bf82a 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index 9e411e59..a44e7eb9 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/batch.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.batch_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_OUTGOINGTXBATCH']._serialized_start=93 _globals['_OUTGOINGTXBATCH']._serialized_end=255 diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 2daafffe..4993584c 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index 868ed900..9beb0aa2 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/ethereum_signer.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.ethereum_signer_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_SIGNTYPE']._options = None + _globals['_SIGNTYPE']._loaded_options = None _globals['_SIGNTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_SIGNTYPE']._serialized_start=87 _globals['_SIGNTYPE']._serialized_end=232 diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 2daafffe..3c90ed86 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index 6b270f01..bbd26b42 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,24 +17,24 @@ from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xe1\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\x8c\x02\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12>\n\x06\x61mount\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\xa9\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._options = None - _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTSENDTOETH'].fields_by_name['amount']._options = None + _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None + _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._options = None + _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._options = None - _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._options = None - _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None + _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None + _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 @@ -44,29 +44,29 @@ _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=876 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=878 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=996 - _globals['_EVENTVALSETCONFIRM']._serialized_start=998 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1070 - _globals['_EVENTSENDTOETH']._serialized_start=1073 - _globals['_EVENTSENDTOETH']._serialized_end=1281 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1283 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1353 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1355 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1437 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1440 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=1708 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1711 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1873 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1876 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2092 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2095 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2392 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=2394 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=2440 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2442 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2537 - _globals['_EVENTVALIDATORSLASH']._serialized_start=2539 - _globals['_EVENTVALIDATORSLASH']._serialized_end=2661 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 + _globals['_EVENTVALSETCONFIRM']._serialized_start=981 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 + _globals['_EVENTSENDTOETH']._serialized_start=1056 + _globals['_EVENTSENDTOETH']._serialized_end=1264 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 + _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 + _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 2daafffe..858a3ebc 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index a42e2503..2a6e7260 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,10 +26,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._options = None + _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=277 _globals['_GENESISSTATE']._serialized_end=1045 diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 2daafffe..24d3f129 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index d63c43e3..52ba88cb 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,120 +20,137 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"X\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\"%\n#MsgSetOrchestratorAddressesResponse\"r\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgValsetConfirmResponse\"\xa3\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x16\n\x14MsgSendToEthResponse\"I\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgRequestBatchResponse\"\x88\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgConfirmBatchResponse\"\xfd\x01\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12>\n\x06\x61mount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgDepositClaimResponse\"\x93\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"I\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSendToEthResponse\"v\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\x94\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xa6\x0e\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_MSGVALSETCONFIRM']._options = None - _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGSENDTOETH'].fields_by_name['amount']._options = None + _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' + _globals['_MSGVALSETCONFIRM']._loaded_options = None + _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgValsetConfirm' + _globals['_MSGSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._options = None + _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH']._options = None - _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREQUESTBATCH']._options = None - _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCONFIRMBATCH']._options = None - _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._options = None - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGDEPOSITCLAIM']._options = None - _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGWITHDRAWCLAIM']._options = None - _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGERC20DEPLOYEDCLAIM']._options = None - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCANCELSENDTOETH']._options = None - _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._options = None - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._options = None - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGVALSETUPDATEDCLAIM']._options = None - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGSENDTOETH']._loaded_options = None + _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022peggy/MsgSendToEth' + _globals['_MSGREQUESTBATCH']._loaded_options = None + _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgRequestBatch' + _globals['_MSGCONFIRMBATCH']._loaded_options = None + _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgConfirmBatch' + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_MSGDEPOSITCLAIM']._loaded_options = None + _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgDepositClaim' + _globals['_MSGWITHDRAWCLAIM']._loaded_options = None + _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgWithdrawClaim' + _globals['_MSGERC20DEPLOYEDCLAIM']._loaded_options = None + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgERC20DeployedClaim' + _globals['_MSGCANCELSENDTOETH']._loaded_options = None + _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\030peggy/MsgCancelSendToEth' + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._loaded_options = None + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender\212\347\260*#peggy/MsgSubmitBadSignatureEvidence' + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._loaded_options = None + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_MSGVALSETUPDATEDCLAIM']._loaded_options = None + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgValsetUpdatedClaim' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSG'].methods_by_name['ValsetConfirm']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025peggy/MsgUpdateParams' + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._loaded_options = None + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_options = b'\202\347\260*\006signer\212\347\260*#peggy/MsgBlacklistEthereumAddresses' + _globals['_MSGREVOKEETHEREUMBLACKLIST']._loaded_options = None + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_options = b'\202\347\260*\006signer\212\347\260* peggy/MsgRevokeEthereumBlacklist' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSG'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/valset_confirm' - _globals['_MSG'].methods_by_name['SendToEth']._options = None + _globals['_MSG'].methods_by_name['SendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['SendToEth']._serialized_options = b'\202\323\344\223\002!\"\037/injective/peggy/v1/send_to_eth' - _globals['_MSG'].methods_by_name['RequestBatch']._options = None + _globals['_MSG'].methods_by_name['RequestBatch']._loaded_options = None _globals['_MSG'].methods_by_name['RequestBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/request_batch' - _globals['_MSG'].methods_by_name['ConfirmBatch']._options = None + _globals['_MSG'].methods_by_name['ConfirmBatch']._loaded_options = None _globals['_MSG'].methods_by_name['ConfirmBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/confirm_batch' - _globals['_MSG'].methods_by_name['DepositClaim']._options = None + _globals['_MSG'].methods_by_name['DepositClaim']._loaded_options = None _globals['_MSG'].methods_by_name['DepositClaim']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/deposit_claim' - _globals['_MSG'].methods_by_name['WithdrawClaim']._options = None + _globals['_MSG'].methods_by_name['WithdrawClaim']._loaded_options = None _globals['_MSG'].methods_by_name['WithdrawClaim']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/withdraw_claim' - _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._options = None + _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/valset_updated_claim' - _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._options = None + _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/erc20_deployed_claim' - _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._options = None + _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._loaded_options = None _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._serialized_options = b'\202\323\344\223\002.\",/injective/peggy/v1/set_orchestrator_address' - _globals['_MSG'].methods_by_name['CancelSendToEth']._options = None + _globals['_MSG'].methods_by_name['CancelSendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['CancelSendToEth']._serialized_options = b'\202\323\344\223\002(\"&/injective/peggy/v1/cancel_send_to_eth' - _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._options = None + _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=281 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=369 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=371 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=408 - _globals['_MSGVALSETCONFIRM']._serialized_start=410 - _globals['_MSGVALSETCONFIRM']._serialized_end=524 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=526 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=552 - _globals['_MSGSENDTOETH']._serialized_start=555 - _globals['_MSGSENDTOETH']._serialized_end=718 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=720 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=742 - _globals['_MSGREQUESTBATCH']._serialized_start=744 - _globals['_MSGREQUESTBATCH']._serialized_end=817 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=819 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=844 - _globals['_MSGCONFIRMBATCH']._serialized_start=847 - _globals['_MSGCONFIRMBATCH']._serialized_end=983 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=985 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1010 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1013 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1266 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1268 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1293 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1296 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=1443 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1445 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1471 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1474 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1675 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1677 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1708 - _globals['_MSGCANCELSENDTOETH']._serialized_start=1710 - _globals['_MSGCANCELSENDTOETH']._serialized_end=1783 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=1785 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=1813 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=1815 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=1933 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=1935 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=1974 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=1977 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2253 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2255 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2286 - _globals['_MSGUPDATEPARAMS']._serialized_start=2289 - _globals['_MSGUPDATEPARAMS']._serialized_end=2417 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2419 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2444 - _globals['_MSG']._serialized_start=2447 - _globals['_MSG']._serialized_end=4277 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 + _globals['_MSGVALSETCONFIRM']._serialized_start=482 + _globals['_MSGVALSETCONFIRM']._serialized_end=623 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 + _globals['_MSGSENDTOETH']._serialized_start=654 + _globals['_MSGSENDTOETH']._serialized_end=840 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 + _globals['_MSGREQUESTBATCH']._serialized_start=866 + _globals['_MSGREQUESTBATCH']._serialized_end=965 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 + _globals['_MSGCONFIRMBATCH']._serialized_start=995 + _globals['_MSGCONFIRMBATCH']._serialized_end=1157 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 + _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 + _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 + _globals['_MSGUPDATEPARAMS']._serialized_start=2616 + _globals['_MSGUPDATEPARAMS']._serialized_end=2770 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 + _globals['_MSG']._serialized_start=3136 + _globals['_MSG']._serialized_end=5246 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index 19a9df08..f17ec381 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/msgs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Missing associated documentation comment in .proto file.""" @@ -18,62 +43,72 @@ def __init__(self, channel): '/injective.peggy.v1.Msg/ValsetConfirm', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirm.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirmResponse.FromString, - ) + _registered_method=True) self.SendToEth = channel.unary_unary( '/injective.peggy.v1.Msg/SendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEthResponse.FromString, - ) + _registered_method=True) self.RequestBatch = channel.unary_unary( '/injective.peggy.v1.Msg/RequestBatch', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatch.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatchResponse.FromString, - ) + _registered_method=True) self.ConfirmBatch = channel.unary_unary( '/injective.peggy.v1.Msg/ConfirmBatch', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatch.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatchResponse.FromString, - ) + _registered_method=True) self.DepositClaim = channel.unary_unary( '/injective.peggy.v1.Msg/DepositClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaimResponse.FromString, - ) + _registered_method=True) self.WithdrawClaim = channel.unary_unary( '/injective.peggy.v1.Msg/WithdrawClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaimResponse.FromString, - ) + _registered_method=True) self.ValsetUpdateClaim = channel.unary_unary( '/injective.peggy.v1.Msg/ValsetUpdateClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaimResponse.FromString, - ) + _registered_method=True) self.ERC20DeployedClaim = channel.unary_unary( '/injective.peggy.v1.Msg/ERC20DeployedClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaimResponse.FromString, - ) + _registered_method=True) self.SetOrchestratorAddresses = channel.unary_unary( '/injective.peggy.v1.Msg/SetOrchestratorAddresses', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddresses.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddressesResponse.FromString, - ) + _registered_method=True) self.CancelSendToEth = channel.unary_unary( '/injective.peggy.v1.Msg/CancelSendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEthResponse.FromString, - ) + _registered_method=True) self.SubmitBadSignatureEvidence = channel.unary_unary( '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidence.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidenceResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.peggy.v1.Msg/UpdateParams', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) + self.BlacklistEthereumAddresses = channel.unary_unary( + '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', + request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, + response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, + _registered_method=True) + self.RevokeEthereumBlacklist = channel.unary_unary( + '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', + request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, + response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -151,6 +186,21 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def BlacklistEthereumAddresses(self, request, context): + """BlacklistEthereumAddresses adds Ethereum addresses to the peggy blacklist. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def RevokeEthereumBlacklist(self, request, context): + """RevokeEthereumBlacklist removes Ethereum addresses from the peggy + blacklist. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -214,10 +264,21 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'BlacklistEthereumAddresses': grpc.unary_unary_rpc_method_handler( + servicer.BlacklistEthereumAddresses, + request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.FromString, + response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.SerializeToString, + ), + 'RevokeEthereumBlacklist': grpc.unary_unary_rpc_method_handler( + servicer.RevokeEthereumBlacklist, + request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.FromString, + response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.peggy.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -235,11 +296,21 @@ def ValsetConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ValsetConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ValsetConfirm', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirm.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendToEth(request, @@ -252,11 +323,21 @@ def SendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SendToEth', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestBatch(request, @@ -269,11 +350,21 @@ def RequestBatch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/RequestBatch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/RequestBatch', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatch.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConfirmBatch(request, @@ -286,11 +377,21 @@ def ConfirmBatch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ConfirmBatch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ConfirmBatch', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatch.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DepositClaim(request, @@ -303,11 +404,21 @@ def DepositClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/DepositClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/DepositClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawClaim(request, @@ -320,11 +431,21 @@ def WithdrawClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/WithdrawClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/WithdrawClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetUpdateClaim(request, @@ -337,11 +458,21 @@ def ValsetUpdateClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ValsetUpdateClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ValsetUpdateClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ERC20DeployedClaim(request, @@ -354,11 +485,21 @@ def ERC20DeployedClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ERC20DeployedClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ERC20DeployedClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetOrchestratorAddresses(request, @@ -371,11 +512,21 @@ def SetOrchestratorAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SetOrchestratorAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SetOrchestratorAddresses', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddresses.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelSendToEth(request, @@ -388,11 +539,21 @@ def CancelSendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/CancelSendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/CancelSendToEth', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitBadSignatureEvidence(request, @@ -405,11 +566,21 @@ def SubmitBadSignatureEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidence.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -422,8 +593,72 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/UpdateParams', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def BlacklistEthereumAddresses(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def RevokeEthereumBlacklist(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index 6f08485a..a439c8a9 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -14,30 +14,31 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xb7\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12M\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12X\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['valset_reward']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['valset_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['valset_reward']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\200\334 \000' - _globals['_PARAMS']._serialized_start=110 - _globals['_PARAMS']._serialized_end=1061 + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' + _globals['_PARAMS']._serialized_start=129 + _globals['_PARAMS']._serialized_end=1058 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 2daafffe..3b937d48 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index d052826a..dc5344aa 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/pool.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,18 +15,18 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"^\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x42\n\ntotal_fees\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.pool_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BATCHFEES'].fields_by_name['total_fees']._options = None - _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None + _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_IDSET']._serialized_start=75 _globals['_IDSET']._serialized_end=95 _globals['_BATCHFEES']._serialized_start=97 - _globals['_BATCHFEES']._serialized_end=191 + _globals['_BATCHFEES']._serialized_end=174 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 2daafffe..339e9c5c 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py deleted file mode 100644 index 86558856..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: injective/peggy/v1/proposal.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/peggy/v1/proposal.proto\x12\x12injective.peggy.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x01\n\"BlacklistEthereumAddressesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x8a\x01\n\x1fRevokeEthereumBlacklistProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._options = None - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._options = None - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=248 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_start=251 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_end=389 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index ba907773..558ffa19 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,52 +27,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\022\022\020/peggy/v1/params' - _globals['_QUERY'].methods_by_name['CurrentValset']._options = None + _globals['_QUERY'].methods_by_name['CurrentValset']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentValset']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/valset/current' - _globals['_QUERY'].methods_by_name['ValsetRequest']._options = None + _globals['_QUERY'].methods_by_name['ValsetRequest']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetRequest']._serialized_options = b'\202\323\344\223\002\022\022\020/peggy/v1/valset' - _globals['_QUERY'].methods_by_name['ValsetConfirm']._options = None + _globals['_QUERY'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/valset/confirm' - _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._options = None + _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._serialized_options = b'\202\323\344\223\002\034\022\032/peggy/v1/confirms/{nonce}' - _globals['_QUERY'].methods_by_name['LastValsetRequests']._options = None + _globals['_QUERY'].methods_by_name['LastValsetRequests']._loaded_options = None _globals['_QUERY'].methods_by_name['LastValsetRequests']._serialized_options = b'\202\323\344\223\002\033\022\031/peggy/v1/valset/requests' - _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._serialized_options = b'\202\323\344\223\002\027\022\025/peggy/v1/valset/last' - _globals['_QUERY'].methods_by_name['LastEventByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastEventByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastEventByAddr']._serialized_options = b'\202\323\344\223\002\"\022 /peggy/v1/oracle/event/{address}' - _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._options = None + _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._loaded_options = None _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._serialized_options = b'\202\323\344\223\002\037\022\035/peggy/v1/pending_send_to_eth' - _globals['_QUERY'].methods_by_name['BatchFees']._options = None + _globals['_QUERY'].methods_by_name['BatchFees']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchFees']._serialized_options = b'\202\323\344\223\002\025\022\023/peggy/v1/batchfees' - _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._options = None + _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._loaded_options = None _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._serialized_options = b'\202\323\344\223\002\034\022\032/peggy/v1/batch/outgoingtx' - _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._serialized_options = b'\202\323\344\223\002\026\022\024/peggy/v1/batch/last' - _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._options = None + _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._serialized_options = b'\202\323\344\223\002\021\022\017/peggy/v1/batch' - _globals['_QUERY'].methods_by_name['BatchConfirms']._options = None + _globals['_QUERY'].methods_by_name['BatchConfirms']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchConfirms']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/batch/confirms' - _globals['_QUERY'].methods_by_name['ERC20ToDenom']._options = None + _globals['_QUERY'].methods_by_name['ERC20ToDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['ERC20ToDenom']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/cosmos_originated/erc20_to_denom' - _globals['_QUERY'].methods_by_name['DenomToERC20']._options = None + _globals['_QUERY'].methods_by_name['DenomToERC20']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomToERC20']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/cosmos_originated/denom_to_erc20' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/query_delegate_keys_by_validator' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._serialized_options = b'\202\323\344\223\002&\022$/peggy/v1/query_delegate_keys_by_eth' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._serialized_options = b'\202\323\344\223\002/\022-/peggy/v1/query_delegate_keys_by_orchestrator' - _globals['_QUERY'].methods_by_name['PeggyModuleState']._options = None + _globals['_QUERY'].methods_by_name['PeggyModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['PeggyModuleState']._serialized_options = b'\202\323\344\223\002\030\022\026/peggy/v1/module_state' - _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._options = None + _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._loaded_options = None _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/missing_nonces' _globals['_QUERYPARAMSREQUEST']._serialized_start=299 _globals['_QUERYPARAMSREQUEST']._serialized_end=319 diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index 8760303e..7baa8dd1 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service @@ -19,107 +44,107 @@ def __init__(self, channel): '/injective.peggy.v1.Query/Params', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.CurrentValset = channel.unary_unary( '/injective.peggy.v1.Query/CurrentValset', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetResponse.FromString, - ) + _registered_method=True) self.ValsetRequest = channel.unary_unary( '/injective.peggy.v1.Query/ValsetRequest', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestResponse.FromString, - ) + _registered_method=True) self.ValsetConfirm = channel.unary_unary( '/injective.peggy.v1.Query/ValsetConfirm', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmResponse.FromString, - ) + _registered_method=True) self.ValsetConfirmsByNonce = channel.unary_unary( '/injective.peggy.v1.Query/ValsetConfirmsByNonce', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceResponse.FromString, - ) + _registered_method=True) self.LastValsetRequests = channel.unary_unary( '/injective.peggy.v1.Query/LastValsetRequests', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsResponse.FromString, - ) + _registered_method=True) self.LastPendingValsetRequestByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrResponse.FromString, - ) + _registered_method=True) self.LastEventByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastEventByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrResponse.FromString, - ) + _registered_method=True) self.GetPendingSendToEth = channel.unary_unary( '/injective.peggy.v1.Query/GetPendingSendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEthResponse.FromString, - ) + _registered_method=True) self.BatchFees = channel.unary_unary( '/injective.peggy.v1.Query/BatchFees', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeResponse.FromString, - ) + _registered_method=True) self.OutgoingTxBatches = channel.unary_unary( '/injective.peggy.v1.Query/OutgoingTxBatches', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesResponse.FromString, - ) + _registered_method=True) self.LastPendingBatchRequestByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrResponse.FromString, - ) + _registered_method=True) self.BatchRequestByNonce = channel.unary_unary( '/injective.peggy.v1.Query/BatchRequestByNonce', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceResponse.FromString, - ) + _registered_method=True) self.BatchConfirms = channel.unary_unary( '/injective.peggy.v1.Query/BatchConfirms', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsResponse.FromString, - ) + _registered_method=True) self.ERC20ToDenom = channel.unary_unary( '/injective.peggy.v1.Query/ERC20ToDenom', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomResponse.FromString, - ) + _registered_method=True) self.DenomToERC20 = channel.unary_unary( '/injective.peggy.v1.Query/DenomToERC20', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Request.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Response.FromString, - ) + _registered_method=True) self.GetDelegateKeyByValidator = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByValidator', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddressResponse.FromString, - ) + _registered_method=True) self.GetDelegateKeyByEth = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByEth', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddressResponse.FromString, - ) + _registered_method=True) self.GetDelegateKeyByOrchestrator = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddressResponse.FromString, - ) + _registered_method=True) self.PeggyModuleState = channel.unary_unary( '/injective.peggy.v1.Query/PeggyModuleState', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.MissingPeggoNonces = channel.unary_unary( '/injective.peggy.v1.Query/MissingPeggoNonces', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -369,6 +394,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.peggy.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -387,11 +413,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/Params', injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CurrentValset(request, @@ -404,11 +440,21 @@ def CurrentValset(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/CurrentValset', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/CurrentValset', injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetRequest(request, @@ -421,11 +467,21 @@ def ValsetRequest(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetRequest', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetRequest', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetConfirm(request, @@ -438,11 +494,21 @@ def ValsetConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetConfirm', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetConfirmsByNonce(request, @@ -455,11 +521,21 @@ def ValsetConfirmsByNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetConfirmsByNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetConfirmsByNonce', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastValsetRequests(request, @@ -472,11 +548,21 @@ def LastValsetRequests(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastValsetRequests', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastValsetRequests', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastPendingValsetRequestByAddr(request, @@ -489,11 +575,21 @@ def LastPendingValsetRequestByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastEventByAddr(request, @@ -506,11 +602,21 @@ def LastEventByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastEventByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastEventByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPendingSendToEth(request, @@ -523,11 +629,21 @@ def GetPendingSendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetPendingSendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetPendingSendToEth', injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchFees(request, @@ -540,11 +656,21 @@ def BatchFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchFees', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchFees', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OutgoingTxBatches(request, @@ -557,11 +683,21 @@ def OutgoingTxBatches(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/OutgoingTxBatches', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/OutgoingTxBatches', injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastPendingBatchRequestByAddr(request, @@ -574,11 +710,21 @@ def LastPendingBatchRequestByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchRequestByNonce(request, @@ -591,11 +737,21 @@ def BatchRequestByNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchRequestByNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchRequestByNonce', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchConfirms(request, @@ -608,11 +764,21 @@ def BatchConfirms(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchConfirms', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchConfirms', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ERC20ToDenom(request, @@ -625,11 +791,21 @@ def ERC20ToDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ERC20ToDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ERC20ToDenom', injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomToERC20(request, @@ -642,11 +818,21 @@ def DenomToERC20(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/DenomToERC20', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/DenomToERC20', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Request.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByValidator(request, @@ -659,11 +845,21 @@ def GetDelegateKeyByValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByValidator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByValidator', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByEth(request, @@ -676,11 +872,21 @@ def GetDelegateKeyByEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByEth', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByOrchestrator(request, @@ -693,11 +899,21 @@ def GetDelegateKeyByOrchestrator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PeggyModuleState(request, @@ -710,11 +926,21 @@ def PeggyModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/PeggyModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/PeggyModuleState', injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MissingPeggoNonces(request, @@ -727,8 +953,18 @@ def MissingPeggoNonces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/MissingPeggoNonces', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/MissingPeggoNonces', injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 6ab410af..1186e742 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,24 +15,24 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xba\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_VALSET'].fields_by_name['reward_amount']._options = None - _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None + _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 _globals['_BRIDGEVALIDATOR']._serialized_end=134 _globals['_VALSET']._serialized_start=137 - _globals['_VALSET']._serialized_end=323 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=325 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=418 - _globals['_LASTCLAIMEVENT']._serialized_start=420 - _globals['_LASTCLAIMEVENT']._serialized_end=497 - _globals['_ERC20TODENOM']._serialized_start=499 - _globals['_ERC20TODENOM']._serialized_end=543 + _globals['_VALSET']._serialized_end=306 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 + _globals['_LASTCLAIMEVENT']._serialized_start=403 + _globals['_LASTCLAIMEVENT']._serialized_end=480 + _globals['_ERC20TODENOM']._serialized_start=482 + _globals['_ERC20TODENOM']._serialized_end=526 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 2daafffe..833de0b8 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 863cd6c6..75592fa6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,7 +22,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 2daafffe..41b37ec2 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index 102bb4b7..7af2b662 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['namespaces']._options = None + _globals['_GENESISSTATE'].fields_by_name['namespaces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['namespaces']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=194 _globals['_GENESISSTATE']._serialized_end=337 diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 2daafffe..9ab6244e 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 4f70e7d0..4ea7248d 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,16 +15,19 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x08\n\x06ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_PARAMS']._serialized_start=158 - _globals['_PARAMS']._serialized_end=166 + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' + _globals['_PARAMS']._serialized_start=177 + _globals['_PARAMS']._serialized_end=247 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 2daafffe..870daa66 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index 4ba7f26d..c9bc58e8 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/permissions.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.permissions_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_VOUCHER'].fields_by_name['coins']._options = None + _globals['_VOUCHER'].fields_by_name['coins']._loaded_options = None _globals['_VOUCHER'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_ACTION']._serialized_start=696 _globals['_ACTION']._serialized_end=754 diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 2daafffe..9a75aeea 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index d8b417c0..ed7c9e2a 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,22 +25,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\'\022%/injective/permissions/v1beta1/params' - _globals['_QUERY'].methods_by_name['AllNamespaces']._options = None + _globals['_QUERY'].methods_by_name['AllNamespaces']._loaded_options = None _globals['_QUERY'].methods_by_name['AllNamespaces']._serialized_options = b'\202\323\344\223\002/\022-/injective/permissions/v1beta1/all_namespaces' - _globals['_QUERY'].methods_by_name['NamespaceByDenom']._options = None + _globals['_QUERY'].methods_by_name['NamespaceByDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['NamespaceByDenom']._serialized_options = b'\202\323\344\223\0023\0221/injective/permissions/v1beta1/namespace_by_denom' - _globals['_QUERY'].methods_by_name['AddressRoles']._options = None + _globals['_QUERY'].methods_by_name['AddressRoles']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressRoles']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' - _globals['_QUERY'].methods_by_name['AddressesByRole']._options = None + _globals['_QUERY'].methods_by_name['AddressesByRole']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressesByRole']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' - _globals['_QUERY'].methods_by_name['VouchersForAddress']._options = None + _globals['_QUERY'].methods_by_name['VouchersForAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['VouchersForAddress']._serialized_options = b'\202\323\344\223\0025\0223/injective/permissions/v1beta1/vouchers_for_address' _globals['_QUERYPARAMSREQUEST']._serialized_start=310 _globals['_QUERYPARAMSREQUEST']._serialized_end=330 diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index 2cd78084..d6468e86 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.permissions.v1beta1.Query/Params', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.AllNamespaces = channel.unary_unary( '/injective.permissions.v1beta1.Query/AllNamespaces', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesResponse.FromString, - ) + _registered_method=True) self.NamespaceByDenom = channel.unary_unary( '/injective.permissions.v1beta1.Query/NamespaceByDenom', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomResponse.FromString, - ) + _registered_method=True) self.AddressRoles = channel.unary_unary( '/injective.permissions.v1beta1.Query/AddressRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesResponse.FromString, - ) + _registered_method=True) self.AddressesByRole = channel.unary_unary( '/injective.permissions.v1beta1.Query/AddressesByRole', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleResponse.FromString, - ) + _registered_method=True) self.VouchersForAddress = channel.unary_unary( '/injective.permissions.v1beta1.Query/VouchersForAddress', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -137,6 +162,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.permissions.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.permissions.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -155,11 +181,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/Params', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllNamespaces(request, @@ -172,11 +208,21 @@ def AllNamespaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AllNamespaces', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AllNamespaces', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NamespaceByDenom(request, @@ -189,11 +235,21 @@ def NamespaceByDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/NamespaceByDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/NamespaceByDenom', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressRoles(request, @@ -206,11 +262,21 @@ def AddressRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AddressRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AddressRoles', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressesByRole(request, @@ -223,11 +289,21 @@ def AddressesByRole(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AddressesByRole', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AddressesByRole', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VouchersForAddress(request, @@ -240,8 +316,18 @@ def VouchersForAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/VouchersForAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/VouchersForAddress', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index bd0f43e7..65f19a41 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,84 +19,87 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x87\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCreateNamespaceResponse\"]\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xe0\x04\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xe5\x01\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xb0\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgRevokeNamespaceRolesResponse\"U\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x19\n\x17MsgClaimVoucherResponse2\x9a\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponseBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\033permissions/MsgUpdateParams' + _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATENAMESPACE']._options = None - _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGCREATENAMESPACE']._loaded_options = None + _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgCreateNamespace' + _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGDELETENAMESPACE']._options = None - _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGDELETENAMESPACE']._loaded_options = None + _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgDeleteNamespace' + _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACE']._options = None - _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACE']._loaded_options = None + _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgUpdateNamespace' + _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACEROLES']._options = None - _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACEROLES']._loaded_options = None + _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgUpdateNamespaceRoles' + _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGREVOKENAMESPACEROLES']._options = None - _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._options = None + _globals['_MSGREVOKENAMESPACEROLES']._loaded_options = None + _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgRevokeNamespaceRoles' + _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._loaded_options = None _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCLAIMVOUCHER']._options = None - _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS']._serialized_start=305 - _globals['_MSGUPDATEPARAMS']._serialized_end=444 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=446 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=471 - _globals['_MSGCREATENAMESPACE']._serialized_start=474 - _globals['_MSGCREATENAMESPACE']._serialized_end=609 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=611 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=639 - _globals['_MSGDELETENAMESPACE']._serialized_start=641 - _globals['_MSGDELETENAMESPACE']._serialized_end=734 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=736 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=764 - _globals['_MSGUPDATENAMESPACE']._serialized_start=767 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1375 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1207 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1242 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1244 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1282 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1284 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1322 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1324 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1362 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1377 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1405 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1408 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1637 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1639 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1672 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1675 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=1851 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=1853 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=1886 - _globals['_MSGCLAIMVOUCHER']._serialized_start=1888 - _globals['_MSGCLAIMVOUCHER']._serialized_end=1973 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=1975 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2000 - _globals['_MSG']._serialized_start=2003 - _globals['_MSG']._serialized_end=2925 + _globals['_MSGCLAIMVOUCHER']._loaded_options = None + _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033permissions/MsgClaimVoucher' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATEPARAMS']._serialized_start=324 + _globals['_MSGUPDATEPARAMS']._serialized_end=495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 + _globals['_MSGCREATENAMESPACE']._serialized_start=525 + _globals['_MSGCREATENAMESPACE']._serialized_end=695 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 + _globals['_MSGDELETENAMESPACE']._serialized_start=728 + _globals['_MSGDELETENAMESPACE']._serialized_end=856 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 + _globals['_MSGUPDATENAMESPACE']._serialized_start=889 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 + _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 + _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 + _globals['_MSG']._serialized_start=2272 + _globals['_MSG']._serialized_end=3201 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index f36791eb..ad3ade84 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the permissions module's gRPC message service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.permissions.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.CreateNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/CreateNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespaceResponse.FromString, - ) + _registered_method=True) self.DeleteNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/DeleteNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespaceResponse.FromString, - ) + _registered_method=True) self.UpdateNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/UpdateNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceResponse.FromString, - ) + _registered_method=True) self.UpdateNamespaceRoles = channel.unary_unary( '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRoles.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRolesResponse.FromString, - ) + _registered_method=True) self.RevokeNamespaceRoles = channel.unary_unary( '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRoles.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRolesResponse.FromString, - ) + _registered_method=True) self.ClaimVoucher = channel.unary_unary( '/injective.permissions.v1beta1.Msg/ClaimVoucher', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucher.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucherResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -140,6 +165,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.permissions.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.permissions.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -158,11 +184,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateParams', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateNamespace(request, @@ -175,11 +211,21 @@ def CreateNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/CreateNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/CreateNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DeleteNamespace(request, @@ -192,11 +238,21 @@ def DeleteNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/DeleteNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/DeleteNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateNamespace(request, @@ -209,11 +265,21 @@ def UpdateNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateNamespaceRoles(request, @@ -226,11 +292,21 @@ def UpdateNamespaceRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRoles.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RevokeNamespaceRoles(request, @@ -243,11 +319,21 @@ def RevokeNamespaceRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRoles.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClaimVoucher(request, @@ -260,8 +346,18 @@ def ClaimVoucher(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/ClaimVoucher', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/ClaimVoucher', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucher.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucherResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 3612dd11..83829de7 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/stream/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,70 +18,70 @@ from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xdd\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"j\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xf2\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xfa\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.stream.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types' - _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._serialized_options = b'\310\336\037\001' - _globals['_BANKBALANCE'].fields_by_name['balances']._options = None + _globals['_BANKBALANCE'].fields_by_name['balances']._loaded_options = None _globals['_BANKBALANCE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._options = None + _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._loaded_options = None _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000' - _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._options = None + _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._loaded_options = None _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['order']._options = None + _globals['_SPOTORDER'].fields_by_name['order']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['order']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['order']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_POSITION'].fields_by_name['quantity']._options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['entry_price']._options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['margin']._options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORACLEPRICE'].fields_by_name['price']._options = None - _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['quantity']._options = None - _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['price']._options = None - _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['fee']._options = None - _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._options = None + _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['margin']._loaded_options = None + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLEPRICE'].fields_by_name['price']._loaded_options = None + _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['quantity']._loaded_options = None + _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['price']._loaded_options = None + _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['fee']._loaded_options = None + _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVETRADE'].fields_by_name['payout']._options = None - _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADE'].fields_by_name['fee']._options = None - _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._options = None + _globals['_DERIVATIVETRADE'].fields_by_name['payout']._loaded_options = None + _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADE'].fields_by_name['fee']._loaded_options = None + _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=4471 - _globals['_ORDERUPDATESTATUS']._serialized_end=4547 + _globals['_ORDERUPDATESTATUS']._serialized_start=4361 + _globals['_ORDERUPDATESTATUS']._serialized_end=4437 _globals['_STREAMREQUEST']._serialized_start=205 _globals['_STREAMREQUEST']._serialized_end=1027 _globals['_STREAMRESPONSE']._serialized_start=1030 @@ -105,27 +105,27 @@ _globals['_DERIVATIVEORDER']._serialized_start=2778 _globals['_DERIVATIVEORDER']._serialized_end=2904 _globals['_POSITION']._serialized_start=2907 - _globals['_POSITION']._serialized_end=3256 - _globals['_ORACLEPRICE']._serialized_start=3258 - _globals['_ORACLEPRICE']._serialized_end=3364 - _globals['_SPOTTRADE']._serialized_start=3367 - _globals['_SPOTTRADE']._serialized_end=3737 - _globals['_DERIVATIVETRADE']._serialized_start=3740 - _globals['_DERIVATIVETRADE']._serialized_end=4118 - _globals['_TRADESFILTER']._serialized_start=4120 - _globals['_TRADESFILTER']._serialized_end=4178 - _globals['_POSITIONSFILTER']._serialized_start=4180 - _globals['_POSITIONSFILTER']._serialized_end=4241 - _globals['_ORDERSFILTER']._serialized_start=4243 - _globals['_ORDERSFILTER']._serialized_end=4301 - _globals['_ORDERBOOKFILTER']._serialized_start=4303 - _globals['_ORDERBOOKFILTER']._serialized_end=4340 - _globals['_BANKBALANCESFILTER']._serialized_start=4342 - _globals['_BANKBALANCESFILTER']._serialized_end=4380 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4382 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4432 - _globals['_ORACLEPRICEFILTER']._serialized_start=4434 - _globals['_ORACLEPRICEFILTER']._serialized_end=4469 - _globals['_STREAM']._serialized_start=4549 - _globals['_STREAM']._serialized_end=4652 + _globals['_POSITION']._serialized_end=3212 + _globals['_ORACLEPRICE']._serialized_start=3214 + _globals['_ORACLEPRICE']._serialized_end=3309 + _globals['_SPOTTRADE']._serialized_start=3312 + _globals['_SPOTTRADE']._serialized_end=3649 + _globals['_DERIVATIVETRADE']._serialized_start=3652 + _globals['_DERIVATIVETRADE']._serialized_end=4008 + _globals['_TRADESFILTER']._serialized_start=4010 + _globals['_TRADESFILTER']._serialized_end=4068 + _globals['_POSITIONSFILTER']._serialized_start=4070 + _globals['_POSITIONSFILTER']._serialized_end=4131 + _globals['_ORDERSFILTER']._serialized_start=4133 + _globals['_ORDERSFILTER']._serialized_end=4191 + _globals['_ORDERBOOKFILTER']._serialized_start=4193 + _globals['_ORDERBOOKFILTER']._serialized_end=4230 + _globals['_BANKBALANCESFILTER']._serialized_start=4232 + _globals['_BANKBALANCESFILTER']._serialized_end=4270 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 + _globals['_ORACLEPRICEFILTER']._serialized_start=4324 + _globals['_ORACLEPRICEFILTER']._serialized_end=4359 + _globals['_STREAM']._serialized_start=4439 + _globals['_STREAM']._serialized_end=4542 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index 762adede..d8211887 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class StreamStub(object): """ChainStream defines the gRPC streaming service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/injective.stream.v1beta1.Stream/Stream', request_serializer=injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamRequest.SerializeToString, response_deserializer=injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamResponse.FromString, - ) + _registered_method=True) class StreamServicer(object): @@ -44,6 +69,7 @@ def add_StreamServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.stream.v1beta1.Stream', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.stream.v1beta1.Stream', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -62,8 +88,18 @@ def Stream(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective.stream.v1beta1.Stream/Stream', + return grpc.experimental.unary_stream( + request, + target, + '/injective.stream.v1beta1.Stream/Stream', injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamRequest.SerializeToString, injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index 846b46be..326807e6 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/authorityMetadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.authorityMetadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._options = None + _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._serialized_options = b'\362\336\037\014yaml:\"admin\"' - _globals['_DENOMAUTHORITYMETADATA']._options = None + _globals['_DENOMAUTHORITYMETADATA']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA']._serialized_options = b'\350\240\037\001' _globals['_DENOMAUTHORITYMETADATA']._serialized_start=144 _globals['_DENOMAUTHORITYMETADATA']._serialized_end=207 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 2daafffe..0c5058eb 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index 1df4a64e..a0c1804c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._options = None + _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTBURNDENOM'].fields_by_name['amount']._options = None + _globals['_EVENTBURNDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBURNDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._options = None + _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_EVENTCREATETFDENOM']._serialized_start=221 _globals['_EVENTCREATETFDENOM']._serialized_end=273 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 2daafffe..659a9505 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index 140ceeb6..200b366f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._options = None + _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"factory_denoms\"' - _globals['_GENESISDENOM'].fields_by_name['denom']._options = None + _globals['_GENESISDENOM'].fields_by_name['denom']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._options = None + _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"authority_metadata\"' - _globals['_GENESISDENOM'].fields_by_name['name']._options = None + _globals['_GENESISDENOM'].fields_by_name['name']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_GENESISDENOM'].fields_by_name['symbol']._options = None + _globals['_GENESISDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_GENESISDENOM']._options = None + _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 _globals['_GENESISSTATE']._serialized_end=381 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index 2daafffe..a6e6f09d 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py new file mode 100644 index 00000000..f047946c --- /dev/null +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py @@ -0,0 +1,35 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: injective/tokenfactory/v1beta1/gov.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/tokenfactory/v1beta1/gov.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"\xa5\x01\n\x1cUpdateDenomsMetadataProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x36\n\tmetadatas\x18\x03 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x12#\n\x07\x64\x65posit\x18\x04 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"deposit\":\x04\x88\xa0\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.gov_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000' + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._serialized_options = b'\362\336\037\016yaml:\"deposit\"' + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_options = b'\210\240\037\000' + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_start=131 + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_end=296 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py new file mode 100644 index 00000000..e449e972 --- /dev/null +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index d8f5ca47..5ea0a41f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,18 +16,21 @@ from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x8f\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_PARAMS'].fields_by_name['denom_creation_fee']._options = None + _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._serialized_start=217 - _globals['_PARAMS']._serialized_end=360 + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' + _globals['_PARAMS']._serialized_start=236 + _globals['_PARAMS']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index 2daafffe..f264546f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index bb2eaa19..9bd34601 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,28 +25,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._serialized_options = b'\362\336\037\020yaml:\"sub_denom\"' - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"authority_metadata\"' - _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._options = None + _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._loaded_options = None _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._serialized_options = b'\362\336\037\016yaml:\"creator\"' - _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._options = None + _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._loaded_options = None _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._serialized_options = b'\362\336\037\ryaml:\"denoms\"' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002(\022&/injective/tokenfactory/v1beta1/params' - _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._serialized_options = b'\202\323\344\223\002Q\022O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata' - _globals['_QUERY'].methods_by_name['DenomsFromCreator']._options = None + _globals['_QUERY'].methods_by_name['DenomsFromCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsFromCreator']._serialized_options = b'\202\323\344\223\002?\022=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}' - _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._options = None + _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._serialized_options = b'\202\323\344\223\002.\022,/injective/tokenfactory/v1beta1/module_state' _globals['_QUERYPARAMSREQUEST']._serialized_start=321 _globals['_QUERYPARAMSREQUEST']._serialized_end=341 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index c32263bd..05ddcbdb 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective.tokenfactory.v1beta1.Query/Params', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomAuthorityMetadata = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataResponse.FromString, - ) + _registered_method=True) self.DenomsFromCreator = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorResponse.FromString, - ) + _registered_method=True) self.TokenfactoryModuleState = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -99,6 +124,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.tokenfactory.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.tokenfactory.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -117,11 +143,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/Params', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomAuthorityMetadata(request, @@ -134,11 +170,21 @@ def DenomAuthorityMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomsFromCreator(request, @@ -151,11 +197,21 @@ def DenomsFromCreator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TokenfactoryModuleState(request, @@ -168,8 +224,18 @@ def TokenfactoryModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index 80cd7299..16f2049c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,84 +18,87 @@ from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xa9\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x0b\x82\xe7\xb0*\x06sender\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"{\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgMintResponse\"{\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgBurnResponse\"\x8a\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":\x0b\x82\xe7\xb0*\x06sender\"\x18\n\x16MsgChangeAdminResponse\"\x8f\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\x8c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xb8\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponseBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_MSGCREATEDENOM'].fields_by_name['sender']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._serialized_options = b'\362\336\037\017yaml:\"subdenom\"' - _globals['_MSGCREATEDENOM'].fields_by_name['name']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['name']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_MSGCREATEDENOM']._options = None - _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._options = None + _globals['_MSGCREATEDENOM']._loaded_options = None + _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/create-denom' + _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._serialized_options = b'\362\336\037\026yaml:\"new_token_denom\"' - _globals['_MSGMINT'].fields_by_name['sender']._options = None + _globals['_MSGMINT'].fields_by_name['sender']._loaded_options = None _globals['_MSGMINT'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGMINT'].fields_by_name['amount']._options = None + _globals['_MSGMINT'].fields_by_name['amount']._loaded_options = None _globals['_MSGMINT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGMINT']._options = None - _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGBURN'].fields_by_name['sender']._options = None + _globals['_MSGMINT']._loaded_options = None + _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/mint' + _globals['_MSGBURN'].fields_by_name['sender']._loaded_options = None _globals['_MSGBURN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGBURN'].fields_by_name['amount']._options = None + _globals['_MSGBURN'].fields_by_name['amount']._loaded_options = None _globals['_MSGBURN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGBURN']._options = None - _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._options = None + _globals['_MSGBURN']._loaded_options = None + _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/burn' + _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"' - _globals['_MSGCHANGEADMIN']._options = None - _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._options = None + _globals['_MSGCHANGEADMIN']._loaded_options = None + _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/change-admin' + _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"metadata\"' - _globals['_MSGSETDENOMMETADATA']._options = None - _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGSETDENOMMETADATA']._loaded_options = None + _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender\212\347\260*)injective/tokenfactory/set-denom-metadata' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEDENOM']._serialized_start=259 - _globals['_MSGCREATEDENOM']._serialized_end=428 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=430 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=507 - _globals['_MSGMINT']._serialized_start=509 - _globals['_MSGMINT']._serialized_end=632 - _globals['_MSGMINTRESPONSE']._serialized_start=634 - _globals['_MSGMINTRESPONSE']._serialized_end=651 - _globals['_MSGBURN']._serialized_start=653 - _globals['_MSGBURN']._serialized_end=776 - _globals['_MSGBURNRESPONSE']._serialized_start=778 - _globals['_MSGBURNRESPONSE']._serialized_end=795 - _globals['_MSGCHANGEADMIN']._serialized_start=798 - _globals['_MSGCHANGEADMIN']._serialized_end=936 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=938 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=962 - _globals['_MSGSETDENOMMETADATA']._serialized_start=965 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1108 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1110 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1139 - _globals['_MSGUPDATEPARAMS']._serialized_start=1142 - _globals['_MSGUPDATEPARAMS']._serialized_end=1282 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1284 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1309 - _globals['_MSG']._serialized_start=1312 - _globals['_MSG']._serialized_end=2008 + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$injective/tokenfactory/update-params' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEDENOM']._serialized_start=278 + _globals['_MSGCREATEDENOM']._serialized_end=487 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 + _globals['_MSGMINT']._serialized_start=569 + _globals['_MSGMINT']._serialized_end=724 + _globals['_MSGMINTRESPONSE']._serialized_start=726 + _globals['_MSGMINTRESPONSE']._serialized_end=743 + _globals['_MSGBURN']._serialized_start=746 + _globals['_MSGBURN']._serialized_end=901 + _globals['_MSGBURNRESPONSE']._serialized_start=903 + _globals['_MSGBURNRESPONSE']._serialized_end=920 + _globals['_MSGCHANGEADMIN']._serialized_start=923 + _globals['_MSGCHANGEADMIN']._serialized_end=1101 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 + _globals['_MSGUPDATEPARAMS']._serialized_start=1353 + _globals['_MSGUPDATEPARAMS']._serialized_end=1534 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 + _globals['_MSG']._serialized_start=1564 + _globals['_MSG']._serialized_end=2267 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index c32b023f..ba715d00 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the tokefactory module's gRPC message service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.tokenfactory.v1beta1.Msg/CreateDenom', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenom.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenomResponse.FromString, - ) + _registered_method=True) self.Mint = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/Mint', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMint.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMintResponse.FromString, - ) + _registered_method=True) self.Burn = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/Burn', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurn.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurnResponse.FromString, - ) + _registered_method=True) self.ChangeAdmin = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdmin.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdminResponse.FromString, - ) + _registered_method=True) self.SetDenomMetadata = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadata.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadataResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -124,6 +149,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.tokenfactory.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.tokenfactory.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -142,11 +168,21 @@ def CreateDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/CreateDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/CreateDenom', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenom.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Mint(request, @@ -159,11 +195,21 @@ def Mint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/Mint', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/Mint', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMint.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMintResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Burn(request, @@ -176,11 +222,21 @@ def Burn(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/Burn', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/Burn', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurn.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurnResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChangeAdmin(request, @@ -193,11 +249,21 @@ def ChangeAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdmin.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetDenomMetadata(request, @@ -210,11 +276,21 @@ def SetDenomMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadata.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -227,8 +303,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/UpdateParams', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index 6d331bfc..cf7207e9 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/account.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,20 +17,20 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xce\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":B\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.account_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' - _globals['_ETHACCOUNT'].fields_by_name['base_account']._options = None + _globals['_ETHACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' - _globals['_ETHACCOUNT'].fields_by_name['code_hash']._options = None + _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['code_hash']._serialized_options = b'\362\336\037\020yaml:\"code_hash\"' - _globals['_ETHACCOUNT']._options = None - _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountI' + _globals['_ETHACCOUNT']._loaded_options = None + _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=354 + _globals['_ETHACCOUNT']._serialized_end=332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 2daafffe..0f16616d 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index 3cae4272..50716853 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/tx_ext.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_ext_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' - _globals['_EXTENSIONOPTIONSWEB3TX']._options = None + _globals['_EXTENSIONOPTIONSWEB3TX']._loaded_options = None _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_options = b'\210\240\037\000' _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=87 _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=182 diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index 2daafffe..e6be995e 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py index e1d46c3f..c44de23c 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/tx_response.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_response_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' _globals['_TXRESPONSEGENERICMESSAGE']._serialized_start=70 _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=126 diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index 2daafffe..aaf08ea6 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index 2b9198a4..e2947aad 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_EVENTCONTRACTEXECUTION']._serialized_start=144 _globals['_EVENTCONTRACTEXECUTION']._serialized_end=258 diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index 2daafffe..af94f5dd 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index 28935af4..e5f75f8c 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._options = None + _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._serialized_options = b'\310\336\037\000' _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=110 _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=227 diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 2daafffe..25e9a5e6 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index c47d6e00..bf271807 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,42 +15,43 @@ from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x84\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/ContractRegistrationRequestProposal' + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._serialized_options = b'\310\336\037\000' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._options = None - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_CONTRACTREGISTRATIONREQUEST']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*.wasmx/BatchContractRegistrationRequestProposal' + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._loaded_options = None + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/BatchContractDeregistrationProposal' + _globals['_CONTRACTREGISTRATIONREQUEST']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._options = None + _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' - _globals['_BATCHSTORECODEPROPOSAL']._options = None - _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FUNDINGMODE']._serialized_start=1179 - _globals['_FUNDINGMODE']._serialized_end=1250 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=147 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=354 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=357 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=570 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=573 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=705 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=708 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1012 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1015 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1177 + _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None + _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' + _globals['_FUNDINGMODE']._serialized_start=1374 + _globals['_FUNDINGMODE']._serialized_end=1445 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 2daafffe..7d79ac7b 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index abd05f48..0016b539 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,16 +23,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['WasmxParams']._options = None + _globals['_QUERY'].methods_by_name['WasmxParams']._loaded_options = None _globals['_QUERY'].methods_by_name['WasmxParams']._serialized_options = b'\202\323\344\223\002\034\022\032/injective/wasmx/v1/params' - _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._options = None + _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._serialized_options = b'\202\323\344\223\002:\0228/injective/wasmx/v1/registration_info/{contract_address}' - _globals['_QUERY'].methods_by_name['WasmxModuleState']._options = None + _globals['_QUERY'].methods_by_name['WasmxModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['WasmxModuleState']._serialized_options = b'\202\323\344\223\002\"\022 /injective/wasmx/v1/module_state' _globals['_QUERYWASMXPARAMSREQUEST']._serialized_start=172 _globals['_QUERYWASMXPARAMSREQUEST']._serialized_end=197 diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index d43e993c..3dd00350 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective.wasmx.v1.Query/WasmxParams', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsResponse.FromString, - ) + _registered_method=True) self.ContractRegistrationInfo = channel.unary_unary( '/injective.wasmx.v1.Query/ContractRegistrationInfo', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoResponse.FromString, - ) + _registered_method=True) self.WasmxModuleState = channel.unary_unary( '/injective.wasmx.v1.Query/WasmxModuleState', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.wasmx.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.wasmx.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def WasmxParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/WasmxParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/WasmxParams', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractRegistrationInfo(request, @@ -114,11 +150,21 @@ def ContractRegistrationInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/ContractRegistrationInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/ContractRegistrationInfo', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WasmxModuleState(request, @@ -131,8 +177,18 @@ def WasmxModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/WasmxModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/WasmxModuleState', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 5c92c8b8..8ccf83be 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -18,60 +18,63 @@ from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\"e\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x8d\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1b\n\x19MsgUpdateContractResponse\"L\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgActivateContractResponse\"N\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgDeactivateContractResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x90\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRegisterContractResponse2\xba\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_MSGEXECUTECONTRACTCOMPAT']._options = None - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' + _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_MSGUPDATECONTRACT']._options = None - _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGACTIVATECONTRACT']._options = None - _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDEACTIVATECONTRACT']._options = None - _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATECONTRACT']._loaded_options = None + _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasmx/MsgUpdateContract' + _globals['_MSGACTIVATECONTRACT']._loaded_options = None + _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgActivateContract' + _globals['_MSGDEACTIVATECONTRACT']._loaded_options = None + _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasmx/MsgDeactivateContract' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025wasmx/MsgUpdateParams' + _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_MSGREGISTERCONTRACT']._options = None - _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=219 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=320 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=322 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=370 - _globals['_MSGUPDATECONTRACT']._serialized_start=373 - _globals['_MSGUPDATECONTRACT']._serialized_end=514 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=516 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=543 - _globals['_MSGACTIVATECONTRACT']._serialized_start=545 - _globals['_MSGACTIVATECONTRACT']._serialized_end=621 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=623 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=652 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=654 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=732 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=734 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=765 - _globals['_MSGUPDATEPARAMS']._serialized_start=768 - _globals['_MSGUPDATEPARAMS']._serialized_end=896 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=898 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=923 - _globals['_MSGREGISTERCONTRACT']._serialized_start=926 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1070 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1072 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1101 - _globals['_MSG']._serialized_start=1104 - _globals['_MSG']._serialized_end=1802 + _globals['_MSGREGISTERCONTRACT']._loaded_options = None + _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgRegisterContract' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 + _globals['_MSGUPDATECONTRACT']._serialized_start=428 + _globals['_MSGUPDATECONTRACT']._serialized_end=597 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 + _globals['_MSGACTIVATECONTRACT']._serialized_start=628 + _globals['_MSGACTIVATECONTRACT']._serialized_end=734 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 + _globals['_MSGUPDATEPARAMS']._serialized_start=913 + _globals['_MSGUPDATEPARAMS']._serialized_end=1067 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 + _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 + _globals['_MSG']._serialized_start=1305 + _globals['_MSG']._serialized_end=2010 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index fe1b58d0..448deb8e 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasmx Msg service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContractResponse.FromString, - ) + _registered_method=True) self.ActivateRegistryContract = channel.unary_unary( '/injective.wasmx.v1.Msg/ActivateRegistryContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContractResponse.FromString, - ) + _registered_method=True) self.DeactivateRegistryContract = channel.unary_unary( '/injective.wasmx.v1.Msg/DeactivateRegistryContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContractResponse.FromString, - ) + _registered_method=True) self.ExecuteContractCompat = channel.unary_unary( '/injective.wasmx.v1.Msg/ExecuteContractCompat', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompat.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompatResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.wasmx.v1.Msg/UpdateParams', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.RegisterContract = channel.unary_unary( '/injective.wasmx.v1.Msg/RegisterContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContractResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -124,6 +149,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.wasmx.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.wasmx.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -142,11 +168,21 @@ def UpdateRegistryContractParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ActivateRegistryContract(request, @@ -159,11 +195,21 @@ def ActivateRegistryContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/ActivateRegistryContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/ActivateRegistryContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DeactivateRegistryContract(request, @@ -176,11 +222,21 @@ def DeactivateRegistryContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/DeactivateRegistryContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/DeactivateRegistryContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecuteContractCompat(request, @@ -193,11 +249,21 @@ def ExecuteContractCompat(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/ExecuteContractCompat', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/ExecuteContractCompat', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompat.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompatResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -210,11 +276,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/UpdateParams', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RegisterContract(request, @@ -227,8 +303,18 @@ def RegisterContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/RegisterContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/RegisterContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index 758d5c7a..c72c28db 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,29 +13,33 @@ from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a!injective/wasmx/v1/proposal.proto\"\x86\x01\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04:\x04\xe8\xa0\x1f\x01\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_PARAMS']._options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._options = None + _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None + _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\014wasmx/Params' + _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT']._options = None + _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' - _globals['_PARAMS']._serialized_start=112 - _globals['_PARAMS']._serialized_end=246 - _globals['_REGISTEREDCONTRACT']._serialized_start=249 - _globals['_REGISTEREDCONTRACT']._serialized_end=471 + _globals['_PARAMS']._serialized_start=161 + _globals['_PARAMS']._serialized_end=424 + _globals['_REGISTEREDCONTRACT']._serialized_start=427 + _globals['_REGISTEREDCONTRACT']._serialized_end=649 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 2daafffe..19ce8f9d 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index af76f7b4..29285b8e 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/abci/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,179 +13,187 @@ from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xc1\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x39\n\x0b\x62\x65gin_block\x18\x07 \x01(\x0b\x32\".tendermint.abci.RequestBeginBlockH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x37\n\ndeliver_tx\x18\t \x01(\x0b\x32!.tendermint.abci.RequestDeliverTxH\x00\x12\x35\n\tend_block\x18\n \x01(\x0b\x32 .tendermint.abci.RequestEndBlockH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xd0\x01\n\x11RequestBeginBlock\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12.\n\x06header\x18\x02 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12;\n\x10last_commit_info\x18\x03 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12@\n\x14\x62yzantine_validators\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x1e\n\x10RequestDeliverTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"!\n\x0fRequestEndBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\x8b\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12:\n\x0b\x62\x65gin_block\x18\x08 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlockH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x38\n\ndeliver_tx\x18\n \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxH\x00\x12\x36\n\tend_block\x18\x0b \x01(\x0b\x32!.tendermint.abci.ResponseEndBlockH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\x92\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\x12\x0e\n\x06sender\x18\t \x01(\t\x12\x10\n\x08priority\x18\n \x01(\x03\x12\x15\n\rmempool_error\x18\x0b \x01(\t\"\xdb\x01\n\x11ResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"5\n\x0eResponseCommit\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x15\n\rretain_height\x18\x03 \x01(\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"o\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x38\n\x06result\x18\x04 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"Z\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\"z\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\xfb\n\n\x0f\x41\x42\x43IApplication\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12R\n\tDeliverTx\x12!.tendermint.abci.RequestDeliverTx\x1a\".tendermint.abci.ResponseDeliverTx\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12U\n\nBeginBlock\x12\".tendermint.abci.RequestBeginBlock\x1a#.tendermint.abci.ResponseBeginBlock\x12O\n\x08\x45ndBlock\x12 .tendermint.abci.RequestEndBlock\x1a!.tendermint.abci.ResponseEndBlock\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposalB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' - _globals['_CHECKTXTYPE'].values_by_name["NEW"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' - _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._serialized_options = b'\212\235 \007Recheck' - _globals['_REQUESTINITCHAIN'].fields_by_name['time']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['time']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._options = None - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSECHECKTX'].fields_by_name['events']._options = None + _globals['_RESPONSECHECKTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSECHECKTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._options = None - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_COMMITINFO'].fields_by_name['votes']._options = None + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._loaded_options = None + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' + _globals['_COMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._options = None + _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EVENT'].fields_by_name['attributes']._options = None + _globals['_EVENT'].fields_by_name['attributes']._loaded_options = None _globals['_EVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000\352\336\037\024attributes,omitempty' - _globals['_TXRESULT'].fields_by_name['result']._options = None + _globals['_EXECTXRESULT'].fields_by_name['events']._loaded_options = None + _globals['_EXECTXRESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_TXRESULT'].fields_by_name['result']._loaded_options = None _globals['_TXRESULT'].fields_by_name['result']._serialized_options = b'\310\336\037\000' - _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._options = None + _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_VOTEINFO'].fields_by_name['validator']._options = None + _globals['_VOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_VOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._options = None + _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['validator']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['validator']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['time']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=7216 - _globals['_CHECKTXTYPE']._serialized_end=7273 - _globals['_MISBEHAVIORTYPE']._serialized_start=7275 - _globals['_MISBEHAVIORTYPE']._serialized_end=7350 - _globals['_REQUEST']._serialized_start=226 - _globals['_REQUEST']._serialized_end=1187 - _globals['_REQUESTECHO']._serialized_start=1189 - _globals['_REQUESTECHO']._serialized_end=1219 - _globals['_REQUESTFLUSH']._serialized_start=1221 - _globals['_REQUESTFLUSH']._serialized_end=1235 - _globals['_REQUESTINFO']._serialized_start=1237 - _globals['_REQUESTINFO']._serialized_end=1333 - _globals['_REQUESTINITCHAIN']._serialized_start=1336 - _globals['_REQUESTINITCHAIN']._serialized_end=1594 - _globals['_REQUESTQUERY']._serialized_start=1596 - _globals['_REQUESTQUERY']._serialized_end=1669 - _globals['_REQUESTBEGINBLOCK']._serialized_start=1672 - _globals['_REQUESTBEGINBLOCK']._serialized_end=1880 - _globals['_REQUESTCHECKTX']._serialized_start=1882 - _globals['_REQUESTCHECKTX']._serialized_end=1954 - _globals['_REQUESTDELIVERTX']._serialized_start=1956 - _globals['_REQUESTDELIVERTX']._serialized_end=1986 - _globals['_REQUESTENDBLOCK']._serialized_start=1988 - _globals['_REQUESTENDBLOCK']._serialized_end=2021 - _globals['_REQUESTCOMMIT']._serialized_start=2023 - _globals['_REQUESTCOMMIT']._serialized_end=2038 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2040 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2062 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2064 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2149 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2151 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2224 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2226 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2299 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2302 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2612 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2615 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2912 - _globals['_RESPONSE']._serialized_start=2915 - _globals['_RESPONSE']._serialized_end=3950 - _globals['_RESPONSEEXCEPTION']._serialized_start=3952 - _globals['_RESPONSEEXCEPTION']._serialized_end=3986 - _globals['_RESPONSEECHO']._serialized_start=3988 - _globals['_RESPONSEECHO']._serialized_end=4019 - _globals['_RESPONSEFLUSH']._serialized_start=4021 - _globals['_RESPONSEFLUSH']._serialized_end=4036 - _globals['_RESPONSEINFO']._serialized_start=4038 - _globals['_RESPONSEINFO']._serialized_end=4160 - _globals['_RESPONSEINITCHAIN']._serialized_start=4163 - _globals['_RESPONSEINITCHAIN']._serialized_end=4321 - _globals['_RESPONSEQUERY']._serialized_start=4324 - _globals['_RESPONSEQUERY']._serialized_end=4506 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=4508 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=4594 - _globals['_RESPONSECHECKTX']._serialized_start=4597 - _globals['_RESPONSECHECKTX']._serialized_end=4871 - _globals['_RESPONSEDELIVERTX']._serialized_start=4874 - _globals['_RESPONSEDELIVERTX']._serialized_end=5093 - _globals['_RESPONSEENDBLOCK']._serialized_start=5096 - _globals['_RESPONSEENDBLOCK']._serialized_end=5315 - _globals['_RESPONSECOMMIT']._serialized_start=5317 - _globals['_RESPONSECOMMIT']._serialized_end=5370 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5372 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5441 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5444 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5626 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5532 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5626 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5628 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5670 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5673 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5915 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5819 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5915 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5917 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5955 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5958 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6111 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6058 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6111 - _globals['_COMMITINFO']._serialized_start=6113 - _globals['_COMMITINFO']._serialized_end=6188 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=6190 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=6281 - _globals['_EVENT']._serialized_start=6283 - _globals['_EVENT']._serialized_end=6387 - _globals['_EVENTATTRIBUTE']._serialized_start=6389 - _globals['_EVENTATTRIBUTE']._serialized_end=6448 - _globals['_TXRESULT']._serialized_start=6450 - _globals['_TXRESULT']._serialized_end=6561 - _globals['_VALIDATOR']._serialized_start=6563 - _globals['_VALIDATOR']._serialized_end=6606 - _globals['_VALIDATORUPDATE']._serialized_start=6608 - _globals['_VALIDATORUPDATE']._serialized_end=6693 - _globals['_VOTEINFO']._serialized_start=6695 - _globals['_VOTEINFO']._serialized_end=6785 - _globals['_EXTENDEDVOTEINFO']._serialized_start=6787 - _globals['_EXTENDEDVOTEINFO']._serialized_end=6909 - _globals['_MISBEHAVIOR']._serialized_start=6912 - _globals['_MISBEHAVIOR']._serialized_end=7122 - _globals['_SNAPSHOT']._serialized_start=7124 - _globals['_SNAPSHOT']._serialized_end=7214 - _globals['_ABCIAPPLICATION']._serialized_start=7353 - _globals['_ABCIAPPLICATION']._serialized_end=8756 + _globals['_CHECKTXTYPE']._serialized_start=8001 + _globals['_CHECKTXTYPE']._serialized_end=8058 + _globals['_MISBEHAVIORTYPE']._serialized_start=8060 + _globals['_MISBEHAVIORTYPE']._serialized_end=8135 + _globals['_REQUEST']._serialized_start=230 + _globals['_REQUEST']._serialized_end=1240 + _globals['_REQUESTECHO']._serialized_start=1242 + _globals['_REQUESTECHO']._serialized_end=1272 + _globals['_REQUESTFLUSH']._serialized_start=1274 + _globals['_REQUESTFLUSH']._serialized_end=1288 + _globals['_REQUESTINFO']._serialized_start=1290 + _globals['_REQUESTINFO']._serialized_end=1386 + _globals['_REQUESTINITCHAIN']._serialized_start=1389 + _globals['_REQUESTINITCHAIN']._serialized_end=1647 + _globals['_REQUESTQUERY']._serialized_start=1649 + _globals['_REQUESTQUERY']._serialized_end=1722 + _globals['_REQUESTCHECKTX']._serialized_start=1724 + _globals['_REQUESTCHECKTX']._serialized_end=1796 + _globals['_REQUESTCOMMIT']._serialized_start=1798 + _globals['_REQUESTCOMMIT']._serialized_end=1813 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 + _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 + _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 + _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 + _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 + _globals['_RESPONSE']._serialized_start=3393 + _globals['_RESPONSE']._serialized_end=4477 + _globals['_RESPONSEEXCEPTION']._serialized_start=4479 + _globals['_RESPONSEEXCEPTION']._serialized_end=4513 + _globals['_RESPONSEECHO']._serialized_start=4515 + _globals['_RESPONSEECHO']._serialized_end=4546 + _globals['_RESPONSEFLUSH']._serialized_start=4548 + _globals['_RESPONSEFLUSH']._serialized_end=4563 + _globals['_RESPONSEINFO']._serialized_start=4565 + _globals['_RESPONSEINFO']._serialized_end=4687 + _globals['_RESPONSEINITCHAIN']._serialized_start=4690 + _globals['_RESPONSEINITCHAIN']._serialized_end=4848 + _globals['_RESPONSEQUERY']._serialized_start=4851 + _globals['_RESPONSEQUERY']._serialized_end=5033 + _globals['_RESPONSECHECKTX']._serialized_start=5036 + _globals['_RESPONSECHECKTX']._serialized_end=5292 + _globals['_RESPONSECOMMIT']._serialized_start=5294 + _globals['_RESPONSECOMMIT']._serialized_end=5345 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 + _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 + _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 + _globals['_COMMITINFO']._serialized_start=6590 + _globals['_COMMITINFO']._serialized_end=6665 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 + _globals['_EVENT']._serialized_start=6760 + _globals['_EVENT']._serialized_end=6864 + _globals['_EVENTATTRIBUTE']._serialized_start=6866 + _globals['_EVENTATTRIBUTE']._serialized_end=6925 + _globals['_EXECTXRESULT']._serialized_start=6928 + _globals['_EXECTXRESULT']._serialized_end=7142 + _globals['_TXRESULT']._serialized_start=7144 + _globals['_TXRESULT']._serialized_end=7250 + _globals['_VALIDATOR']._serialized_start=7252 + _globals['_VALIDATOR']._serialized_end=7295 + _globals['_VALIDATORUPDATE']._serialized_start=7297 + _globals['_VALIDATORUPDATE']._serialized_end=7382 + _globals['_VOTEINFO']._serialized_start=7384 + _globals['_VOTEINFO']._serialized_end=7507 + _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 + _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 + _globals['_MISBEHAVIOR']._serialized_start=7697 + _globals['_MISBEHAVIOR']._serialized_end=7907 + _globals['_SNAPSHOT']._serialized_start=7909 + _globals['_SNAPSHOT']._serialized_end=7999 + _globals['_ABCI']._serialized_start=8138 + _globals['_ABCI']._serialized_end=9575 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 24094065..08ce6d0b 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -1,13 +1,38 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - -class ABCIApplicationStub(object): - """---------------------------------------- - Service Definition +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/abci/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + + +class ABCIStub(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -18,90 +43,90 @@ def __init__(self, channel): channel: A grpc.Channel. """ self.Echo = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Echo', + '/tendermint.abci.ABCI/Echo', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, - ) + _registered_method=True) self.Flush = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Flush', + '/tendermint.abci.ABCI/Flush', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, - ) + _registered_method=True) self.Info = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Info', + '/tendermint.abci.ABCI/Info', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, - ) - self.DeliverTx = channel.unary_unary( - '/tendermint.abci.ABCIApplication/DeliverTx', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, - ) + _registered_method=True) self.CheckTx = channel.unary_unary( - '/tendermint.abci.ABCIApplication/CheckTx', + '/tendermint.abci.ABCI/CheckTx', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, - ) + _registered_method=True) self.Query = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Query', + '/tendermint.abci.ABCI/Query', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, - ) + _registered_method=True) self.Commit = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Commit', + '/tendermint.abci.ABCI/Commit', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, - ) + _registered_method=True) self.InitChain = channel.unary_unary( - '/tendermint.abci.ABCIApplication/InitChain', + '/tendermint.abci.ABCI/InitChain', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, - ) - self.BeginBlock = channel.unary_unary( - '/tendermint.abci.ABCIApplication/BeginBlock', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, - ) - self.EndBlock = channel.unary_unary( - '/tendermint.abci.ABCIApplication/EndBlock', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, - ) + _registered_method=True) self.ListSnapshots = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ListSnapshots', + '/tendermint.abci.ABCI/ListSnapshots', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, - ) + _registered_method=True) self.OfferSnapshot = channel.unary_unary( - '/tendermint.abci.ABCIApplication/OfferSnapshot', + '/tendermint.abci.ABCI/OfferSnapshot', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, - ) + _registered_method=True) self.LoadSnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', + '/tendermint.abci.ABCI/LoadSnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, - ) + _registered_method=True) self.ApplySnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', + '/tendermint.abci.ABCI/ApplySnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, - ) + _registered_method=True) self.PrepareProposal = channel.unary_unary( - '/tendermint.abci.ABCIApplication/PrepareProposal', + '/tendermint.abci.ABCI/PrepareProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, - ) + _registered_method=True) self.ProcessProposal = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ProcessProposal', + '/tendermint.abci.ABCI/ProcessProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, - ) - - -class ABCIApplicationServicer(object): - """---------------------------------------- - Service Definition + _registered_method=True) + self.ExtendVote = channel.unary_unary( + '/tendermint.abci.ABCI/ExtendVote', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, + _registered_method=True) + self.VerifyVoteExtension = channel.unary_unary( + '/tendermint.abci.ABCI/VerifyVoteExtension', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, + _registered_method=True) + self.FinalizeBlock = channel.unary_unary( + '/tendermint.abci.ABCI/FinalizeBlock', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, + _registered_method=True) + + +class ABCIServicer(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -123,86 +148,86 @@ def Info(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DeliverTx(self, request, context): + def CheckTx(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def CheckTx(self, request, context): + def Query(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Query(self, request, context): + def Commit(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Commit(self, request, context): + def InitChain(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def InitChain(self, request, context): + def ListSnapshots(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def BeginBlock(self, request, context): + def OfferSnapshot(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def EndBlock(self, request, context): + def LoadSnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ListSnapshots(self, request, context): + def ApplySnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def OfferSnapshot(self, request, context): + def PrepareProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def LoadSnapshotChunk(self, request, context): + def ProcessProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ApplySnapshotChunk(self, request, context): + def ExtendVote(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def PrepareProposal(self, request, context): + def VerifyVoteExtension(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ProcessProposal(self, request, context): + def FinalizeBlock(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') -def add_ABCIApplicationServicer_to_server(servicer, server): +def add_ABCIServicer_to_server(servicer, server): rpc_method_handlers = { 'Echo': grpc.unary_unary_rpc_method_handler( servicer.Echo, @@ -219,11 +244,6 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.SerializeToString, ), - 'DeliverTx': grpc.unary_unary_rpc_method_handler( - servicer.DeliverTx, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.SerializeToString, - ), 'CheckTx': grpc.unary_unary_rpc_method_handler( servicer.CheckTx, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.FromString, @@ -244,16 +264,6 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.SerializeToString, ), - 'BeginBlock': grpc.unary_unary_rpc_method_handler( - servicer.BeginBlock, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.SerializeToString, - ), - 'EndBlock': grpc.unary_unary_rpc_method_handler( - servicer.EndBlock, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.SerializeToString, - ), 'ListSnapshots': grpc.unary_unary_rpc_method_handler( servicer.ListSnapshots, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.FromString, @@ -284,16 +294,32 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.SerializeToString, ), + 'ExtendVote': grpc.unary_unary_rpc_method_handler( + servicer.ExtendVote, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.SerializeToString, + ), + 'VerifyVoteExtension': grpc.unary_unary_rpc_method_handler( + servicer.VerifyVoteExtension, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.SerializeToString, + ), + 'FinalizeBlock': grpc.unary_unary_rpc_method_handler( + servicer.FinalizeBlock, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( - 'tendermint.abci.ABCIApplication', rpc_method_handlers) + 'tendermint.abci.ABCI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('tendermint.abci.ABCI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. -class ABCIApplication(object): - """---------------------------------------- - Service Definition +class ABCI(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -308,11 +334,21 @@ def Echo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Echo', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/Echo', tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Flush(request, @@ -325,11 +361,21 @@ def Flush(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Flush', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/Flush', tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Info(request, @@ -342,28 +388,21 @@ def Info(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Info', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/Info', tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def DeliverTx(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/DeliverTx', - tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CheckTx(request, @@ -376,11 +415,21 @@ def CheckTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/CheckTx', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/CheckTx', tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Query(request, @@ -393,11 +442,21 @@ def Query(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Query', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/Query', tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Commit(request, @@ -410,11 +469,21 @@ def Commit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Commit', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/Commit', tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InitChain(request, @@ -427,14 +496,24 @@ def InitChain(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/InitChain', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/InitChain', tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def BeginBlock(request, + def ListSnapshots(request, target, options=(), channel_credentials=None, @@ -444,14 +523,24 @@ def BeginBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/BeginBlock', - tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/ListSnapshots', + tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def EndBlock(request, + def OfferSnapshot(request, target, options=(), channel_credentials=None, @@ -461,14 +550,24 @@ def EndBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/EndBlock', - tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/OfferSnapshot', + tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def ListSnapshots(request, + def LoadSnapshotChunk(request, target, options=(), channel_credentials=None, @@ -478,14 +577,24 @@ def ListSnapshots(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ListSnapshots', - tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/LoadSnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def OfferSnapshot(request, + def ApplySnapshotChunk(request, target, options=(), channel_credentials=None, @@ -495,14 +604,24 @@ def OfferSnapshot(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/OfferSnapshot', - tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/ApplySnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def LoadSnapshotChunk(request, + def PrepareProposal(request, target, options=(), channel_credentials=None, @@ -512,14 +631,24 @@ def LoadSnapshotChunk(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/PrepareProposal', + tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def ApplySnapshotChunk(request, + def ProcessProposal(request, target, options=(), channel_credentials=None, @@ -529,14 +658,24 @@ def ApplySnapshotChunk(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/ProcessProposal', + tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def PrepareProposal(request, + def ExtendVote(request, target, options=(), channel_credentials=None, @@ -546,14 +685,24 @@ def PrepareProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/PrepareProposal', - tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/ExtendVote', + tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod - def ProcessProposal(request, + def VerifyVoteExtension(request, target, options=(), channel_credentials=None, @@ -563,8 +712,45 @@ def ProcessProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ProcessProposal', - tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/VerifyVoteExtension', + tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def FinalizeBlock(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCI/FinalizeBlock', + tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index 4885de93..3a009785 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -13,26 +13,27 @@ from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"7\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' - _globals['_BLOCKREQUEST']._serialized_start=88 - _globals['_BLOCKREQUEST']._serialized_end=118 - _globals['_NOBLOCKRESPONSE']._serialized_start=120 - _globals['_NOBLOCKRESPONSE']._serialized_end=153 - _globals['_BLOCKRESPONSE']._serialized_start=155 - _globals['_BLOCKRESPONSE']._serialized_end=210 - _globals['_STATUSREQUEST']._serialized_start=212 - _globals['_STATUSREQUEST']._serialized_end=227 - _globals['_STATUSRESPONSE']._serialized_start=229 - _globals['_STATUSRESPONSE']._serialized_end=275 - _globals['_MESSAGE']._serialized_start=278 - _globals['_MESSAGE']._serialized_end=614 + _globals['_BLOCKREQUEST']._serialized_start=118 + _globals['_BLOCKREQUEST']._serialized_end=148 + _globals['_NOBLOCKRESPONSE']._serialized_start=150 + _globals['_NOBLOCKRESPONSE']._serialized_end=183 + _globals['_BLOCKRESPONSE']._serialized_start=185 + _globals['_BLOCKRESPONSE']._serialized_end=294 + _globals['_STATUSREQUEST']._serialized_start=296 + _globals['_STATUSREQUEST']._serialized_end=311 + _globals['_STATUSRESPONSE']._serialized_start=313 + _globals['_STATUSRESPONSE']._serialized_end=359 + _globals['_MESSAGE']._serialized_start=362 + _globals['_MESSAGE']._serialized_end=698 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py index 2daafffe..d49d432b 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py index 3eadd3df..c5244e28 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/consensus/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._options = None + _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._loaded_options = None _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSAL'].fields_by_name['proposal']._options = None + _globals['_PROPOSAL'].fields_by_name['proposal']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._options = None + _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._loaded_options = None _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKPART'].fields_by_name['part']._options = None + _globals['_BLOCKPART'].fields_by_name['part']._loaded_options = None _globals['_BLOCKPART'].fields_by_name['part']._serialized_options = b'\310\336\037\000' - _globals['_VOTESETMAJ23'].fields_by_name['block_id']._options = None + _globals['_VOTESETMAJ23'].fields_by_name['block_id']._loaded_options = None _globals['_VOTESETMAJ23'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['block_id']._options = None + _globals['_VOTESETBITS'].fields_by_name['block_id']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['votes']._options = None + _globals['_VOTESETBITS'].fields_by_name['votes']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' _globals['_NEWROUNDSTEP']._serialized_start=144 _globals['_NEWROUNDSTEP']._serialized_end=264 diff --git a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py index 2daafffe..6879e86e 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py index 7a4e2f61..0aa3df5d 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/consensus/wal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.wal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_MSGINFO'].fields_by_name['msg']._options = None + _globals['_MSGINFO'].fields_by_name['msg']._loaded_options = None _globals['_MSGINFO'].fields_by_name['msg']._serialized_options = b'\310\336\037\000' - _globals['_MSGINFO'].fields_by_name['peer_id']._options = None + _globals['_MSGINFO'].fields_by_name['peer_id']._loaded_options = None _globals['_MSGINFO'].fields_by_name['peer_id']._serialized_options = b'\342\336\037\006PeerID' - _globals['_TIMEOUTINFO'].fields_by_name['duration']._options = None + _globals['_TIMEOUTINFO'].fields_by_name['duration']._loaded_options = None _globals['_TIMEOUTINFO'].fields_by_name['duration']._serialized_options = b'\310\336\037\000\230\337\037\001' - _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._options = None + _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._loaded_options = None _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_MSGINFO']._serialized_start=208 _globals['_MSGINFO']._serialized_end=296 diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py index 2daafffe..20bf7bbf 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index f90c9e21..20e32137 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/crypto/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' - _globals['_PUBLICKEY']._options = None + _globals['_PUBLICKEY']._loaded_options = None _globals['_PUBLICKEY']._serialized_options = b'\350\240\037\001\350\241\037\001' _globals['_PUBLICKEY']._serialized_start=73 _globals['_PUBLICKEY']._serialized_end=141 diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index 2daafffe..c6d6788d 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index a16b3173..44cee6ce 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/crypto/proof.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.proof_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' - _globals['_PROOFOPS'].fields_by_name['ops']._options = None + _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000' _globals['_PROOF']._serialized_start=74 _globals['_PROOF']._serialized_end=145 diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 2daafffe..424b5351 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2.py b/pyinjective/proto/tendermint/libs/bits/types_pb2.py index d6ac78d8..df93d9df 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/libs/bits/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.libs.bits.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits' _globals['_BITARRAY']._serialized_start=58 _globals['_BITARRAY']._serialized_end=97 diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index 2daafffe..afd186cd 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2.py b/pyinjective/proto/tendermint/mempool/types_pb2.py index 9e0bbae1..f4ad08d8 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/mempool/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.mempool.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/mempool' _globals['_TXS']._serialized_start=54 _globals['_TXS']._serialized_end=72 diff --git a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py index 2daafffe..cb8652d4 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py index fdbac70b..638807b0 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/conn.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.conn_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PACKETMSG'].fields_by_name['channel_id']._options = None + _globals['_PACKETMSG'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['channel_id']._serialized_options = b'\342\336\037\tChannelID' - _globals['_PACKETMSG'].fields_by_name['eof']._options = None + _globals['_PACKETMSG'].fields_by_name['eof']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['eof']._serialized_options = b'\342\336\037\003EOF' - _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._options = None + _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._loaded_options = None _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' _globals['_PACKETPING']._serialized_start=97 _globals['_PACKETPING']._serialized_end=109 diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py index 2daafffe..a0c04f90 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py index 254ade07..2953a71c 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/pex.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.pex_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PEXADDRS'].fields_by_name['addrs']._options = None + _globals['_PEXADDRS'].fields_by_name['addrs']._loaded_options = None _globals['_PEXADDRS'].fields_by_name['addrs']._serialized_options = b'\310\336\037\000' _globals['_PEXREQUEST']._serialized_start=94 _globals['_PEXREQUEST']._serialized_end=106 diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py index 2daafffe..cfd99997 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index 8449c89b..66b71f53 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,22 +20,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_NETADDRESS'].fields_by_name['id']._options = None + _globals['_NETADDRESS'].fields_by_name['id']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['id']._serialized_options = b'\342\336\037\002ID' - _globals['_NETADDRESS'].fields_by_name['ip']._options = None + _globals['_NETADDRESS'].fields_by_name['ip']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['ip']._serialized_options = b'\342\336\037\002IP' - _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._options = None + _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._loaded_options = None _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._serialized_options = b'\342\336\037\003P2P' - _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._serialized_options = b'\310\336\037\000' - _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._serialized_options = b'\342\336\037\rDefaultNodeID' - _globals['_DEFAULTNODEINFO'].fields_by_name['other']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['other']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['other']._serialized_options = b'\310\336\037\000' - _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._options = None + _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._loaded_options = None _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._serialized_options = b'\342\336\037\nRPCAddress' _globals['_NETADDRESS']._serialized_start=68 _globals['_NETADDRESS']._serialized_end=134 diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 2daafffe..10a81406 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py index 3dddbfd4..756dc4cf 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ b/pyinjective/proto/tendermint/privval/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/privval/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.privval.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/privval' - _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._options = None + _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._loaded_options = None _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._options = None + _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._options = None + _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' _globals['_ERRORS']._serialized_start=1352 _globals['_ERRORS']._serialized_end=1520 diff --git a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py index 2daafffe..1280586b 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py index 7839888a..5fbaa43c 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/rpc/grpc/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -15,13 +15,13 @@ from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"\x81\x01\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x36\n\ndeliver_tx\x18\x02 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTx2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"{\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x30\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.rpc.grpc.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc' _globals['_REQUESTPING']._serialized_start=85 _globals['_REQUESTPING']._serialized_end=98 @@ -29,8 +29,8 @@ _globals['_REQUESTBROADCASTTX']._serialized_end=132 _globals['_RESPONSEPING']._serialized_start=134 _globals['_RESPONSEPING']._serialized_end=148 - _globals['_RESPONSEBROADCASTTX']._serialized_start=151 - _globals['_RESPONSEBROADCASTTX']._serialized_end=280 - _globals['_BROADCASTAPI']._serialized_start=283 - _globals['_BROADCASTAPI']._serialized_end=472 + _globals['_RESPONSEBROADCASTTX']._serialized_start=150 + _globals['_RESPONSEBROADCASTTX']._serialized_end=273 + _globals['_BROADCASTAPI']._serialized_start=276 + _globals['_BROADCASTAPI']._serialized_end=465 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index 25950d5c..59ee04ee 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -1,14 +1,43 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class BroadcastAPIStub(object): """---------------------------------------- Service Definition + BroadcastAPI + + Deprecated: This API will be superseded by a more comprehensive gRPC-based + broadcast API, and is scheduled for removal after v0.38. """ def __init__(self, channel): @@ -21,18 +50,22 @@ def __init__(self, channel): '/tendermint.rpc.grpc.BroadcastAPI/Ping', request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - ) + _registered_method=True) class BroadcastAPIServicer(object): """---------------------------------------- Service Definition + BroadcastAPI + + Deprecated: This API will be superseded by a more comprehensive gRPC-based + broadcast API, and is scheduled for removal after v0.38. """ def Ping(self, request, context): @@ -64,6 +97,7 @@ def add_BroadcastAPIServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -71,6 +105,10 @@ class BroadcastAPI(object): """---------------------------------------- Service Definition + BroadcastAPI + + Deprecated: This API will be superseded by a more comprehensive gRPC-based + broadcast API, and is scheduled for removal after v0.38. """ @staticmethod @@ -84,11 +122,21 @@ def Ping(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.rpc.grpc.BroadcastAPI/Ping', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.rpc.grpc.BroadcastAPI/Ping', tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -101,8 +149,18 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 53dddc2e..8b2a1178 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/state/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,38 +21,48 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb8\x01\n\rABCIResponses\x12\x37\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\".tendermint.abci.ResponseDeliverTx\x12\x34\n\tend_block\x18\x02 \x01(\x0b\x32!.tendermint.abci.ResponseEndBlock\x12\x38\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlock\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\\\n\x11\x41\x42\x43IResponsesInfo\x12\x37\n\x0e\x61\x62\x63i_responses\x18\x01 \x01(\x0b\x32\x1f.tendermint.state.ABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.state.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' - _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._loaded_options = None _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_VERSION'].fields_by_name['consensus']._options = None + _globals['_VERSION'].fields_by_name['consensus']._loaded_options = None _globals['_VERSION'].fields_by_name['consensus']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['version']._options = None + _globals['_STATE'].fields_by_name['version']._loaded_options = None _globals['_STATE'].fields_by_name['version']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['chain_id']._options = None + _globals['_STATE'].fields_by_name['chain_id']._loaded_options = None _globals['_STATE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_STATE'].fields_by_name['last_block_id']._options = None + _globals['_STATE'].fields_by_name['last_block_id']._loaded_options = None _globals['_STATE'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\342\336\037\013LastBlockID' - _globals['_STATE'].fields_by_name['last_block_time']._options = None + _globals['_STATE'].fields_by_name['last_block_time']._loaded_options = None _globals['_STATE'].fields_by_name['last_block_time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STATE'].fields_by_name['consensus_params']._options = None + _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_ABCIRESPONSES']._serialized_start=262 - _globals['_ABCIRESPONSES']._serialized_end=446 - _globals['_VALIDATORSINFO']._serialized_start=448 - _globals['_VALIDATORSINFO']._serialized_end=548 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=550 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=667 - _globals['_ABCIRESPONSESINFO']._serialized_start=669 - _globals['_ABCIRESPONSESINFO']._serialized_end=761 - _globals['_VERSION']._serialized_start=763 - _globals['_VERSION']._serialized_end=846 - _globals['_STATE']._serialized_start=849 - _globals['_STATE']._serialized_end=1486 + _globals['_LEGACYABCIRESPONSES']._serialized_start=262 + _globals['_LEGACYABCIRESPONSES']._serialized_end=449 + _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 + _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 + _globals['_RESPONSEENDBLOCK']._serialized_start=540 + _globals['_RESPONSEENDBLOCK']._serialized_end=759 + _globals['_VALIDATORSINFO']._serialized_start=761 + _globals['_VALIDATORSINFO']._serialized_end=861 + _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 + _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 + _globals['_ABCIRESPONSESINFO']._serialized_start=983 + _globals['_ABCIRESPONSESINFO']._serialized_end=1161 + _globals['_VERSION']._serialized_start=1163 + _globals['_VERSION']._serialized_end=1246 + _globals['_STATE']._serialized_start=1249 + _globals['_STATE']._serialized_end=1886 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/state/types_pb2_grpc.py b/pyinjective/proto/tendermint/state/types_pb2_grpc.py index 2daafffe..7e3919fe 100644 --- a/pyinjective/proto/tendermint/state/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/state/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2.py b/pyinjective/proto/tendermint/statesync/types_pb2.py index 1722a9e8..3fc9d878 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/statesync/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.statesync.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/statesync' _globals['_MESSAGE']._serialized_start=59 _globals['_MESSAGE']._serialized_end=339 diff --git a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py index 2daafffe..aed296dd 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/store/types_pb2.py b/pyinjective/proto/tendermint/store/types_pb2.py index 038f8944..21d6504d 100644 --- a/pyinjective/proto/tendermint/store/types_pb2.py +++ b/pyinjective/proto/tendermint/store/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/store/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.store.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/store' _globals['_BLOCKSTORESTATE']._serialized_start=50 _globals['_BLOCKSTORESTATE']._serialized_end=97 diff --git a/pyinjective/proto/tendermint/store/types_pb2_grpc.py b/pyinjective/proto/tendermint/store/types_pb2_grpc.py index 2daafffe..befc0e86 100644 --- a/pyinjective/proto/tendermint/store/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/store/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index e3a8db01..0c9690d6 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/block.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.block_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCK'].fields_by_name['header']._options = None + _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_BLOCK'].fields_by_name['data']._options = None + _globals['_BLOCK'].fields_by_name['data']._loaded_options = None _globals['_BLOCK'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_BLOCK'].fields_by_name['evidence']._options = None + _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_BLOCK']._serialized_start=136 _globals['_BLOCK']._serialized_end=338 diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 2daafffe..1ba424f2 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py index 6b23693a..dfb84bfc 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/canonical.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -17,29 +17,29 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"i\n\x10\x43\x61nonicalBlockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12G\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00\"5\n\x16\x43\x61nonicalPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"\x9d\x02\n\x11\x43\x61nonicalProposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x1f\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRound\x12\x41\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\xf8\x01\n\rCanonicalVote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x41\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"i\n\x10\x43\x61nonicalBlockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12G\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00\"5\n\x16\x43\x61nonicalPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"\x9d\x02\n\x11\x43\x61nonicalProposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x1f\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRound\x12\x41\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\xf8\x01\n\rCanonicalVote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x41\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\\\n\x16\x43\x61nonicalVoteExtension\x12\x11\n\textension\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x10\n\x08\x63hain_id\x18\x04 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.canonical_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._options = None + _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._serialized_options = b'\342\336\037\010POLRound' - _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_CANONICALVOTE'].fields_by_name['block_id']._options = None + _globals['_CANONICALVOTE'].fields_by_name['block_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALVOTE'].fields_by_name['timestamp']._options = None + _globals['_CANONICALVOTE'].fields_by_name['timestamp']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALVOTE'].fields_by_name['chain_id']._options = None + _globals['_CANONICALVOTE'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' _globals['_CANONICALBLOCKID']._serialized_start=139 _globals['_CANONICALBLOCKID']._serialized_end=244 @@ -49,4 +49,6 @@ _globals['_CANONICALPROPOSAL']._serialized_end=587 _globals['_CANONICALVOTE']._serialized_start=590 _globals['_CANONICALVOTE']._serialized_end=838 + _globals['_CANONICALVOTEEXTENSION']._serialized_start=840 + _globals['_CANONICALVOTEEXTENSION']._serialized_end=932 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py index 2daafffe..99128936 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/events_pb2.py b/pyinjective/proto/tendermint/types/events_pb2.py index baa99a7b..1a2d6848 100644 --- a/pyinjective/proto/tendermint/types/events_pb2.py +++ b/pyinjective/proto/tendermint/types/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_EVENTDATAROUNDSTATE']._serialized_start=51 _globals['_EVENTDATAROUNDSTATE']._serialized_end=117 diff --git a/pyinjective/proto/tendermint/types/events_pb2_grpc.py b/pyinjective/proto/tendermint/types/events_pb2_grpc.py index 2daafffe..635dc42d 100644 --- a/pyinjective/proto/tendermint/types/events_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index 0fa1e014..c293b1ff 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/evidence.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.evidence_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._options = None + _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._options = None + _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVIDENCELIST'].fields_by_name['evidence']._options = None + _globals['_EVIDENCELIST'].fields_by_name['evidence']._loaded_options = None _globals['_EVIDENCELIST'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_EVIDENCE']._serialized_start=173 _globals['_EVIDENCE']._serialized_end=351 diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2daafffe..2538cd81 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index 8f9ba478..8054f444 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,30 +16,32 @@ from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\xdb\x01\n\x0f\x43onsensusParams\x12,\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12\x30\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParams\"7\n\x0b\x42lockParams\x12\x11\n\tmax_bytes\x18\x01 \x01(\x03\x12\x0f\n\x07max_gas\x18\x02 \x01(\x03J\x04\x08\x03\x10\x04\"~\n\x0e\x45videnceParams\x12\x1a\n\x12max_age_num_blocks\x18\x01 \x01(\x03\x12=\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x11\n\tmax_bytes\x18\x03 \x01(\x03\"2\n\x0fValidatorParams\x12\x15\n\rpub_key_types\x18\x01 \x03(\t:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"&\n\rVersionParams\x12\x0b\n\x03\x61pp\x18\x01 \x01(\x04:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\">\n\x0cHashedParams\x12\x17\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03\x12\x15\n\rblock_max_gas\x18\x02 \x01(\x03\x42\x39Z3github.com/cometbft/cometbft/proto/tendermint/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0f\x43onsensusParams\x12,\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12\x30\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams\"7\n\x0b\x42lockParams\x12\x11\n\tmax_bytes\x18\x01 \x01(\x03\x12\x0f\n\x07max_gas\x18\x02 \x01(\x03J\x04\x08\x03\x10\x04\"~\n\x0e\x45videnceParams\x12\x1a\n\x12max_age_num_blocks\x18\x01 \x01(\x03\x12=\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x11\n\tmax_bytes\x18\x03 \x01(\x03\"2\n\x0fValidatorParams\x12\x15\n\rpub_key_types\x18\x01 \x03(\t:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"&\n\rVersionParams\x12\x0b\n\x03\x61pp\x18\x01 \x01(\x04:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\">\n\x0cHashedParams\x12\x17\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03\x12\x15\n\rblock_max_gas\x18\x02 \x01(\x03\"3\n\nABCIParams\x12%\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03\x42\x39Z3github.com/cometbft/cometbft/proto/tendermint/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types\250\342\036\001' - _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._options = None + _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._loaded_options = None _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._serialized_options = b'\310\336\037\000\230\337\037\001' - _globals['_VALIDATORPARAMS']._options = None + _globals['_VALIDATORPARAMS']._loaded_options = None _globals['_VALIDATORPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' - _globals['_VERSIONPARAMS']._options = None + _globals['_VERSIONPARAMS']._loaded_options = None _globals['_VERSIONPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' _globals['_CONSENSUSPARAMS']._serialized_start=106 - _globals['_CONSENSUSPARAMS']._serialized_end=325 - _globals['_BLOCKPARAMS']._serialized_start=327 - _globals['_BLOCKPARAMS']._serialized_end=382 - _globals['_EVIDENCEPARAMS']._serialized_start=384 - _globals['_EVIDENCEPARAMS']._serialized_end=510 - _globals['_VALIDATORPARAMS']._serialized_start=512 - _globals['_VALIDATORPARAMS']._serialized_end=562 - _globals['_VERSIONPARAMS']._serialized_start=564 - _globals['_VERSIONPARAMS']._serialized_end=602 - _globals['_HASHEDPARAMS']._serialized_start=604 - _globals['_HASHEDPARAMS']._serialized_end=666 + _globals['_CONSENSUSPARAMS']._serialized_end=369 + _globals['_BLOCKPARAMS']._serialized_start=371 + _globals['_BLOCKPARAMS']._serialized_end=426 + _globals['_EVIDENCEPARAMS']._serialized_start=428 + _globals['_EVIDENCEPARAMS']._serialized_end=554 + _globals['_VALIDATORPARAMS']._serialized_start=556 + _globals['_VALIDATORPARAMS']._serialized_end=606 + _globals['_VERSIONPARAMS']._serialized_start=608 + _globals['_VERSIONPARAMS']._serialized_end=646 + _globals['_HASHEDPARAMS']._serialized_start=648 + _globals['_HASHEDPARAMS']._serialized_end=710 + _globals['_ABCIPARAMS']._serialized_start=712 + _globals['_ABCIPARAMS']._serialized_end=763 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 2daafffe..10835456 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 3aacf4f7..5435e09f 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,68 +19,62 @@ from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x92\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCKIDFLAG']._options = None - _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' - _globals['_SIGNEDMSGTYPE']._options = None + _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._serialized_options = b'\212\235 \013UnknownType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._serialized_options = b'\212\235 \013PrevoteType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._serialized_options = b'\212\235 \rPrecommitType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._serialized_options = b'\212\235 \014ProposalType' - _globals['_PART'].fields_by_name['proof']._options = None + _globals['_PART'].fields_by_name['proof']._loaded_options = None _globals['_PART'].fields_by_name['proof']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKID'].fields_by_name['part_set_header']._options = None + _globals['_BLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_BLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_HEADER'].fields_by_name['version']._options = None + _globals['_HEADER'].fields_by_name['version']._loaded_options = None _globals['_HEADER'].fields_by_name['version']._serialized_options = b'\310\336\037\000' - _globals['_HEADER'].fields_by_name['chain_id']._options = None + _globals['_HEADER'].fields_by_name['chain_id']._loaded_options = None _globals['_HEADER'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_HEADER'].fields_by_name['time']._options = None + _globals['_HEADER'].fields_by_name['time']._loaded_options = None _globals['_HEADER'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_HEADER'].fields_by_name['last_block_id']._options = None + _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000' - _globals['_VOTE'].fields_by_name['block_id']._options = None + _globals['_VOTE'].fields_by_name['block_id']._loaded_options = None _globals['_VOTE'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTE'].fields_by_name['timestamp']._options = None + _globals['_VOTE'].fields_by_name['timestamp']._loaded_options = None _globals['_VOTE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_COMMIT'].fields_by_name['block_id']._options = None + _globals['_COMMIT'].fields_by_name['block_id']._loaded_options = None _globals['_COMMIT'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_COMMIT'].fields_by_name['signatures']._options = None + _globals['_COMMIT'].fields_by_name['signatures']._loaded_options = None _globals['_COMMIT'].fields_by_name['signatures']._serialized_options = b'\310\336\037\000' - _globals['_COMMITSIG'].fields_by_name['timestamp']._options = None + _globals['_COMMITSIG'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['block_id']._options = None + _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._loaded_options = None + _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' + _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._loaded_options = None + _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._serialized_options = b'\310\336\037\000' + _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._loaded_options = None + _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_PROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_PROPOSAL'].fields_by_name['timestamp']._options = None + _globals['_PROPOSAL'].fields_by_name['timestamp']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_BLOCKMETA'].fields_by_name['block_id']._options = None + _globals['_BLOCKMETA'].fields_by_name['block_id']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_BLOCKMETA'].fields_by_name['header']._options = None + _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=2207 - _globals['_BLOCKIDFLAG']._serialized_end=2422 - _globals['_SIGNEDMSGTYPE']._serialized_start=2425 - _globals['_SIGNEDMSGTYPE']._serialized_end=2640 + _globals['_SIGNEDMSGTYPE']._serialized_start=2666 + _globals['_SIGNEDMSGTYPE']._serialized_end=2881 _globals['_PARTSETHEADER']._serialized_start=202 _globals['_PARTSETHEADER']._serialized_end=246 _globals['_PART']._serialized_start=248 @@ -92,19 +86,23 @@ _globals['_DATA']._serialized_start=860 _globals['_DATA']._serialized_end=879 _globals['_VOTE']._serialized_start=882 - _globals['_VOTE']._serialized_end=1156 - _globals['_COMMIT']._serialized_start=1159 - _globals['_COMMIT']._serialized_end=1315 - _globals['_COMMITSIG']._serialized_start=1318 - _globals['_COMMITSIG']._serialized_end=1486 - _globals['_PROPOSAL']._serialized_start=1489 - _globals['_PROPOSAL']._serialized_end=1734 - _globals['_SIGNEDHEADER']._serialized_start=1736 - _globals['_SIGNEDHEADER']._serialized_end=1834 - _globals['_LIGHTBLOCK']._serialized_start=1836 - _globals['_LIGHTBLOCK']._serialized_end=1958 - _globals['_BLOCKMETA']._serialized_start=1961 - _globals['_BLOCKMETA']._serialized_end=2119 - _globals['_TXPROOF']._serialized_start=2121 - _globals['_TXPROOF']._serialized_end=2204 + _globals['_VOTE']._serialized_end=1204 + _globals['_COMMIT']._serialized_start=1207 + _globals['_COMMIT']._serialized_end=1363 + _globals['_COMMITSIG']._serialized_start=1366 + _globals['_COMMITSIG']._serialized_end=1534 + _globals['_EXTENDEDCOMMIT']._serialized_start=1537 + _globals['_EXTENDEDCOMMIT']._serialized_end=1718 + _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 + _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 + _globals['_PROPOSAL']._serialized_start=1948 + _globals['_PROPOSAL']._serialized_end=2193 + _globals['_SIGNEDHEADER']._serialized_start=2195 + _globals['_SIGNEDHEADER']._serialized_end=2293 + _globals['_LIGHTBLOCK']._serialized_start=2295 + _globals['_LIGHTBLOCK']._serialized_end=2417 + _globals['_BLOCKMETA']._serialized_start=2420 + _globals['_BLOCKMETA']._serialized_end=2578 + _globals['_TXPROOF']._serialized_start=2580 + _globals['_TXPROOF']._serialized_end=2663 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 2daafffe..89ae993e 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index a592da05..d7059a2b 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/validator.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -16,16 +16,28 @@ from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.validator_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_VALIDATOR'].fields_by_name['pub_key']._options = None + _globals['_BLOCKIDFLAG']._loaded_options = None + _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' + _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' + _globals['_BLOCKIDFLAG']._serialized_start=469 + _globals['_BLOCKIDFLAG']._serialized_end=684 _globals['_VALIDATORSET']._serialized_start=107 _globals['_VALIDATORSET']._serialized_end=245 _globals['_VALIDATOR']._serialized_start=248 diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index 2daafffe..ee3f776f 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index 4a432c27..e035eb93 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/version/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.version.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/version' - _globals['_CONSENSUS']._options = None + _globals['_CONSENSUS']._loaded_options = None _globals['_CONSENSUS']._serialized_options = b'\350\240\037\001' _globals['_APP']._serialized_start=76 _globals['_APP']._serialized_end=117 diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index 2daafffe..b5d744ef 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/bank_pb2.py b/pyinjective/proto/testpb/bank_pb2.py deleted file mode 100644 index 7a38f702..00000000 --- a/pyinjective/proto/testpb/bank_pb2.py +++ /dev/null @@ -1,33 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/bank.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11testpb/bank.proto\x12\x06testpb\x1a\x17\x63osmos/orm/v1/orm.proto\"_\n\x07\x42\x61lance\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\x04:$\xf2\x9e\xd3\x8e\x03\x1e\n\x0f\n\raddress,denom\x12\t\n\x05\x64\x65nom\x10\x01\x18\x01\":\n\x06Supply\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x05\x64\x65nom\x18\x02\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_BALANCE']._options = None - _globals['_BALANCE']._serialized_options = b'\362\236\323\216\003\036\n\017\n\raddress,denom\022\t\n\005denom\020\001\030\001' - _globals['_SUPPLY']._options = None - _globals['_SUPPLY']._serialized_options = b'\362\236\323\216\003\013\n\007\n\005denom\030\002' - _globals['_BALANCE']._serialized_start=54 - _globals['_BALANCE']._serialized_end=149 - _globals['_SUPPLY']._serialized_start=151 - _globals['_SUPPLY']._serialized_end=209 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_pb2_grpc.py b/pyinjective/proto/testpb/bank_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/testpb/bank_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/testpb/bank_query_pb2.py b/pyinjective/proto/testpb/bank_query_pb2.py deleted file mode 100644 index 5ed7ec58..00000000 --- a/pyinjective/proto/testpb/bank_query_pb2.py +++ /dev/null @@ -1,58 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/bank_query.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from testpb import bank_pb2 as testpb_dot_bank__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17testpb/bank_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11testpb/bank.proto\"3\n\x11GetBalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"4\n\x12GetBalanceResponse\x12\x1e\n\x05value\x18\x01 \x01(\x0b\x32\x0f.testpb.Balance\"\xd8\x04\n\x12ListBalanceRequest\x12;\n\x0cprefix_query\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyH\x00\x12<\n\x0brange_query\x18\x02 \x01(\x0b\x32%.testpb.ListBalanceRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\x8f\x02\n\x08IndexKey\x12I\n\raddress_denom\x18\x01 \x01(\x0b\x32\x30.testpb.ListBalanceRequest.IndexKey.AddressDenomH\x00\x12:\n\x05\x64\x65nom\x18\x02 \x01(\x0b\x32).testpb.ListBalanceRequest.IndexKey.DenomH\x00\x1aN\n\x0c\x41\x64\x64ressDenom\x12\x14\n\x07\x61\x64\x64ress\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x12\n\x05\x64\x65nom\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\n\n\x08_addressB\x08\n\x06_denom\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1ap\n\nRangeQuery\x12\x31\n\x04\x66rom\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKey\x12/\n\x02to\x18\x02 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyB\x07\n\x05query\"s\n\x13ListBalanceResponse\x12\x1f\n\x06values\x18\x01 \x03(\x0b\x32\x0f.testpb.Balance\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"!\n\x10GetSupplyRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"2\n\x11GetSupplyResponse\x12\x1d\n\x05value\x18\x01 \x01(\x0b\x32\x0e.testpb.Supply\"\xb6\x03\n\x11ListSupplyRequest\x12:\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyH\x00\x12;\n\x0brange_query\x18\x02 \x01(\x0b\x32$.testpb.ListSupplyRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1as\n\x08IndexKey\x12\x39\n\x05\x64\x65nom\x18\x01 \x01(\x0b\x32(.testpb.ListSupplyRequest.IndexKey.DenomH\x00\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1an\n\nRangeQuery\x12\x30\n\x04\x66rom\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKey\x12.\n\x02to\x18\x02 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyB\x07\n\x05query\"q\n\x12ListSupplyResponse\x12\x1e\n\x06values\x18\x01 \x03(\x0b\x32\x0e.testpb.Supply\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xae\x02\n\x10\x42\x61nkQueryService\x12\x45\n\nGetBalance\x12\x19.testpb.GetBalanceRequest\x1a\x1a.testpb.GetBalanceResponse\"\x00\x12H\n\x0bListBalance\x12\x1a.testpb.ListBalanceRequest\x1a\x1b.testpb.ListBalanceResponse\"\x00\x12\x42\n\tGetSupply\x12\x18.testpb.GetSupplyRequest\x1a\x19.testpb.GetSupplyResponse\"\x00\x12\x45\n\nListSupply\x12\x19.testpb.ListSupplyRequest\x1a\x1a.testpb.ListSupplyResponse\"\x00\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_GETBALANCEREQUEST']._serialized_start=98 - _globals['_GETBALANCEREQUEST']._serialized_end=149 - _globals['_GETBALANCERESPONSE']._serialized_start=151 - _globals['_GETBALANCERESPONSE']._serialized_end=203 - _globals['_LISTBALANCEREQUEST']._serialized_start=206 - _globals['_LISTBALANCEREQUEST']._serialized_end=806 - _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_start=412 - _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_end=683 - _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_start=559 - _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_end=637 - _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_start=639 - _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_end=676 - _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_start=685 - _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_end=797 - _globals['_LISTBALANCERESPONSE']._serialized_start=808 - _globals['_LISTBALANCERESPONSE']._serialized_end=923 - _globals['_GETSUPPLYREQUEST']._serialized_start=925 - _globals['_GETSUPPLYREQUEST']._serialized_end=958 - _globals['_GETSUPPLYRESPONSE']._serialized_start=960 - _globals['_GETSUPPLYRESPONSE']._serialized_end=1010 - _globals['_LISTSUPPLYREQUEST']._serialized_start=1013 - _globals['_LISTSUPPLYREQUEST']._serialized_end=1451 - _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_start=1215 - _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_end=1330 - _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_start=639 - _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_end=676 - _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_start=1332 - _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_end=1442 - _globals['_LISTSUPPLYRESPONSE']._serialized_start=1453 - _globals['_LISTSUPPLYRESPONSE']._serialized_end=1566 - _globals['_BANKQUERYSERVICE']._serialized_start=1569 - _globals['_BANKQUERYSERVICE']._serialized_end=1871 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_query_pb2_grpc.py b/pyinjective/proto/testpb/bank_query_pb2_grpc.py deleted file mode 100644 index 8fbae869..00000000 --- a/pyinjective/proto/testpb/bank_query_pb2_grpc.py +++ /dev/null @@ -1,172 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - -from testpb import bank_query_pb2 as testpb_dot_bank__query__pb2 - - -class BankQueryServiceStub(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - def __init__(self, channel): - """Constructor. - - Args: - channel: A grpc.Channel. - """ - self.GetBalance = channel.unary_unary( - '/testpb.BankQueryService/GetBalance', - request_serializer=testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - ) - self.ListBalance = channel.unary_unary( - '/testpb.BankQueryService/ListBalance', - request_serializer=testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - ) - self.GetSupply = channel.unary_unary( - '/testpb.BankQueryService/GetSupply', - request_serializer=testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - ) - self.ListSupply = channel.unary_unary( - '/testpb.BankQueryService/ListSupply', - request_serializer=testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - ) - - -class BankQueryServiceServicer(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - def GetBalance(self, request, context): - """Get queries the Balance table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListBalance(self, request, context): - """ListBalance queries the Balance table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSupply(self, request, context): - """Get queries the Supply table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListSupply(self, request, context): - """ListSupply queries the Supply table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - -def add_BankQueryServiceServicer_to_server(servicer, server): - rpc_method_handlers = { - 'GetBalance': grpc.unary_unary_rpc_method_handler( - servicer.GetBalance, - request_deserializer=testpb_dot_bank__query__pb2.GetBalanceRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.GetBalanceResponse.SerializeToString, - ), - 'ListBalance': grpc.unary_unary_rpc_method_handler( - servicer.ListBalance, - request_deserializer=testpb_dot_bank__query__pb2.ListBalanceRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.ListBalanceResponse.SerializeToString, - ), - 'GetSupply': grpc.unary_unary_rpc_method_handler( - servicer.GetSupply, - request_deserializer=testpb_dot_bank__query__pb2.GetSupplyRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.GetSupplyResponse.SerializeToString, - ), - 'ListSupply': grpc.unary_unary_rpc_method_handler( - servicer.ListSupply, - request_deserializer=testpb_dot_bank__query__pb2.ListSupplyRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.ListSupplyResponse.SerializeToString, - ), - } - generic_handler = grpc.method_handlers_generic_handler( - 'testpb.BankQueryService', rpc_method_handlers) - server.add_generic_rpc_handlers((generic_handler,)) - - - # This class is part of an EXPERIMENTAL API. -class BankQueryService(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - @staticmethod - def GetBalance(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetBalance', - testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, - testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListBalance(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListBalance', - testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, - testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetSupply(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetSupply', - testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, - testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListSupply(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListSupply', - testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, - testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) diff --git a/pyinjective/proto/testpb/test_schema_pb2.py b/pyinjective/proto/testpb/test_schema_pb2.py deleted file mode 100644 index d41f2960..00000000 --- a/pyinjective/proto/testpb/test_schema_pb2.py +++ /dev/null @@ -1,59 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/test_schema.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18testpb/test_schema.proto\x12\x06testpb\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x17\x63osmos/orm/v1/orm.proto\"\xc0\x04\n\x0c\x45xampleTable\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03u64\x18\x02 \x01(\x04\x12\x0b\n\x03str\x18\x03 \x01(\t\x12\n\n\x02\x62z\x18\x04 \x01(\x0c\x12&\n\x02ts\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.Timestamp\x12&\n\x03\x64ur\x18\x06 \x01(\x0b\x32\x19.google.protobuf.Duration\x12\x0b\n\x03i32\x18\x07 \x01(\x05\x12\x0b\n\x03s32\x18\x08 \x01(\x11\x12\x0c\n\x04sf32\x18\t \x01(\x0f\x12\x0b\n\x03i64\x18\n \x01(\x03\x12\x0b\n\x03s64\x18\x0b \x01(\x12\x12\x0c\n\x04sf64\x18\x0c \x01(\x10\x12\x0b\n\x03\x66\x33\x32\x18\r \x01(\x07\x12\x0b\n\x03\x66\x36\x34\x18\x0e \x01(\x06\x12\t\n\x01\x62\x18\x0f \x01(\x08\x12\x17\n\x01\x65\x18\x10 \x01(\x0e\x32\x0c.testpb.Enum\x12\x10\n\x08repeated\x18\x11 \x03(\r\x12*\n\x03map\x18\x12 \x03(\x0b\x32\x1d.testpb.ExampleTable.MapEntry\x12\x30\n\x03msg\x18\x13 \x01(\x0b\x32#.testpb.ExampleTable.ExampleMessage\x12\x0f\n\x05oneof\x18\x14 \x01(\rH\x00\x1a*\n\x08MapEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\r:\x02\x38\x01\x1a*\n\x0e\x45xampleMessage\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:?\xf2\x9e\xd3\x8e\x03\x39\n\r\n\x0bu32,i64,str\x12\r\n\x07u64,str\x10\x01\x18\x01\x12\x0b\n\x07str,u32\x10\x02\x12\n\n\x06\x62z,str\x10\x03\x18\x01\x42\x05\n\x03sum\"X\n\x19\x45xampleAutoIncrementTable\x12\n\n\x02id\x18\x01 \x01(\x04\x12\t\n\x01x\x18\x02 \x01(\t\x12\t\n\x01y\x18\x03 \x01(\x05:\x19\xf2\x9e\xd3\x8e\x03\x13\n\x06\n\x02id\x10\x01\x12\x07\n\x01x\x10\x01\x18\x01\x18\x03\"6\n\x10\x45xampleSingleton\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:\x08\xfa\x9e\xd3\x8e\x03\x02\x08\x02\"n\n\x10\x45xampleTimestamp\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0c\n\x04name\x18\x02 \x01(\t\x12&\n\x02ts\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.Timestamp:\x18\xf2\x9e\xd3\x8e\x03\x12\n\x06\n\x02id\x10\x01\x12\x06\n\x02ts\x10\x01\x18\x04\"a\n\rSimpleExample\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06unique\x18\x02 \x01(\t\x12\x12\n\nnot_unique\x18\x03 \x01(\t:\x1e\xf2\x9e\xd3\x8e\x03\x18\n\x06\n\x04name\x12\x0c\n\x06unique\x10\x01\x18\x01\x18\x05\"F\n\x17\x45xampleAutoIncFieldName\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x03\x66oo\x10\x01\x18\x06*d\n\x04\x45num\x12\x14\n\x10\x45NUM_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45NUM_ONE\x10\x01\x12\x0c\n\x08\x45NUM_TWO\x10\x02\x12\r\n\tENUM_FIVE\x10\x05\x12\x1b\n\x0e\x45NUM_NEG_THREE\x10\xfd\xff\xff\xff\xff\xff\xff\xff\xff\x01\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_EXAMPLETABLE_MAPENTRY']._options = None - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_options = b'8\001' - _globals['_EXAMPLETABLE']._options = None - _globals['_EXAMPLETABLE']._serialized_options = b'\362\236\323\216\0039\n\r\n\013u32,i64,str\022\r\n\007u64,str\020\001\030\001\022\013\n\007str,u32\020\002\022\n\n\006bz,str\020\003\030\001' - _globals['_EXAMPLEAUTOINCREMENTTABLE']._options = None - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_options = b'\362\236\323\216\003\023\n\006\n\002id\020\001\022\007\n\001x\020\001\030\001\030\003' - _globals['_EXAMPLESINGLETON']._options = None - _globals['_EXAMPLESINGLETON']._serialized_options = b'\372\236\323\216\003\002\010\002' - _globals['_EXAMPLETIMESTAMP']._options = None - _globals['_EXAMPLETIMESTAMP']._serialized_options = b'\362\236\323\216\003\022\n\006\n\002id\020\001\022\006\n\002ts\020\001\030\004' - _globals['_SIMPLEEXAMPLE']._options = None - _globals['_SIMPLEEXAMPLE']._serialized_options = b'\362\236\323\216\003\030\n\006\n\004name\022\014\n\006unique\020\001\030\001\030\005' - _globals['_EXAMPLEAUTOINCFIELDNAME']._options = None - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_options = b'\362\236\323\216\003\013\n\007\n\003foo\020\001\030\006' - _globals['_ENUM']._serialized_start=1134 - _globals['_ENUM']._serialized_end=1234 - _globals['_EXAMPLETABLE']._serialized_start=127 - _globals['_EXAMPLETABLE']._serialized_end=703 - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_start=545 - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_end=587 - _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_start=589 - _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_end=631 - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_start=705 - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_end=793 - _globals['_EXAMPLESINGLETON']._serialized_start=795 - _globals['_EXAMPLESINGLETON']._serialized_end=849 - _globals['_EXAMPLETIMESTAMP']._serialized_start=851 - _globals['_EXAMPLETIMESTAMP']._serialized_end=961 - _globals['_SIMPLEEXAMPLE']._serialized_start=963 - _globals['_SIMPLEEXAMPLE']._serialized_end=1060 - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_start=1062 - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_end=1132 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/testpb/test_schema_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/testpb/test_schema_query_pb2.py b/pyinjective/proto/testpb/test_schema_query_pb2.py deleted file mode 100644 index b2ba1265..00000000 --- a/pyinjective/proto/testpb/test_schema_query_pb2.py +++ /dev/null @@ -1,127 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/test_schema_query.proto -# Protobuf Python Version: 4.25.0 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from testpb import test_schema_pb2 as testpb_dot_test__schema__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etestpb/test_schema_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x18testpb/test_schema.proto\"?\n\x16GetExampleTableRequest\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03i64\x18\x02 \x01(\x03\x12\x0b\n\x03str\x18\x03 \x01(\t\">\n\x17GetExampleTableResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\":\n\x1eGetExampleTableByU64StrRequest\x12\x0b\n\x03u64\x18\x01 \x01(\x04\x12\x0b\n\x03str\x18\x02 \x01(\t\"F\n\x1fGetExampleTableByU64StrResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\"\x9e\x07\n\x17ListExampleTableRequest\x12@\n\x0cprefix_query\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyH\x00\x12\x41\n\x0brange_query\x18\x02 \x01(\x0b\x32*.testpb.ListExampleTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xbc\x04\n\x08IndexKey\x12K\n\ru_32_i_64_str\x18\x01 \x01(\x0b\x32\x32.testpb.ListExampleTableRequest.IndexKey.U32I64StrH\x00\x12\x43\n\x08u_64_str\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.U64StrH\x00\x12\x43\n\x08str_u_32\x18\x03 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.StrU32H\x00\x12@\n\x06\x62z_str\x18\x04 \x01(\x0b\x32..testpb.ListExampleTableRequest.IndexKey.BzStrH\x00\x1aY\n\tU32I64Str\x12\x10\n\x03u32\x18\x01 \x01(\rH\x00\x88\x01\x01\x12\x10\n\x03i64\x18\x02 \x01(\x03H\x01\x88\x01\x01\x12\x10\n\x03str\x18\x03 \x01(\tH\x02\x88\x01\x01\x42\x06\n\x04_u32B\x06\n\x04_i64B\x06\n\x04_str\x1a<\n\x06U64Str\x12\x10\n\x03u64\x18\x01 \x01(\x04H\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x06\n\x04_u64B\x06\n\x04_str\x1a<\n\x06StrU32\x12\x10\n\x03str\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x10\n\x03u32\x18\x02 \x01(\rH\x01\x88\x01\x01\x42\x06\n\x04_strB\x06\n\x04_u32\x1a\x39\n\x05\x42zStr\x12\x0f\n\x02\x62z\x18\x01 \x01(\x0cH\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x05\n\x03_bzB\x06\n\x04_strB\x05\n\x03key\x1az\n\nRangeQuery\x12\x36\n\x04\x66rom\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKey\x12\x34\n\x02to\x18\x02 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyB\x07\n\x05query\"}\n\x18ListExampleTableResponse\x12$\n\x06values\x18\x01 \x03(\x0b\x32\x14.testpb.ExampleTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"1\n#GetExampleAutoIncrementTableRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"X\n$GetExampleAutoIncrementTableResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"3\n&GetExampleAutoIncrementTableByXRequest\x12\t\n\x01x\x18\x01 \x01(\t\"[\n\'GetExampleAutoIncrementTableByXResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"\xfc\x04\n$ListExampleAutoIncrementTableRequest\x12M\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyH\x00\x12N\n\x0brange_query\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xd8\x01\n\x08IndexKey\x12\x46\n\x02id\x18\x01 \x01(\x0b\x32\x38.testpb.ListExampleAutoIncrementTableRequest.IndexKey.IdH\x00\x12\x44\n\x01x\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.IndexKey.XH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x19\n\x01X\x12\x0e\n\x01x\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x04\n\x02_xB\x05\n\x03key\x1a\x94\x01\n\nRangeQuery\x12\x43\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKey\x12\x41\n\x02to\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyB\x07\n\x05query\"\x97\x01\n%ListExampleAutoIncrementTableResponse\x12\x31\n\x06values\x18\x01 \x03(\x0b\x32!.testpb.ExampleAutoIncrementTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1c\n\x1aGetExampleSingletonRequest\"F\n\x1bGetExampleSingletonResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleSingleton\"(\n\x1aGetExampleTimestampRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"F\n\x1bGetExampleTimestampResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleTimestamp\"\xde\x04\n\x1bListExampleTimestampRequest\x12\x44\n\x0cprefix_query\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyH\x00\x12\x45\n\x0brange_query\x18\x02 \x01(\x0b\x32..testpb.ListExampleTimestampRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe7\x01\n\x08IndexKey\x12=\n\x02id\x18\x01 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.IdH\x00\x12=\n\x02ts\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.TsH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x38\n\x02Ts\x12+\n\x02ts\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x88\x01\x01\x42\x05\n\x03_tsB\x05\n\x03key\x1a\x82\x01\n\nRangeQuery\x12:\n\x04\x66rom\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKey\x12\x38\n\x02to\x18\x02 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyB\x07\n\x05query\"\x85\x01\n\x1cListExampleTimestampResponse\x12(\n\x06values\x18\x01 \x03(\x0b\x32\x18.testpb.ExampleTimestamp\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\'\n\x17GetSimpleExampleRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"@\n\x18GetSimpleExampleResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"1\n\x1fGetSimpleExampleByUniqueRequest\x12\x0e\n\x06unique\x18\x01 \x01(\t\"H\n GetSimpleExampleByUniqueResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"\xca\x04\n\x18ListSimpleExampleRequest\x12\x41\n\x0cprefix_query\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyH\x00\x12\x42\n\x0brange_query\x18\x02 \x01(\x0b\x32+.testpb.ListSimpleExampleRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe3\x01\n\x08IndexKey\x12>\n\x04name\x18\x01 \x01(\x0b\x32..testpb.ListSimpleExampleRequest.IndexKey.NameH\x00\x12\x42\n\x06unique\x18\x02 \x01(\x0b\x32\x30.testpb.ListSimpleExampleRequest.IndexKey.UniqueH\x00\x1a\"\n\x04Name\x12\x11\n\x04name\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x07\n\x05_name\x1a(\n\x06Unique\x12\x13\n\x06unique\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\t\n\x07_uniqueB\x05\n\x03key\x1a|\n\nRangeQuery\x12\x37\n\x04\x66rom\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKey\x12\x35\n\x02to\x18\x02 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyB\x07\n\x05query\"\x7f\n\x19ListSimpleExampleResponse\x12%\n\x06values\x18\x01 \x03(\x0b\x32\x15.testpb.SimpleExample\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"0\n!GetExampleAutoIncFieldNameRequest\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\"T\n\"GetExampleAutoIncFieldNameResponse\x12.\n\x05value\x18\x01 \x01(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\"\x93\x04\n\"ListExampleAutoIncFieldNameRequest\x12K\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyH\x00\x12L\n\x0brange_query\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncFieldNameRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1az\n\x08IndexKey\x12\x46\n\x03\x66oo\x18\x01 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncFieldNameRequest.IndexKey.FooH\x00\x1a\x1f\n\x03\x46oo\x12\x10\n\x03\x66oo\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x06\n\x04_fooB\x05\n\x03key\x1a\x90\x01\n\nRangeQuery\x12\x41\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKey\x12?\n\x02to\x18\x02 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyB\x07\n\x05query\"\x93\x01\n#ListExampleAutoIncFieldNameResponse\x12/\n\x06values\x18\x01 \x03(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf9\x0b\n\x16TestSchemaQueryService\x12T\n\x0fGetExampleTable\x12\x1e.testpb.GetExampleTableRequest\x1a\x1f.testpb.GetExampleTableResponse\"\x00\x12l\n\x17GetExampleTableByU64Str\x12&.testpb.GetExampleTableByU64StrRequest\x1a\'.testpb.GetExampleTableByU64StrResponse\"\x00\x12W\n\x10ListExampleTable\x12\x1f.testpb.ListExampleTableRequest\x1a .testpb.ListExampleTableResponse\"\x00\x12{\n\x1cGetExampleAutoIncrementTable\x12+.testpb.GetExampleAutoIncrementTableRequest\x1a,.testpb.GetExampleAutoIncrementTableResponse\"\x00\x12\x84\x01\n\x1fGetExampleAutoIncrementTableByX\x12..testpb.GetExampleAutoIncrementTableByXRequest\x1a/.testpb.GetExampleAutoIncrementTableByXResponse\"\x00\x12~\n\x1dListExampleAutoIncrementTable\x12,.testpb.ListExampleAutoIncrementTableRequest\x1a-.testpb.ListExampleAutoIncrementTableResponse\"\x00\x12`\n\x13GetExampleSingleton\x12\".testpb.GetExampleSingletonRequest\x1a#.testpb.GetExampleSingletonResponse\"\x00\x12`\n\x13GetExampleTimestamp\x12\".testpb.GetExampleTimestampRequest\x1a#.testpb.GetExampleTimestampResponse\"\x00\x12\x63\n\x14ListExampleTimestamp\x12#.testpb.ListExampleTimestampRequest\x1a$.testpb.ListExampleTimestampResponse\"\x00\x12W\n\x10GetSimpleExample\x12\x1f.testpb.GetSimpleExampleRequest\x1a .testpb.GetSimpleExampleResponse\"\x00\x12o\n\x18GetSimpleExampleByUnique\x12\'.testpb.GetSimpleExampleByUniqueRequest\x1a(.testpb.GetSimpleExampleByUniqueResponse\"\x00\x12Z\n\x11ListSimpleExample\x12 .testpb.ListSimpleExampleRequest\x1a!.testpb.ListSimpleExampleResponse\"\x00\x12u\n\x1aGetExampleAutoIncFieldName\x12).testpb.GetExampleAutoIncFieldNameRequest\x1a*.testpb.GetExampleAutoIncFieldNameResponse\"\x00\x12x\n\x1bListExampleAutoIncFieldName\x12*.testpb.ListExampleAutoIncFieldNameRequest\x1a+.testpb.ListExampleAutoIncFieldNameResponse\"\x00\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_GETEXAMPLETABLEREQUEST']._serialized_start=145 - _globals['_GETEXAMPLETABLEREQUEST']._serialized_end=208 - _globals['_GETEXAMPLETABLERESPONSE']._serialized_start=210 - _globals['_GETEXAMPLETABLERESPONSE']._serialized_end=272 - _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_start=274 - _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_end=332 - _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_start=334 - _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_end=404 - _globals['_LISTEXAMPLETABLEREQUEST']._serialized_start=407 - _globals['_LISTEXAMPLETABLEREQUEST']._serialized_end=1333 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_start=628 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_end=1200 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_start=921 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_end=1010 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_start=1012 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_end=1072 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_start=1074 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_end=1134 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_start=1136 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_end=1193 - _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_start=1202 - _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_end=1324 - _globals['_LISTEXAMPLETABLERESPONSE']._serialized_start=1335 - _globals['_LISTEXAMPLETABLERESPONSE']._serialized_end=1460 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1462 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=1511 - _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=1513 - _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=1601 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_start=1603 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_end=1654 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_start=1656 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_end=1747 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1750 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=2386 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_start=2010 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_end=2226 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_start=2164 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_end=2192 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_start=2194 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_end=2219 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_start=2229 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_end=2377 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=2389 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=2540 - _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_start=2542 - _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_end=2570 - _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_start=2572 - _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_end=2642 - _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_start=2644 - _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_end=2684 - _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_start=2686 - _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_end=2756 - _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_start=2759 - _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_end=3365 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_start=2992 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_end=3223 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_start=2164 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_end=2192 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_start=3160 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_end=3216 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_start=3226 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_end=3356 - _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_start=3368 - _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_end=3501 - _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_start=3503 - _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_end=3542 - _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_start=3544 - _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_end=3608 - _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_start=3610 - _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_end=3659 - _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_start=3661 - _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_end=3733 - _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_start=3736 - _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_end=4322 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_start=3960 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_end=4187 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_start=4104 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_end=4138 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_start=4140 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_end=4180 - _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_start=4189 - _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_end=4313 - _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_start=4324 - _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_end=4451 - _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4453 - _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=4501 - _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=4503 - _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=4587 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4590 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=5121 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_start=4843 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_end=4965 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_start=4927 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_end=4958 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_start=4968 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_end=5112 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=5124 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=5271 - _globals['_TESTSCHEMAQUERYSERVICE']._serialized_start=5274 - _globals['_TESTSCHEMAQUERYSERVICE']._serialized_end=6803 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py deleted file mode 100644 index a2ec41d7..00000000 --- a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py +++ /dev/null @@ -1,514 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - -from testpb import test_schema_query_pb2 as testpb_dot_test__schema__query__pb2 - - -class TestSchemaQueryServiceStub(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - def __init__(self, channel): - """Constructor. - - Args: - channel: A grpc.Channel. - """ - self.GetExampleTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTable', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - ) - self.GetExampleTableByU64Str = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - ) - self.ListExampleTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleTable', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - ) - self.GetExampleAutoIncrementTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - ) - self.GetExampleAutoIncrementTableByX = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - ) - self.ListExampleAutoIncrementTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - ) - self.GetExampleSingleton = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleSingleton', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - ) - self.GetExampleTimestamp = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTimestamp', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - ) - self.ListExampleTimestamp = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleTimestamp', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - ) - self.GetSimpleExample = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetSimpleExample', - request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - ) - self.GetSimpleExampleByUnique = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', - request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - ) - self.ListSimpleExample = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListSimpleExample', - request_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - ) - self.GetExampleAutoIncFieldName = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - ) - self.ListExampleAutoIncFieldName = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - ) - - -class TestSchemaQueryServiceServicer(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - def GetExampleTable(self, request, context): - """Get queries the ExampleTable table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleTableByU64Str(self, request, context): - """GetExampleTableByU64Str queries the ExampleTable table by its U64Str index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleTable(self, request, context): - """ListExampleTable queries the ExampleTable table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncrementTable(self, request, context): - """Get queries the ExampleAutoIncrementTable table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncrementTableByX(self, request, context): - """GetExampleAutoIncrementTableByX queries the ExampleAutoIncrementTable table by its X index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleAutoIncrementTable(self, request, context): - """ListExampleAutoIncrementTable queries the ExampleAutoIncrementTable table using prefix and range queries against - defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleSingleton(self, request, context): - """GetExampleSingleton queries the ExampleSingleton singleton. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleTimestamp(self, request, context): - """Get queries the ExampleTimestamp table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleTimestamp(self, request, context): - """ListExampleTimestamp queries the ExampleTimestamp table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSimpleExample(self, request, context): - """Get queries the SimpleExample table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSimpleExampleByUnique(self, request, context): - """GetSimpleExampleByUnique queries the SimpleExample table by its Unique index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListSimpleExample(self, request, context): - """ListSimpleExample queries the SimpleExample table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncFieldName(self, request, context): - """Get queries the ExampleAutoIncFieldName table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleAutoIncFieldName(self, request, context): - """ListExampleAutoIncFieldName queries the ExampleAutoIncFieldName table using prefix and range queries against - defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - -def add_TestSchemaQueryServiceServicer_to_server(servicer, server): - rpc_method_handlers = { - 'GetExampleTable': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTable, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.SerializeToString, - ), - 'GetExampleTableByU64Str': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTableByU64Str, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.SerializeToString, - ), - 'ListExampleTable': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleTable, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.SerializeToString, - ), - 'GetExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncrementTable, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.SerializeToString, - ), - 'GetExampleAutoIncrementTableByX': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncrementTableByX, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.SerializeToString, - ), - 'ListExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleAutoIncrementTable, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.SerializeToString, - ), - 'GetExampleSingleton': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleSingleton, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.SerializeToString, - ), - 'GetExampleTimestamp': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTimestamp, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.SerializeToString, - ), - 'ListExampleTimestamp': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleTimestamp, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.SerializeToString, - ), - 'GetSimpleExample': grpc.unary_unary_rpc_method_handler( - servicer.GetSimpleExample, - request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.SerializeToString, - ), - 'GetSimpleExampleByUnique': grpc.unary_unary_rpc_method_handler( - servicer.GetSimpleExampleByUnique, - request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.SerializeToString, - ), - 'ListSimpleExample': grpc.unary_unary_rpc_method_handler( - servicer.ListSimpleExample, - request_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.SerializeToString, - ), - 'GetExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncFieldName, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.SerializeToString, - ), - 'ListExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleAutoIncFieldName, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.SerializeToString, - ), - } - generic_handler = grpc.method_handlers_generic_handler( - 'testpb.TestSchemaQueryService', rpc_method_handlers) - server.add_generic_rpc_handlers((generic_handler,)) - - - # This class is part of an EXPERIMENTAL API. -class TestSchemaQueryService(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - @staticmethod - def GetExampleTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTable', - testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleTableByU64Str(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', - testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListExampleTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTable', - testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleAutoIncrementTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleAutoIncrementTableByX(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListExampleAutoIncrementTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', - testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleSingleton(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleSingleton', - testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleTimestamp(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTimestamp', - testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListExampleTimestamp(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTimestamp', - testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetSimpleExample(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExample', - testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetSimpleExampleByUnique(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', - testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListSimpleExample(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListSimpleExample', - testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def GetExampleAutoIncFieldName(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) - - @staticmethod - def ListExampleAutoIncFieldName(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', - testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) diff --git a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py index 66dde459..5c398d4b 100644 --- a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py @@ -30,6 +30,7 @@ async def test_fetch_exchange_params( spot_market_instant_listing_fee = coin_pb.Coin(denom="inj", amount="10000000000000000000") derivative_market_instant_listing_fee = coin_pb.Coin(denom="inj", amount="2000000000000000000000") binary_options_market_instant_listing_fee = coin_pb.Coin(denom="inj", amount="30000000000000000000") + admin = "inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr" params = exchange_pb.Params( spot_market_instant_listing_fee=spot_market_instant_listing_fee, derivative_market_instant_listing_fee=derivative_market_instant_listing_fee, @@ -56,6 +57,8 @@ async def test_fetch_exchange_params( minimal_protocol_fee_rate="0.000010000000000000", is_instant_derivative_market_launch_enabled=False, post_only_mode_height_threshold=57078000, + margin_decrease_price_timestamp_threshold_seconds=10, + exchange_admins=[admin], ) exchange_servicer.exchange_params.append(exchange_query_pb.QueryExchangeParamsResponse(params=params)) @@ -100,6 +103,10 @@ async def test_fetch_exchange_params( "minimalProtocolFeeRate": params.minimal_protocol_fee_rate, "isInstantDerivativeMarketLaunchEnabled": params.is_instant_derivative_market_launch_enabled, "postOnlyModeHeightThreshold": str(params.post_only_mode_height_threshold), + "marginDecreasePriceTimestampThresholdSeconds": str( + params.margin_decrease_price_timestamp_threshold_seconds + ), + "exchangeAdmins": [admin], } } @@ -434,6 +441,9 @@ async def test_fetch_spot_markets( status=1, min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) exchange_servicer.spot_markets_responses.append( exchange_query_pb.QuerySpotMarketsResponse( @@ -461,6 +471,9 @@ async def test_fetch_spot_markets( "status": status_string, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, } ] } @@ -483,6 +496,9 @@ async def test_fetch_spot_market( status=1, min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) exchange_servicer.spot_market_responses.append( exchange_query_pb.QuerySpotMarketResponse( @@ -507,6 +523,9 @@ async def test_fetch_spot_market( "status": exchange_pb.MarketStatus.Name(market.status), "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, } } @@ -528,6 +547,9 @@ async def test_fetch_full_spot_markets( status=1, min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) mid_price_and_tob = exchange_pb.MidPriceAndTOB( mid_price="2000000000000000000", @@ -566,6 +588,9 @@ async def test_fetch_full_spot_markets( "status": status_string, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, }, "midPriceAndTob": { "midPrice": mid_price_and_tob.mid_price, @@ -594,6 +619,9 @@ async def test_fetch_full_spot_market( status=1, min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) mid_price_and_tob = exchange_pb.MidPriceAndTOB( mid_price="2000000000000000000", @@ -630,6 +658,9 @@ async def test_fetch_full_spot_market( "status": status_string, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, }, "midPriceAndTob": { "midPrice": mid_price_and_tob.mid_price, @@ -698,6 +729,7 @@ async def test_fetch_trader_spot_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.trader_spot_orders_responses.append( exchange_query_pb.QueryTraderSpotOrdersResponse( @@ -719,6 +751,7 @@ async def test_fetch_trader_spot_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -736,6 +769,7 @@ async def test_fetch_account_address_spot_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.account_address_spot_orders_responses.append( exchange_query_pb.QueryAccountAddressSpotOrdersResponse( @@ -757,6 +791,7 @@ async def test_fetch_account_address_spot_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -774,6 +809,7 @@ async def test_fetch_spot_orders_by_hashes( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.spot_orders_by_hashes_responses.append( exchange_query_pb.QuerySpotOrdersByHashesResponse( @@ -796,6 +832,7 @@ async def test_fetch_spot_orders_by_hashes( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -811,6 +848,7 @@ async def test_fetch_subaccount_orders( price="1000000000000000000", quantity="1000000000000000", isReduceOnly=False, + cid="buy_cid", ) buy_order = exchange_pb.SubaccountOrderData( order=buy_subaccount_order, @@ -820,6 +858,7 @@ async def test_fetch_subaccount_orders( price="2000000000000000000", quantity="2000000000000000", isReduceOnly=False, + cid="sell_cid", ) sell_order = exchange_pb.SubaccountOrderData( order=sell_subaccount_order, @@ -845,6 +884,7 @@ async def test_fetch_subaccount_orders( "price": buy_subaccount_order.price, "quantity": buy_subaccount_order.quantity, "isReduceOnly": buy_subaccount_order.isReduceOnly, + "cid": buy_subaccount_order.cid, }, "orderHash": base64.b64encode(buy_order.order_hash).decode(), } @@ -855,6 +895,7 @@ async def test_fetch_subaccount_orders( "price": sell_subaccount_order.price, "quantity": sell_subaccount_order.quantity, "isReduceOnly": sell_subaccount_order.isReduceOnly, + "cid": sell_subaccount_order.cid, }, "orderHash": base64.b64encode(sell_order.order_hash).decode(), } @@ -874,6 +915,7 @@ async def test_fetch_trader_spot_transient_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.trader_spot_transient_orders_responses.append( exchange_query_pb.QueryTraderSpotOrdersResponse( @@ -895,6 +937,7 @@ async def test_fetch_trader_spot_transient_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -1007,6 +1050,7 @@ async def test_fetch_trader_derivative_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.trader_derivative_orders_responses.append( exchange_query_pb.QueryTraderDerivativeOrdersResponse( @@ -1029,6 +1073,7 @@ async def test_fetch_trader_derivative_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -1047,6 +1092,7 @@ async def test_fetch_account_address_derivative_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.account_address_derivative_orders_responses.append( exchange_query_pb.QueryAccountAddressDerivativeOrdersResponse( @@ -1069,6 +1115,7 @@ async def test_fetch_account_address_derivative_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -1087,6 +1134,7 @@ async def test_fetch_derivative_orders_by_hashes( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.derivative_orders_by_hashes_responses.append( exchange_query_pb.QueryDerivativeOrdersByHashesResponse( @@ -1110,6 +1158,7 @@ async def test_fetch_derivative_orders_by_hashes( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -1128,6 +1177,7 @@ async def test_fetch_trader_derivative_transient_orders( fillable="1000000000000000", isBuy=True, order_hash="0x14e43adbb3302db28bcd0619068227ebca880cdd66cdfc8b4a662bcac0777849", + cid="order_cid", ) exchange_servicer.trader_derivative_transient_orders_responses.append( exchange_query_pb.QueryTraderDerivativeOrdersResponse( @@ -1150,6 +1200,7 @@ async def test_fetch_trader_derivative_transient_orders( "fillable": order.fillable, "isBuy": order.isBuy, "orderHash": order.order_hash, + "cid": order.cid, } ] } @@ -1178,6 +1229,9 @@ async def test_fetch_derivative_markets( status=1, min_price_tick_size="100000000000000000000", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) market_info = exchange_pb.PerpetualMarketInfo( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1239,6 +1293,9 @@ async def test_fetch_derivative_markets( "status": status_string, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, }, "perpetualInfo": { "marketInfo": { @@ -1288,6 +1345,9 @@ async def test_fetch_derivative_market( status=1, min_price_tick_size="100000000000000000000", min_quantity_tick_size="1000000000000000", + min_notional="5000000000000000000", + admin="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + admin_permissions=1, ) market_info = exchange_pb.PerpetualMarketInfo( market_id="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", @@ -1347,6 +1407,9 @@ async def test_fetch_derivative_market( "status": status_string, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, + "admin": market.admin, + "adminPermissions": market.admin_permissions, }, "perpetualInfo": { "marketInfo": { @@ -2256,6 +2319,8 @@ async def test_fetch_binary_options_markets( min_price_tick_size="100000000000000000000", min_quantity_tick_size="1000000000000000", settlement_price="2000000000000000000", + min_notional="5000000000000000000", + admin_permissions=1, ) response = exchange_query_pb.QueryBinaryMarketsResponse( markets=[market], @@ -2285,6 +2350,8 @@ async def test_fetch_binary_options_markets( "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, "settlementPrice": market.settlement_price, + "minNotional": market.min_notional, + "adminPermissions": market.admin_permissions, }, ] } @@ -2304,6 +2371,7 @@ async def test_fetch_trader_derivative_conditional_orders( isBuy=True, isLimit=True, order_hash="0x17ef48032cb24375ba7c2e39f384e56433bcab20cbee9a7357e4cba2eb00abe6", + cid="order_cid", ) response = exchange_query_pb.QueryTraderDerivativeConditionalOrdersResponse(orders=[order]) exchange_servicer.trader_derivative_conditional_orders_responses.append(response) @@ -2324,6 +2392,7 @@ async def test_fetch_trader_derivative_conditional_orders( "isBuy": order.isBuy, "isLimit": order.isLimit, "orderHash": order.order_hash, + "cid": order.cid, } ] } diff --git a/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py b/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py index d3373afc..b8223c78 100644 --- a/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py +++ b/tests/core/ibc/channel/grpc/test_ibc_channel_grpc_api.py @@ -44,6 +44,7 @@ async def test_fetch_channel( counterparty=counterparty, connection_hops=[connection_hop], version=version, + upgrade_sequence=5, ) proof = b"proof" proof_height = ibc_client.Height( @@ -72,6 +73,7 @@ async def test_fetch_channel( }, "connectionHops": [connection_hop], "version": version, + "upgradeSequence": str(channel.upgrade_sequence), }, "proof": base64.b64encode(proof).decode(), "proofHeight": { @@ -100,6 +102,7 @@ async def test_fetch_channels( ) port_id = "wasm.xion18pmp7n2j6a84dkmuqlc7lwp2pgr0gg3ssmvrm8vgjuy2vs66e4usm2w3ln" channel_id = "channel-34" + upgrade_sequence = 5 channel = ibc_channel.IdentifiedChannel( state=3, ordering=1, @@ -108,6 +111,7 @@ async def test_fetch_channels( version=version, port_id=port_id, channel_id=channel_id, + upgrade_sequence=upgrade_sequence, ) height = ibc_client.Height( revision_number=1, @@ -149,6 +153,7 @@ async def test_fetch_channels( "version": version, "portId": port_id, "channelId": channel_id, + "upgradeSequence": str(upgrade_sequence), }, ], "pagination": { @@ -181,6 +186,7 @@ async def test_fetch_connection_channels( ) port_id = "wasm.xion18pmp7n2j6a84dkmuqlc7lwp2pgr0gg3ssmvrm8vgjuy2vs66e4usm2w3ln" channel_id = "channel-34" + upgrade_sequence = 5 channel = ibc_channel.IdentifiedChannel( state=3, ordering=1, @@ -189,6 +195,7 @@ async def test_fetch_connection_channels( version=version, port_id=port_id, channel_id=channel_id, + upgrade_sequence=upgrade_sequence, ) height = ibc_client.Height( revision_number=1, @@ -230,6 +237,7 @@ async def test_fetch_connection_channels( "version": version, "portId": port_id, "channelId": channel_id, + "upgradeSequence": str(upgrade_sequence), }, ], "pagination": { diff --git a/tests/rpc_fixtures/markets_fixtures.py b/tests/rpc_fixtures/markets_fixtures.py index 9c3a56ad..7672d6e3 100644 --- a/tests/rpc_fixtures/markets_fixtures.py +++ b/tests/rpc_fixtures/markets_fixtures.py @@ -29,9 +29,9 @@ def smart_denom_metadata(): @pytest.fixture def inj_token_meta(): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import TokenMeta + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - token = TokenMeta( + token = spot_exchange_pb.TokenMeta( name="Injective Protocol", address="0xe28b3B32B6c345A34Ff64674606124Dd5Aceca30", symbol="INJ", @@ -45,9 +45,9 @@ def inj_token_meta(): @pytest.fixture def ape_token_meta(): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import TokenMeta + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - token = TokenMeta( + token = spot_exchange_pb.TokenMeta( name="APE", address="0x0000000000000000000000000000000000000000", symbol="APE", @@ -61,9 +61,9 @@ def ape_token_meta(): @pytest.fixture def usdt_token_meta(): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import TokenMeta + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - token = TokenMeta( + token = spot_exchange_pb.TokenMeta( name="USDT", address="0x0000000000000000000000000000000000000000", symbol="USDT", @@ -77,9 +77,9 @@ def usdt_token_meta(): @pytest.fixture def usdt_token_meta_second_denom(): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import TokenMeta + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - token = TokenMeta( + token = spot_exchange_pb.TokenMeta( name="USDT Second Denom", address="0x0000000000000000000000000000000000000000", symbol="USDT", @@ -93,9 +93,9 @@ def usdt_token_meta_second_denom(): @pytest.fixture def usdt_perp_token_meta(): - from pyinjective.proto.exchange.injective_derivative_exchange_rpc_pb2 import TokenMeta + from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as derivative_exchange_pb - token = TokenMeta( + token = derivative_exchange_pb.TokenMeta( name="Tether", address="0xdAC17F958D2ee523a2206206994597C13D831ec7", symbol="USDTPerp", @@ -109,9 +109,9 @@ def usdt_perp_token_meta(): @pytest.fixture def ape_usdt_spot_market_meta(ape_token_meta, usdt_token_meta_second_denom): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import SpotMarketInfo + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - market = SpotMarketInfo( + market = spot_exchange_pb.SpotMarketInfo( market_id="0x8b67e705bb4e09c88aecfc295569481dbf2fe1d5efe364651fbe72385938e000", market_status="active", ticker="APE/USDT", @@ -131,9 +131,9 @@ def ape_usdt_spot_market_meta(ape_token_meta, usdt_token_meta_second_denom): @pytest.fixture def inj_usdt_spot_market_meta(inj_token_meta, usdt_token_meta): - from pyinjective.proto.exchange.injective_spot_exchange_rpc_pb2 import SpotMarketInfo + from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as spot_exchange_pb - market = SpotMarketInfo( + market = spot_exchange_pb.SpotMarketInfo( market_id="0x7a57e705bb4e09c88aecfc295569481dbf2fe1d5efe364651fbe72385938e9b0", market_status="active", ticker="INJ/USDT", @@ -153,25 +153,21 @@ def inj_usdt_spot_market_meta(inj_token_meta, usdt_token_meta): @pytest.fixture def btc_usdt_perp_market_meta(usdt_perp_token_meta): - from pyinjective.proto.exchange.injective_derivative_exchange_rpc_pb2 import ( - DerivativeMarketInfo, - PerpetualMarketFunding, - PerpetualMarketInfo, - ) + from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as derivative_exchange_pb - perpetual_market_info = PerpetualMarketInfo( + perpetual_market_info = derivative_exchange_pb.PerpetualMarketInfo( hourly_funding_rate_cap="0.0000625", hourly_interest_rate="0.00000416666", next_funding_timestamp=1684764000, funding_interval=3600, ) - perpetual_market_funding = PerpetualMarketFunding( + perpetual_market_funding = derivative_exchange_pb.PerpetualMarketFunding( cumulative_funding="6880500093.266083891331674194", cumulative_price="-0.952642601240470199", last_timestamp=1684763442, ) - market = DerivativeMarketInfo( + market = derivative_exchange_pb.DerivativeMarketInfo( market_id="0x4ca0f92fc28be0c9761326016b5a1a2177dd6375558365116b5bdda9abc229ce", market_status="active", ticker="BTC/USDT PERP", @@ -198,9 +194,9 @@ def btc_usdt_perp_market_meta(usdt_perp_token_meta): @pytest.fixture def first_match_bet_market_meta(inj_usdt_spot_market_meta): - from pyinjective.proto.exchange.injective_derivative_exchange_rpc_pb2 import BinaryOptionsMarketInfo + from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as derivative_exchange_pb - market = BinaryOptionsMarketInfo( + market = derivative_exchange_pb.BinaryOptionsMarketInfo( market_id="0x230dcce315364ff6360097838701b14713e2f4007d704df20ed3d81d09eec957", market_status="active", ticker="5fdbe0b1-1707800399-WAS", diff --git a/tests/test_async_client.py b/tests/test_async_client.py index 2d2465c9..3181d15a 100644 --- a/tests/test_async_client.py +++ b/tests/test_async_client.py @@ -6,7 +6,10 @@ from pyinjective.core.network import Network from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as bank_query_pb from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb -from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2, injective_spot_exchange_rpc_pb2 +from pyinjective.proto.exchange import ( + injective_derivative_exchange_rpc_pb2 as derivative_exchange_pb, + injective_spot_exchange_rpc_pb2 as spot_exchange_pb, +) from tests.client.chain.grpc.configurable_bank_query_servicer import ConfigurableBankQueryServicer from tests.client.indexer.configurable_derivative_query_servicer import ConfigurableDerivativeQueryServicer from tests.client.indexer.configurable_spot_query_servicer import ConfigurableSpotQueryServicer @@ -93,15 +96,13 @@ async def test_initialize_tokens_and_markets( aioresponses.get(test_network.official_tokens_list_url, payload=[]) spot_servicer.markets_responses.append( - injective_spot_exchange_rpc_pb2.MarketsResponse( - markets=[inj_usdt_spot_market_meta, ape_usdt_spot_market_meta] - ) + spot_exchange_pb.MarketsResponse(markets=[inj_usdt_spot_market_meta, ape_usdt_spot_market_meta]) ) derivative_servicer.markets_responses.append( - injective_derivative_exchange_rpc_pb2.MarketsResponse(markets=[btc_usdt_perp_market_meta]) + derivative_exchange_pb.MarketsResponse(markets=[btc_usdt_perp_market_meta]) ) derivative_servicer.binary_options_markets_responses.append( - injective_derivative_exchange_rpc_pb2.BinaryOptionsMarketsResponse(markets=[first_match_bet_market_meta]) + derivative_exchange_pb.BinaryOptionsMarketsResponse(markets=[first_match_bet_market_meta]) ) client = AsyncClient( @@ -189,10 +190,10 @@ async def test_tokens_and_markets_initialization_read_tokens_from_official_list( ] aioresponses.get(test_network.official_tokens_list_url, payload=tokens_list) - spot_servicer.markets_responses.append(injective_spot_exchange_rpc_pb2.MarketsResponse(markets=[])) - derivative_servicer.markets_responses.append(injective_derivative_exchange_rpc_pb2.MarketsResponse(markets=[])) + spot_servicer.markets_responses.append(spot_exchange_pb.MarketsResponse(markets=[])) + derivative_servicer.markets_responses.append(derivative_exchange_pb.MarketsResponse(markets=[])) derivative_servicer.binary_options_markets_responses.append( - injective_derivative_exchange_rpc_pb2.BinaryOptionsMarketsResponse(markets=[]) + derivative_exchange_pb.BinaryOptionsMarketsResponse(markets=[]) ) client = AsyncClient( @@ -232,10 +233,10 @@ async def test_initialize_tokens_from_chain_denoms( ) ) - spot_servicer.markets_responses.append(injective_spot_exchange_rpc_pb2.MarketsResponse(markets=[])) - derivative_servicer.markets_responses.append(injective_derivative_exchange_rpc_pb2.MarketsResponse(markets=[])) + spot_servicer.markets_responses.append(spot_exchange_pb.MarketsResponse(markets=[])) + derivative_servicer.markets_responses.append(derivative_exchange_pb.MarketsResponse(markets=[])) derivative_servicer.binary_options_markets_responses.append( - injective_derivative_exchange_rpc_pb2.BinaryOptionsMarketsResponse(markets=[]) + derivative_exchange_pb.BinaryOptionsMarketsResponse(markets=[]) ) client = AsyncClient( diff --git a/tests/test_composer.py b/tests/test_composer.py index 8eab5301..025ea67f 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -244,6 +244,7 @@ def test_msg_instant_spot_market_launch(self, basic_composer): quote_denom = "USDT" min_price_tick_size = Decimal("0.01") min_quantity_tick_size = Decimal("1") + min_notional = Decimal("2") base_token = basic_composer.tokens[base_denom] quote_token = basic_composer.tokens[quote_denom] @@ -254,6 +255,9 @@ def test_msg_instant_spot_market_launch(self, basic_composer): expected_min_quantity_tick_size = min_quantity_tick_size * Decimal( f"1e{base_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}" ) + expected_min_notional = min_notional * Decimal( + f"1e{quote_token.decimals - base_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}" + ) message = basic_composer.msg_instant_spot_market_launch( sender=sender, @@ -262,6 +266,7 @@ def test_msg_instant_spot_market_launch(self, basic_composer): quote_denom=quote_denom, min_price_tick_size=min_price_tick_size, min_quantity_tick_size=min_quantity_tick_size, + min_notional=min_notional, ) expected_message = { @@ -271,6 +276,7 @@ def test_msg_instant_spot_market_launch(self, basic_composer): "quoteDenom": quote_token.denom, "minPriceTickSize": f"{expected_min_price_tick_size.normalize():f}", "minQuantityTickSize": f"{expected_min_quantity_tick_size.normalize():f}", + "minNotional": f"{expected_min_notional.normalize():f}", } dict_message = json_format.MessageToDict( message=message, @@ -292,6 +298,7 @@ def test_msg_instant_perpetual_market_launch(self, basic_composer): taker_fee_rate = Decimal("-0.002") initial_margin_ratio = Decimal("0.05") maintenance_margin_ratio = Decimal("0.03") + min_notional = Decimal("2") quote_token = basic_composer.tokens[quote_denom] @@ -303,6 +310,7 @@ def test_msg_instant_perpetual_market_launch(self, basic_composer): expected_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_initial_margin_ratio = initial_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_maintenance_margin_ratio = maintenance_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + expected_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") message = basic_composer.msg_instant_perpetual_market_launch( sender=sender, @@ -318,6 +326,7 @@ def test_msg_instant_perpetual_market_launch(self, basic_composer): maintenance_margin_ratio=maintenance_margin_ratio, min_price_tick_size=min_price_tick_size, min_quantity_tick_size=min_quantity_tick_size, + min_notional=min_notional, ) expected_message = { @@ -334,6 +343,7 @@ def test_msg_instant_perpetual_market_launch(self, basic_composer): "maintenanceMarginRatio": f"{expected_maintenance_margin_ratio.normalize():f}", "minPriceTickSize": f"{expected_min_price_tick_size.normalize():f}", "minQuantityTickSize": f"{expected_min_quantity_tick_size.normalize():f}", + "minNotional": f"{expected_min_notional.normalize():f}", } dict_message = json_format.MessageToDict( message=message, @@ -356,6 +366,7 @@ def test_msg_instant_expiry_futures_market_launch(self, basic_composer): taker_fee_rate = Decimal("-0.002") initial_margin_ratio = Decimal("0.05") maintenance_margin_ratio = Decimal("0.03") + min_notional = Decimal("2") quote_token = basic_composer.tokens[quote_denom] @@ -367,6 +378,7 @@ def test_msg_instant_expiry_futures_market_launch(self, basic_composer): expected_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_initial_margin_ratio = initial_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_maintenance_margin_ratio = maintenance_margin_ratio * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + expected_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") message = basic_composer.msg_instant_expiry_futures_market_launch( sender=sender, @@ -383,6 +395,7 @@ def test_msg_instant_expiry_futures_market_launch(self, basic_composer): maintenance_margin_ratio=maintenance_margin_ratio, min_price_tick_size=min_price_tick_size, min_quantity_tick_size=min_quantity_tick_size, + min_notional=min_notional, ) expected_message = { @@ -400,6 +413,7 @@ def test_msg_instant_expiry_futures_market_launch(self, basic_composer): "maintenanceMarginRatio": f"{expected_maintenance_margin_ratio.normalize():f}", "minPriceTickSize": f"{expected_min_price_tick_size.normalize():f}", "minQuantityTickSize": f"{expected_min_quantity_tick_size.normalize():f}", + "minNotional": f"{expected_min_notional.normalize():f}", } dict_message = json_format.MessageToDict( message=message, @@ -1039,6 +1053,7 @@ def test_msg_instant_binary_options_market_launch(self, basic_composer): expiration_timestamp = 1630000000 settlement_timestamp = 1660000000 admin = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + min_notional = Decimal("2") quote_token = basic_composer.tokens[quote_denom] @@ -1048,6 +1063,7 @@ def test_msg_instant_binary_options_market_launch(self, basic_composer): expected_min_quantity_tick_size = min_quantity_tick_size * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_maker_fee_rate = maker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") expected_taker_fee_rate = taker_fee_rate * Decimal(f"1e{ADDITIONAL_CHAIN_FORMAT_DECIMALS}") + expected_min_notional = min_notional * Decimal(f"1e{quote_token.decimals + ADDITIONAL_CHAIN_FORMAT_DECIMALS}") message = basic_composer.msg_instant_binary_options_market_launch( sender=sender, @@ -1064,6 +1080,7 @@ def test_msg_instant_binary_options_market_launch(self, basic_composer): quote_denom=quote_denom, min_price_tick_size=min_price_tick_size, min_quantity_tick_size=min_quantity_tick_size, + min_notional=min_notional, ) expected_message = { @@ -1081,6 +1098,7 @@ def test_msg_instant_binary_options_market_launch(self, basic_composer): "quoteDenom": quote_token.denom, "minPriceTickSize": f"{expected_min_price_tick_size.normalize():f}", "minQuantityTickSize": f"{expected_min_quantity_tick_size.normalize():f}", + "minNotional": f"{expected_min_notional.normalize():f}", } dict_message = json_format.MessageToDict( message=message, From 07d042728e1282b3787d6c904157d5672e70b7c1 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Wed, 3 Jul 2024 16:18:08 -0300 Subject: [PATCH 37/63] (fix) Updated proto definitions --- pyinjective/proto/amino/amino_pb2.py | 6 +- pyinjective/proto/amino/amino_pb2_grpc.py | 25 + .../cosmos/app/runtime/v1alpha1/module_pb2.py | 8 +- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/config_pb2.py | 6 +- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/module_pb2.py | 6 +- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/query_pb2.py | 6 +- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 44 +- .../proto/cosmos/auth/module/v1/module_pb2.py | 8 +- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/auth_pb2.py | 22 +- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 8 +- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/query_pb2.py | 46 +- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 206 +++- .../proto/cosmos/auth/v1beta1/tx_pb2.py | 14 +- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/authz/module/v1/module_pb2.py | 8 +- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/authz_pb2.py | 20 +- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/event_pb2.py | 14 +- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 8 +- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/query_pb2.py | 20 +- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 80 +- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 32 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 98 +- .../proto/cosmos/autocli/v1/options_pb2.py | 10 +- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 + .../proto/cosmos/autocli/v1/query_pb2.py | 10 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 44 +- .../proto/cosmos/bank/module/v1/module_pb2.py | 8 +- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/authz_pb2.py | 12 +- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/bank_pb2.py | 32 +- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/events_pb2.py | 8 +- .../cosmos/bank/v1beta1/events_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 22 +- .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/query_pb2.py | 64 +- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 224 +++- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 32 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 98 +- .../cosmos/base/abci/v1beta1/abci_pb2.py | 40 +- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 + .../proto/cosmos/base/kv/v1beta1/kv_pb2.py | 8 +- .../cosmos/base/kv/v1beta1/kv_pb2_grpc.py | 25 + .../cosmos/base/node/v1beta1/query_pb2.py | 8 +- .../base/node/v1beta1/query_pb2_grpc.py | 44 +- .../base/query/v1beta1/pagination_pb2.py | 6 +- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 + .../base/reflection/v1beta1/reflection_pb2.py | 10 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 62 +- .../reflection/v2alpha1/reflection_pb2.py | 18 +- .../v2alpha1/reflection_pb2_grpc.py | 134 ++- .../base/snapshots/v1beta1/snapshot_pb2.py | 18 +- .../snapshots/v1beta1/snapshot_pb2_grpc.py | 25 + .../base/store/v1beta1/commit_info_pb2.py | 14 +- .../store/v1beta1/commit_info_pb2_grpc.py | 25 + .../base/store/v1beta1/listening_pb2.py | 6 +- .../base/store/v1beta1/listening_pb2_grpc.py | 25 + .../base/tendermint/v1beta1/query_pb2.py | 24 +- .../base/tendermint/v1beta1/query_pb2_grpc.py | 152 ++- .../base/tendermint/v1beta1/types_pb2.py | 20 +- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 + .../proto/cosmos/base/v1beta1/coin_pb2.py | 18 +- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 + .../cosmos/capability/module/v1/module_pb2.py | 8 +- .../capability/module/v1/module_pb2_grpc.py | 25 + .../capability/v1beta1/capability_pb2.py | 12 +- .../capability/v1beta1/capability_pb2_grpc.py | 25 + .../cosmos/capability/v1beta1/genesis_pb2.py | 10 +- .../capability/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/consensus/module/v1/module_pb2.py | 8 +- .../consensus/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/consensus/v1/query_pb2.py | 8 +- .../cosmos/consensus/v1/query_pb2_grpc.py | 44 +- .../proto/cosmos/consensus/v1/tx_pb2.py | 10 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 44 +- .../cosmos/crisis/module/v1/module_pb2.py | 8 +- .../crisis/module/v1/module_pb2_grpc.py | 25 + .../cosmos/crisis/v1beta1/genesis_pb2.py | 8 +- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 18 +- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 62 +- .../proto/cosmos/crypto/ed25519/keys_pb2.py | 14 +- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 8 +- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 + .../cosmos/crypto/keyring/v1/record_pb2.py | 6 +- .../crypto/keyring/v1/record_pb2_grpc.py | 25 + .../proto/cosmos/crypto/multisig/keys_pb2.py | 10 +- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 + .../crypto/multisig/v1beta1/multisig_pb2.py | 10 +- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 10 +- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 10 +- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 + .../distribution/module/v1/module_pb2.py | 8 +- .../distribution/module/v1/module_pb2_grpc.py | 25 + .../distribution/v1beta1/distribution_pb2.py | 46 +- .../v1beta1/distribution_pb2_grpc.py | 25 + .../distribution/v1beta1/genesis_pb2.py | 72 +- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/distribution/v1beta1/query_pb2.py | 82 +- .../distribution/v1beta1/query_pb2_grpc.py | 206 +++- .../cosmos/distribution/v1beta1/tx_pb2.py | 46 +- .../distribution/v1beta1/tx_pb2_grpc.py | 134 ++- .../cosmos/evidence/module/v1/module_pb2.py | 8 +- .../evidence/module/v1/module_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/evidence_pb2.py | 12 +- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/genesis_pb2.py | 6 +- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/query_pb2.py | 12 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 62 +- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 14 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/feegrant/module/v1/module_pb2.py | 8 +- .../feegrant/module/v1/module_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 34 +- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/genesis_pb2.py | 8 +- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/query_pb2.py | 20 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 80 +- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 22 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 62 +- .../cosmos/genutil/module/v1/module_pb2.py | 8 +- .../genutil/module/v1/module_pb2_grpc.py | 25 + .../cosmos/genutil/v1beta1/genesis_pb2.py | 8 +- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/module/v1/module_pb2.py | 8 +- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1/genesis_pb2.py | 12 +- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 60 +- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/query_pb2.py | 36 +- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 170 ++- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 44 +- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 134 ++- .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 18 +- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/gov_pb2.py | 90 +- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/query_pb2.py | 56 +- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 170 ++- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 38 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 98 +- .../cosmos/group/module/v1/module_pb2.py | 10 +- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/events_pb2.py | 12 +- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/genesis_pb2.py | 6 +- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/query_pb2.py | 50 +- .../proto/cosmos/group/v1/query_pb2_grpc.py | 278 ++++- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 90 +- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 278 ++++- .../proto/cosmos/group/v1/types_pb2.py | 58 +- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 + .../proto/cosmos/ics23/v1/proofs_pb2.py | 6 +- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 + .../proto/cosmos/mint/module/v1/module_pb2.py | 8 +- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 10 +- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/mint_pb2.py | 20 +- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/query_pb2.py | 18 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 80 +- .../proto/cosmos/mint/v1beta1/tx_pb2.py | 14 +- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 44 +- pyinjective/proto/cosmos/msg/v1/msg_pb2.py | 6 +- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 + .../proto/cosmos/nft/module/v1/module_pb2.py | 8 +- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/event_pb2.py | 6 +- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 6 +- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/nft_pb2.py | 6 +- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/query_pb2.py | 20 +- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 152 ++- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 14 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 44 +- .../cosmos/orm/module/v1alpha1/module_pb2.py | 8 +- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 + .../cosmos/orm/query/v1alpha1/query_pb2.py | 6 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 62 +- pyinjective/proto/cosmos/orm/v1/orm_pb2.py | 6 +- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 + .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 6 +- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 + .../cosmos/params/module/v1/module_pb2.py | 8 +- .../params/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/params_pb2.py | 12 +- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/query_pb2.py | 12 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 62 +- .../proto/cosmos/query/v1/query_pb2.py | 6 +- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 + .../cosmos/reflection/v1/reflection_pb2.py | 8 +- .../reflection/v1/reflection_pb2_grpc.py | 44 +- .../cosmos/slashing/module/v1/module_pb2.py | 8 +- .../slashing/module/v1/module_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/genesis_pb2.py | 20 +- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/query_pb2.py | 20 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 80 +- .../cosmos/slashing/v1beta1/slashing_pb2.py | 22 +- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 + .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 18 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 62 +- .../cosmos/staking/module/v1/module_pb2.py | 8 +- .../staking/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/authz_pb2.py | 12 +- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 + .../cosmos/staking/v1beta1/genesis_pb2.py | 24 +- .../staking/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/query_pb2.py | 102 +- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 278 ++++- .../cosmos/staking/v1beta1/staking_pb2.py | 150 +-- .../staking/v1beta1/staking_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/tx_pb2.py | 78 +- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 152 ++- .../proto/cosmos/tx/config/v1/config_pb2.py | 8 +- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 + .../cosmos/tx/signing/v1beta1/signing_pb2.py | 6 +- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 + .../proto/cosmos/tx/v1beta1/service_pb2.py | 32 +- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 188 ++- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 18 +- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/upgrade/module/v1/module_pb2.py | 8 +- .../upgrade/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 20 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 116 +- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 18 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 62 +- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 20 +- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 + .../cosmos/vesting/module/v1/module_pb2.py | 8 +- .../vesting/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 28 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 80 +- .../cosmos/vesting/v1beta1/vesting_pb2.py | 38 +- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 + pyinjective/proto/cosmos_proto/cosmos_pb2.py | 6 +- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/authz_pb2.py | 40 +- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 26 +- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 14 +- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 + .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 100 +- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/query_pb2.py | 60 +- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 224 +++- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 110 +- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 332 ++++-- .../proto/cosmwasm/wasm/v1/types_pb2.py | 70 +- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 + .../proto/exchange/event_provider_api_pb2.py | 8 +- .../exchange/event_provider_api_pb2_grpc.py | 116 +- pyinjective/proto/exchange/health_pb2.py | 6 +- pyinjective/proto/exchange/health_pb2_grpc.py | 44 +- .../exchange/injective_accounts_rpc_pb2.py | 6 +- .../injective_accounts_rpc_pb2_grpc.py | 188 ++- .../exchange/injective_auction_rpc_pb2.py | 6 +- .../injective_auction_rpc_pb2_grpc.py | 80 +- .../exchange/injective_campaign_rpc_pb2.py | 6 +- .../injective_campaign_rpc_pb2_grpc.py | 116 +- .../injective_derivative_exchange_rpc_pb2.py | 6 +- ...ective_derivative_exchange_rpc_pb2_grpc.py | 476 ++++++-- .../exchange/injective_exchange_rpc_pb2.py | 6 +- .../injective_exchange_rpc_pb2_grpc.py | 134 ++- .../exchange/injective_explorer_rpc_pb2.py | 8 +- .../injective_explorer_rpc_pb2_grpc.py | 404 +++++-- .../exchange/injective_insurance_rpc_pb2.py | 6 +- .../injective_insurance_rpc_pb2_grpc.py | 62 +- .../proto/exchange/injective_meta_rpc_pb2.py | 10 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 116 +- .../exchange/injective_oracle_rpc_pb2.py | 6 +- .../exchange/injective_oracle_rpc_pb2_grpc.py | 98 +- .../exchange/injective_portfolio_rpc_pb2.py | 6 +- .../injective_portfolio_rpc_pb2_grpc.py | 80 +- .../injective_spot_exchange_rpc_pb2.py | 6 +- .../injective_spot_exchange_rpc_pb2_grpc.py | 350 ++++-- .../exchange/injective_trading_rpc_pb2.py | 6 +- .../injective_trading_rpc_pb2_grpc.py | 44 +- pyinjective/proto/gogoproto/gogo_pb2.py | 6 +- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 + .../proto/google/api/annotations_pb2.py | 6 +- .../proto/google/api/annotations_pb2_grpc.py | 25 + pyinjective/proto/google/api/http_pb2.py | 6 +- pyinjective/proto/google/api/http_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/ack_pb2.py | 12 +- .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/fee_pb2.py | 22 +- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/genesis_pb2.py | 28 +- .../applications/fee/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/metadata_pb2.py | 10 +- .../applications/fee/v1/metadata_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/query_pb2.py | 60 +- .../ibc/applications/fee/v1/query_pb2_grpc.py | 206 +++- .../proto/ibc/applications/fee/v1/tx_pb2.py | 34 +- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 98 +- .../controller/v1/controller_pb2.py | 8 +- .../controller/v1/controller_pb2_grpc.py | 25 + .../controller/v1/query_pb2.py | 12 +- .../controller/v1/query_pb2_grpc.py | 62 +- .../controller/v1/tx_pb2.py | 22 +- .../controller/v1/tx_pb2_grpc.py | 62 +- .../genesis/v1/genesis_pb2.py | 36 +- .../genesis/v1/genesis_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/host_pb2.py | 10 +- .../host/v1/host_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/query_pb2.py | 8 +- .../host/v1/query_pb2_grpc.py | 44 +- .../interchain_accounts/v1/account_pb2.py | 12 +- .../v1/account_pb2_grpc.py | 25 + .../interchain_accounts/v1/metadata_pb2.py | 10 +- .../v1/metadata_pb2_grpc.py | 25 + .../interchain_accounts/v1/packet_pb2.py | 12 +- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/authz_pb2.py | 16 +- .../transfer/v1/authz_pb2_grpc.py | 25 + .../applications/transfer/v1/genesis_pb2.py | 14 +- .../transfer/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/query_pb2.py | 22 +- .../transfer/v1/query_pb2_grpc.py | 134 ++- .../applications/transfer/v1/transfer_pb2.py | 10 +- .../transfer/v1/transfer_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/tx_pb2.py | 18 +- .../applications/transfer/v1/tx_pb2_grpc.py | 44 +- .../applications/transfer/v2/packet_pb2.py | 6 +- .../transfer/v2/packet_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/channel_pb2.py | 70 +- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/genesis_pb2.py | 26 +- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/query_pb2.py | 58 +- .../ibc/core/channel/v1/query_pb2_grpc.py | 260 +++- .../proto/ibc/core/channel/v1/tx_pb2.py | 124 +- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 206 +++- .../proto/ibc/core/client/v1/client_pb2.py | 38 +- .../ibc/core/client/v1/client_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/genesis_pb2.py | 24 +- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/query_pb2.py | 34 +- .../ibc/core/client/v1/query_pb2_grpc.py | 188 ++- .../proto/ibc/core/client/v1/tx_pb2.py | 36 +- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 98 +- .../ibc/core/commitment/v1/commitment_pb2.py | 14 +- .../core/commitment/v1/commitment_pb2_grpc.py | 25 + .../ibc/core/connection/v1/connection_pb2.py | 48 +- .../core/connection/v1/connection_pb2_grpc.py | 25 + .../ibc/core/connection/v1/genesis_pb2.py | 14 +- .../core/connection/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/connection/v1/query_pb2.py | 32 +- .../ibc/core/connection/v1/query_pb2_grpc.py | 134 ++- .../proto/ibc/core/connection/v1/tx_pb2.py | 64 +- .../ibc/core/connection/v1/tx_pb2_grpc.py | 98 +- .../proto/ibc/core/types/v1/genesis_pb2.py | 12 +- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 + .../localhost/v2/localhost_pb2.py | 10 +- .../localhost/v2/localhost_pb2_grpc.py | 25 + .../solomachine/v2/solomachine_pb2.py | 86 +- .../solomachine/v2/solomachine_pb2_grpc.py | 25 + .../solomachine/v3/solomachine_pb2.py | 42 +- .../solomachine/v3/solomachine_pb2_grpc.py | 25 + .../tendermint/v1/tendermint_pb2.py | 52 +- .../tendermint/v1/tendermint_pb2_grpc.py | 25 + .../injective/auction/v1beta1/auction_pb2.py | 20 +- .../auction/v1beta1/auction_pb2_grpc.py | 25 + .../injective/auction/v1beta1/genesis_pb2.py | 8 +- .../auction/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/auction/v1beta1/query_pb2.py | 18 +- .../auction/v1beta1/query_pb2_grpc.py | 80 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 16 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 62 +- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 8 +- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/authz_pb2.py | 28 +- .../exchange/v1beta1/authz_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/events_pb2.py | 52 +- .../exchange/v1beta1/events_pb2_grpc.py | 25 + .../exchange/v1beta1/exchange_pb2.py | 262 ++-- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/genesis_pb2.py | 46 +- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 + .../exchange/v1beta1/proposal_pb2.py | 130 +- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/query_pb2.py | 246 ++-- .../exchange/v1beta1/query_pb2_grpc.py | 1052 +++++++++++++---- .../injective/exchange/v1beta1/tx_pb2.py | 216 ++-- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 584 +++++++-- .../injective/insurance/v1beta1/events_pb2.py | 14 +- .../insurance/v1beta1/events_pb2_grpc.py | 25 + .../insurance/v1beta1/genesis_pb2.py | 12 +- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 + .../insurance/v1beta1/insurance_pb2.py | 20 +- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 + .../injective/insurance/v1beta1/query_pb2.py | 26 +- .../insurance/v1beta1/query_pb2_grpc.py | 134 ++- .../injective/insurance/v1beta1/tx_pb2.py | 24 +- .../insurance/v1beta1/tx_pb2_grpc.py | 98 +- .../injective/ocr/v1beta1/genesis_pb2.py | 10 +- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/ocr_pb2.py | 48 +- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/query_pb2.py | 24 +- .../injective/ocr/v1beta1/query_pb2_grpc.py | 152 ++- .../proto/injective/ocr/v1beta1/tx_pb2.py | 36 +- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 188 ++- .../injective/oracle/v1beta1/events_pb2.py | 18 +- .../oracle/v1beta1/events_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/genesis_pb2.py | 10 +- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/oracle_pb2.py | 46 +- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/proposal_pb2.py | 28 +- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/query_pb2.py | 50 +- .../oracle/v1beta1/query_pb2_grpc.py | 296 ++++- .../proto/injective/oracle/v1beta1/tx_pb2.py | 28 +- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 152 ++- .../injective/peggy/v1/attestation_pb2.py | 20 +- .../peggy/v1/attestation_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/batch_pb2.py | 6 +- .../injective/peggy/v1/batch_pb2_grpc.py | 25 + .../injective/peggy/v1/ethereum_signer_pb2.py | 8 +- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/events_pb2.py | 16 +- .../injective/peggy/v1/events_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/genesis_pb2.py | 8 +- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/msgs_pb2.py | 62 +- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 242 +++- .../proto/injective/peggy/v1/params_pb2.py | 20 +- .../injective/peggy/v1/params_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/pool_pb2.py | 8 +- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/proposal_pb2.py | 10 +- .../injective/peggy/v1/proposal_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/query_pb2.py | 50 +- .../injective/peggy/v1/query_pb2_grpc.py | 404 +++++-- .../proto/injective/peggy/v1/types_pb2.py | 8 +- .../injective/peggy/v1/types_pb2_grpc.py | 25 + .../permissions/v1beta1/events_pb2.py | 6 +- .../permissions/v1beta1/events_pb2_grpc.py | 25 + .../permissions/v1beta1/genesis_pb2.py | 10 +- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 + .../permissions/v1beta1/params_pb2.py | 6 +- .../permissions/v1beta1/params_pb2_grpc.py | 25 + .../permissions/v1beta1/permissions_pb2.py | 8 +- .../v1beta1/permissions_pb2_grpc.py | 25 + .../permissions/v1beta1/query_pb2.py | 20 +- .../permissions/v1beta1/query_pb2_grpc.py | 134 ++- .../injective/permissions/v1beta1/tx_pb2.py | 38 +- .../permissions/v1beta1/tx_pb2_grpc.py | 152 ++- .../injective/stream/v1beta1/query_pb2.py | 60 +- .../stream/v1beta1/query_pb2_grpc.py | 44 +- .../v1beta1/authorityMetadata_pb2.py | 10 +- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/events_pb2.py | 12 +- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/genesis_pb2.py | 20 +- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/params_pb2.py | 8 +- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/query_pb2.py | 26 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 98 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 50 +- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 134 ++- .../injective/types/v1beta1/account_pb2.py | 12 +- .../types/v1beta1/account_pb2_grpc.py | 25 + .../injective/types/v1beta1/tx_ext_pb2.py | 8 +- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 + .../types/v1beta1/tx_response_pb2.py | 6 +- .../types/v1beta1/tx_response_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/events_pb2.py | 6 +- .../injective/wasmx/v1/events_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/genesis_pb2.py | 10 +- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/proposal_pb2.py | 22 +- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/query_pb2.py | 14 +- .../injective/wasmx/v1/query_pb2_grpc.py | 80 +- .../proto/injective/wasmx/v1/tx_pb2.py | 26 +- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 134 ++- .../proto/injective/wasmx/v1/wasmx_pb2.py | 16 +- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 + .../proto/tendermint/abci/types_pb2.py | 62 +- .../proto/tendermint/abci/types_pb2_grpc.py | 314 ++++- .../proto/tendermint/blocksync/types_pb2.py | 6 +- .../tendermint/blocksync/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/types_pb2.py | 20 +- .../tendermint/consensus/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/wal_pb2.py | 14 +- .../tendermint/consensus/wal_pb2_grpc.py | 25 + .../proto/tendermint/crypto/keys_pb2.py | 8 +- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 + .../proto/tendermint/crypto/proof_pb2.py | 8 +- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 + .../proto/tendermint/libs/bits/types_pb2.py | 6 +- .../tendermint/libs/bits/types_pb2_grpc.py | 25 + .../proto/tendermint/mempool/types_pb2.py | 6 +- .../tendermint/mempool/types_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/conn_pb2.py | 12 +- .../proto/tendermint/p2p/conn_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/pex_pb2.py | 8 +- .../proto/tendermint/p2p/pex_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/types_pb2.py | 20 +- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 + .../proto/tendermint/privval/types_pb2.py | 12 +- .../tendermint/privval/types_pb2_grpc.py | 25 + .../proto/tendermint/rpc/grpc/types_pb2.py | 6 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 62 +- .../proto/tendermint/state/types_pb2.py | 20 +- .../proto/tendermint/state/types_pb2_grpc.py | 25 + .../proto/tendermint/statesync/types_pb2.py | 6 +- .../tendermint/statesync/types_pb2_grpc.py | 25 + .../proto/tendermint/store/types_pb2.py | 6 +- .../proto/tendermint/store/types_pb2_grpc.py | 25 + .../proto/tendermint/types/block_pb2.py | 12 +- .../proto/tendermint/types/block_pb2_grpc.py | 25 + .../proto/tendermint/types/canonical_pb2.py | 22 +- .../tendermint/types/canonical_pb2_grpc.py | 25 + .../proto/tendermint/types/events_pb2.py | 6 +- .../proto/tendermint/types/events_pb2_grpc.py | 25 + .../proto/tendermint/types/evidence_pb2.py | 12 +- .../tendermint/types/evidence_pb2_grpc.py | 25 + .../proto/tendermint/types/params_pb2.py | 12 +- .../proto/tendermint/types/params_pb2_grpc.py | 25 + .../proto/tendermint/types/types_pb2.py | 56 +- .../proto/tendermint/types/types_pb2_grpc.py | 25 + .../proto/tendermint/types/validator_pb2.py | 8 +- .../tendermint/types/validator_pb2_grpc.py | 25 + .../proto/tendermint/version/types_pb2.py | 8 +- .../tendermint/version/types_pb2_grpc.py | 25 + pyinjective/proto/testpb/bank_pb2.py | 10 +- pyinjective/proto/testpb/bank_pb2_grpc.py | 25 + pyinjective/proto/testpb/bank_query_pb2.py | 6 +- .../proto/testpb/bank_query_pb2_grpc.py | 98 +- pyinjective/proto/testpb/test_schema_pb2.py | 20 +- .../proto/testpb/test_schema_pb2_grpc.py | 25 + .../proto/testpb/test_schema_query_pb2.py | 6 +- .../testpb/test_schema_query_pb2_grpc.py | 278 ++++- 562 files changed, 19570 insertions(+), 5991 deletions(-) diff --git a/pyinjective/proto/amino/amino_pb2.py b/pyinjective/proto/amino/amino_pb2.py index 85f9d7ae..cdd7a53a 100644 --- a/pyinjective/proto/amino/amino_pb2.py +++ b/pyinjective/proto/amino/amino_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: amino/amino.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'amino.amino_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/types/tx/amino' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 2daafffe..3f4d19f9 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in amino/amino_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index 2994d348..f71216e9 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/runtime/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.runtime.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001=\n$github.com/cosmos/cosmos-sdk/runtime\022\025\n\023cosmos.app.v1alpha1' _globals['_MODULE']._serialized_start=108 _globals['_MODULE']._serialized_end=369 diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index 2daafffe..a80d91f2 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py index 21c4934d..f4071fe8 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/config.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.config_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_CONFIG']._serialized_start=84 _globals['_CONFIG']._serialized_end=205 _globals['_MODULECONFIG']._serialized_start=207 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 2daafffe..14588113 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py index f3ff6893..7ce3d41d 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_MODULEDESCRIPTOR']._serialized_start=92 _globals['_MODULEDESCRIPTOR']._serialized_end=253 _globals['_PACKAGEREFERENCE']._serialized_start=255 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index 2daafffe..c8072676 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index 09f4ed51..84f9bdf4 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/app/v1alpha1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_QUERYCONFIGREQUEST']._serialized_start=90 _globals['_QUERYCONFIGREQUEST']._serialized_end=110 _globals['_QUERYCONFIGRESPONSE']._serialized_start=112 diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index d855d2a5..936c1120 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the app module query service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.app.v1alpha1.Query/Config', request_serializer=cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigRequest.SerializeToString, response_deserializer=cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.app.v1alpha1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.app.v1alpha1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Config(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.app.v1alpha1.Query/Config', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.app.v1alpha1.Query/Config', cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigRequest.SerializeToString, cosmos_dot_app_dot_v1alpha1_dot_query__pb2.QueryConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index 8f11127c..8cda0688 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/auth' _globals['_MODULE']._serialized_start=96 _globals['_MODULE']._serialized_end=275 diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 2daafffe..8955dd21 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index ef6476b6..42a41847 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/auth.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,24 +23,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.auth_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_BASEACCOUNT'].fields_by_name['address']._options = None + _globals['_BASEACCOUNT'].fields_by_name['address']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_BASEACCOUNT'].fields_by_name['pub_key']._options = None + _globals['_BASEACCOUNT'].fields_by_name['pub_key']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['pub_key']._serialized_options = b'\352\336\037\024public_key,omitempty\242\347\260*\npublic_key' - _globals['_BASEACCOUNT']._options = None + _globals['_BASEACCOUNT']._loaded_options = None _globals['_BASEACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI\212\347\260*\026cosmos-sdk/BaseAccount' - _globals['_MODULEACCOUNT'].fields_by_name['base_account']._options = None + _globals['_MODULEACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_MODULEACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' - _globals['_MODULEACCOUNT']._options = None + _globals['_MODULEACCOUNT']._loaded_options = None _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount' - _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._options = None + _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._serialized_options = b'\342\336\037\024SigVerifyCostED25519' - _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._options = None + _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._serialized_options = b'\342\336\037\026SigVerifyCostSecp256k1' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\030cosmos-sdk/x/auth/Params' _globals['_BASEACCOUNT']._serialized_start=151 _globals['_BASEACCOUNT']._serialized_end=398 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 2daafffe..125c38a0 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index 3e43755b..6526269b 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,10 +23,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=158 _globals['_GENESISSTATE']._serialized_end=268 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9a45112 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index 6ed512cf..ef9257fe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,48 +26,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._options = None + _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' - _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYACCOUNTREQUEST']._options = None + _globals['_QUERYACCOUNTREQUEST']._loaded_options = None _globals['_QUERYACCOUNTREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._options = None + _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._loaded_options = None _globals['_QUERYACCOUNTRESPONSE'].fields_by_name['account']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._options = None + _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYMODULEACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\"cosmos.auth.v1beta1.ModuleAccountI' - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._options = None + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._loaded_options = None _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE'].fields_by_name['account']._serialized_options = b'\312\264-\"cosmos.auth.v1beta1.ModuleAccountI' - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._options = None + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._loaded_options = None _globals['_QUERYACCOUNTADDRESSBYIDREQUEST'].fields_by_name['id']._serialized_options = b'\030\001' - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._options = None + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._loaded_options = None _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE'].fields_by_name['account_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYACCOUNTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Accounts']._options = None + _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None _globals['_QUERY'].methods_by_name['Accounts']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\037\022\035/cosmos/auth/v1beta1/accounts' - _globals['_QUERY'].methods_by_name['Account']._options = None + _globals['_QUERY'].methods_by_name['Account']._loaded_options = None _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/auth/v1beta1/accounts/{address}' - _globals['_QUERY'].methods_by_name['AccountAddressByID']._options = None + _globals['_QUERY'].methods_by_name['AccountAddressByID']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountAddressByID']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/auth/v1beta1/address_by_id/{id}' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/auth/v1beta1/params' - _globals['_QUERY'].methods_by_name['ModuleAccounts']._options = None + _globals['_QUERY'].methods_by_name['ModuleAccounts']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleAccounts']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/auth/v1beta1/module_accounts' - _globals['_QUERY'].methods_by_name['ModuleAccountByName']._options = None + _globals['_QUERY'].methods_by_name['ModuleAccountByName']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleAccountByName']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/module_accounts/{name}' - _globals['_QUERY'].methods_by_name['Bech32Prefix']._options = None + _globals['_QUERY'].methods_by_name['Bech32Prefix']._loaded_options = None _globals['_QUERY'].methods_by_name['Bech32Prefix']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/auth/v1beta1/bech32' - _globals['_QUERY'].methods_by_name['AddressBytesToString']._options = None + _globals['_QUERY'].methods_by_name['AddressBytesToString']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressBytesToString']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/auth/v1beta1/bech32/{address_bytes}' - _globals['_QUERY'].methods_by_name['AddressStringToBytes']._options = None + _globals['_QUERY'].methods_by_name['AddressStringToBytes']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressStringToBytes']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/auth/v1beta1/bech32/{address_string}' - _globals['_QUERY'].methods_by_name['AccountInfo']._options = None + _globals['_QUERY'].methods_by_name['AccountInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/account_info/{address}' _globals['_QUERYACCOUNTSREQUEST']._serialized_start=267 _globals['_QUERYACCOUNTSREQUEST']._serialized_end=349 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index d3212814..7100f432 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,52 +44,52 @@ def __init__(self, channel): '/cosmos.auth.v1beta1.Query/Accounts', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsResponse.FromString, - ) + _registered_method=True) self.Account = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Account', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountResponse.FromString, - ) + _registered_method=True) self.AccountAddressByID = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AccountAddressByID', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Params', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ModuleAccounts = channel.unary_unary( '/cosmos.auth.v1beta1.Query/ModuleAccounts', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsResponse.FromString, - ) + _registered_method=True) self.ModuleAccountByName = channel.unary_unary( '/cosmos.auth.v1beta1.Query/ModuleAccountByName', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameResponse.FromString, - ) + _registered_method=True) self.Bech32Prefix = channel.unary_unary( '/cosmos.auth.v1beta1.Query/Bech32Prefix', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixResponse.FromString, - ) + _registered_method=True) self.AddressBytesToString = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AddressBytesToString', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringResponse.FromString, - ) + _registered_method=True) self.AddressStringToBytes = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AddressStringToBytes', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesResponse.FromString, - ) + _registered_method=True) self.AccountInfo = channel.unary_unary( '/cosmos.auth.v1beta1.Query/AccountInfo', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoRequest.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -215,6 +240,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.auth.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.auth.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -233,11 +259,21 @@ def Accounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Accounts', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Accounts', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Account(request, @@ -250,11 +286,21 @@ def Account(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Account', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Account', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressByID(request, @@ -267,11 +313,21 @@ def AccountAddressByID(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AccountAddressByID', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AccountAddressByID', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountAddressByIDResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -284,11 +340,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Params', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleAccounts(request, @@ -301,11 +367,21 @@ def ModuleAccounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/ModuleAccounts', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/ModuleAccounts', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleAccountByName(request, @@ -318,11 +394,21 @@ def ModuleAccountByName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/ModuleAccountByName', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/ModuleAccountByName', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryModuleAccountByNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Bech32Prefix(request, @@ -335,11 +421,21 @@ def Bech32Prefix(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/Bech32Prefix', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/Bech32Prefix', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.Bech32PrefixResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressBytesToString(request, @@ -352,11 +448,21 @@ def AddressBytesToString(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AddressBytesToString', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AddressBytesToString', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressBytesToStringResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressStringToBytes(request, @@ -369,11 +475,21 @@ def AddressStringToBytes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AddressStringToBytes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AddressStringToBytes', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.AddressStringToBytesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountInfo(request, @@ -386,8 +502,18 @@ def AccountInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Query/AccountInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Query/AccountInfo', cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoRequest.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_query__pb2.QueryAccountInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index 80d6b068..65c843ab 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/auth/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/auth/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 _globals['_MSGUPDATEPARAMS']._serialized_end=351 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 2484732e..6b3c2312 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/auth Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.auth.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -48,6 +73,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.auth.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.auth.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.auth.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.auth.v1beta1.Msg/UpdateParams', cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_auth_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index 8bc49b93..207eb8c5 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/authz' _globals['_MODULE']._serialized_start=97 _globals['_MODULE']._serialized_end=151 diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 2daafffe..41a6eb18 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 5d647ab6..5451f16e 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,22 +24,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' - _globals['_GENERICAUTHORIZATION']._options = None + _globals['_GENERICAUTHORIZATION']._loaded_options = None _globals['_GENERICAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\037cosmos-sdk/GenericAuthorization' - _globals['_GRANT'].fields_by_name['authorization']._options = None + _globals['_GRANT'].fields_by_name['authorization']._loaded_options = None _globals['_GRANT'].fields_by_name['authorization']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' - _globals['_GRANT'].fields_by_name['expiration']._options = None + _globals['_GRANT'].fields_by_name['expiration']._loaded_options = None _globals['_GRANT'].fields_by_name['expiration']._serialized_options = b'\310\336\037\001\220\337\037\001' - _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['authorization']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' - _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_GENERICAUTHORIZATION']._serialized_start=186 _globals['_GENERICAUTHORIZATION']._serialized_end=297 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 2daafffe..6ab92cd1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 45995c97..206e9596 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/event.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,16 +20,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.event_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_EVENTGRANT'].fields_by_name['granter']._options = None + _globals['_EVENTGRANT'].fields_by_name['granter']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTGRANT'].fields_by_name['grantee']._options = None + _globals['_EVENTGRANT'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTREVOKE'].fields_by_name['granter']._options = None + _globals['_EVENTREVOKE'].fields_by_name['granter']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTREVOKE'].fields_by_name['grantee']._options = None + _globals['_EVENTREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTGRANT']._serialized_start=85 _globals['_EVENTGRANT']._serialized_end=205 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 2daafffe..1455078e 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index 4644d6ce..32086ad9 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_GENESISSTATE'].fields_by_name['authorization']._options = None + _globals['_GENESISSTATE'].fields_by_name['authorization']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['authorization']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 _globals['_GENESISSTATE']._serialized_end=225 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 2daafffe..86d0781f 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index 7065513f..e14d0bac 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,22 +23,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' - _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTERGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYGRANTEEGRANTSREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Grants']._options = None + _globals['_QUERY'].methods_by_name['Grants']._loaded_options = None _globals['_QUERY'].methods_by_name['Grants']._serialized_options = b'\202\323\344\223\002\036\022\034/cosmos/authz/v1beta1/grants' - _globals['_QUERY'].methods_by_name['GranterGrants']._options = None + _globals['_QUERY'].methods_by_name['GranterGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranterGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/granter/{granter}' - _globals['_QUERY'].methods_by_name['GranteeGrants']._options = None + _globals['_QUERY'].methods_by_name['GranteeGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranteeGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/grantee/{grantee}' _globals['_QUERYGRANTSREQUEST']._serialized_start=194 _globals['_QUERYGRANTSREQUEST']._serialized_end=382 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index 902a698a..5ed73a42 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.authz.v1beta1.Query/Grants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsResponse.FromString, - ) + _registered_method=True) self.GranterGrants = channel.unary_unary( '/cosmos.authz.v1beta1.Query/GranterGrants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsResponse.FromString, - ) + _registered_method=True) self.GranteeGrants = channel.unary_unary( '/cosmos.authz.v1beta1.Query/GranteeGrants', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsRequest.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -83,6 +108,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.authz.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -101,11 +127,21 @@ def Grants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/Grants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/Grants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GranterGrants(request, @@ -118,11 +154,21 @@ def GranterGrants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/GranterGrants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/GranterGrants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranterGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GranteeGrants(request, @@ -135,8 +181,18 @@ def GranteeGrants(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Query/GranteeGrants', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Query/GranteeGrants', cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsRequest.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_query__pb2.QueryGranteeGrantsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 9754f7e0..a6675df8 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/authz/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,34 +25,34 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' - _globals['_MSGGRANT'].fields_by_name['granter']._options = None + _globals['_MSGGRANT'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANT'].fields_by_name['grantee']._options = None + _globals['_MSGGRANT'].fields_by_name['grantee']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANT'].fields_by_name['grant']._options = None + _globals['_MSGGRANT'].fields_by_name['grant']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['grant']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGGRANT']._options = None + _globals['_MSGGRANT']._loaded_options = None _globals['_MSGGRANT']._serialized_options = b'\202\347\260*\007granter\212\347\260*\023cosmos-sdk/MsgGrant' - _globals['_MSGEXEC'].fields_by_name['grantee']._options = None + _globals['_MSGEXEC'].fields_by_name['grantee']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXEC'].fields_by_name['msgs']._options = None + _globals['_MSGEXEC'].fields_by_name['msgs']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['msgs']._serialized_options = b'\312\264-\027cosmos.base.v1beta1.Msg' - _globals['_MSGEXEC']._options = None + _globals['_MSGEXEC']._loaded_options = None _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' - _globals['_MSGREVOKE'].fields_by_name['granter']._options = None + _globals['_MSGREVOKE'].fields_by_name['granter']._loaded_options = None _globals['_MSGREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKE'].fields_by_name['grantee']._options = None + _globals['_MSGREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKE']._options = None + _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._options = None + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECCOMPAT']._options = None + _globals['_MSGEXECCOMPAT']._loaded_options = None _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 _globals['_MSGGRANT']._serialized_end=399 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index 4288eb46..31b61cbe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the authz Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/cosmos.authz.v1beta1.Msg/Grant', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrant.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrantResponse.FromString, - ) + _registered_method=True) self.Exec = channel.unary_unary( '/cosmos.authz.v1beta1.Msg/Exec', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExec.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecResponse.FromString, - ) + _registered_method=True) self.Revoke = channel.unary_unary( '/cosmos.authz.v1beta1.Msg/Revoke', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, - ) + _registered_method=True) self.ExecCompat = channel.unary_unary( '/cosmos.authz.v1beta1.Msg/ExecCompat', request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -102,6 +127,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.authz.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -120,11 +146,21 @@ def Grant(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Grant', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Grant', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrant.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgGrantResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Exec(request, @@ -137,11 +173,21 @@ def Exec(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Exec', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Exec', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExec.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Revoke(request, @@ -154,11 +200,21 @@ def Revoke(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/Revoke', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/Revoke', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecCompat(request, @@ -171,8 +227,18 @@ def ExecCompat(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.authz.v1beta1.Msg/ExecCompat', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/ExecCompat', cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py index 7105f305..9f4e1390 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/autocli/v1/options.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,12 +19,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.options_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._options = None + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._loaded_options = None _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_options = b'8\001' - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._options = None + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._loaded_options = None _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_options = b'8\001' _globals['_MODULEOPTIONS']._serialized_start=55 _globals['_MODULEOPTIONS']._serialized_end=187 diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index 2daafffe..e388b205 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index 00255c17..675e9ff5 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/autocli/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._options = None + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._loaded_options = None _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_options = b'8\001' - _globals['_QUERY'].methods_by_name['AppOptions']._options = None + _globals['_QUERY'].methods_by_name['AppOptions']._loaded_options = None _globals['_QUERY'].methods_by_name['AppOptions']._serialized_options = b'\210\347\260*\000' _globals['_APPOPTIONSREQUEST']._serialized_start=114 _globals['_APPOPTIONSREQUEST']._serialized_end=133 diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index 6be7cae7..d9b18db7 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """RemoteInfoService provides clients with the information they need @@ -20,7 +45,7 @@ def __init__(self, channel): '/cosmos.autocli.v1.Query/AppOptions', request_serializer=cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsRequest.SerializeToString, response_deserializer=cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -47,6 +72,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.autocli.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.autocli.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def AppOptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.autocli.v1.Query/AppOptions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.autocli.v1.Query/AppOptions', cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsRequest.SerializeToString, cosmos_dot_autocli_dot_v1_dot_query__pb2.AppOptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index 357b16f0..88fab11f 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/bank' _globals['_MODULE']._serialized_start=95 _globals['_MODULE']._serialized_end=209 diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 2daafffe..6e58e0b4 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index 40569adb..e6377068 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._options = None + _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._options = None + _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SENDAUTHORIZATION']._options = None + _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 _globals['_SENDAUTHORIZATION']._serialized_end=398 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 2daafffe..285e00f5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 86f5e5c0..bb6b853e 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/bank.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,34 +24,34 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.bank_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._options = None + _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/bank/Params' - _globals['_SENDENABLED']._options = None + _globals['_SENDENABLED']._loaded_options = None _globals['_SENDENABLED']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_INPUT'].fields_by_name['address']._options = None + _globals['_INPUT'].fields_by_name['address']._loaded_options = None _globals['_INPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INPUT'].fields_by_name['coins']._options = None + _globals['_INPUT'].fields_by_name['coins']._loaded_options = None _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INPUT']._options = None + _globals['_INPUT']._loaded_options = None _globals['_INPUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\007address' - _globals['_OUTPUT'].fields_by_name['address']._options = None + _globals['_OUTPUT'].fields_by_name['address']._loaded_options = None _globals['_OUTPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_OUTPUT'].fields_by_name['coins']._options = None + _globals['_OUTPUT'].fields_by_name['coins']._loaded_options = None _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_OUTPUT']._options = None + _globals['_OUTPUT']._loaded_options = None _globals['_OUTPUT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SUPPLY'].fields_by_name['total']._options = None + _globals['_SUPPLY'].fields_by_name['total']._loaded_options = None _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_SUPPLY']._options = None + _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\030\001\210\240\037\000\350\240\037\001\312\264-\033cosmos.bank.v1beta1.SupplyI' - _globals['_METADATA'].fields_by_name['uri']._options = None + _globals['_METADATA'].fields_by_name['uri']._loaded_options = None _globals['_METADATA'].fields_by_name['uri']._serialized_options = b'\342\336\037\003URI' - _globals['_METADATA'].fields_by_name['uri_hash']._options = None + _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 _globals['_PARAMS']._serialized_end=314 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 2daafffe..8a692062 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py index 565df165..efec78b9 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_BALANCEUPDATE'].fields_by_name['amt']._options = None + _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_EVENTSETBALANCES']._serialized_start=125 _globals['_EVENTSETBALANCES']._serialized_end=204 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py index 2daafffe..bc7ce4a6 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index 0caca815..d070e276 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,24 +24,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['balances']._options = None + _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['supply']._options = None + _globals['_GENESISSTATE'].fields_by_name['supply']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._options = None + _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['send_enabled']._options = None + _globals['_GENESISSTATE'].fields_by_name['send_enabled']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['send_enabled']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BALANCE'].fields_by_name['address']._options = None + _globals['_BALANCE'].fields_by_name['address']._loaded_options = None _globals['_BALANCE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_BALANCE'].fields_by_name['coins']._options = None + _globals['_BALANCE'].fields_by_name['coins']._loaded_options = None _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BALANCE']._options = None + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 _globals['_GENESISSTATE']._serialized_end=551 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 2daafffe..4fd6af84 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index 5ff14052..7deb2a94 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,66 +27,66 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYBALANCEREQUEST']._options = None + _globals['_QUERYBALANCEREQUEST']._loaded_options = None _globals['_QUERYBALANCEREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLBALANCESREQUEST']._options = None + _globals['_QUERYALLBALANCESREQUEST']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._options = None + _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSPENDABLEBALANCESREQUEST']._options = None + _globals['_QUERYSPENDABLEBALANCESREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._options = None + _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._options = None + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYTOTALSUPPLYREQUEST']._options = None + _globals['_QUERYTOTALSUPPLYREQUEST']._loaded_options = None _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._options = None + _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._loaded_options = None _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._options = None + _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._loaded_options = None _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._options = None + _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DENOMOWNER'].fields_by_name['address']._options = None + _globals['_DENOMOWNER'].fields_by_name['address']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DENOMOWNER'].fields_by_name['balance']._options = None + _globals['_DENOMOWNER'].fields_by_name['balance']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Balance']._options = None + _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\210\347\260*\001\202\323\344\223\0022\0220/cosmos/bank/v1beta1/balances/{address}/by_denom' - _globals['_QUERY'].methods_by_name['AllBalances']._options = None + _globals['_QUERY'].methods_by_name['AllBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['AllBalances']._serialized_options = b'\210\347\260*\001\202\323\344\223\002)\022\'/cosmos/bank/v1beta1/balances/{address}' - _globals['_QUERY'].methods_by_name['SpendableBalances']._options = None + _globals['_QUERY'].methods_by_name['SpendableBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['SpendableBalances']._serialized_options = b'\210\347\260*\001\202\323\344\223\0023\0221/cosmos/bank/v1beta1/spendable_balances/{address}' - _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._options = None + _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['SpendableBalanceByDenom']._serialized_options = b'\210\347\260*\001\202\323\344\223\002<\022:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom' - _globals['_QUERY'].methods_by_name['TotalSupply']._options = None + _globals['_QUERY'].methods_by_name['TotalSupply']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalSupply']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/supply' - _globals['_QUERY'].methods_by_name['SupplyOf']._options = None + _globals['_QUERY'].methods_by_name['SupplyOf']._loaded_options = None _globals['_QUERY'].methods_by_name['SupplyOf']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/supply/by_denom' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/params' - _globals['_QUERY'].methods_by_name['DenomMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002.\022,/cosmos/bank/v1beta1/denoms_metadata/{denom}' - _globals['_QUERY'].methods_by_name['DenomsMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomsMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/denoms_metadata' - _globals['_QUERY'].methods_by_name['DenomOwners']._options = None + _globals['_QUERY'].methods_by_name['DenomOwners']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomOwners']._serialized_options = b'\210\347\260*\001\202\323\344\223\002+\022)/cosmos/bank/v1beta1/denom_owners/{denom}' - _globals['_QUERY'].methods_by_name['SendEnabled']._options = None + _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 _globals['_QUERYBALANCEREQUEST']._serialized_end=380 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 3d58cee5..48c10696 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,57 +44,57 @@ def __init__(self, channel): '/cosmos.bank.v1beta1.Query/Balance', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - ) + _registered_method=True) self.AllBalances = channel.unary_unary( '/cosmos.bank.v1beta1.Query/AllBalances', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesResponse.FromString, - ) + _registered_method=True) self.SpendableBalances = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SpendableBalances', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesResponse.FromString, - ) + _registered_method=True) self.SpendableBalanceByDenom = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomResponse.FromString, - ) + _registered_method=True) self.TotalSupply = channel.unary_unary( '/cosmos.bank.v1beta1.Query/TotalSupply', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyResponse.FromString, - ) + _registered_method=True) self.SupplyOf = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SupplyOf', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.bank.v1beta1.Query/Params', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, - ) + _registered_method=True) self.DenomsMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomsMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataResponse.FromString, - ) + _registered_method=True) self.DenomOwners = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomOwners', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, - ) + _registered_method=True) self.SendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -249,6 +274,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.bank.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.bank.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -267,11 +293,21 @@ def Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/Balance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/Balance', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllBalances(request, @@ -284,11 +320,21 @@ def AllBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/AllBalances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/AllBalances', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryAllBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpendableBalances(request, @@ -301,11 +347,21 @@ def SpendableBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SpendableBalances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SpendableBalances', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpendableBalanceByDenom(request, @@ -318,11 +374,21 @@ def SpendableBalanceByDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SpendableBalanceByDenom', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySpendableBalanceByDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalSupply(request, @@ -335,11 +401,21 @@ def TotalSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/TotalSupply', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/TotalSupply', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryTotalSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SupplyOf(request, @@ -352,11 +428,21 @@ def SupplyOf(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SupplyOf', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SupplyOf', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySupplyOfResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -369,11 +455,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/Params', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomMetadata(request, @@ -386,11 +482,21 @@ def DenomMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomMetadata', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomsMetadata(request, @@ -403,11 +509,21 @@ def DenomsMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomsMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomsMetadata', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomOwners(request, @@ -420,11 +536,21 @@ def DenomOwners(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/DenomOwners', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomOwners', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendEnabled(request, @@ -437,8 +563,18 @@ def SendEnabled(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Query/SendEnabled', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/SendEnabled', cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index 9f7df030..92ee0a8f 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,34 +25,34 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_MSGSEND'].fields_by_name['from_address']._options = None + _globals['_MSGSEND'].fields_by_name['from_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['to_address']._options = None + _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['amount']._options = None + _globals['_MSGSEND'].fields_by_name['amount']._loaded_options = None _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSEND']._options = None + _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\014from_address\212\347\260*\022cosmos-sdk/MsgSend' - _globals['_MSGMULTISEND'].fields_by_name['inputs']._options = None + _globals['_MSGMULTISEND'].fields_by_name['inputs']._loaded_options = None _globals['_MSGMULTISEND'].fields_by_name['inputs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGMULTISEND'].fields_by_name['outputs']._options = None + _globals['_MSGMULTISEND'].fields_by_name['outputs']._loaded_options = None _globals['_MSGMULTISEND'].fields_by_name['outputs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGMULTISEND']._options = None + _globals['_MSGMULTISEND']._loaded_options = None _globals['_MSGMULTISEND']._serialized_options = b'\350\240\037\000\202\347\260*\006inputs\212\347\260*\027cosmos-sdk/MsgMultiSend' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/bank/MsgUpdateParams' - _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._options = None + _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._loaded_options = None _globals['_MSGSETSENDENABLED'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETSENDENABLED']._options = None + _globals['_MSGSETSENDENABLED']._loaded_options = None _globals['_MSGSETSENDENABLED']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\034cosmos-sdk/MsgSetSendEnabled' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 _globals['_MSGSEND']._serialized_end=462 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index e2d12b72..a0b3f7fe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/cosmos.bank.v1beta1.Msg/Send', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - ) + _registered_method=True) self.MultiSend = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/MultiSend', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSend.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSendResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.SetSendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Msg/SetSendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabled.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabledResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -104,6 +129,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.bank.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.bank.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -122,11 +148,21 @@ def Send(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/Send', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/Send', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MultiSend(request, @@ -139,11 +175,21 @@ def MultiSend(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/MultiSend', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/MultiSend', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSend.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgMultiSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -156,11 +202,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/UpdateParams', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetSendEnabled(request, @@ -173,8 +229,18 @@ def SetSendEnabled(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.bank.v1beta1.Msg/SetSendEnabled', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Msg/SetSendEnabled', cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabled.SerializeToString, cosmos_dot_bank_dot_v1beta1_dot_tx__pb2.MsgSetSendEnabledResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 66446a14..d85975a9 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,42 +22,42 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' - _globals['_TXRESPONSE'].fields_by_name['txhash']._options = None + _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' - _globals['_TXRESPONSE'].fields_by_name['logs']._options = None + _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['logs']._serialized_options = b'\310\336\037\000\252\337\037\017ABCIMessageLogs' - _globals['_TXRESPONSE'].fields_by_name['events']._options = None + _globals['_TXRESPONSE'].fields_by_name['events']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_TXRESPONSE']._options = None + _globals['_TXRESPONSE']._loaded_options = None _globals['_TXRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._serialized_options = b'\352\336\037\tmsg_index' - _globals['_ABCIMESSAGELOG'].fields_by_name['events']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['events']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['events']._serialized_options = b'\310\336\037\000\252\337\037\014StringEvents' - _globals['_ABCIMESSAGELOG']._options = None + _globals['_ABCIMESSAGELOG']._loaded_options = None _globals['_ABCIMESSAGELOG']._serialized_options = b'\200\334 \001' - _globals['_STRINGEVENT'].fields_by_name['attributes']._options = None + _globals['_STRINGEVENT'].fields_by_name['attributes']._loaded_options = None _globals['_STRINGEVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000' - _globals['_STRINGEVENT']._options = None + _globals['_STRINGEVENT']._loaded_options = None _globals['_STRINGEVENT']._serialized_options = b'\200\334 \001' - _globals['_RESULT'].fields_by_name['data']._options = None + _globals['_RESULT'].fields_by_name['data']._loaded_options = None _globals['_RESULT'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_RESULT'].fields_by_name['events']._options = None + _globals['_RESULT'].fields_by_name['events']._loaded_options = None _globals['_RESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_RESULT']._options = None + _globals['_RESULT']._loaded_options = None _globals['_RESULT']._serialized_options = b'\210\240\037\000' - _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._options = None + _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._loaded_options = None _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._serialized_options = b'\310\336\037\000\320\336\037\001' - _globals['_MSGDATA']._options = None + _globals['_MSGDATA']._loaded_options = None _globals['_MSGDATA']._serialized_options = b'\030\001\200\334 \001' - _globals['_TXMSGDATA'].fields_by_name['data']._options = None + _globals['_TXMSGDATA'].fields_by_name['data']._loaded_options = None _globals['_TXMSGDATA'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_TXMSGDATA']._options = None + _globals['_TXMSGDATA']._loaded_options = None _globals['_TXMSGDATA']._serialized_options = b'\200\334 \001' - _globals['_SEARCHTXSRESULT']._options = None + _globals['_SEARCHTXSRESULT']._loaded_options = None _globals['_SEARCHTXSRESULT']._serialized_options = b'\200\334 \001' _globals['_TXRESPONSE']._serialized_start=144 _globals['_TXRESPONSE']._serialized_end=502 diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index 2daafffe..dd1b5932 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py index 5d4f2467..f4002f4e 100644 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py +++ b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/kv/v1beta1/kv.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.kv.v1beta1.kv_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/kv' - _globals['_PAIRS'].fields_by_name['pairs']._options = None + _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' _globals['_PAIRS']._serialized_start=81 _globals['_PAIRS']._serialized_end=139 diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py index 2daafffe..4ea67c93 100644 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/kv/v1beta1/kv_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index ffbf6c59..12286402 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' - _globals['_SERVICE'].methods_by_name['Config']._options = None + _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None _globals['_SERVICE'].methods_by_name['Config']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/config' _globals['_CONFIGREQUEST']._serialized_start=96 _globals['_CONFIGREQUEST']._serialized_end=111 diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index c70c48b5..fd0060c2 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/node/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for node related queries. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.base.node.v1beta1.Service/Config', request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, - ) + _registered_method=True) class ServiceServicer(object): @@ -45,6 +70,7 @@ def add_ServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.node.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.node.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Config(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.node.v1beta1.Service/Config', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.node.v1beta1.Service/Config', cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py index b45676bc..d988376d 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/query/v1beta1/pagination.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.query.v1beta1.pagination_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' _globals['_PAGEREQUEST']._serialized_start=73 _globals['_PAGEREQUEST']._serialized_end=168 diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index 2daafffe..eb30a3d4 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index 8ef6be95..19c8c87d 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/reflection/v1beta1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v1beta1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection' - _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/reflection/v1beta1/interfaces' - _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._serialized_options = b'\202\323\344\223\002M\022K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementations' _globals['_LISTALLINTERFACESREQUEST']._serialized_start=113 _globals['_LISTALLINTERFACESREQUEST']._serialized_end=139 diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index e77341d7..640012be 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for interface reflection. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', request_serializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesResponse.FromString, - ) + _registered_method=True) self.ListImplementations = channel.unary_unary( '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', request_serializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -64,6 +89,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.reflection.v1beta1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.reflection.v1beta1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -82,11 +108,21 @@ def ListAllInterfaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v1beta1.ReflectionService/ListAllInterfaces', cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListAllInterfacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListImplementations(request, @@ -99,8 +135,18 @@ def ListImplementations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v1beta1.ReflectionService/ListImplementations', cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2.ListImplementationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index 3fba6217..04131993 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/reflection/v2alpha1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,20 +20,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v2alpha1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\022\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for application reflection. @@ -19,32 +44,32 @@ def __init__(self, channel): '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorResponse.FromString, - ) + _registered_method=True) self.GetChainDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorResponse.FromString, - ) + _registered_method=True) self.GetCodecDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorResponse.FromString, - ) + _registered_method=True) self.GetConfigurationDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorResponse.FromString, - ) + _registered_method=True) self.GetQueryServicesDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorResponse.FromString, - ) + _registered_method=True) self.GetTxDescriptor = channel.unary_unary( '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', request_serializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -132,6 +157,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.reflection.v2alpha1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.reflection.v2alpha1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -150,11 +176,21 @@ def GetAuthnDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetAuthnDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetAuthnDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetChainDescriptor(request, @@ -167,11 +203,21 @@ def GetChainDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetChainDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetChainDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCodecDescriptor(request, @@ -184,11 +230,21 @@ def GetCodecDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetCodecDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetCodecDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetConfigurationDescriptor(request, @@ -201,11 +257,21 @@ def GetConfigurationDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetConfigurationDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetConfigurationDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetQueryServicesDescriptor(request, @@ -218,11 +284,21 @@ def GetQueryServicesDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetQueryServicesDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetQueryServicesDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxDescriptor(request, @@ -235,8 +311,18 @@ def GetTxDescriptor(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.reflection.v2alpha1.ReflectionService/GetTxDescriptor', cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorRequest.SerializeToString, cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2.GetTxDescriptorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py index 3c37dee2..ffb02add 100644 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py +++ b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/snapshots/v1beta1/snapshot.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,20 +20,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.snapshots.v1beta1.snapshot_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/snapshots/types' - _globals['_SNAPSHOT'].fields_by_name['metadata']._options = None + _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['kv']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['kv']._serialized_options = b'\030\001\342\336\037\002KV' - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['schema']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['schema']._serialized_options = b'\030\001' - _globals['_SNAPSHOTKVITEM']._options = None + _globals['_SNAPSHOTKVITEM']._loaded_options = None _globals['_SNAPSHOTKVITEM']._serialized_options = b'\030\001' - _globals['_SNAPSHOTSCHEMA']._options = None + _globals['_SNAPSHOTSCHEMA']._loaded_options = None _globals['_SNAPSHOTSCHEMA']._serialized_options = b'\030\001' _globals['_SNAPSHOT']._serialized_start=102 _globals['_SNAPSHOT']._serialized_end=239 diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py index 2daafffe..77a629dc 100644 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py index 23f7aee5..7405c114 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/store/v1beta1/commit_info.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.commit_info_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_COMMITINFO'].fields_by_name['store_infos']._options = None + _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' - _globals['_COMMITINFO'].fields_by_name['timestamp']._options = None + _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STOREINFO'].fields_by_name['commit_id']._options = None + _globals['_STOREINFO'].fields_by_name['commit_id']._loaded_options = None _globals['_STOREINFO'].fields_by_name['commit_id']._serialized_options = b'\310\336\037\000' - _globals['_COMMITID']._options = None + _globals['_COMMITID']._loaded_options = None _globals['_COMMITID']._serialized_options = b'\230\240\037\000' _globals['_COMMITINFO']._serialized_start=130 _globals['_COMMITINFO']._serialized_end=281 diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py index 2daafffe..a1911214 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/store/v1beta1/commit_info_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py index efde6ffa..68f17551 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/store/v1beta1/listening.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.listening_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' _globals['_STOREKVPAIR']._serialized_start=101 _globals['_STOREKVPAIR']._serialized_end=177 diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py index 2daafffe..a28dc540 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/store/v1beta1/listening_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index 00d38daa..1f9bc620 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/tendermint/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -29,26 +29,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' - _globals['_VALIDATOR'].fields_by_name['address']._options = None + _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROOFOPS'].fields_by_name['ops']._options = None + _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SERVICE'].methods_by_name['GetNodeInfo']._options = None + _globals['_SERVICE'].methods_by_name['GetNodeInfo']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetNodeInfo']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/base/tendermint/v1beta1/node_info' - _globals['_SERVICE'].methods_by_name['GetSyncing']._options = None + _globals['_SERVICE'].methods_by_name['GetSyncing']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetSyncing']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/base/tendermint/v1beta1/syncing' - _globals['_SERVICE'].methods_by_name['GetLatestBlock']._options = None + _globals['_SERVICE'].methods_by_name['GetLatestBlock']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetLatestBlock']._serialized_options = b'\202\323\344\223\002/\022-/cosmos/base/tendermint/v1beta1/blocks/latest' - _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._options = None + _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetBlockByHeight']._serialized_options = b'\202\323\344\223\0021\022//cosmos/base/tendermint/v1beta1/blocks/{height}' - _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._options = None + _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetLatestValidatorSet']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/base/tendermint/v1beta1/validatorsets/latest' - _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._options = None + _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/base/tendermint/v1beta1/validatorsets/{height}' - _globals['_SERVICE'].methods_by_name['ABCIQuery']._options = None + _globals['_SERVICE'].methods_by_name['ABCIQuery']._loaded_options = None _globals['_SERVICE'].methods_by_name['ABCIQuery']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/tendermint/v1beta1/abci_query' _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=379 _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=487 diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 9750e560..286a4655 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for tendermint queries. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoResponse.FromString, - ) + _registered_method=True) self.GetSyncing = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingResponse.FromString, - ) + _registered_method=True) self.GetLatestBlock = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockResponse.FromString, - ) + _registered_method=True) self.GetBlockByHeight = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightResponse.FromString, - ) + _registered_method=True) self.GetLatestValidatorSet = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetResponse.FromString, - ) + _registered_method=True) self.GetValidatorSetByHeight = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightResponse.FromString, - ) + _registered_method=True) self.ABCIQuery = channel.unary_unary( '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', request_serializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryResponse.FromString, - ) + _registered_method=True) class ServiceServicer(object): @@ -151,6 +176,7 @@ def add_ServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.tendermint.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.base.tendermint.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -169,11 +195,21 @@ def GetNodeInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetNodeInfo', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetNodeInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSyncing(request, @@ -186,11 +222,21 @@ def GetSyncing(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetSyncing', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetSyncingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetLatestBlock(request, @@ -203,11 +249,21 @@ def GetLatestBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetLatestBlock', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestBlockResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockByHeight(request, @@ -220,11 +276,21 @@ def GetBlockByHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetBlockByHeight', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetBlockByHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetLatestValidatorSet(request, @@ -237,11 +303,21 @@ def GetLatestValidatorSet(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetLatestValidatorSet', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetLatestValidatorSetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidatorSetByHeight(request, @@ -254,11 +330,21 @@ def GetValidatorSetByHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/GetValidatorSetByHeight', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.GetValidatorSetByHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ABCIQuery(request, @@ -271,8 +357,18 @@ def ABCIQuery(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.tendermint.v1beta1.Service/ABCIQuery', cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryRequest.SerializeToString, cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2.ABCIQueryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index c553dd13..cac9ea51 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/tendermint/v1beta1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,22 +25,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' - _globals['_BLOCK'].fields_by_name['header']._options = None + _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BLOCK'].fields_by_name['data']._options = None + _globals['_BLOCK'].fields_by_name['data']._loaded_options = None _globals['_BLOCK'].fields_by_name['data']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BLOCK'].fields_by_name['evidence']._options = None + _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HEADER'].fields_by_name['version']._options = None + _globals['_HEADER'].fields_by_name['version']._loaded_options = None _globals['_HEADER'].fields_by_name['version']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HEADER'].fields_by_name['chain_id']._options = None + _globals['_HEADER'].fields_by_name['chain_id']._loaded_options = None _globals['_HEADER'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_HEADER'].fields_by_name['time']._options = None + _globals['_HEADER'].fields_by_name['time']._loaded_options = None _globals['_HEADER'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_HEADER'].fields_by_name['last_block_id']._options = None + _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK']._serialized_start=248 _globals['_BLOCK']._serialized_end=479 diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 2daafffe..033369f2 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index b6f3d433..68f9d704 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/v1beta1/coin.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.v1beta1.coin_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' - _globals['_COIN'].fields_by_name['amount']._options = None + _globals['_COIN'].fields_by_name['amount']._loaded_options = None _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_COIN']._options = None + _globals['_COIN']._loaded_options = None _globals['_COIN']._serialized_options = b'\350\240\037\001' - _globals['_DECCOIN'].fields_by_name['amount']._options = None + _globals['_DECCOIN'].fields_by_name['amount']._loaded_options = None _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' - _globals['_DECCOIN']._options = None + _globals['_DECCOIN']._loaded_options = None _globals['_DECCOIN']._serialized_options = b'\350\240\037\001' - _globals['_INTPROTO'].fields_by_name['int']._options = None + _globals['_INTPROTO'].fields_by_name['int']._loaded_options = None _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int' - _globals['_DECPROTO'].fields_by_name['dec']._options = None + _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 _globals['_COIN']._serialized_end=198 diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 2daafffe..1de6a63b 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py index 99ad4fff..ad16397e 100644 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001+\n)github.com/cosmos/cosmos-sdk/x/capability' _globals['_MODULE']._serialized_start=107 _globals['_MODULE']._serialized_end=187 diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py index 2daafffe..e4adda23 100644 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py index fb13cedc..00339cae 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/v1beta1/capability.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.capability_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_CAPABILITY']._options = None + _globals['_CAPABILITY']._loaded_options = None _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' - _globals['_OWNER']._options = None + _globals['_OWNER']._loaded_options = None _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._options = None + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CAPABILITY']._serialized_start=114 _globals['_CAPABILITY']._serialized_end=147 diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py index 2daafffe..6ad249a6 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/v1beta1/capability_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py index 71b9eadb..1cdb2a6f 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._options = None + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['owners']._options = None + _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISOWNERS']._serialized_start=155 _globals['_GENESISOWNERS']._serialized_end=263 diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py index 2daafffe..06387c35 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index 5290c97a..f95c5039 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001*\n(github.com/cosmos/cosmos-sdk/x/consensus' _globals['_MODULE']._serialized_start=105 _globals['_MODULE']._serialized_end=182 diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 2daafffe..93428b40 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index 0806410d..5c6e405c 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/consensus/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=117 _globals['_QUERYPARAMSREQUEST']._serialized_end=137 diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index d1b0afd1..0b66b29a 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.consensus.v1.Query/Params', request_serializer=cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.consensus.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.consensus.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.consensus.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.consensus.v1.Query/Params', cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_consensus_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index 2df0b8cc..969c6eeb 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGUPDATEPARAMS']._serialized_start=137 _globals['_MSGUPDATEPARAMS']._serialized_end=367 diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index 4a8f5f95..4ce65678 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.consensus.v1.Msg/UpdateParams', request_serializer=cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -48,6 +73,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.consensus.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.consensus.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.consensus.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.consensus.v1.Msg/UpdateParams', cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_consensus_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index 9acad9f8..9319713a 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/crisis' _globals['_MODULE']._serialized_start=99 _globals['_MODULE']._serialized_end=201 diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 2daafffe..781018ac 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 2a06abc8..52de3cc9 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' - _globals['_GENESISSTATE'].fields_by_name['constant_fee']._options = None + _globals['_GENESISSTATE'].fields_by_name['constant_fee']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 _globals['_GENESISSTATE']._serialized_end=209 diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index 2daafffe..b8a4124f 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index 4625100a..4f94c94e 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crisis/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,20 +24,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' - _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._options = None + _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._loaded_options = None _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVERIFYINVARIANT']._options = None + _globals['_MSGVERIFYINVARIANT']._loaded_options = None _globals['_MSGVERIFYINVARIANT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035cosmos-sdk/MsgVerifyInvariant' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/crisis/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGVERIFYINVARIANT']._serialized_start=183 _globals['_MSGVERIFYINVARIANT']._serialized_end=356 diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index f491f0f4..dcee8866 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', request_serializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariant.SerializeToString, response_deserializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariantResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.crisis.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -65,6 +90,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.crisis.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.crisis.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -83,11 +109,21 @@ def VerifyInvariant(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.crisis.v1beta1.Msg/VerifyInvariant', cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariant.SerializeToString, cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgVerifyInvariantResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -100,8 +136,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.crisis.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.crisis.v1beta1.Msg/UpdateParams', cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index 22fae584..a1ed9af2 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/ed25519/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.ed25519.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519' - _globals['_PUBKEY'].fields_by_name['key']._options = None + _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\030crypto/ed25519.PublicKey' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\030tendermint/PubKeyEd25519\222\347\260*\tkey_field' - _globals['_PRIVKEY'].fields_by_name['key']._options = None + _globals['_PRIVKEY'].fields_by_name['key']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\031crypto/ed25519.PrivateKey' - _globals['_PRIVKEY']._options = None + _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\031tendermint/PrivKeyEd25519\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=100 _globals['_PUBKEY']._serialized_end=200 diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index 2daafffe..ed86dc9b 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 77eed65c..69d0631a 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/hd/v1/hd.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.hd.v1.hd_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/cosmos/cosmos-sdk/crypto/hd\310\341\036\000' - _globals['_BIP44PARAMS']._options = None + _globals['_BIP44PARAMS']._loaded_options = None _globals['_BIP44PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\032crypto/keys/hd/BIP44Params' _globals['_BIP44PARAMS']._serialized_start=95 _globals['_BIP44PARAMS']._serialized_end=237 diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 2daafffe..03c80dec 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index 1e801f9b..66cd1047 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/keyring/v1/record.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.keyring.v1.record_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/crypto/keyring\310\341\036\000\230\343\036\000' _globals['_RECORD']._serialized_start=147 _globals['_RECORD']._serialized_end=577 diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 2daafffe..8f877d97 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index e7afe1f1..9e7f1bdc 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/multisig/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig' - _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._options = None + _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._loaded_options = None _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._serialized_options = b'\342\336\037\007PubKeys\242\347\260*\007pubkeys' - _globals['_LEGACYAMINOPUBKEY']._options = None + _globals['_LEGACYAMINOPUBKEY']._loaded_options = None _globals['_LEGACYAMINOPUBKEY']._serialized_options = b'\210\240\037\000\212\347\260*\"tendermint/PubKeyMultisigThreshold\222\347\260*\020threshold_string' _globals['_LEGACYAMINOPUBKEY']._serialized_start=130 _globals['_LEGACYAMINOPUBKEY']._serialized_end=302 diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 2daafffe..813983af 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index 28f96461..18de0b9b 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/multisig/v1beta1/multisig.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.v1beta1.multisig_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/crypto/types' - _globals['_MULTISIGNATURE']._options = None + _globals['_MULTISIGNATURE']._loaded_options = None _globals['_MULTISIGNATURE']._serialized_options = b'\320\241\037\001' - _globals['_COMPACTBITARRAY']._options = None + _globals['_COMPACTBITARRAY']._loaded_options = None _globals['_COMPACTBITARRAY']._serialized_options = b'\230\240\037\000' _globals['_MULTISIGNATURE']._serialized_start=103 _globals['_MULTISIGNATURE']._serialized_end=145 diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index 2daafffe..d96cbfca 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index 12cd7b7a..3813cfec 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/secp256k1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256k1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\032tendermint/PubKeySecp256k1\222\347\260*\tkey_field' - _globals['_PRIVKEY']._options = None + _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\033tendermint/PrivKeySecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=104 _globals['_PUBKEY']._serialized_end=176 diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 2daafffe..5777851f 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index 398f9e62..c3eba82d 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/crypto/secp256r1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256r1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' - _globals['_PUBKEY'].fields_by_name['key']._options = None + _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\332\336\037\007ecdsaPK' - _globals['_PRIVKEY'].fields_by_name['secret']._options = None + _globals['_PRIVKEY'].fields_by_name['secret']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['secret']._serialized_options = b'\332\336\037\007ecdsaSK' _globals['_PUBKEY']._serialized_start=85 _globals['_PUBKEY']._serialized_end=119 diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index 2daafffe..b7d8d50a 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index bcc9f87f..686cdb21 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/distribution' _globals['_MODULE']._serialized_start=111 _globals['_MODULE']._serialized_end=219 diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index 2daafffe..e573012c 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index 3065f647..c8d8248e 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/distribution.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,48 +23,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.distribution_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_PARAMS'].fields_by_name['community_tax']._options = None + _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['base_proposer_reward']._options = None + _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._options = None + _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260* cosmos-sdk/x/distribution/Params' - _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._options = None + _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._options = None + _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSION'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._options = None + _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._loaded_options = None _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._options = None + _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORSLASHEVENTS']._options = None + _globals['_VALIDATORSLASHEVENTS']._loaded_options = None _globals['_VALIDATORSLASHEVENTS']._serialized_options = b'\230\240\037\000' - _globals['_FEEPOOL'].fields_by_name['community_pool']._options = None + _globals['_FEEPOOL'].fields_by_name['community_pool']._loaded_options = None _globals['_FEEPOOL'].fields_by_name['community_pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._options = None + _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._options = None + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._options = None + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._loaded_options = None _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._options = None + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._loaded_options = None _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._serialized_options = b'\352\336\037\017creation_height\242\347\260*\017creation_height\250\347\260*\001' - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._options = None + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._options = None + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_DELEGATIONDELEGATORREWARD']._options = None + _globals['_DELEGATIONDELEGATORREWARD']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000\230\240\037\001' - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._options = None + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 _globals['_PARAMS']._serialized_end=536 diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index 2daafffe..ed9e15ba 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index fbb54707..5e3c85af 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,74 +24,74 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._options = None + _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORWITHDRAWINFO']._options = None + _globals['_DELEGATORWITHDRAWINFO']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._options = None + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._options = None + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORHISTORICALREWARDSRECORD']._options = None + _globals['_VALIDATORHISTORICALREWARDSRECORD']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._options = None + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._options = None + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORCURRENTREWARDSRECORD']._options = None + _globals['_VALIDATORCURRENTREWARDSRECORD']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._options = None + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATORSTARTINGINFORECORD']._options = None + _globals['_DELEGATORSTARTINGINFORECORD']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._options = None + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._options = None + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORSLASHEVENTRECORD']._options = None + _globals['_VALIDATORSLASHEVENTRECORD']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['fee_pool']._options = None + _globals['_GENESISSTATE'].fields_by_name['fee_pool']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['fee_pool']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegator_withdraw_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._options = None + _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['previous_proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_accumulated_commissions']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_historical_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_current_rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegator_starting_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._options = None + _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._options = None + _globals['_GENESISSTATE']._loaded_options = None _globals['_GENESISSTATE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index 2daafffe..ccfd6cca 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 6ce836be..98c092cf 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,84 +26,84 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._options = None + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins' - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._options = None + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._options = None + _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._loaded_options = None _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._options = None + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._options = None + _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._loaded_options = None _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORSLASHESREQUEST']._options = None + _globals['_QUERYVALIDATORSLASHESREQUEST']._loaded_options = None _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000\230\240\037\001' - _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._options = None + _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._loaded_options = None _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREWARDSREQUEST']._options = None + _globals['_QUERYDELEGATIONREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._options = None + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._loaded_options = None _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._options = None + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._options = None + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._loaded_options = None _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._options = None + _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._loaded_options = None _globals['_QUERYCOMMUNITYPOOLRESPONSE'].fields_by_name['pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002%\022#/cosmos/distribution/v1beta1/params' - _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._options = None + _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorDistributionInfo']._serialized_options = b'\202\323\344\223\002=\022;/cosmos/distribution/v1beta1/validators/{validator_address}' - _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._options = None + _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorOutstandingRewards']._serialized_options = b'\202\323\344\223\002Q\022O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards' - _globals['_QUERY'].methods_by_name['ValidatorCommission']._options = None + _globals['_QUERY'].methods_by_name['ValidatorCommission']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorCommission']._serialized_options = b'\202\323\344\223\002H\022F/cosmos/distribution/v1beta1/validators/{validator_address}/commission' - _globals['_QUERY'].methods_by_name['ValidatorSlashes']._options = None + _globals['_QUERY'].methods_by_name['ValidatorSlashes']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorSlashes']._serialized_options = b'\202\323\344\223\002E\022C/cosmos/distribution/v1beta1/validators/{validator_address}/slashes' - _globals['_QUERY'].methods_by_name['DelegationRewards']._options = None + _globals['_QUERY'].methods_by_name['DelegationRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegationRewards']._serialized_options = b'\202\323\344\223\002Y\022W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}' - _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._options = None + _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegationTotalRewards']._serialized_options = b'\202\323\344\223\002E\022C/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards' - _globals['_QUERY'].methods_by_name['DelegatorValidators']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidators']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidators']._serialized_options = b'\202\323\344\223\002H\022F/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators' - _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._options = None + _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorWithdrawAddress']._serialized_options = b'\202\323\344\223\002N\022L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address' - _globals['_QUERY'].methods_by_name['CommunityPool']._options = None + _globals['_QUERY'].methods_by_name['CommunityPool']._loaded_options = None _globals['_QUERY'].methods_by_name['CommunityPool']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/distribution/v1beta1/community_pool' _globals['_QUERYPARAMSREQUEST']._serialized_start=294 _globals['_QUERYPARAMSREQUEST']._serialized_end=314 diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index 42f6472b..3e8f9bb0 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for distribution module. @@ -19,52 +44,52 @@ def __init__(self, channel): '/cosmos.distribution.v1beta1.Query/Params', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ValidatorDistributionInfo = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoResponse.FromString, - ) + _registered_method=True) self.ValidatorOutstandingRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsResponse.FromString, - ) + _registered_method=True) self.ValidatorCommission = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorCommission', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionResponse.FromString, - ) + _registered_method=True) self.ValidatorSlashes = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesResponse.FromString, - ) + _registered_method=True) self.DelegationRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegationRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsResponse.FromString, - ) + _registered_method=True) self.DelegationTotalRewards = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidators = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegatorValidators', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - ) + _registered_method=True) self.DelegatorWithdrawAddress = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressResponse.FromString, - ) + _registered_method=True) self.CommunityPool = channel.unary_unary( '/cosmos.distribution.v1beta1.Query/CommunityPool', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolRequest.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -199,6 +224,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.distribution.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -217,11 +243,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/Params', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorDistributionInfo(request, @@ -234,11 +270,21 @@ def ValidatorDistributionInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorDistributionInfo', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorDistributionInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorOutstandingRewards(request, @@ -251,11 +297,21 @@ def ValidatorOutstandingRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorOutstandingRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorOutstandingRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorCommission(request, @@ -268,11 +324,21 @@ def ValidatorCommission(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorCommission', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorCommission', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorCommissionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorSlashes(request, @@ -285,11 +351,21 @@ def ValidatorSlashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/ValidatorSlashes', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryValidatorSlashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegationRewards(request, @@ -302,11 +378,21 @@ def DelegationRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegationRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegationRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegationTotalRewards(request, @@ -319,11 +405,21 @@ def DelegationTotalRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegationTotalRewards', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegationTotalRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidators(request, @@ -336,11 +432,21 @@ def DelegatorValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegatorValidators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegatorValidators', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorWithdrawAddress(request, @@ -353,11 +459,21 @@ def DelegatorWithdrawAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/DelegatorWithdrawAddress', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryDelegatorWithdrawAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CommunityPool(request, @@ -370,8 +486,18 @@ def CommunityPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Query/CommunityPool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Query/CommunityPool', cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolRequest.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_query__pb2.QueryCommunityPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index 5d429960..9e51e0e3 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/distribution/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,48 +25,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' - _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._options = None + _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._options = None + _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSETWITHDRAWADDRESS']._options = None + _globals['_MSGSETWITHDRAWADDRESS']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*#cosmos-sdk/MsgModifyWithdrawAddress' - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWDELEGATORREWARD']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARD']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*&cosmos-sdk/MsgWithdrawDelegationReward' - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*#cosmos-sdk/MsgWithdrawValCommission' - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._options = None + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._options = None + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGFUNDCOMMUNITYPOOL']._options = None + _globals['_MSGFUNDCOMMUNITYPOOL']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tdepositor\212\347\260*\037cosmos-sdk/MsgFundCommunityPool' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\'cosmos-sdk/distribution/MsgUpdateParams' - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._options = None + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._options = None + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCOMMUNITYPOOLSPEND']._options = None + _globals['_MSGCOMMUNITYPOOLSPEND']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/distr/MsgCommunityPoolSpend' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=443 diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index 9fe0e0df..40e62bea 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the distribution Msg service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddress.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddressResponse.FromString, - ) + _registered_method=True) self.WithdrawDelegatorReward = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorReward.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorRewardResponse.FromString, - ) + _registered_method=True) self.WithdrawValidatorCommission = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommission.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommissionResponse.FromString, - ) + _registered_method=True) self.FundCommunityPool = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPool.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPoolResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.CommunityPoolSpend = channel.unary_unary( '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -142,6 +167,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.distribution.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -160,11 +186,21 @@ def SetWithdrawAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/SetWithdrawAddress', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddress.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgSetWithdrawAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawDelegatorReward(request, @@ -177,11 +213,21 @@ def WithdrawDelegatorReward(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/WithdrawDelegatorReward', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorReward.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawDelegatorRewardResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawValidatorCommission(request, @@ -194,11 +240,21 @@ def WithdrawValidatorCommission(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/WithdrawValidatorCommission', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommission.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgWithdrawValidatorCommissionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundCommunityPool(request, @@ -211,11 +267,21 @@ def FundCommunityPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/FundCommunityPool', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPool.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgFundCommunityPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -228,11 +294,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/UpdateParams', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CommunityPoolSpend(request, @@ -245,8 +321,18 @@ def CommunityPoolSpend(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/CommunityPoolSpend', cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index 458a6c21..1c5c1665 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/evidence' _globals['_MODULE']._serialized_start=103 _globals['_MODULE']._serialized_end=160 diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 2daafffe..36ecbcf7 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index eb4a8479..275c39cc 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/evidence.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' - _globals['_EQUIVOCATION'].fields_by_name['time']._options = None + _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._options = None + _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EQUIVOCATION']._options = None + _globals['_EQUIVOCATION']._loaded_options = None _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 _globals['_EQUIVOCATION']._serialized_end=366 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index 2daafffe..b0655041 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 7ab631f9..57e5efbc 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' _globals['_GENESISSTATE']._serialized_start=93 _globals['_GENESISSTATE']._serialized_end=147 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index 2daafffe..dc2ce73d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 50ddba0a..015900ec 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._options = None + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_QUERY'].methods_by_name['Evidence']._options = None + _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None _globals['_QUERY'].methods_by_name['Evidence']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/evidence/v1beta1/evidence/{hash}' - _globals['_QUERY'].methods_by_name['AllEvidence']._options = None + _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' _globals['_QUERYEVIDENCEREQUEST']._serialized_start=187 _globals['_QUERYEVIDENCEREQUEST']._serialized_end=302 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index 4b96d360..fd673d56 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.evidence.v1beta1.Query/Evidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceRequest.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceResponse.FromString, - ) + _registered_method=True) self.AllEvidence = channel.unary_unary( '/cosmos.evidence.v1beta1.Query/AllEvidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceRequest.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.evidence.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.evidence.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def Evidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Query/Evidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Query/Evidence', cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceRequest.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllEvidence(request, @@ -97,8 +133,18 @@ def AllEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Query/AllEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Query/AllEvidence', cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceRequest.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_query__pb2.QueryAllEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index 1c113a58..86cbf75e 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' - _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._options = None + _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._options = None + _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._serialized_options = b'\312\264- cosmos.evidence.v1beta1.Evidence' - _globals['_MSGSUBMITEVIDENCE']._options = None + _globals['_MSGSUBMITEVIDENCE']._loaded_options = None _globals['_MSGSUBMITEVIDENCE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tsubmitter\212\347\260*\034cosmos-sdk/MsgSubmitEvidence' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITEVIDENCE']._serialized_start=182 _globals['_MSGSUBMITEVIDENCE']._serialized_end=381 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index ac6b266d..c7c8677e 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the evidence Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', request_serializer=cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidence.SerializeToString, response_deserializer=cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidenceResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -46,6 +71,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.evidence.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.evidence.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -64,8 +90,18 @@ def SubmitEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.evidence.v1beta1.Msg/SubmitEvidence', cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidence.SerializeToString, cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2.MsgSubmitEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 07f3382b..1d67ee80 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_MODULE']._serialized_start=103 _globals['_MODULE']._serialized_end=160 diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 2daafffe..6e78c597 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 84c889be..d2430907 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/feegrant.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,36 +26,36 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._options = None + _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASICALLOWANCE'].fields_by_name['expiration']._options = None + _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' - _globals['_BASICALLOWANCE']._options = None + _globals['_BASICALLOWANCE']._loaded_options = None _globals['_BASICALLOWANCE']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\031cosmos-sdk/BasicAllowance' - _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['basic']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._options = None + _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PERIODICALLOWANCE']._options = None + _globals['_PERIODICALLOWANCE']._loaded_options = None _globals['_PERIODICALLOWANCE']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\034cosmos-sdk/PeriodicAllowance' - _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._options = None + _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._loaded_options = None _globals['_ALLOWEDMSGALLOWANCE'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' - _globals['_ALLOWEDMSGALLOWANCE']._options = None + _globals['_ALLOWEDMSGALLOWANCE']._loaded_options = None _globals['_ALLOWEDMSGALLOWANCE']._serialized_options = b'\210\240\037\000\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI\212\347\260*\036cosmos-sdk/AllowedMsgAllowance' - _globals['_GRANT'].fields_by_name['granter']._options = None + _globals['_GRANT'].fields_by_name['granter']._loaded_options = None _globals['_GRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANT'].fields_by_name['grantee']._options = None + _globals['_GRANT'].fields_by_name['grantee']._loaded_options = None _globals['_GRANT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GRANT'].fields_by_name['allowance']._options = None + _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 _globals['_BASICALLOWANCE']._serialized_end=506 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index 2daafffe..a53e752f 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 5a75cd25..0887e8cd 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_GENESISSTATE'].fields_by_name['allowances']._options = None + _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 _globals['_GENESISSTATE']._serialized_end=224 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 2daafffe..627adfc3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 3c1df8d8..19c08006 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,22 +23,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._options = None + _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._loaded_options = None _globals['_QUERYALLOWANCESREQUEST'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._options = None + _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCESBYGRANTERREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Allowance']._options = None + _globals['_QUERY'].methods_by_name['Allowance']._loaded_options = None _globals['_QUERY'].methods_by_name['Allowance']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}' - _globals['_QUERY'].methods_by_name['Allowances']._options = None + _globals['_QUERY'].methods_by_name['Allowances']._loaded_options = None _globals['_QUERY'].methods_by_name['Allowances']._serialized_options = b'\202\323\344\223\002/\022-/cosmos/feegrant/v1beta1/allowances/{grantee}' - _globals['_QUERY'].methods_by_name['AllowancesByGranter']._options = None + _globals['_QUERY'].methods_by_name['AllowancesByGranter']._loaded_options = None _globals['_QUERY'].methods_by_name['AllowancesByGranter']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/feegrant/v1beta1/issued/{granter}' _globals['_QUERYALLOWANCEREQUEST']._serialized_start=205 _globals['_QUERYALLOWANCEREQUEST']._serialized_end=314 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index 8a844aae..4e14598c 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.feegrant.v1beta1.Query/Allowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceResponse.FromString, - ) + _registered_method=True) self.Allowances = channel.unary_unary( '/cosmos.feegrant.v1beta1.Query/Allowances', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesResponse.FromString, - ) + _registered_method=True) self.AllowancesByGranter = channel.unary_unary( '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterRequest.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -81,6 +106,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.feegrant.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -99,11 +125,21 @@ def Allowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/Allowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/Allowance', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Allowances(request, @@ -116,11 +152,21 @@ def Allowances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/Allowances', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/Allowances', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllowancesByGranter(request, @@ -133,8 +179,18 @@ def AllowancesByGranter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Query/AllowancesByGranter', cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterRequest.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2.QueryAllowancesByGranterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index ab05a4ec..bfcfa6a4 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/feegrant/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,24 +23,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._options = None + _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._options = None + _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._options = None + _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' - _globals['_MSGGRANTALLOWANCE']._options = None + _globals['_MSGGRANTALLOWANCE']._loaded_options = None _globals['_MSGGRANTALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\034cosmos-sdk/MsgGrantAllowance' - _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._options = None + _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGREVOKEALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._options = None + _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._loaded_options = None _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREVOKEALLOWANCE']._options = None + _globals['_MSGREVOKEALLOWANCE']._loaded_options = None _globals['_MSGREVOKEALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\035cosmos-sdk/MsgRevokeAllowance' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 _globals['_MSGGRANTALLOWANCE']._serialized_end=396 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index ed6d2e71..b76f5c7f 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the feegrant msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowanceResponse.FromString, - ) + _registered_method=True) self.RevokeAllowance = channel.unary_unary( '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -64,6 +89,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -82,11 +108,21 @@ def GrantAllowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/GrantAllowance', cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowance.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgGrantAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RevokeAllowance(request, @@ -99,8 +135,18 @@ def RevokeAllowance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/RevokeAllowance', cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index 93b4170c..d6d845c4 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/genutil/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/genutil' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=157 diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 2daafffe..8fbc2deb 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index 53e052e7..d3bdea72 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/genutil/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/genutil/types' - _globals['_GENESISSTATE'].fields_by_name['gen_txs']._options = None + _globals['_GENESISSTATE'].fields_by_name['gen_txs']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['gen_txs']._serialized_options = b'\352\336\037\006gentxs\372\336\037\030encoding/json.RawMessage\242\347\260*\006gentxs\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=105 _globals['_GENESISSTATE']._serialized_end=192 diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index 2daafffe..e0c67349 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index 62236a26..5a55cd96 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/gov' _globals['_MODULE']._serialized_start=93 _globals['_MODULE']._serialized_end=190 diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index 2daafffe..a66c0664 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index 19a91d2c..d040be05 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,14 +20,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_GENESISSTATE'].fields_by_name['deposit_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' - _globals['_GENESISSTATE'].fields_by_name['voting_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['voting_params']._serialized_options = b'\030\001' - _globals['_GENESISSTATE'].fields_by_name['tally_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE']._serialized_start=72 _globals['_GENESISSTATE']._serialized_end=445 diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index 2daafffe..c5256a75 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index 6f0ff623..73dd538e 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/gov.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,62 +26,62 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.gov_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._options = None + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_DEPOSIT'].fields_by_name['depositor']._options = None + _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSIT'].fields_by_name['amount']._options = None + _globals['_DEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['total_deposit']._options = None + _globals['_PROPOSAL'].fields_by_name['total_deposit']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['total_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_start_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_start_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_start_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['voting_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_end_time']._serialized_options = b'\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['proposer']._options = None + _globals['_PROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TALLYRESULT'].fields_by_name['yes_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['yes_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['yes_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['abstain_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['abstain_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['abstain_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['no_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._options = None + _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no_with_veto_count']._serialized_options = b'\322\264-\ncosmos.Int' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty' - _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\352\336\037\034max_deposit_period,omitempty\230\337\037\001' - _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._options = None + _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' - _globals['_TALLYPARAMS'].fields_by_name['quorum']._options = None + _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_TALLYPARAMS'].fields_by_name['threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['min_deposit']._options = None + _globals['_PARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_PARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_PARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\230\337\037\001' - _globals['_PARAMS'].fields_by_name['voting_period']._options = None + _globals['_PARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_PARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' - _globals['_PARAMS'].fields_by_name['quorum']._options = None + _globals['_PARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_PARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['threshold']._options = None + _globals['_PARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['veto_threshold']._options = None + _globals['_PARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._options = None + _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_VOTEOPTION']._serialized_start=2155 _globals['_VOTEOPTION']._serialized_end=2292 diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 2daafffe..42753a72 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index 2cad8486..783c2f0a 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,38 +23,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._serialized_options = b'\030\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\030\001' - _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/gov/v1/proposals/{proposal_id}' - _globals['_QUERY'].methods_by_name['Proposals']._options = None + _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposals']._serialized_options = b'\202\323\344\223\002\032\022\030/cosmos/gov/v1/proposals' - _globals['_QUERY'].methods_by_name['Vote']._options = None + _globals['_QUERY'].methods_by_name['Vote']._loaded_options = None _globals['_QUERY'].methods_by_name['Vote']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}' - _globals['_QUERY'].methods_by_name['Votes']._options = None + _globals['_QUERY'].methods_by_name['Votes']._loaded_options = None _globals['_QUERY'].methods_by_name['Votes']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/votes' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002%\022#/cosmos/gov/v1/params/{params_type}' - _globals['_QUERY'].methods_by_name['Deposit']._options = None + _globals['_QUERY'].methods_by_name['Deposit']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposit']._serialized_options = b'\202\323\344\223\002=\022;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}' - _globals['_QUERY'].methods_by_name['Deposits']._options = None + _globals['_QUERY'].methods_by_name['Deposits']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0021\022//cosmos/gov/v1/proposals/{proposal_id}/deposits' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=170 _globals['_QUERYPROPOSALREQUEST']._serialized_end=213 diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index ed11fda2..32b93aec 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module @@ -19,42 +44,42 @@ def __init__(self, channel): '/cosmos.gov.v1.Query/Proposal', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.Proposals = channel.unary_unary( '/cosmos.gov.v1.Query/Proposals', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1.Query/Vote', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteResponse.FromString, - ) + _registered_method=True) self.Votes = channel.unary_unary( '/cosmos.gov.v1.Query/Votes', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.gov.v1.Query/Params', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1.Query/Deposit', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositResponse.FromString, - ) + _registered_method=True) self.Deposits = channel.unary_unary( '/cosmos.gov.v1.Query/Deposits', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.gov.v1.Query/TallyResult', request_serializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -164,6 +189,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -182,11 +208,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Proposal', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposals(request, @@ -199,11 +235,21 @@ def Proposals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Proposals', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Proposals', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryProposalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -216,11 +262,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Vote', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Votes(request, @@ -233,11 +289,21 @@ def Votes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Votes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Votes', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryVotesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -250,11 +316,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Params', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -267,11 +343,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Deposit', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposits(request, @@ -284,11 +370,21 @@ def Deposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/Deposits', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/Deposits', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -301,8 +397,18 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Query/TallyResult', cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_gov_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 471e0756..143ad2b7 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,46 +26,46 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\202\347\260*\010proposer\212\347\260*\037cosmos-sdk/v1/MsgSubmitProposal' - _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._options = None + _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGEXECLEGACYCONTENT']._options = None + _globals['_MSGEXECLEGACYCONTENT']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\"cosmos-sdk/v1/MsgExecLegacyContent' - _globals['_MSGVOTE'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\025cosmos-sdk/v1/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED']._options = None + _globals['_MSGVOTEWEIGHTED']._loaded_options = None _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\202\347\260*\005voter\212\347\260*\035cosmos-sdk/v1/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\202\347\260*\tdepositor\212\347\260*\030cosmos-sdk/v1/MsgDeposit' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/gov/v1/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=219 _globals['_MSGSUBMITPROPOSAL']._serialized_end=486 diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index 856b8b24..7167542d 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the gov Msg service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/cosmos.gov.v1.Msg/SubmitProposal', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.ExecLegacyContent = channel.unary_unary( '/cosmos.gov.v1.Msg/ExecLegacyContent', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContent.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContentResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1.Msg/Vote', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.VoteWeighted = channel.unary_unary( '/cosmos.gov.v1.Msg/VoteWeighted', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1.Msg/Deposit', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.gov.v1.Msg/UpdateParams', request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -134,6 +159,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -152,11 +178,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/SubmitProposal', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecLegacyContent(request, @@ -169,11 +205,21 @@ def ExecLegacyContent(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/ExecLegacyContent', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/ExecLegacyContent', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContent.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgExecLegacyContentResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -186,11 +232,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/Vote', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteWeighted(request, @@ -203,11 +259,21 @@ def VoteWeighted(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/VoteWeighted', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/VoteWeighted', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -220,11 +286,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/Deposit', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDeposit.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -237,8 +313,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/UpdateParams', cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 8a7fe629..20a4b3bd 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_GENESISSTATE'].fields_by_name['deposits']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposits']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\252\337\037\010Deposits\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['votes']._options = None + _globals['_GENESISSTATE'].fields_by_name['votes']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['votes']._serialized_options = b'\310\336\037\000\252\337\037\005Votes\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['proposals']._options = None + _globals['_GENESISSTATE'].fields_by_name['proposals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000\252\337\037\tProposals\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['deposit_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['voting_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['voting_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['tally_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=128 _globals['_GENESISSTATE']._serialized_end=580 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9b978c6 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 57c7824b..e4f9ce49 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/gov.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,92 +26,92 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000\330\341\036\000\200\342\036\000' - _globals['_VOTEOPTION']._options = None + _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._serialized_options = b'\212\235 \013OptionEmpty' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_YES"]._serialized_options = b'\212\235 \tOptionYes' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_ABSTAIN"]._serialized_options = b'\212\235 \rOptionAbstain' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO"]._serialized_options = b'\212\235 \010OptionNo' - _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._options = None + _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._loaded_options = None _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_NO_WITH_VETO"]._serialized_options = b'\212\235 \020OptionNoWithVeto' - _globals['_PROPOSALSTATUS']._options = None + _globals['_PROPOSALSTATUS']._loaded_options = None _globals['_PROPOSALSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_UNSPECIFIED"]._serialized_options = b'\212\235 \tStatusNil' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_DEPOSIT_PERIOD"]._serialized_options = b'\212\235 \023StatusDepositPeriod' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_VOTING_PERIOD"]._serialized_options = b'\212\235 \022StatusVotingPeriod' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_PASSED"]._serialized_options = b'\212\235 \014StatusPassed' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_REJECTED"]._serialized_options = b'\212\235 \016StatusRejected' - _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._options = None + _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._serialized_options = b'\212\235 \014StatusFailed' - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._options = None + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_TEXTPROPOSAL']._options = None + _globals['_TEXTPROPOSAL']._loaded_options = None _globals['_TEXTPROPOSAL']._serialized_options = b'\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027cosmos-sdk/TextProposal' - _globals['_DEPOSIT'].fields_by_name['depositor']._options = None + _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DEPOSIT'].fields_by_name['amount']._options = None + _globals['_DEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_DEPOSIT']._options = None + _globals['_DEPOSIT']._loaded_options = None _globals['_DEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_PROPOSAL'].fields_by_name['content']._options = None + _globals['_PROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_PROPOSAL'].fields_by_name['final_tally_result']._options = None + _globals['_PROPOSAL'].fields_by_name['final_tally_result']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['final_tally_result']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['deposit_end_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['total_deposit']._options = None + _globals['_PROPOSAL'].fields_by_name['total_deposit']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['total_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_start_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_start_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_start_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_end_time']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_end_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_end_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL']._options = None + _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\350\240\037\001' - _globals['_TALLYRESULT'].fields_by_name['yes']._options = None + _globals['_TALLYRESULT'].fields_by_name['yes']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['abstain']._options = None + _globals['_TALLYRESULT'].fields_by_name['abstain']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no']._options = None + _globals['_TALLYRESULT'].fields_by_name['no']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._options = None + _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._loaded_options = None _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_TALLYRESULT']._options = None + _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\350\240\037\001' - _globals['_VOTE'].fields_by_name['proposal_id']._options = None + _globals['_VOTE'].fields_by_name['proposal_id']._loaded_options = None _globals['_VOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\002id\242\347\260*\002id\250\347\260*\001' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VOTE'].fields_by_name['option']._options = None + _globals['_VOTE'].fields_by_name['option']._loaded_options = None _globals['_VOTE'].fields_by_name['option']._serialized_options = b'\030\001' - _globals['_VOTE'].fields_by_name['options']._options = None + _globals['_VOTE'].fields_by_name['options']._loaded_options = None _globals['_VOTE'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VOTE']._options = None + _globals['_VOTE']._loaded_options = None _globals['_VOTE']._serialized_options = b'\230\240\037\000\350\240\037\000' - _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._options = None + _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\310\336\037\000\352\336\037\034max_deposit_period,omitempty\230\337\037\001' - _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._options = None + _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\352\336\037\027voting_period,omitempty\230\337\037\001' - _globals['_TALLYPARAMS'].fields_by_name['quorum']._options = None + _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\020quorum,omitempty' - _globals['_TALLYPARAMS'].fields_by_name['threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\023threshold,omitempty' - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._options = None + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\030veto_threshold,omitempty' _globals['_VOTEOPTION']._serialized_start=2493 _globals['_VOTEOPTION']._serialized_end=2723 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 2daafffe..9f0fc764 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index cf917b4b..5c027a9c 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,58 +25,58 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._options = None + _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSREQUEST']._options = None + _globals['_QUERYPROPOSALSREQUEST']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._options = None + _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._loaded_options = None _globals['_QUERYPROPOSALSRESPONSE'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEREQUEST']._options = None + _globals['_QUERYVOTEREQUEST']._loaded_options = None _globals['_QUERYVOTEREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._options = None + _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_QUERYVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._options = None + _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._loaded_options = None _globals['_QUERYVOTESRESPONSE'].fields_by_name['votes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['voting_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['deposit_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._options = None + _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDEPOSITREQUEST']._options = None + _globals['_QUERYDEPOSITREQUEST']._loaded_options = None _globals['_QUERYDEPOSITREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._options = None + _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._loaded_options = None _globals['_QUERYDEPOSITRESPONSE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._options = None + _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._loaded_options = None _globals['_QUERYDEPOSITSRESPONSE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._options = None + _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._loaded_options = None _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/gov/v1beta1/proposals/{proposal_id}' - _globals['_QUERY'].methods_by_name['Proposals']._options = None + _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposals']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/gov/v1beta1/proposals' - _globals['_QUERY'].methods_by_name['Vote']._options = None + _globals['_QUERY'].methods_by_name['Vote']._loaded_options = None _globals['_QUERY'].methods_by_name['Vote']._serialized_options = b'\202\323\344\223\002;\0229/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}' - _globals['_QUERY'].methods_by_name['Votes']._options = None + _globals['_QUERY'].methods_by_name['Votes']._loaded_options = None _globals['_QUERY'].methods_by_name['Votes']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/votes' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/gov/v1beta1/params/{params_type}' - _globals['_QUERY'].methods_by_name['Deposit']._options = None + _globals['_QUERY'].methods_by_name['Deposit']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposit']._serialized_options = b'\202\323\344\223\002B\022@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}' - _globals['_QUERY'].methods_by_name['Deposits']._options = None + _globals['_QUERY'].methods_by_name['Deposits']._loaded_options = None _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=226 _globals['_QUERYPROPOSALREQUEST']._serialized_end=269 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index 25688fb2..b26777b9 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module @@ -19,42 +44,42 @@ def __init__(self, channel): '/cosmos.gov.v1beta1.Query/Proposal', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.Proposals = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Proposals', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Vote', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteResponse.FromString, - ) + _registered_method=True) self.Votes = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Votes', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Params', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Deposit', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositResponse.FromString, - ) + _registered_method=True) self.Deposits = channel.unary_unary( '/cosmos.gov.v1beta1.Query/Deposits', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.gov.v1beta1.Query/TallyResult', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -164,6 +189,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -182,11 +208,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Proposal', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposals(request, @@ -199,11 +235,21 @@ def Proposals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Proposals', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Proposals', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryProposalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -216,11 +262,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Vote', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Votes(request, @@ -233,11 +289,21 @@ def Votes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Votes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Votes', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryVotesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -250,11 +316,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Params', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -267,11 +343,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Deposit', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposits(request, @@ -284,11 +370,21 @@ def Deposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/Deposits', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/Deposits', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -301,8 +397,18 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Query/TallyResult', cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 18690d87..aedbb1a9 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,40 +26,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' - _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._options = None + _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED']._options = None + _globals['_MSGVOTEWEIGHTED']._loaded_options = None _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 _globals['_MSGSUBMITPROPOSAL']._serialized_end=539 diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index fba27c11..8dcc6cca 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/cosmos.gov.v1beta1.Msg/SubmitProposal', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/Vote', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.VoteWeighted = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/VoteWeighted', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - ) + _registered_method=True) self.Deposit = channel.unary_unary( '/cosmos.gov.v1beta1.Msg/Deposit', request_serializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -98,6 +123,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.gov.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -116,11 +142,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/SubmitProposal', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -133,11 +169,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/Vote', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteWeighted(request, @@ -150,11 +196,21 @@ def VoteWeighted(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/VoteWeighted', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/VoteWeighted', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeighted.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgVoteWeightedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Deposit(request, @@ -167,8 +223,18 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.gov.v1beta1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1beta1.Msg/Deposit', cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, cosmos_dot_gov_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index 9bb6d553..ea2688bf 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,11 +23,11 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE'].fields_by_name['max_execution_period']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE'].fields_by_name['max_execution_period']._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_MODULE']._options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/group' _globals['_MODULE']._serialized_start=171 _globals['_MODULE']._serialized_end=323 diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 2daafffe..75848b93 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index e32a1202..88e95a34 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._options = None + _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._options = None + _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._options = None + _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTCREATEGROUP']._serialized_start=105 _globals['_EVENTCREATEGROUP']._serialized_end=141 diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index 2daafffe..ece303bf 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index 1c7633ea..8ea60c47 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_GENESISSTATE']._serialized_start=80 _globals['_GENESISSTATE']._serialized_end=400 diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index 2daafffe..e687ea6c 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index 44a15701..598c1f42 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,52 +25,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._options = None + _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._options = None + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None _globals['_QUERYGROUPPOLICIESBYADMINREQUEST'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._options = None + _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYVOTESBYVOTERREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._options = None + _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPSBYMEMBERREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._options = None + _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._loaded_options = None _globals['_QUERYTALLYRESULTRESPONSE'].fields_by_name['tally']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['GroupInfo']._options = None + _globals['_QUERY'].methods_by_name['GroupInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupInfo']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/group/v1/group_info/{group_id}' - _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._options = None + _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPolicyInfo']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/group/v1/group_policy_info/{address}' - _globals['_QUERY'].methods_by_name['GroupMembers']._options = None + _globals['_QUERY'].methods_by_name['GroupMembers']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupMembers']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/group/v1/group_members/{group_id}' - _globals['_QUERY'].methods_by_name['GroupsByAdmin']._options = None + _globals['_QUERY'].methods_by_name['GroupsByAdmin']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupsByAdmin']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/group/v1/groups_by_admin/{admin}' - _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._options = None + _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPoliciesByGroup']._serialized_options = b'\202\323\344\223\0025\0223/cosmos/group/v1/group_policies_by_group/{group_id}' - _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._options = None + _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupPoliciesByAdmin']._serialized_options = b'\202\323\344\223\0022\0220/cosmos/group/v1/group_policies_by_admin/{admin}' - _globals['_QUERY'].methods_by_name['Proposal']._options = None + _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/group/v1/proposal/{proposal_id}' - _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._options = None + _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._loaded_options = None _globals['_QUERY'].methods_by_name['ProposalsByGroupPolicy']._serialized_options = b'\202\323\344\223\0026\0224/cosmos/group/v1/proposals_by_group_policy/{address}' - _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._options = None + _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._loaded_options = None _globals['_QUERY'].methods_by_name['VoteByProposalVoter']._serialized_options = b'\202\323\344\223\002?\022=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}' - _globals['_QUERY'].methods_by_name['VotesByProposal']._options = None + _globals['_QUERY'].methods_by_name['VotesByProposal']._loaded_options = None _globals['_QUERY'].methods_by_name['VotesByProposal']._serialized_options = b'\202\323\344\223\0022\0220/cosmos/group/v1/votes_by_proposal/{proposal_id}' - _globals['_QUERY'].methods_by_name['VotesByVoter']._options = None + _globals['_QUERY'].methods_by_name['VotesByVoter']._loaded_options = None _globals['_QUERY'].methods_by_name['VotesByVoter']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/group/v1/votes_by_voter/{voter}' - _globals['_QUERY'].methods_by_name['GroupsByMember']._options = None + _globals['_QUERY'].methods_by_name['GroupsByMember']._loaded_options = None _globals['_QUERY'].methods_by_name['GroupsByMember']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/group/v1/groups_by_member/{address}' - _globals['_QUERY'].methods_by_name['TallyResult']._options = None + _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0020\022./cosmos/group/v1/proposals/{proposal_id}/tally' - _globals['_QUERY'].methods_by_name['Groups']._options = None + _globals['_QUERY'].methods_by_name['Groups']._loaded_options = None _globals['_QUERY'].methods_by_name['Groups']._serialized_options = b'\202\323\344\223\002\031\022\027/cosmos/group/v1/groups' _globals['_QUERYGROUPINFOREQUEST']._serialized_start=219 _globals['_QUERYGROUPINFOREQUEST']._serialized_end=260 diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index 1fd940f3..fd71377b 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the cosmos.group.v1 Query service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.group.v1.Query/GroupInfo', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoResponse.FromString, - ) + _registered_method=True) self.GroupPolicyInfo = channel.unary_unary( '/cosmos.group.v1.Query/GroupPolicyInfo', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoResponse.FromString, - ) + _registered_method=True) self.GroupMembers = channel.unary_unary( '/cosmos.group.v1.Query/GroupMembers', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersResponse.FromString, - ) + _registered_method=True) self.GroupsByAdmin = channel.unary_unary( '/cosmos.group.v1.Query/GroupsByAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminResponse.FromString, - ) + _registered_method=True) self.GroupPoliciesByGroup = channel.unary_unary( '/cosmos.group.v1.Query/GroupPoliciesByGroup', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupResponse.FromString, - ) + _registered_method=True) self.GroupPoliciesByAdmin = channel.unary_unary( '/cosmos.group.v1.Query/GroupPoliciesByAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminResponse.FromString, - ) + _registered_method=True) self.Proposal = channel.unary_unary( '/cosmos.group.v1.Query/Proposal', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - ) + _registered_method=True) self.ProposalsByGroupPolicy = channel.unary_unary( '/cosmos.group.v1.Query/ProposalsByGroupPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyResponse.FromString, - ) + _registered_method=True) self.VoteByProposalVoter = channel.unary_unary( '/cosmos.group.v1.Query/VoteByProposalVoter', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterResponse.FromString, - ) + _registered_method=True) self.VotesByProposal = channel.unary_unary( '/cosmos.group.v1.Query/VotesByProposal', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalResponse.FromString, - ) + _registered_method=True) self.VotesByVoter = channel.unary_unary( '/cosmos.group.v1.Query/VotesByVoter', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterResponse.FromString, - ) + _registered_method=True) self.GroupsByMember = channel.unary_unary( '/cosmos.group.v1.Query/GroupsByMember', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberResponse.FromString, - ) + _registered_method=True) self.TallyResult = channel.unary_unary( '/cosmos.group.v1.Query/TallyResult', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - ) + _registered_method=True) self.Groups = channel.unary_unary( '/cosmos.group.v1.Query/Groups', request_serializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsRequest.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -272,6 +297,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.group.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.group.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -290,11 +316,21 @@ def GroupInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupInfo', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPolicyInfo(request, @@ -307,11 +343,21 @@ def GroupPolicyInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPolicyInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPolicyInfo', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPolicyInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupMembers(request, @@ -324,11 +370,21 @@ def GroupMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupMembers', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupMembers', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupsByAdmin(request, @@ -341,11 +397,21 @@ def GroupsByAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupsByAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupsByAdmin', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPoliciesByGroup(request, @@ -358,11 +424,21 @@ def GroupPoliciesByGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPoliciesByGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPoliciesByGroup', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupPoliciesByAdmin(request, @@ -375,11 +451,21 @@ def GroupPoliciesByAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupPoliciesByAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupPoliciesByAdmin', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupPoliciesByAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Proposal(request, @@ -392,11 +478,21 @@ def Proposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/Proposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/Proposal', cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ProposalsByGroupPolicy(request, @@ -409,11 +505,21 @@ def ProposalsByGroupPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/ProposalsByGroupPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/ProposalsByGroupPolicy', cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryProposalsByGroupPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VoteByProposalVoter(request, @@ -426,11 +532,21 @@ def VoteByProposalVoter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VoteByProposalVoter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VoteByProposalVoter', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVoteByProposalVoterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VotesByProposal(request, @@ -443,11 +559,21 @@ def VotesByProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VotesByProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VotesByProposal', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VotesByVoter(request, @@ -460,11 +586,21 @@ def VotesByVoter(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/VotesByVoter', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/VotesByVoter', cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryVotesByVoterResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GroupsByMember(request, @@ -477,11 +613,21 @@ def GroupsByMember(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/GroupsByMember', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/GroupsByMember', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsByMemberResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TallyResult(request, @@ -494,11 +640,21 @@ def TallyResult(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/TallyResult', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/TallyResult', cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryTallyResultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Groups(request, @@ -511,8 +667,18 @@ def Groups(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Query/Groups', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Query/Groups', cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsRequest.SerializeToString, cosmos_dot_group_dot_v1_dot_query__pb2.QueryGroupsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index e82d41b4..3d89b81d 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,92 +25,92 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_MSGCREATEGROUP'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUP'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUP'].fields_by_name['members']._options = None + _globals['_MSGCREATEGROUP'].fields_by_name['members']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['members']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEGROUP']._options = None + _globals['_MSGCREATEGROUP']._loaded_options = None _globals['_MSGCREATEGROUP']._serialized_options = b'\202\347\260*\005admin\212\347\260*\031cosmos-sdk/MsgCreateGroup' - _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._options = None + _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS'].fields_by_name['member_updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEGROUPMEMBERS']._options = None + _globals['_MSGUPDATEGROUPMEMBERS']._loaded_options = None _globals['_MSGUPDATEGROUPMEMBERS']._serialized_options = b'\202\347\260*\005admin\212\347\260* cosmos-sdk/MsgUpdateGroupMembers' - _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPADMIN']._options = None + _globals['_MSGUPDATEGROUPADMIN']._loaded_options = None _globals['_MSGUPDATEGROUPADMIN']._serialized_options = b'\202\347\260*\005admin\212\347\260*\036cosmos-sdk/MsgUpdateGroupAdmin' - _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPMETADATA'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPMETADATA']._options = None + _globals['_MSGUPDATEGROUPMETADATA']._loaded_options = None _globals['_MSGUPDATEGROUPMETADATA']._serialized_options = b'\202\347\260*\005admin\212\347\260*!cosmos-sdk/MsgUpdateGroupMetadata' - _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGCREATEGROUPPOLICY']._options = None + _globals['_MSGCREATEGROUPPOLICY']._loaded_options = None _globals['_MSGCREATEGROUPPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*\037cosmos-sdk/MsgCreateGroupPolicy' - _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._options = None + _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._loaded_options = None _globals['_MSGCREATEGROUPPOLICYRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYADMIN']._options = None + _globals['_MSGUPDATEGROUPPOLICYADMIN']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_options = b'\202\347\260*\005admin\212\347\260*$cosmos-sdk/MsgUpdateGroupPolicyAdmin' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['members']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGCREATEGROUPWITHPOLICY']._options = None + _globals['_MSGCREATEGROUPWITHPOLICY']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*#cosmos-sdk/MsgCreateGroupWithPolicy' - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._options = None + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._options = None + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_options = b'\210\240\037\000\202\347\260*\005admin\212\347\260*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy' - _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._options = None + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._loaded_options = None _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_options = b'\202\347\260*\005admin\212\347\260*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\202\347\260*\tproposers\212\347\260*\"cosmos-sdk/group/MsgSubmitProposal' - _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._options = None + _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._loaded_options = None _globals['_MSGWITHDRAWPROPOSAL'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGWITHDRAWPROPOSAL']._options = None + _globals['_MSGWITHDRAWPROPOSAL']._loaded_options = None _globals['_MSGWITHDRAWPROPOSAL']._serialized_options = b'\202\347\260*\007address\212\347\260*$cosmos-sdk/group/MsgWithdrawProposal' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\030cosmos-sdk/group/MsgVote' - _globals['_MSGEXEC'].fields_by_name['executor']._options = None + _globals['_MSGEXEC'].fields_by_name['executor']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['executor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXEC']._options = None + _globals['_MSGEXEC']._loaded_options = None _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\006signer\212\347\260*\030cosmos-sdk/group/MsgExec' - _globals['_MSGLEAVEGROUP'].fields_by_name['address']._options = None + _globals['_MSGLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_MSGLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGLEAVEGROUP']._options = None + _globals['_MSGLEAVEGROUP']._loaded_options = None _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_EXEC']._serialized_start=3741 _globals['_EXEC']._serialized_end=3783 diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index a4a8e027..85053d43 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg is the cosmos.group.v1 Msg service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.group.v1.Msg/CreateGroup', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroup.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupResponse.FromString, - ) + _registered_method=True) self.UpdateGroupMembers = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupMembers', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembers.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembersResponse.FromString, - ) + _registered_method=True) self.UpdateGroupAdmin = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdmin.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdminResponse.FromString, - ) + _registered_method=True) self.UpdateGroupMetadata = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupMetadata', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadata.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadataResponse.FromString, - ) + _registered_method=True) self.CreateGroupPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/CreateGroupPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicyResponse.FromString, - ) + _registered_method=True) self.CreateGroupWithPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/CreateGroupWithPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicyResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyAdmin = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdmin.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdminResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyDecisionPolicy = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicy.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicyResponse.FromString, - ) + _registered_method=True) self.UpdateGroupPolicyMetadata = channel.unary_unary( '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadata.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadataResponse.FromString, - ) + _registered_method=True) self.SubmitProposal = channel.unary_unary( '/cosmos.group.v1.Msg/SubmitProposal', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - ) + _registered_method=True) self.WithdrawProposal = channel.unary_unary( '/cosmos.group.v1.Msg/WithdrawProposal', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposal.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposalResponse.FromString, - ) + _registered_method=True) self.Vote = channel.unary_unary( '/cosmos.group.v1.Msg/Vote', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - ) + _registered_method=True) self.Exec = channel.unary_unary( '/cosmos.group.v1.Msg/Exec', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExec.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExecResponse.FromString, - ) + _registered_method=True) self.LeaveGroup = channel.unary_unary( '/cosmos.group.v1.Msg/LeaveGroup', request_serializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroup.SerializeToString, response_deserializer=cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroupResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -266,6 +291,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.group.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.group.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -284,11 +310,21 @@ def CreateGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroup', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroup.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupMembers(request, @@ -301,11 +337,21 @@ def UpdateGroupMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupMembers', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupMembers', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembers.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupAdmin(request, @@ -318,11 +364,21 @@ def UpdateGroupAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupAdmin', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdmin.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupMetadata(request, @@ -335,11 +391,21 @@ def UpdateGroupMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupMetadata', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadata.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateGroupPolicy(request, @@ -352,11 +418,21 @@ def CreateGroupPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroupPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroupPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateGroupWithPolicy(request, @@ -369,11 +445,21 @@ def CreateGroupWithPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/CreateGroupWithPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/CreateGroupWithPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgCreateGroupWithPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyAdmin(request, @@ -386,11 +472,21 @@ def UpdateGroupPolicyAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyAdmin', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdmin.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyDecisionPolicy(request, @@ -403,11 +499,21 @@ def UpdateGroupPolicyDecisionPolicy(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyDecisionPolicy', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicy.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyDecisionPolicyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateGroupPolicyMetadata(request, @@ -420,11 +526,21 @@ def UpdateGroupPolicyMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/UpdateGroupPolicyMetadata', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadata.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgUpdateGroupPolicyMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitProposal(request, @@ -437,11 +553,21 @@ def SubmitProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/SubmitProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/SubmitProposal', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposal.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgSubmitProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawProposal(request, @@ -454,11 +580,21 @@ def WithdrawProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/WithdrawProposal', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/WithdrawProposal', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposal.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgWithdrawProposalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Vote(request, @@ -471,11 +607,21 @@ def Vote(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/Vote', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/Vote', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVote.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgVoteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Exec(request, @@ -488,11 +634,21 @@ def Exec(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/Exec', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/Exec', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExec.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgExecResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LeaveGroup(request, @@ -505,8 +661,18 @@ def LeaveGroup(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.group.v1.Msg/LeaveGroup', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.group.v1.Msg/LeaveGroup', cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroup.SerializeToString, cosmos_dot_group_dot_v1_dot_tx__pb2.MsgLeaveGroupResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index 2579f081..edb7501f 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/group/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,60 +25,60 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' - _globals['_VOTEOPTION']._options = None + _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALSTATUS']._options = None + _globals['_PROPOSALSTATUS']._loaded_options = None _globals['_PROPOSALSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_PROPOSALEXECUTORRESULT']._options = None + _globals['_PROPOSALEXECUTORRESULT']._loaded_options = None _globals['_PROPOSALEXECUTORRESULT']._serialized_options = b'\210\243\036\000' - _globals['_MEMBER'].fields_by_name['address']._options = None + _globals['_MEMBER'].fields_by_name['address']._loaded_options = None _globals['_MEMBER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MEMBER'].fields_by_name['added_at']._options = None + _globals['_MEMBER'].fields_by_name['added_at']._loaded_options = None _globals['_MEMBER'].fields_by_name['added_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MEMBERREQUEST'].fields_by_name['address']._options = None + _globals['_MEMBERREQUEST'].fields_by_name['address']._loaded_options = None _globals['_MEMBERREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_THRESHOLDDECISIONPOLICY']._options = None + _globals['_THRESHOLDDECISIONPOLICY']._loaded_options = None _globals['_THRESHOLDDECISIONPOLICY']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy\212\347\260*\"cosmos-sdk/ThresholdDecisionPolicy' - _globals['_PERCENTAGEDECISIONPOLICY']._options = None + _globals['_PERCENTAGEDECISIONPOLICY']._loaded_options = None _globals['_PERCENTAGEDECISIONPOLICY']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy\212\347\260*#cosmos-sdk/PercentageDecisionPolicy' - _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._options = None + _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._loaded_options = None _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._options = None + _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._loaded_options = None _globals['_DECISIONPOLICYWINDOWS'].fields_by_name['min_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_GROUPINFO'].fields_by_name['admin']._options = None + _globals['_GROUPINFO'].fields_by_name['admin']._loaded_options = None _globals['_GROUPINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPINFO'].fields_by_name['created_at']._options = None + _globals['_GROUPINFO'].fields_by_name['created_at']._loaded_options = None _globals['_GROUPINFO'].fields_by_name['created_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_GROUPPOLICYINFO'].fields_by_name['address']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['address']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['decision_policy']._serialized_options = b'\312\264-\036cosmos.group.v1.DecisionPolicy' - _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._options = None + _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._loaded_options = None _globals['_GROUPPOLICYINFO'].fields_by_name['created_at']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_GROUPPOLICYINFO']._options = None + _globals['_GROUPPOLICYINFO']._loaded_options = None _globals['_GROUPPOLICYINFO']._serialized_options = b'\210\240\037\000\350\240\037\001' - _globals['_PROPOSAL'].fields_by_name['group_policy_address']._options = None + _globals['_PROPOSAL'].fields_by_name['group_policy_address']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['group_policy_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROPOSAL'].fields_by_name['proposers']._options = None + _globals['_PROPOSAL'].fields_by_name['proposers']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposers']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PROPOSAL'].fields_by_name['submit_time']._options = None + _globals['_PROPOSAL'].fields_by_name['submit_time']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['final_tally_result']._options = None + _globals['_PROPOSAL'].fields_by_name['final_tally_result']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['final_tally_result']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PROPOSAL'].fields_by_name['voting_period_end']._options = None + _globals['_PROPOSAL'].fields_by_name['voting_period_end']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['voting_period_end']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PROPOSAL']._options = None + _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\210\240\037\000' - _globals['_TALLYRESULT']._options = None + _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\210\240\037\000' - _globals['_VOTE'].fields_by_name['voter']._options = None + _globals['_VOTE'].fields_by_name['voter']._loaded_options = None _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VOTE'].fields_by_name['submit_time']._options = None + _globals['_VOTE'].fields_by_name['submit_time']._loaded_options = None _globals['_VOTE'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_VOTEOPTION']._serialized_start=2450 _globals['_VOTEOPTION']._serialized_end=2593 diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index 2daafffe..c721892d 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py index cadf2318..ad2e39c6 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/ics23/v1/proofs.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.ics23.v1.proofs_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z github.com/cosmos/ics23/go;ics23' _globals['_HASHOP']._serialized_start=1930 _globals['_HASHOP']._serialized_end=2080 diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index 2daafffe..a82d5f8b 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index 6ff8e358..c8250546 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/mint' _globals['_MODULE']._serialized_start=95 _globals['_MODULE']._serialized_end=195 diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index 2daafffe..f7416d70 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index 02ef76ef..8473c6b2 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_GENESISSTATE'].fields_by_name['minter']._options = None + _globals['_GENESISSTATE'].fields_by_name['minter']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['minter']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=131 _globals['_GENESISSTATE']._serialized_end=257 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 2daafffe..3c40b433 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index 6d3c54ed..49d3c815 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/mint.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.mint_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_MINTER'].fields_by_name['inflation']._options = None + _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_MINTER'].fields_by_name['annual_provisions']._options = None + _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_rate_change']._options = None + _globals['_PARAMS'].fields_by_name['inflation_rate_change']._loaded_options = None _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_max']._options = None + _globals['_PARAMS'].fields_by_name['inflation_max']._loaded_options = None _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['inflation_min']._options = None + _globals['_PARAMS'].fields_by_name['inflation_min']._loaded_options = None _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['goal_bonded']._options = None + _globals['_PARAMS'].fields_by_name['goal_bonded']._loaded_options = None _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 _globals['_MINTER']._serialized_end=302 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index 2daafffe..f6da96cd 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index a2913ba0..0b4c0daf 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,20 +23,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._options = None + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._loaded_options = None _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/mint/v1beta1/params' - _globals['_QUERY'].methods_by_name['Inflation']._options = None + _globals['_QUERY'].methods_by_name['Inflation']._loaded_options = None _globals['_QUERY'].methods_by_name['Inflation']._serialized_options = b'\202\323\344\223\002 \022\036/cosmos/mint/v1beta1/inflation' - _globals['_QUERY'].methods_by_name['AnnualProvisions']._options = None + _globals['_QUERY'].methods_by_name['AnnualProvisions']._loaded_options = None _globals['_QUERY'].methods_by_name['AnnualProvisions']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/mint/v1beta1/annual_provisions' _globals['_QUERYPARAMSREQUEST']._serialized_start=159 _globals['_QUERYPARAMSREQUEST']._serialized_end=179 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index ecbaef05..982f1fda 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.mint.v1beta1.Query/Params', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Inflation = channel.unary_unary( '/cosmos.mint.v1beta1.Query/Inflation', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationResponse.FromString, - ) + _registered_method=True) self.AnnualProvisions = channel.unary_unary( '/cosmos.mint.v1beta1.Query/AnnualProvisions', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsRequest.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.mint.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.mint.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/Params', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Inflation(request, @@ -114,11 +150,21 @@ def Inflation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/Inflation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/Inflation', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryInflationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AnnualProvisions(request, @@ -131,8 +177,18 @@ def AnnualProvisions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Query/AnnualProvisions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Query/AnnualProvisions', cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsRequest.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_query__pb2.QueryAnnualProvisionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index ea79f6ad..2ab614af 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*!cosmos-sdk/x/mint/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 _globals['_MSGUPDATEPARAMS']._serialized_end=351 diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index 44104c43..9ba40034 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/mint Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.mint.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -48,6 +73,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.mint.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.mint.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.mint.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.mint.v1beta1.Msg/UpdateParams', cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_mint_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py index 02a94bd7..a4ce7eb7 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/msg/v1/msg.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.v1.msg_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/msgservice' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 2daafffe..3730ba40 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index f14374ec..dd86e0fc 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_MODULE']._serialized_start=93 _globals['_MODULE']._serialized_end=145 diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 2daafffe..22737655 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 14a87c1d..721fa443 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/event.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_EVENTSEND']._serialized_start=54 _globals['_EVENTSEND']._serialized_end=129 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 2daafffe..4f50dde7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index e5e0a427..624f085b 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_GENESISSTATE']._serialized_start=86 _globals['_GENESISSTATE']._serialized_end=188 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index 2daafffe..ffcfec91 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 39430c46..75541dec 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/nft.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_CLASS']._serialized_start=80 _globals['_CLASS']._serialized_end=217 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 2daafffe..72c83091 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index e2eea856..49f3bd40 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' - _globals['_QUERY'].methods_by_name['Balance']._options = None + _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' - _globals['_QUERY'].methods_by_name['Owner']._options = None + _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None _globals['_QUERY'].methods_by_name['Owner']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/nft/v1beta1/owner/{class_id}/{id}' - _globals['_QUERY'].methods_by_name['Supply']._options = None + _globals['_QUERY'].methods_by_name['Supply']._loaded_options = None _globals['_QUERY'].methods_by_name['Supply']._serialized_options = b'\202\323\344\223\002\'\022%/cosmos/nft/v1beta1/supply/{class_id}' - _globals['_QUERY'].methods_by_name['NFTs']._options = None + _globals['_QUERY'].methods_by_name['NFTs']._loaded_options = None _globals['_QUERY'].methods_by_name['NFTs']._serialized_options = b'\202\323\344\223\002\032\022\030/cosmos/nft/v1beta1/nfts' - _globals['_QUERY'].methods_by_name['NFT']._options = None + _globals['_QUERY'].methods_by_name['NFT']._loaded_options = None _globals['_QUERY'].methods_by_name['NFT']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/nft/v1beta1/nfts/{class_id}/{id}' - _globals['_QUERY'].methods_by_name['Class']._options = None + _globals['_QUERY'].methods_by_name['Class']._loaded_options = None _globals['_QUERY'].methods_by_name['Class']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/nft/v1beta1/classes/{class_id}' - _globals['_QUERY'].methods_by_name['Classes']._options = None + _globals['_QUERY'].methods_by_name['Classes']._loaded_options = None _globals['_QUERY'].methods_by_name['Classes']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/nft/v1beta1/classes' _globals['_QUERYBALANCEREQUEST']._serialized_start=158 _globals['_QUERYBALANCEREQUEST']._serialized_end=212 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index 1bb55981..8e86cfaf 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.nft.v1beta1.Query/Balance', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - ) + _registered_method=True) self.Owner = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Owner', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerResponse.FromString, - ) + _registered_method=True) self.Supply = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Supply', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyResponse.FromString, - ) + _registered_method=True) self.NFTs = channel.unary_unary( '/cosmos.nft.v1beta1.Query/NFTs', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsResponse.FromString, - ) + _registered_method=True) self.NFT = channel.unary_unary( '/cosmos.nft.v1beta1.Query/NFT', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTResponse.FromString, - ) + _registered_method=True) self.Class = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Class', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassResponse.FromString, - ) + _registered_method=True) self.Classes = channel.unary_unary( '/cosmos.nft.v1beta1.Query/Classes', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesRequest.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -148,6 +173,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.nft.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.nft.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -166,11 +192,21 @@ def Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Balance', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Balance', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Owner(request, @@ -183,11 +219,21 @@ def Owner(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Owner', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Owner', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryOwnerResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Supply(request, @@ -200,11 +246,21 @@ def Supply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Supply', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Supply', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QuerySupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NFTs(request, @@ -217,11 +273,21 @@ def NFTs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/NFTs', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/NFTs', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NFT(request, @@ -234,11 +300,21 @@ def NFT(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/NFT', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/NFT', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryNFTResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Class(request, @@ -251,11 +327,21 @@ def Class(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Class', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Class', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Classes(request, @@ -268,8 +354,18 @@ def Classes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Query/Classes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Query/Classes', cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesRequest.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_query__pb2.QueryClassesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index c85fa6e4..02edb4a1 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/nft/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' - _globals['_MSGSEND'].fields_by_name['sender']._options = None + _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND'].fields_by_name['receiver']._options = None + _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None _globals['_MSGSEND'].fields_by_name['receiver']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSEND']._options = None + _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=104 _globals['_MSGSEND']._serialized_end=242 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 2338065b..3b62828d 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the nft Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/cosmos.nft.v1beta1.Msg/Send', request_serializer=cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, response_deserializer=cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -45,6 +70,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.nft.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.nft.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Send(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.nft.v1beta1.Msg/Send', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.nft.v1beta1.Msg/Send', cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSend.SerializeToString, cosmos_dot_nft_dot_v1beta1_dot_tx__pb2.MsgSendResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 1e279d5e..a8ef3723 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/module/v1alpha1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.module.v1alpha1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\"\n github.com/cosmos/cosmos-sdk/orm' _globals['_MODULE']._serialized_start=105 _globals['_MODULE']._serialized_end=155 diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index 2daafffe..bd028b7a 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index 9d539cb5..b212d9a9 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/query/v1alpha1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,8 +23,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.query.v1alpha1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETREQUEST']._serialized_start=204 _globals['_GETREQUEST']._serialized_end=308 _globals['_GETRESPONSE']._serialized_start=310 diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index 413c99fd..835dc4ed 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is a generic gRPC service for querying ORM data. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.orm.query.v1alpha1.Query/Get', request_serializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetRequest.SerializeToString, response_deserializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetResponse.FromString, - ) + _registered_method=True) self.List = channel.unary_unary( '/cosmos.orm.query.v1alpha1.Query/List', request_serializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListRequest.SerializeToString, response_deserializer=cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.orm.query.v1alpha1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.orm.query.v1alpha1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def Get(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.orm.query.v1alpha1.Query/Get', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.orm.query.v1alpha1.Query/Get', cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetRequest.SerializeToString, cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.GetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def List(request, @@ -97,8 +133,18 @@ def List(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.orm.query.v1alpha1.Query/List', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.orm.query.v1alpha1.Query/List', cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListRequest.SerializeToString, cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2.ListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py index bf915285..19b13b87 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/v1/orm.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1.orm_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_TABLEDESCRIPTOR']._serialized_start=77 _globals['_TABLEDESCRIPTOR']._serialized_end=220 _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=222 diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 2daafffe..0f03d13d 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 78e5b257..a5cf001e 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/orm/v1alpha1/schema.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_STORAGETYPE']._serialized_start=317 _globals['_STORAGETYPE']._serialized_end=474 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 2daafffe..40712371 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index c4b96441..c7babbc7 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/params' _globals['_MODULE']._serialized_start=99 _globals['_MODULE']._serialized_end=154 diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 2daafffe..4bad0bd0 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 67f91225..e348413c 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\250\342\036\001' - _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._options = None + _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PARAMETERCHANGEPROPOSAL']._options = None + _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' - _globals['_PARAMCHANGE']._options = None + _globals['_PARAMCHANGE']._loaded_options = None _globals['_PARAMCHANGE']._serialized_options = b'\230\240\037\000' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=334 diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index 2daafffe..cdfe7f6d 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index 7f84b69f..b5746630 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/params/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/params/v1beta1/params' - _globals['_QUERY'].methods_by_name['Subspaces']._options = None + _globals['_QUERY'].methods_by_name['Subspaces']._loaded_options = None _globals['_QUERY'].methods_by_name['Subspaces']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/params/v1beta1/subspaces' _globals['_QUERYPARAMSREQUEST']._serialized_start=167 _globals['_QUERYPARAMSREQUEST']._serialized_end=218 diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index fde7c9e4..babbc747 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.params.v1beta1.Query/Params', request_serializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.Subspaces = channel.unary_unary( '/cosmos.params.v1beta1.Query/Subspaces', request_serializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesRequest.SerializeToString, response_deserializer=cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -65,6 +90,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.params.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.params.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -83,11 +109,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.params.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.params.v1beta1.Query/Params', cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_params_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Subspaces(request, @@ -100,8 +136,18 @@ def Subspaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.params.v1beta1.Query/Subspaces', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.params.v1beta1.Query/Subspaces', cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesRequest.SerializeToString, cosmos_dot_params_dot_v1beta1_dot_query__pb2.QuerySubspacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2.py b/pyinjective/proto/cosmos/query/v1/query_pb2.py index 63cc3e06..9e13f960 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/query/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.query.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 2daafffe..51870a49 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index b624f219..4b95cfb8 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/reflection/v1/reflection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,9 +21,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.reflection.v1.reflection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._serialized_options = b'\210\347\260*\000' _globals['_FILEDESCRIPTORSREQUEST']._serialized_start=126 _globals['_FILEDESCRIPTORSREQUEST']._serialized_end=150 diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index 820ebed7..c0f91980 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """Package cosmos.reflection.v1 provides support for inspecting protobuf @@ -20,7 +45,7 @@ def __init__(self, channel): '/cosmos.reflection.v1.ReflectionService/FileDescriptors', request_serializer=cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsRequest.SerializeToString, response_deserializer=cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsResponse.FromString, - ) + _registered_method=True) class ReflectionServiceServicer(object): @@ -48,6 +73,7 @@ def add_ReflectionServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.reflection.v1.ReflectionService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.reflection.v1.ReflectionService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -67,8 +93,18 @@ def FileDescriptors(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.reflection.v1.ReflectionService/FileDescriptors', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.reflection.v1.ReflectionService/FileDescriptors', cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsRequest.SerializeToString, cosmos_dot_reflection_dot_v1_dot_reflection__pb2.FileDescriptorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index 0cabcb9d..24f538dc 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/slashing' _globals['_MODULE']._serialized_start=103 _globals['_MODULE']._serialized_end=179 diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 2daafffe..34467489 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index a00c3bae..fde88e59 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,22 +23,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['signing_infos']._options = None + _globals['_GENESISSTATE'].fields_by_name['signing_infos']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['signing_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._options = None + _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SIGNINGINFO'].fields_by_name['address']._options = None + _globals['_SIGNINGINFO'].fields_by_name['address']._loaded_options = None _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._options = None + _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._loaded_options = None _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._options = None + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._options = None + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 _globals['_GENESISSTATE']._serialized_end=403 diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 2daafffe..5b3f838a 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index e970c553..87483528 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,22 +25,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._options = None + _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._options = None + _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._loaded_options = None _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002!\022\037/cosmos/slashing/v1beta1/params' - _globals['_QUERY'].methods_by_name['SigningInfo']._options = None + _globals['_QUERY'].methods_by_name['SigningInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['SigningInfo']._serialized_options = b'\202\323\344\223\0027\0225/cosmos/slashing/v1beta1/signing_infos/{cons_address}' - _globals['_QUERY'].methods_by_name['SigningInfos']._options = None + _globals['_QUERY'].methods_by_name['SigningInfos']._loaded_options = None _globals['_QUERY'].methods_by_name['SigningInfos']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/slashing/v1beta1/signing_infos' _globals['_QUERYPARAMSREQUEST']._serialized_start=246 _globals['_QUERYPARAMSREQUEST']._serialized_end=266 diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index fb94d8c2..d73f0ff9 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.slashing.v1beta1.Query/Params', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.SigningInfo = channel.unary_unary( '/cosmos.slashing.v1beta1.Query/SigningInfo', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoResponse.FromString, - ) + _registered_method=True) self.SigningInfos = channel.unary_unary( '/cosmos.slashing.v1beta1.Query/SigningInfos', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosRequest.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.slashing.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.slashing.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/Params', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SigningInfo(request, @@ -114,11 +150,21 @@ def SigningInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/SigningInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/SigningInfo', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SigningInfos(request, @@ -131,8 +177,18 @@ def SigningInfos(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Query/SigningInfos', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Query/SigningInfos', cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosRequest.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_query__pb2.QuerySigningInfosResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 9a4e15ec..bdc7487f 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/slashing.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,24 +24,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.slashing_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._options = None + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._options = None + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VALIDATORSIGNINGINFO']._options = None + _globals['_VALIDATORSIGNINGINFO']._loaded_options = None _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_PARAMS'].fields_by_name['min_signed_per_window']._options = None + _globals['_PARAMS'].fields_by_name['min_signed_per_window']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._options = None + _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 _globals['_VALIDATORSIGNINGINFO']._serialized_end=436 diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 2daafffe..42aa6035 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index 7d62b0e8..e9cefcba 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/slashing/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,20 +24,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' - _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._options = None + _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\024cosmos.AddressString\242\347\260*\007address\250\347\260*\001' - _globals['_MSGUNJAIL']._options = None + _globals['_MSGUNJAIL']._loaded_options = None _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\230\240\037\001\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*%cosmos-sdk/x/slashing/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 _globals['_MSGUNJAIL']._serialized_end=338 diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index 7fc4b4f8..480aed79 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the slashing Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.slashing.v1beta1.Msg/Unjail', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjail.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjailResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.slashing.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -67,6 +92,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.slashing.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.slashing.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -85,11 +111,21 @@ def Unjail(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Msg/Unjail', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Msg/Unjail', cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjail.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUnjailResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -102,8 +138,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.slashing.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.slashing.v1beta1.Msg/UpdateParams', cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index af7e89fb..642c8fe0 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/staking' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=197 diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 2daafffe..246d99d1 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 2dce0cb7..2de912c9 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._options = None + _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._loaded_options = None _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._serialized_options = b'\252\337\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_STAKEAUTHORIZATION']._options = None + _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' _globals['_AUTHORIZATIONTYPE']._serialized_start=647 _globals['_AUTHORIZATIONTYPE']._serialized_end=805 diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 2daafffe..129a33db 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index bfa85185..6f5792cd 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,26 +23,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['last_total_power']._options = None + _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._options = None + _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['validators']._options = None + _globals['_GENESISSTATE'].fields_by_name['validators']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['delegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['delegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['delegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['unbonding_delegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['redelegations']._options = None + _globals['_GENESISSTATE'].fields_by_name['redelegations']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redelegations']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._options = None + _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._loaded_options = None _globals['_LASTVALIDATORPOWER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_LASTVALIDATORPOWER']._options = None + _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 _globals['_GENESISSTATE']._serialized_end=720 diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 2daafffe..06c7bacd 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index 2171f842..b025bdb8 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,104 +26,104 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._options = None + _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._options = None + _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._options = None + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\252\337\037\023DelegationResponses\250\347\260*\001' - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._options = None + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATIONREQUEST']._options = None + _globals['_QUERYDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._options = None + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._options = None + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._options = None + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._options = None + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYDELEGATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._options = None + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['src_validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._options = None + _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST'].fields_by_name['dst_validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYREDELEGATIONSREQUEST']._options = None + _globals['_QUERYREDELEGATIONSREQUEST']._loaded_options = None _globals['_QUERYREDELEGATIONSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._options = None + _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._loaded_options = None _globals['_QUERYREDELEGATIONSRESPONSE'].fields_by_name['redelegation_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._options = None + _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYDELEGATORVALIDATORREQUEST']._options = None + _globals['_QUERYDELEGATORVALIDATORREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._options = None + _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._options = None + _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._loaded_options = None _globals['_QUERYPOOLRESPONSE'].fields_by_name['pool']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Validators']._options = None + _globals['_QUERY'].methods_by_name['Validators']._loaded_options = None _globals['_QUERY'].methods_by_name['Validators']._serialized_options = b'\210\347\260*\001\202\323\344\223\002$\022\"/cosmos/staking/v1beta1/validators' - _globals['_QUERY'].methods_by_name['Validator']._options = None + _globals['_QUERY'].methods_by_name['Validator']._loaded_options = None _globals['_QUERY'].methods_by_name['Validator']._serialized_options = b'\210\347\260*\001\202\323\344\223\0025\0223/cosmos/staking/v1beta1/validators/{validator_addr}' - _globals['_QUERY'].methods_by_name['ValidatorDelegations']._options = None + _globals['_QUERY'].methods_by_name['ValidatorDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002A\022?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations' - _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._options = None + _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['ValidatorUnbondingDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002K\022I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations' - _globals['_QUERY'].methods_by_name['Delegation']._options = None + _globals['_QUERY'].methods_by_name['Delegation']._loaded_options = None _globals['_QUERY'].methods_by_name['Delegation']._serialized_options = b'\210\347\260*\001\202\323\344\223\002R\022P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}' - _globals['_QUERY'].methods_by_name['UnbondingDelegation']._options = None + _globals['_QUERY'].methods_by_name['UnbondingDelegation']._loaded_options = None _globals['_QUERY'].methods_by_name['UnbondingDelegation']._serialized_options = b'\210\347\260*\001\202\323\344\223\002g\022e/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation' - _globals['_QUERY'].methods_by_name['DelegatorDelegations']._options = None + _globals['_QUERY'].methods_by_name['DelegatorDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\0026\0224/cosmos/staking/v1beta1/delegations/{delegator_addr}' - _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._options = None + _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorUnbondingDelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002K\022I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations' - _globals['_QUERY'].methods_by_name['Redelegations']._options = None + _globals['_QUERY'].methods_by_name['Redelegations']._loaded_options = None _globals['_QUERY'].methods_by_name['Redelegations']._serialized_options = b'\210\347\260*\001\202\323\344\223\002C\022A/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations' - _globals['_QUERY'].methods_by_name['DelegatorValidators']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidators']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidators']._serialized_options = b'\210\347\260*\001\202\323\344\223\002@\022>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators' - _globals['_QUERY'].methods_by_name['DelegatorValidator']._options = None + _globals['_QUERY'].methods_by_name['DelegatorValidator']._loaded_options = None _globals['_QUERY'].methods_by_name['DelegatorValidator']._serialized_options = b'\210\347\260*\001\202\323\344\223\002Q\022O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}' - _globals['_QUERY'].methods_by_name['HistoricalInfo']._options = None + _globals['_QUERY'].methods_by_name['HistoricalInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['HistoricalInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\0022\0220/cosmos/staking/v1beta1/historical_info/{height}' - _globals['_QUERY'].methods_by_name['Pool']._options = None + _globals['_QUERY'].methods_by_name['Pool']._loaded_options = None _globals['_QUERY'].methods_by_name['Pool']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\036\022\034/cosmos/staking/v1beta1/pool' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002 \022\036/cosmos/staking/v1beta1/params' _globals['_QUERYVALIDATORSREQUEST']._serialized_start=271 _globals['_QUERYVALIDATORSREQUEST']._serialized_end=371 diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index 84e04cb9..beee0859 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,72 +44,72 @@ def __init__(self, channel): '/cosmos.staking.v1beta1.Query/Validators', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsResponse.FromString, - ) + _registered_method=True) self.Validator = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Validator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorResponse.FromString, - ) + _registered_method=True) self.ValidatorDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/ValidatorDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsResponse.FromString, - ) + _registered_method=True) self.ValidatorUnbondingDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsResponse.FromString, - ) + _registered_method=True) self.Delegation = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Delegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationResponse.FromString, - ) + _registered_method=True) self.UnbondingDelegation = channel.unary_unary( '/cosmos.staking.v1beta1.Query/UnbondingDelegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationResponse.FromString, - ) + _registered_method=True) self.DelegatorDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsResponse.FromString, - ) + _registered_method=True) self.DelegatorUnbondingDelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsResponse.FromString, - ) + _registered_method=True) self.Redelegations = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Redelegations', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidators = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorValidators', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - ) + _registered_method=True) self.DelegatorValidator = channel.unary_unary( '/cosmos.staking.v1beta1.Query/DelegatorValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorResponse.FromString, - ) + _registered_method=True) self.HistoricalInfo = channel.unary_unary( '/cosmos.staking.v1beta1.Query/HistoricalInfo', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoResponse.FromString, - ) + _registered_method=True) self.Pool = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Pool', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmos.staking.v1beta1.Query/Params', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -291,6 +316,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.staking.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.staking.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -309,11 +335,21 @@ def Validators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Validators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Validators', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Validator(request, @@ -326,11 +362,21 @@ def Validator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Validator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Validator', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorDelegations(request, @@ -343,11 +389,21 @@ def ValidatorDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/ValidatorDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/ValidatorDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValidatorUnbondingDelegations(request, @@ -360,11 +416,21 @@ def ValidatorUnbondingDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/ValidatorUnbondingDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryValidatorUnbondingDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Delegation(request, @@ -377,11 +443,21 @@ def Delegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Delegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Delegation', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnbondingDelegation(request, @@ -394,11 +470,21 @@ def UnbondingDelegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/UnbondingDelegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/UnbondingDelegation', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryUnbondingDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorDelegations(request, @@ -411,11 +497,21 @@ def DelegatorDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorUnbondingDelegations(request, @@ -428,11 +524,21 @@ def DelegatorUnbondingDelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorUnbondingDelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorUnbondingDelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Redelegations(request, @@ -445,11 +551,21 @@ def Redelegations(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Redelegations', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Redelegations', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryRedelegationsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidators(request, @@ -462,11 +578,21 @@ def DelegatorValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorValidators', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorValidators', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DelegatorValidator(request, @@ -479,11 +605,21 @@ def DelegatorValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/DelegatorValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/DelegatorValidator', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryDelegatorValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalInfo(request, @@ -496,11 +632,21 @@ def HistoricalInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/HistoricalInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/HistoricalInfo', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryHistoricalInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Pool(request, @@ -513,11 +659,21 @@ def Pool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Pool', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Pool', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -530,8 +686,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Query/Params', cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index f6a20822..8e4104f8 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/staking.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -28,152 +28,152 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.staking_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_BONDSTATUS']._options = None + _globals['_BONDSTATUS']._loaded_options = None _globals['_BONDSTATUS']._serialized_options = b'\210\243\036\000' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._serialized_options = b'\212\235 \013Unspecified' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDED"]._serialized_options = b'\212\235 \010Unbonded' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNBONDING"]._serialized_options = b'\212\235 \tUnbonding' - _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._options = None + _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._loaded_options = None _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_BONDED"]._serialized_options = b'\212\235 \006Bonded' - _globals['_HISTORICALINFO'].fields_by_name['header']._options = None + _globals['_HISTORICALINFO'].fields_by_name['header']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_HISTORICALINFO'].fields_by_name['valset']._options = None + _globals['_HISTORICALINFO'].fields_by_name['valset']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['valset']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_COMMISSIONRATES'].fields_by_name['rate']._options = None + _globals['_COMMISSIONRATES'].fields_by_name['rate']._loaded_options = None _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._options = None + _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._loaded_options = None _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._options = None + _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._loaded_options = None _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_COMMISSIONRATES']._options = None + _globals['_COMMISSIONRATES']._loaded_options = None _globals['_COMMISSIONRATES']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_COMMISSION'].fields_by_name['commission_rates']._options = None + _globals['_COMMISSION'].fields_by_name['commission_rates']._loaded_options = None _globals['_COMMISSION'].fields_by_name['commission_rates']._serialized_options = b'\310\336\037\000\320\336\037\001\250\347\260*\001' - _globals['_COMMISSION'].fields_by_name['update_time']._options = None + _globals['_COMMISSION'].fields_by_name['update_time']._loaded_options = None _globals['_COMMISSION'].fields_by_name['update_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_COMMISSION']._options = None + _globals['_COMMISSION']._loaded_options = None _globals['_COMMISSION']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_DESCRIPTION']._options = None + _globals['_DESCRIPTION']._loaded_options = None _globals['_DESCRIPTION']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_VALIDATOR'].fields_by_name['operator_address']._options = None + _globals['_VALIDATOR'].fields_by_name['operator_address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._options = None + _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' - _globals['_VALIDATOR'].fields_by_name['tokens']._options = None + _globals['_VALIDATOR'].fields_by_name['tokens']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_VALIDATOR'].fields_by_name['delegator_shares']._options = None + _globals['_VALIDATOR'].fields_by_name['delegator_shares']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_VALIDATOR'].fields_by_name['description']._options = None + _globals['_VALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['unbonding_time']._options = None + _globals['_VALIDATOR'].fields_by_name['unbonding_time']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['commission']._options = None + _globals['_VALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._options = None + _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_VALIDATOR']._options = None + _globals['_VALIDATOR']._loaded_options = None _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_VALADDRESSES'].fields_by_name['addresses']._options = None + _globals['_VALADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_VALADDRESSES'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALADDRESSES']._options = None + _globals['_VALADDRESSES']._loaded_options = None _globals['_VALADDRESSES']._serialized_options = b'\230\240\037\000\200\334 \001' - _globals['_DVPAIR'].fields_by_name['delegator_address']._options = None + _globals['_DVPAIR'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVPAIR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVPAIR'].fields_by_name['validator_address']._options = None + _globals['_DVPAIR'].fields_by_name['validator_address']._loaded_options = None _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVPAIR']._options = None + _globals['_DVPAIR']._loaded_options = None _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_DVPAIRS'].fields_by_name['pairs']._options = None + _globals['_DVPAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_DVPAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._options = None + _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._options = None + _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._options = None + _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DVVTRIPLET']._options = None + _globals['_DVVTRIPLET']._loaded_options = None _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_DVVTRIPLETS'].fields_by_name['triplets']._options = None + _globals['_DVVTRIPLETS'].fields_by_name['triplets']._loaded_options = None _globals['_DVVTRIPLETS'].fields_by_name['triplets']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_DELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATION'].fields_by_name['validator_address']._options = None + _globals['_DELEGATION'].fields_by_name['validator_address']._loaded_options = None _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_DELEGATION'].fields_by_name['shares']._options = None + _globals['_DELEGATION'].fields_by_name['shares']._loaded_options = None _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_DELEGATION']._options = None + _globals['_DELEGATION']._loaded_options = None _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._options = None + _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._options = None + _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UNBONDINGDELEGATION']._options = None + _globals['_UNBONDINGDELEGATION']._loaded_options = None _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._options = None + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_UNBONDINGDELEGATIONENTRY']._options = None + _globals['_UNBONDINGDELEGATIONENTRY']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._options = None + _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_REDELEGATIONENTRY']._options = None + _globals['_REDELEGATIONENTRY']._loaded_options = None _globals['_REDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' - _globals['_REDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_REDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['validator_src_address']._options = None + _globals['_REDELEGATION'].fields_by_name['validator_src_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._options = None + _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_REDELEGATION'].fields_by_name['entries']._options = None + _globals['_REDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATION']._options = None + _globals['_REDELEGATION']._loaded_options = None _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' - _globals['_PARAMS'].fields_by_name['unbonding_time']._options = None + _globals['_PARAMS'].fields_by_name['unbonding_time']._loaded_options = None _globals['_PARAMS'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['min_commission_rate']._options = None + _globals['_PARAMS'].fields_by_name['min_commission_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\362\336\037\032yaml:\"min_commission_rate\"' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' - _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._options = None + _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._options = None + _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_DELEGATIONRESPONSE']._options = None + _globals['_DELEGATIONRESPONSE']._loaded_options = None _globals['_DELEGATIONRESPONSE']._serialized_options = b'\230\240\037\000\350\240\037\000' - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._options = None + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._options = None + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_REDELEGATIONENTRYRESPONSE']._options = None + _globals['_REDELEGATIONENTRYRESPONSE']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._options = None + _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._loaded_options = None _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._options = None + _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATIONRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_REDELEGATIONRESPONSE']._options = None + _globals['_REDELEGATIONRESPONSE']._loaded_options = None _globals['_REDELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' - _globals['_POOL'].fields_by_name['not_bonded_tokens']._options = None + _globals['_POOL'].fields_by_name['not_bonded_tokens']._loaded_options = None _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_POOL'].fields_by_name['bonded_tokens']._options = None + _globals['_POOL'].fields_by_name['bonded_tokens']._loaded_options = None _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_POOL']._options = None + _globals['_POOL']._loaded_options = None _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' - _globals['_VALIDATORUPDATES'].fields_by_name['updates']._options = None + _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BONDSTATUS']._serialized_start=4918 _globals['_BONDSTATUS']._serialized_end=5100 diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 2daafffe..57d3c259 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index b525b784..2c031060 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/staking/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,80 +27,80 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' - _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._options = None + _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEVALIDATOR']._options = None + _globals['_MSGCREATEVALIDATOR']._loaded_options = None _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' - _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' - _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._options = None + _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' - _globals['_MSGEDITVALIDATOR']._options = None + _globals['_MSGEDITVALIDATOR']._loaded_options = None _globals['_MSGEDITVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\033cosmos-sdk/MsgEditValidator' - _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDELEGATE'].fields_by_name['validator_address']._options = None + _globals['_MSGDELEGATE'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDELEGATE']._options = None + _globals['_MSGDELEGATE']._loaded_options = None _globals['_MSGDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\026cosmos-sdk/MsgDelegate' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGBEGINREDELEGATE']._options = None + _globals['_MSGBEGINREDELEGATE']._loaded_options = None _globals['_MSGBEGINREDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\035cosmos-sdk/MsgBeginRedelegate' - _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._options = None + _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGBEGINREDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._options = None + _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._options = None + _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNDELEGATE'].fields_by_name['amount']._options = None + _globals['_MSGUNDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUNDELEGATE']._options = None + _globals['_MSGUNDELEGATE']._loaded_options = None _globals['_MSGUNDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\030cosmos-sdk/MsgUndelegate' - _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._options = None + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCANCELUNBONDINGDELEGATION']._options = None + _globals['_MSGCANCELUNBONDINGDELEGATION']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\'cosmos-sdk/MsgCancelUnbondingDelegation' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$cosmos-sdk/x/staking/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 _globals['_MSGCREATEVALIDATOR']._serialized_end=846 diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index 4fe80adc..eb2a5bf3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the staking Msg service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/cosmos.staking.v1beta1.Msg/CreateValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidator.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidatorResponse.FromString, - ) + _registered_method=True) self.EditValidator = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/EditValidator', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidator.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidatorResponse.FromString, - ) + _registered_method=True) self.Delegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/Delegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegateResponse.FromString, - ) + _registered_method=True) self.BeginRedelegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/BeginRedelegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegateResponse.FromString, - ) + _registered_method=True) self.Undelegate = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/Undelegate', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegate.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegateResponse.FromString, - ) + _registered_method=True) self.CancelUnbondingDelegation = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegation.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegationResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmos.staking.v1beta1.Msg/UpdateParams', request_serializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -155,6 +180,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.staking.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.staking.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -173,11 +199,21 @@ def CreateValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/CreateValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/CreateValidator', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidator.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCreateValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EditValidator(request, @@ -190,11 +226,21 @@ def EditValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/EditValidator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/EditValidator', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidator.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgEditValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Delegate(request, @@ -207,11 +253,21 @@ def Delegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/Delegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/Delegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgDelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BeginRedelegate(request, @@ -224,11 +280,21 @@ def BeginRedelegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/BeginRedelegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/BeginRedelegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgBeginRedelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Undelegate(request, @@ -241,11 +307,21 @@ def Undelegate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/Undelegate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/Undelegate', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegate.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUndelegateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelUnbondingDelegation(request, @@ -258,11 +334,21 @@ def CancelUnbondingDelegation(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/CancelUnbondingDelegation', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegation.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgCancelUnbondingDelegationResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -275,8 +361,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.staking.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.staking.v1beta1.Msg/UpdateParams', cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmos_dot_staking_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index 97c2cc15..2e20813d 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/config/v1/config.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.config.v1.config_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_CONFIG']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_CONFIG']._loaded_options = None _globals['_CONFIG']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/auth/tx' _globals['_CONFIG']._serialized_start=91 _globals['_CONFIG']._serialized_end=201 diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 2daafffe..98c32a53 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index 06b6f94d..0de725e5 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/signing/v1beta1/signing.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,8 +21,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.signing.v1beta1.signing_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/tx/signing' _globals['_SIGNMODE']._serialized_start=788 _globals['_SIGNMODE']._serialized_end=979 diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index 2daafffe..c2fc4c5b 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 39c72c65..7cf9cc45 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/service.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,34 +25,34 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.service_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._options = None + _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' - _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._options = None + _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._serialized_options = b'\030\001' - _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._options = None + _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._serialized_options = b'\030\001' - _globals['_SIMULATEREQUEST'].fields_by_name['tx']._options = None + _globals['_SIMULATEREQUEST'].fields_by_name['tx']._loaded_options = None _globals['_SIMULATEREQUEST'].fields_by_name['tx']._serialized_options = b'\030\001' - _globals['_SERVICE'].methods_by_name['Simulate']._options = None + _globals['_SERVICE'].methods_by_name['Simulate']._loaded_options = None _globals['_SERVICE'].methods_by_name['Simulate']._serialized_options = b'\202\323\344\223\002 \"\033/cosmos/tx/v1beta1/simulate:\001*' - _globals['_SERVICE'].methods_by_name['GetTx']._options = None + _globals['_SERVICE'].methods_by_name['GetTx']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetTx']._serialized_options = b'\202\323\344\223\002\037\022\035/cosmos/tx/v1beta1/txs/{hash}' - _globals['_SERVICE'].methods_by_name['BroadcastTx']._options = None + _globals['_SERVICE'].methods_by_name['BroadcastTx']._loaded_options = None _globals['_SERVICE'].methods_by_name['BroadcastTx']._serialized_options = b'\202\323\344\223\002\033\"\026/cosmos/tx/v1beta1/txs:\001*' - _globals['_SERVICE'].methods_by_name['GetTxsEvent']._options = None + _globals['_SERVICE'].methods_by_name['GetTxsEvent']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetTxsEvent']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmos/tx/v1beta1/txs' - _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._options = None + _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._loaded_options = None _globals['_SERVICE'].methods_by_name['GetBlockWithTxs']._serialized_options = b'\202\323\344\223\002\'\022%/cosmos/tx/v1beta1/txs/block/{height}' - _globals['_SERVICE'].methods_by_name['TxDecode']._options = None + _globals['_SERVICE'].methods_by_name['TxDecode']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecode']._serialized_options = b'\202\323\344\223\002\036\"\031/cosmos/tx/v1beta1/decode:\001*' - _globals['_SERVICE'].methods_by_name['TxEncode']._options = None + _globals['_SERVICE'].methods_by_name['TxEncode']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxEncode']._serialized_options = b'\202\323\344\223\002\036\"\031/cosmos/tx/v1beta1/encode:\001*' - _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._options = None + _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' - _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._options = None + _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' _globals['_ORDERBY']._serialized_start=1819 _globals['_ORDERBY']._serialized_end=1891 diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index 3f31f14f..84ee1f8c 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines a gRPC service for interacting with transactions. @@ -19,47 +44,47 @@ def __init__(self, channel): '/cosmos.tx.v1beta1.Service/Simulate', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateResponse.FromString, - ) + _registered_method=True) self.GetTx = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetTx', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxResponse.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/cosmos.tx.v1beta1.Service/BroadcastTx', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxResponse.FromString, - ) + _registered_method=True) self.GetTxsEvent = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetTxsEvent', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventResponse.FromString, - ) + _registered_method=True) self.GetBlockWithTxs = channel.unary_unary( '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsResponse.FromString, - ) + _registered_method=True) self.TxDecode = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxDecode', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeResponse.FromString, - ) + _registered_method=True) self.TxEncode = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxEncode', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeResponse.FromString, - ) + _registered_method=True) self.TxEncodeAmino = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxEncodeAmino', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoResponse.FromString, - ) + _registered_method=True) self.TxDecodeAmino = channel.unary_unary( '/cosmos.tx.v1beta1.Service/TxDecodeAmino', request_serializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoRequest.SerializeToString, response_deserializer=cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoResponse.FromString, - ) + _registered_method=True) class ServiceServicer(object): @@ -191,6 +216,7 @@ def add_ServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.tx.v1beta1.Service', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.tx.v1beta1.Service', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -209,11 +235,21 @@ def Simulate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/Simulate', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/Simulate', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.SimulateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTx(request, @@ -226,11 +262,21 @@ def GetTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetTx', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetTx', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -243,11 +289,21 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/BroadcastTx', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.BroadcastTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxsEvent(request, @@ -260,11 +316,21 @@ def GetTxsEvent(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetTxsEvent', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetTxsEvent', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetTxsEventResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockWithTxs(request, @@ -277,11 +343,21 @@ def GetBlockWithTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/GetBlockWithTxs', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.GetBlockWithTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxDecode(request, @@ -294,11 +370,21 @@ def TxDecode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxDecode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxDecode', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxEncode(request, @@ -311,11 +397,21 @@ def TxEncode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxEncode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxEncode', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxEncodeAmino(request, @@ -328,11 +424,21 @@ def TxEncodeAmino(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxEncodeAmino', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxEncodeAmino', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxEncodeAminoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TxDecodeAmino(request, @@ -345,8 +451,18 @@ def TxDecodeAmino(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.tx.v1beta1.Service/TxDecodeAmino', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.tx.v1beta1.Service/TxDecodeAmino', cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoRequest.SerializeToString, cosmos_dot_tx_dot_v1beta1_dot_service__pb2.TxDecodeAminoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 9fea9c00..7d40dcf1 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,20 +25,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_FEE'].fields_by_name['amount']._options = None + _globals['_FEE'].fields_by_name['amount']._loaded_options = None _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['payer']._options = None + _globals['_FEE'].fields_by_name['payer']._loaded_options = None _globals['_FEE'].fields_by_name['payer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_FEE'].fields_by_name['granter']._options = None + _globals['_FEE'].fields_by_name['granter']._loaded_options = None _globals['_FEE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TIP'].fields_by_name['amount']._options = None + _globals['_TIP'].fields_by_name['amount']._loaded_options = None _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TIP'].fields_by_name['tipper']._options = None + _globals['_TIP'].fields_by_name['tipper']._loaded_options = None _globals['_TIP'].fields_by_name['tipper']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_AUXSIGNERDATA'].fields_by_name['address']._options = None + _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_TX']._serialized_start=245 _globals['_TX']._serialized_end=358 diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index 2daafffe..cbbb3eb8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 4548a215..895ec676 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/upgrade' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=176 diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 2daafffe..81d877e2 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index 08350919..a74c0a2a 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._options = None + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._options = None + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_options = b'\030\001' - _globals['_QUERY'].methods_by_name['CurrentPlan']._options = None + _globals['_QUERY'].methods_by_name['CurrentPlan']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentPlan']._serialized_options = b'\202\323\344\223\002&\022$/cosmos/upgrade/v1beta1/current_plan' - _globals['_QUERY'].methods_by_name['AppliedPlan']._options = None + _globals['_QUERY'].methods_by_name['AppliedPlan']._loaded_options = None _globals['_QUERY'].methods_by_name['AppliedPlan']._serialized_options = b'\202\323\344\223\002-\022+/cosmos/upgrade/v1beta1/applied_plan/{name}' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\210\002\001\202\323\344\223\002@\022>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}' - _globals['_QUERY'].methods_by_name['ModuleVersions']._options = None + _globals['_QUERY'].methods_by_name['ModuleVersions']._loaded_options = None _globals['_QUERY'].methods_by_name['ModuleVersions']._serialized_options = b'\202\323\344\223\002)\022\'/cosmos/upgrade/v1beta1/module_versions' - _globals['_QUERY'].methods_by_name['Authority']._options = None + _globals['_QUERY'].methods_by_name['Authority']._loaded_options = None _globals['_QUERY'].methods_by_name['Authority']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/upgrade/v1beta1/authority' _globals['_QUERYCURRENTPLANREQUEST']._serialized_start=130 _globals['_QUERYCURRENTPLANREQUEST']._serialized_end=155 diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index 20604bdb..cae22797 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC upgrade querier service. @@ -19,27 +44,27 @@ def __init__(self, channel): '/cosmos.upgrade.v1beta1.Query/CurrentPlan', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanResponse.FromString, - ) + _registered_method=True) self.AppliedPlan = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/AppliedPlan', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanResponse.FromString, - ) + _registered_method=True) self.UpgradedConsensusState = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - ) + _registered_method=True) self.ModuleVersions = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/ModuleVersions', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsResponse.FromString, - ) + _registered_method=True) self.Authority = channel.unary_unary( '/cosmos.upgrade.v1beta1.Query/Authority', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityRequest.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -122,6 +147,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.upgrade.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.upgrade.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -140,11 +166,21 @@ def CurrentPlan(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/CurrentPlan', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/CurrentPlan', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryCurrentPlanResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AppliedPlan(request, @@ -157,11 +193,21 @@ def AppliedPlan(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/AppliedPlan', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/AppliedPlan', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAppliedPlanResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedConsensusState(request, @@ -174,11 +220,21 @@ def UpgradedConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/UpgradedConsensusState', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ModuleVersions(request, @@ -191,11 +247,21 @@ def ModuleVersions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/ModuleVersions', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/ModuleVersions', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryModuleVersionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Authority(request, @@ -208,8 +274,18 @@ def Authority(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Query/Authority', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Query/Authority', cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityRequest.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2.QueryAuthorityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index aef02746..495300d8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,20 +24,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' - _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._options = None + _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._options = None + _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGSOFTWAREUPGRADE']._options = None + _globals['_MSGSOFTWAREUPGRADE']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\035cosmos-sdk/MsgSoftwareUpgrade' - _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._options = None + _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGCANCELUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELUPGRADE']._options = None + _globals['_MSGCANCELUPGRADE']._loaded_options = None _globals['_MSGCANCELUPGRADE']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\033cosmos-sdk/MsgCancelUpgrade' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSOFTWAREUPGRADE']._serialized_start=191 _globals['_MSGSOFTWAREUPGRADE']._serialized_end=361 diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 58f73958..7dd30bb8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the upgrade Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgrade.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgradeResponse.FromString, - ) + _registered_method=True) self.CancelUpgrade = channel.unary_unary( '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', request_serializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgrade.SerializeToString, response_deserializer=cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgradeResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -67,6 +92,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.upgrade.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.upgrade.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -85,11 +111,21 @@ def SoftwareUpgrade(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Msg/SoftwareUpgrade', cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgrade.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgSoftwareUpgradeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelUpgrade(request, @@ -102,8 +138,18 @@ def CancelUpgrade(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.upgrade.v1beta1.Msg/CancelUpgrade', cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgrade.SerializeToString, cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2.MsgCancelUpgradeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 34fd8c4a..3fe64f43 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/upgrade/v1beta1/upgrade.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,22 +24,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\310\341\036\000' - _globals['_PLAN'].fields_by_name['time']._options = None + _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_PLAN'].fields_by_name['upgraded_client_state']._options = None + _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_PLAN'].fields_by_name['upgraded_client_state']._serialized_options = b'\030\001' - _globals['_PLAN']._options = None + _globals['_PLAN']._loaded_options = None _globals['_PLAN']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' - _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._options = None + _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SOFTWAREUPGRADEPROPOSAL']._options = None + _globals['_SOFTWAREUPGRADEPROPOSAL']._loaded_options = None _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._options = None + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._loaded_options = None _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' - _globals['_MODULEVERSION']._options = None + _globals['_MODULEVERSION']._loaded_options = None _globals['_MODULEVERSION']._serialized_options = b'\230\240\037\001\350\240\037\001' _globals['_PLAN']._serialized_start=193 _globals['_PLAN']._serialized_end=389 diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index 2daafffe..cce8a2dc 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index 3f0427a0..f74b0221 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/auth/vesting' _globals['_MODULE']._serialized_start=101 _globals['_MODULE']._serialized_end=162 diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 2daafffe..34cc657c 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 6ccf8d0b..d03bc6b9 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,30 +25,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._options = None + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCREATEVESTINGACCOUNT']._options = None + _globals['_MSGCREATEVESTINGACCOUNT']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*\"cosmos-sdk/MsgCreateVestingAccount' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._serialized_options = b'\362\336\037\023yaml:\"from_address\"' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._serialized_options = b'\362\336\037\021yaml:\"to_address\"' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._options = None + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePermLockedAccount' - _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._options = None + _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._options = None + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._loaded_options = None _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260**cosmos-sdk/MsgCreatePeriodicVestingAccount' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=537 diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index da23c8fb..63ec9f40 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccountResponse.FromString, - ) + _registered_method=True) self.CreatePermanentLockedAccount = channel.unary_unary( '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccountResponse.FromString, - ) + _registered_method=True) self.CreatePeriodicVestingAccount = channel.unary_unary( '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', request_serializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccount.SerializeToString, response_deserializer=cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccountResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -86,6 +111,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmos.vesting.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmos.vesting.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -104,11 +130,21 @@ def CreateVestingAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreateVestingAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreateVestingAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreatePermanentLockedAccount(request, @@ -121,11 +157,21 @@ def CreatePermanentLockedAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreatePermanentLockedAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePermanentLockedAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreatePeriodicVestingAccount(request, @@ -138,8 +184,18 @@ def CreatePeriodicVestingAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.vesting.v1beta1.Msg/CreatePeriodicVestingAccount', cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccount.SerializeToString, cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2.MsgCreatePeriodicVestingAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index 81ec6d00..c063be82 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/vesting/v1beta1/vesting.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,40 +23,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.vesting_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._options = None + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_BASEVESTINGACCOUNT']._options = None + _globals['_BASEVESTINGACCOUNT']._loaded_options = None _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' - _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_CONTINUOUSVESTINGACCOUNT']._options = None + _globals['_CONTINUOUSVESTINGACCOUNT']._loaded_options = None _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' - _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_DELAYEDVESTINGACCOUNT']._options = None + _globals['_DELAYEDVESTINGACCOUNT']._loaded_options = None _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' - _globals['_PERIOD'].fields_by_name['amount']._options = None + _globals['_PERIOD'].fields_by_name['amount']._loaded_options = None _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIOD']._options = None + _globals['_PERIOD']._loaded_options = None _globals['_PERIOD']._serialized_options = b'\230\240\037\000' - _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._options = None + _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PERIODICVESTINGACCOUNT']._options = None + _globals['_PERIODICVESTINGACCOUNT']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' - _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._options = None + _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' - _globals['_PERMANENTLOCKEDACCOUNT']._options = None + _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 _globals['_BASEVESTINGACCOUNT']._serialized_end=637 diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 2daafffe..585a3132 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2.py b/pyinjective/proto/cosmos_proto/cosmos_pb2.py index 9a964ba3..46c8df48 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos_proto/cosmos.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos_proto.cosmos_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-proto;cosmos_proto' _globals['_SCALARTYPE']._serialized_start=236 _globals['_SCALARTYPE']._serialized_end=324 diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 2daafffe..6fc327ab 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index 6d2e1575..dad537ab 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,42 +25,42 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_STORECODEAUTHORIZATION']._options = None + _globals['_STORECODEAUTHORIZATION']._loaded_options = None _globals['_STORECODEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\033wasm/StoreCodeAuthorization' - _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_CONTRACTEXECUTIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._options = None + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractExecutionAuthorization' - _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._options = None + _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._options = None + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractMigrationAuthorization' - _globals['_CONTRACTGRANT'].fields_by_name['limit']._options = None + _globals['_CONTRACTGRANT'].fields_by_name['limit']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['limit']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX' - _globals['_CONTRACTGRANT'].fields_by_name['filter']._options = None + _globals['_CONTRACTGRANT'].fields_by_name['filter']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['filter']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX' - _globals['_MAXCALLSLIMIT']._options = None + _globals['_MAXCALLSLIMIT']._loaded_options = None _globals['_MAXCALLSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxCallsLimit' - _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._options = None + _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._loaded_options = None _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MAXFUNDSLIMIT']._options = None + _globals['_MAXFUNDSLIMIT']._loaded_options = None _globals['_MAXFUNDSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxFundsLimit' - _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._options = None + _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._loaded_options = None _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_COMBINEDLIMIT']._options = None + _globals['_COMBINEDLIMIT']._loaded_options = None _globals['_COMBINEDLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/CombinedLimit' - _globals['_ALLOWALLMESSAGESFILTER']._options = None + _globals['_ALLOWALLMESSAGESFILTER']._loaded_options = None _globals['_ALLOWALLMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AllowAllMessagesFilter' - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._options = None + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\036wasm/AcceptedMessageKeysFilter' - _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._options = None + _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCEPTEDMESSAGESFILTER']._options = None + _globals['_ACCEPTEDMESSAGESFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AcceptedMessagesFilter' _globals['_STORECODEAUTHORIZATION']._serialized_start=208 _globals['_STORECODEAUTHORIZATION']._serialized_end=360 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 2daafffe..08368e00 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index f312d839..bab7538f 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,28 +22,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['codes']._options = None + _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['codes']._serialized_options = b'\310\336\037\000\352\336\037\017codes,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['contracts']._options = None + _globals['_GENESISSTATE'].fields_by_name['contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['contracts']._serialized_options = b'\310\336\037\000\352\336\037\023contracts,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['sequences']._serialized_options = b'\310\336\037\000\352\336\037\023sequences,omitempty\250\347\260*\001' - _globals['_CODE'].fields_by_name['code_id']._options = None + _globals['_CODE'].fields_by_name['code_id']._loaded_options = None _globals['_CODE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CODE'].fields_by_name['code_info']._options = None + _globals['_CODE'].fields_by_name['code_info']._loaded_options = None _globals['_CODE'].fields_by_name['code_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_info']._options = None + _globals['_CONTRACT'].fields_by_name['contract_info']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_state']._options = None + _globals['_CONTRACT'].fields_by_name['contract_state']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_state']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_code_history']._options = None + _globals['_CONTRACT'].fields_by_name['contract_code_history']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_code_history']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SEQUENCE'].fields_by_name['id_key']._options = None + _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' _globals['_GENESISSTATE']._serialized_start=124 _globals['_GENESISSTATE']._serialized_end=422 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index 2daafffe..a7fa61f0 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index 64c99f0a..dff97f9e 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/ibc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,16 +20,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.ibc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_MSGIBCSEND'].fields_by_name['channel']._options = None + _globals['_MSGIBCSEND'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._options = None + _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._serialized_options = b'\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._options = None + _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._options = None + _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND']._serialized_start=71 _globals['_MSGIBCSEND']._serialized_end=249 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index 2daafffe..b6513996 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index ae646a51..e131047b 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/proposal_legacy.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,102 +24,102 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.proposal_legacy_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\330\341\036\000\250\342\036\001' - _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._options = None + _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_STORECODEPROPOSAL']._options = None + _globals['_STORECODEPROPOSAL']._loaded_options = None _globals['_STORECODEPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\026wasm/StoreCodeProposal' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INSTANTIATECONTRACTPROPOSAL']._options = None + _globals['_INSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260* wasm/InstantiateContractProposal' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_INSTANTIATECONTRACT2PROPOSAL']._options = None + _globals['_INSTANTIATECONTRACT2PROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!wasm/InstantiateContract2Proposal' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MIGRATECONTRACTPROPOSAL']._options = None + _globals['_MIGRATECONTRACTPROPOSAL']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/MigrateContractProposal' - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_SUDOCONTRACTPROPOSAL']._options = None + _globals['_SUDOCONTRACTPROPOSAL']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\031wasm/SudoContractProposal' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_EXECUTECONTRACTPROPOSAL']._options = None + _globals['_EXECUTECONTRACTPROPOSAL']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/ExecuteContractProposal' - _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._options = None + _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._loaded_options = None _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"\322\264-\024cosmos.AddressString' - _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._options = None + _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_UPDATEADMINPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_UPDATEADMINPROPOSAL']._options = None + _globals['_UPDATEADMINPROPOSAL']._loaded_options = None _globals['_UPDATEADMINPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\030wasm/UpdateAdminProposal' - _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._options = None + _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_CLEARADMINPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_CLEARADMINPROPOSAL']._options = None + _globals['_CLEARADMINPROPOSAL']._loaded_options = None _globals['_CLEARADMINPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027wasm/ClearAdminProposal' - _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._options = None + _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._loaded_options = None _globals['_PINCODESPROPOSAL'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_PINCODESPROPOSAL']._options = None + _globals['_PINCODESPROPOSAL']._loaded_options = None _globals['_PINCODESPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\025wasm/PinCodesProposal' - _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._options = None + _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._loaded_options = None _globals['_UNPINCODESPROPOSAL'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_UNPINCODESPROPOSAL']._options = None + _globals['_UNPINCODESPROPOSAL']._loaded_options = None _globals['_UNPINCODESPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027wasm/UnpinCodesProposal' - _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._options = None + _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._loaded_options = None _globals['_ACCESSCONFIGUPDATE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._options = None + _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._loaded_options = None _globals['_ACCESSCONFIGUPDATE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['title']._serialized_options = b'\362\336\037\014yaml:\"title\"' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['description']._serialized_options = b'\362\336\037\022yaml:\"description\"' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL'].fields_by_name['access_config_updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._options = None + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._loaded_options = None _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*$wasm/UpdateInstantiateConfigProposal' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._options = None + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(wasm/StoreAndInstantiateContractProposal' _globals['_STORECODEPROPOSAL']._serialized_start=191 _globals['_STORECODEPROPOSAL']._serialized_end=539 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 2daafffe..416372a7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 0865237f..9173c39c 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,62 +24,62 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._options = None + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\320\336\037\001\352\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTINFORESPONSE']._options = None + _globals['_QUERYCONTRACTINFORESPONSE']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._options = None + _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._options = None + _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._loaded_options = None _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._options = None + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' - _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CODEINFORESPONSE']._options = None + _globals['_CODEINFORESPONSE']._loaded_options = None _globals['_CODEINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._serialized_options = b'\320\336\037\001\352\336\037\000' - _globals['_QUERYCODERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['data']._serialized_options = b'\352\336\037\004data' - _globals['_QUERYCODERESPONSE']._options = None + _globals['_QUERYCODERESPONSE']._loaded_options = None _globals['_QUERYCODERESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._options = None + _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._loaded_options = None _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._options = None + _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._loaded_options = None _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['ContractInfo']._options = None + _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' - _globals['_QUERY'].methods_by_name['ContractHistory']._options = None + _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractHistory']._serialized_options = b'\202\323\344\223\002.\022,/cosmwasm/wasm/v1/contract/{address}/history' - _globals['_QUERY'].methods_by_name['ContractsByCode']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCode']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCode']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/code/{code_id}/contracts' - _globals['_QUERY'].methods_by_name['AllContractState']._options = None + _globals['_QUERY'].methods_by_name['AllContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['AllContractState']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/contract/{address}/state' - _globals['_QUERY'].methods_by_name['RawContractState']._options = None + _globals['_QUERY'].methods_by_name['RawContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['RawContractState']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}' - _globals['_QUERY'].methods_by_name['SmartContractState']._options = None + _globals['_QUERY'].methods_by_name['SmartContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['SmartContractState']._serialized_options = b'\202\323\344\223\0029\0227/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}' - _globals['_QUERY'].methods_by_name['Code']._options = None + _globals['_QUERY'].methods_by_name['Code']._loaded_options = None _globals['_QUERY'].methods_by_name['Code']._serialized_options = b'\202\323\344\223\002\"\022 /cosmwasm/wasm/v1/code/{code_id}' - _globals['_QUERY'].methods_by_name['Codes']._options = None + _globals['_QUERY'].methods_by_name['Codes']._loaded_options = None _globals['_QUERY'].methods_by_name['Codes']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmwasm/wasm/v1/code' - _globals['_QUERY'].methods_by_name['PinnedCodes']._options = None + _globals['_QUERY'].methods_by_name['PinnedCodes']._loaded_options = None _globals['_QUERY'].methods_by_name['PinnedCodes']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/pinned' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' - _globals['_QUERY'].methods_by_name['ContractsByCreator']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=195 _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=238 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 29c7b0b7..12e27de8 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,57 +44,57 @@ def __init__(self, channel): '/cosmwasm.wasm.v1.Query/ContractInfo', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoResponse.FromString, - ) + _registered_method=True) self.ContractHistory = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractHistory', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryResponse.FromString, - ) + _registered_method=True) self.ContractsByCode = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractsByCode', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeResponse.FromString, - ) + _registered_method=True) self.AllContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/AllContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateResponse.FromString, - ) + _registered_method=True) self.RawContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/RawContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateResponse.FromString, - ) + _registered_method=True) self.SmartContractState = channel.unary_unary( '/cosmwasm.wasm.v1.Query/SmartContractState', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateResponse.FromString, - ) + _registered_method=True) self.Code = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Code', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, - ) + _registered_method=True) self.Codes = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Codes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesResponse.FromString, - ) + _registered_method=True) self.PinnedCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Query/PinnedCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/cosmwasm.wasm.v1.Query/Params', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.ContractsByCreator = channel.unary_unary( '/cosmwasm.wasm.v1.Query/ContractsByCreator', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -215,6 +240,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmwasm.wasm.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -233,11 +259,21 @@ def ContractInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractInfo', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractInfo', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractHistory(request, @@ -250,11 +286,21 @@ def ContractHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractHistory', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractHistory', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractsByCode(request, @@ -267,11 +313,21 @@ def ContractsByCode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractsByCode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractsByCode', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllContractState(request, @@ -284,11 +340,21 @@ def AllContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/AllContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/AllContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryAllContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RawContractState(request, @@ -301,11 +367,21 @@ def RawContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/RawContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/RawContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryRawContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SmartContractState(request, @@ -318,11 +394,21 @@ def SmartContractState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/SmartContractState', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/SmartContractState', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QuerySmartContractStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Code(request, @@ -335,11 +421,21 @@ def Code(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Code', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Code', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Codes(request, @@ -352,11 +448,21 @@ def Codes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Codes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Codes', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PinnedCodes(request, @@ -369,11 +475,21 @@ def PinnedCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/PinnedCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/PinnedCodes', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryPinnedCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -386,11 +502,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/Params', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractsByCreator(request, @@ -403,8 +529,18 @@ def ContractsByCreator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Query/ContractsByCreator', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/ContractsByCreator', cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index 6487be52..32bd71b3 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,112 +25,112 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTORECODE']._options = None + _globals['_MSGSTORECODE']._loaded_options = None _globals['_MSGSTORECODE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\021wasm/MsgStoreCode' - _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._options = None + _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGINSTANTIATECONTRACT']._options = None + _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGINSTANTIATECONTRACT2']._options = None + _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGEXECUTECONTRACT']._options = None + _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGMIGRATECONTRACT']._options = None + _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' - _globals['_MSGUPDATEADMIN']._options = None + _globals['_MSGUPDATEADMIN']._loaded_options = None _globals['_MSGUPDATEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\023wasm/MsgUpdateAdmin' - _globals['_MSGCLEARADMIN']._options = None + _globals['_MSGCLEARADMIN']._loaded_options = None _globals['_MSGCLEARADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022wasm/MsgClearAdmin' - _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._options = None + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGUPDATEINSTANTIATECONFIG']._options = None + _globals['_MSGUPDATEINSTANTIATECONFIG']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_options = b'\202\347\260*\006sender\212\347\260*\037wasm/MsgUpdateInstantiateConfig' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgUpdateParams' - _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSUDOCONTRACT']._options = None + _globals['_MSGSUDOCONTRACT']._loaded_options = None _globals['_MSGSUDOCONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgSudoContract' - _globals['_MSGPINCODES'].fields_by_name['authority']._options = None + _globals['_MSGPINCODES'].fields_by_name['authority']._loaded_options = None _globals['_MSGPINCODES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGPINCODES'].fields_by_name['code_ids']._options = None + _globals['_MSGPINCODES'].fields_by_name['code_ids']._loaded_options = None _globals['_MSGPINCODES'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_MSGPINCODES']._options = None + _globals['_MSGPINCODES']._loaded_options = None _globals['_MSGPINCODES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\020wasm/MsgPinCodes' - _globals['_MSGUNPINCODES'].fields_by_name['authority']._options = None + _globals['_MSGUNPINCODES'].fields_by_name['authority']._loaded_options = None _globals['_MSGUNPINCODES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._options = None + _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._loaded_options = None _globals['_MSGUNPINCODES'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs\362\336\037\017yaml:\"code_ids\"' - _globals['_MSGUNPINCODES']._options = None + _globals['_MSGUNPINCODES']._loaded_options = None _globals['_MSGUNPINCODES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\022wasm/MsgUnpinCodes' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._options = None + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._options = None + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._options = None + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$wasm/MsgAddCodeUploadParamsAddresses' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._options = None + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._loaded_options = None _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\'wasm/MsgRemoveCodeUploadParamsAddresses' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MSGSTOREANDMIGRATECONTRACT']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\037wasm/MsgStoreAndMigrateContract' - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._options = None + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._options = None + _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._options = None + _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATECONTRACTLABEL']._options = None + _globals['_MSGUPDATECONTRACTLABEL']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgUpdateContractLabel' _globals['_MSGSTORECODE']._serialized_start=203 _globals['_MSGSTORECODE']._serialized_end=386 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index 179f09b5..31e62310 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasm Msg service. @@ -19,87 +44,87 @@ def __init__(self, channel): '/cosmwasm.wasm.v1.Msg/StoreCode', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, - ) + _registered_method=True) self.InstantiateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/InstantiateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContractResponse.FromString, - ) + _registered_method=True) self.InstantiateContract2 = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/InstantiateContract2', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2Response.FromString, - ) + _registered_method=True) self.ExecuteContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/ExecuteContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContractResponse.FromString, - ) + _registered_method=True) self.MigrateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/MigrateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, - ) + _registered_method=True) self.UpdateAdmin = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateAdmin', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdmin.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdminResponse.FromString, - ) + _registered_method=True) self.ClearAdmin = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/ClearAdmin', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdmin.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdminResponse.FromString, - ) + _registered_method=True) self.UpdateInstantiateConfig = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfig.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfigResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateParams', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.SudoContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/SudoContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContractResponse.FromString, - ) + _registered_method=True) self.PinCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/PinCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodes.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodesResponse.FromString, - ) + _registered_method=True) self.UnpinCodes = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UnpinCodes', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodes.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodesResponse.FromString, - ) + _registered_method=True) self.StoreAndInstantiateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContractResponse.FromString, - ) + _registered_method=True) self.RemoveCodeUploadParamsAddresses = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddresses.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddressesResponse.FromString, - ) + _registered_method=True) self.AddCodeUploadParamsAddresses = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddresses.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddressesResponse.FromString, - ) + _registered_method=True) self.StoreAndMigrateContract = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContract.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContractResponse.FromString, - ) + _registered_method=True) self.UpdateContractLabel = channel.unary_unary( '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', request_serializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabel.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabelResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -343,6 +368,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('cosmwasm.wasm.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -361,11 +387,21 @@ def StoreCode(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreCode', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreCode', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCode.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreCodeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantiateContract(request, @@ -378,11 +414,21 @@ def InstantiateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/InstantiateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/InstantiateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantiateContract2(request, @@ -395,11 +441,21 @@ def InstantiateContract2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/InstantiateContract2', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/InstantiateContract2', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgInstantiateContract2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecuteContract(request, @@ -412,11 +468,21 @@ def ExecuteContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/ExecuteContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/ExecuteContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgExecuteContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MigrateContract(request, @@ -429,11 +495,21 @@ def MigrateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/MigrateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/MigrateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgMigrateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateAdmin(request, @@ -446,11 +522,21 @@ def UpdateAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateAdmin', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdmin.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClearAdmin(request, @@ -463,11 +549,21 @@ def ClearAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/ClearAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/ClearAdmin', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdmin.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgClearAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateInstantiateConfig(request, @@ -480,11 +576,21 @@ def UpdateInstantiateConfig(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateInstantiateConfig', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfig.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateInstantiateConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -497,11 +603,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateParams', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SudoContract(request, @@ -514,11 +630,21 @@ def SudoContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/SudoContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/SudoContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgSudoContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PinCodes(request, @@ -531,11 +657,21 @@ def PinCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/PinCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/PinCodes', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodes.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgPinCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnpinCodes(request, @@ -548,11 +684,21 @@ def UnpinCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UnpinCodes', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UnpinCodes', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodes.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUnpinCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StoreAndInstantiateContract(request, @@ -565,11 +711,21 @@ def StoreAndInstantiateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreAndInstantiateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndInstantiateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RemoveCodeUploadParamsAddresses(request, @@ -582,11 +738,21 @@ def RemoveCodeUploadParamsAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/RemoveCodeUploadParamsAddresses', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddresses.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgRemoveCodeUploadParamsAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddCodeUploadParamsAddresses(request, @@ -599,11 +765,21 @@ def AddCodeUploadParamsAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/AddCodeUploadParamsAddresses', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddresses.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgAddCodeUploadParamsAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StoreAndMigrateContract(request, @@ -616,11 +792,21 @@ def StoreAndMigrateContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/StoreAndMigrateContract', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContract.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgStoreAndMigrateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateContractLabel(request, @@ -633,8 +819,18 @@ def UpdateContractLabel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Msg/UpdateContractLabel', cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabel.SerializeToString, cosmwasm_dot_wasm_dot_v1_dot_tx__pb2.MsgUpdateContractLabelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index dbaead16..6457d5df 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,72 +24,72 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\001' - _globals['_ACCESSTYPE']._options = None + _globals['_ACCESSTYPE']._loaded_options = None _globals['_ACCESSTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \025AccessTypeUnspecified' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_NOBODY"]._serialized_options = b'\212\235 \020AccessTypeNobody' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_EVERYBODY"]._serialized_options = b'\212\235 \023AccessTypeEverybody' - _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._options = None + _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._loaded_options = None _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_ANY_OF_ADDRESSES"]._serialized_options = b'\212\235 \030AccessTypeAnyOfAddresses' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_options = b'\210\243\036\000' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 +ContractCodeHistoryOperationTypeUnspecified' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT"]._serialized_options = b'\212\235 $ContractCodeHistoryOperationTypeInit' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE"]._serialized_options = b'\212\235 \'ContractCodeHistoryOperationTypeMigrate' - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._options = None + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._loaded_options = None _globals['_CONTRACTCODEHISTORYOPERATIONTYPE'].values_by_name["CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS"]._serialized_options = b'\212\235 \'ContractCodeHistoryOperationTypeGenesis' - _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._options = None + _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._loaded_options = None _globals['_ACCESSTYPEPARAM'].fields_by_name['value']._serialized_options = b'\362\336\037\014yaml:\"value\"' - _globals['_ACCESSTYPEPARAM']._options = None + _globals['_ACCESSTYPEPARAM']._loaded_options = None _globals['_ACCESSTYPEPARAM']._serialized_options = b'\230\240\037\001' - _globals['_ACCESSCONFIG'].fields_by_name['permission']._options = None + _globals['_ACCESSCONFIG'].fields_by_name['permission']._loaded_options = None _globals['_ACCESSCONFIG'].fields_by_name['permission']._serialized_options = b'\362\336\037\021yaml:\"permission\"' - _globals['_ACCESSCONFIG'].fields_by_name['addresses']._options = None + _globals['_ACCESSCONFIG'].fields_by_name['addresses']._loaded_options = None _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' - _globals['_ACCESSCONFIG']._options = None + _globals['_ACCESSCONFIG']._loaded_options = None _globals['_ACCESSCONFIG']._serialized_options = b'\230\240\037\001' - _globals['_PARAMS'].fields_by_name['code_upload_access']._options = None + _globals['_PARAMS'].fields_by_name['code_upload_access']._loaded_options = None _globals['_PARAMS'].fields_by_name['code_upload_access']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"code_upload_access\"\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._options = None + _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._loaded_options = None _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._serialized_options = b'\362\336\037%yaml:\"instantiate_default_permission\"' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000' - _globals['_CODEINFO'].fields_by_name['instantiate_config']._options = None + _globals['_CODEINFO'].fields_by_name['instantiate_config']._loaded_options = None _globals['_CODEINFO'].fields_by_name['instantiate_config']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACTINFO'].fields_by_name['code_id']._options = None + _globals['_CONTRACTINFO'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._options = None + _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._serialized_options = b'\342\336\037\tIBCPortID' - _globals['_CONTRACTINFO'].fields_by_name['extension']._options = None + _globals['_CONTRACTINFO'].fields_by_name['extension']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['extension']._serialized_options = b'\312\264-&cosmwasm.wasm.v1.ContractInfoExtension' - _globals['_CONTRACTINFO']._options = None + _globals['_CONTRACTINFO']._loaded_options = None _globals['_CONTRACTINFO']._serialized_options = b'\350\240\037\001' - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._options = None + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._options = None + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_MODEL'].fields_by_name['key']._options = None + _globals['_MODEL'].fields_by_name['key']._loaded_options = None _globals['_MODEL'].fields_by_name['key']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_EVENTCODESTORED'].fields_by_name['code_id']._options = None + _globals['_EVENTCODESTORED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCODESTORED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._options = None + _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTINSTANTIATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._options = None + _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._options = None + _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_ACCESSTYPE']._serialized_start=2007 _globals['_ACCESSTYPE']._serialized_end=2253 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 2daafffe..5cb4c9d9 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2.py b/pyinjective/proto/exchange/event_provider_api_pb2.py index c169ba8d..69d4d6fd 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/event_provider_api.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,10 +19,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.event_provider_api_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\025/event_provider_apipb' - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._options = None + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._loaded_options = None _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_options = b'8\001' _globals['_GETLATESTHEIGHTREQUEST']._serialized_start=57 _globals['_GETLATESTHEIGHTREQUEST']._serialized_end=81 diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index 35f6f956..2ea71b89 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class EventProviderAPIStub(object): """EventProviderAPI provides processed block events for different backends. @@ -19,27 +44,27 @@ def __init__(self, channel): '/event_provider_api.EventProviderAPI/GetLatestHeight', request_serializer=exchange_dot_event__provider__api__pb2.GetLatestHeightRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetLatestHeightResponse.FromString, - ) + _registered_method=True) self.StreamBlockEvents = channel.unary_stream( '/event_provider_api.EventProviderAPI/StreamBlockEvents', request_serializer=exchange_dot_event__provider__api__pb2.StreamBlockEventsRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.StreamBlockEventsResponse.FromString, - ) + _registered_method=True) self.GetBlockEventsRPC = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', request_serializer=exchange_dot_event__provider__api__pb2.GetBlockEventsRPCRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetBlockEventsRPCResponse.FromString, - ) + _registered_method=True) self.GetCustomEventsRPC = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', request_serializer=exchange_dot_event__provider__api__pb2.GetCustomEventsRPCRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetCustomEventsRPCResponse.FromString, - ) + _registered_method=True) self.GetABCIBlockEvents = channel.unary_unary( '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', request_serializer=exchange_dot_event__provider__api__pb2.GetABCIBlockEventsRequest.SerializeToString, response_deserializer=exchange_dot_event__provider__api__pb2.GetABCIBlockEventsResponse.FromString, - ) + _registered_method=True) class EventProviderAPIServicer(object): @@ -113,6 +138,7 @@ def add_EventProviderAPIServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'event_provider_api.EventProviderAPI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('event_provider_api.EventProviderAPI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -131,11 +157,21 @@ def GetLatestHeight(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetLatestHeight', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetLatestHeight', exchange_dot_event__provider__api__pb2.GetLatestHeightRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetLatestHeightResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBlockEvents(request, @@ -148,11 +184,21 @@ def StreamBlockEvents(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/event_provider_api.EventProviderAPI/StreamBlockEvents', + return grpc.experimental.unary_stream( + request, + target, + '/event_provider_api.EventProviderAPI/StreamBlockEvents', exchange_dot_event__provider__api__pb2.StreamBlockEventsRequest.SerializeToString, exchange_dot_event__provider__api__pb2.StreamBlockEventsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlockEventsRPC(request, @@ -165,11 +211,21 @@ def GetBlockEventsRPC(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetBlockEventsRPC', exchange_dot_event__provider__api__pb2.GetBlockEventsRPCRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetBlockEventsRPCResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCustomEventsRPC(request, @@ -182,11 +238,21 @@ def GetCustomEventsRPC(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetCustomEventsRPC', exchange_dot_event__provider__api__pb2.GetCustomEventsRPCRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetCustomEventsRPCResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetABCIBlockEvents(request, @@ -199,8 +265,18 @@ def GetABCIBlockEvents(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', + return grpc.experimental.unary_unary( + request, + target, + '/event_provider_api.EventProviderAPI/GetABCIBlockEvents', exchange_dot_event__provider__api__pb2.GetABCIBlockEventsRequest.SerializeToString, exchange_dot_event__provider__api__pb2.GetABCIBlockEventsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/health_pb2.py b/pyinjective/proto/exchange/health_pb2.py index 2434254f..b92feb01 100644 --- a/pyinjective/proto/exchange/health_pb2.py +++ b/pyinjective/proto/exchange/health_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/health.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.health_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\t/api.v1pb' _globals['_GETSTATUSREQUEST']._serialized_start=33 _globals['_GETSTATUSREQUEST']._serialized_end=51 diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index 812dade8..52b52fa3 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import health_pb2 as exchange_dot_health__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/health_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class HealthStub(object): """HealthAPI allows to check if backend data is up-to-date and reliable or not. @@ -19,7 +44,7 @@ def __init__(self, channel): '/api.v1.Health/GetStatus', request_serializer=exchange_dot_health__pb2.GetStatusRequest.SerializeToString, response_deserializer=exchange_dot_health__pb2.GetStatusResponse.FromString, - ) + _registered_method=True) class HealthServicer(object): @@ -45,6 +70,7 @@ def add_HealthServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'api.v1.Health', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('api.v1.Health', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def GetStatus(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/api.v1.Health/GetStatus', + return grpc.experimental.unary_unary( + request, + target, + '/api.v1.Health/GetStatus', exchange_dot_health__pb2.GetStatusRequest.SerializeToString, exchange_dot_health__pb2.GetStatusResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py index ef651868..8910e5a9 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_accounts_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_accounts_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_accounts_rpcpb' _globals['_PORTFOLIOREQUEST']._serialized_start=65 _globals['_PORTFOLIOREQUEST']._serialized_end=108 diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 061df243..b0132f20 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_accounts_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAccountsRPCStub(object): """InjectiveAccountsRPC defines API of Exchange Accounts provider. @@ -19,47 +44,47 @@ def __init__(self, channel): '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', request_serializer=exchange_dot_injective__accounts__rpc__pb2.PortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.PortfolioResponse.FromString, - ) + _registered_method=True) self.OrderStates = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', request_serializer=exchange_dot_injective__accounts__rpc__pb2.OrderStatesRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.OrderStatesResponse.FromString, - ) + _registered_method=True) self.SubaccountsList = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountsListRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountsListResponse.FromString, - ) + _registered_method=True) self.SubaccountBalancesList = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListResponse.FromString, - ) + _registered_method=True) self.SubaccountBalanceEndpoint = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointResponse.FromString, - ) + _registered_method=True) self.StreamSubaccountBalance = channel.unary_stream( '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', request_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceResponse.FromString, - ) + _registered_method=True) self.SubaccountHistory = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryResponse.FromString, - ) + _registered_method=True) self.SubaccountOrderSummary = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', request_serializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryResponse.FromString, - ) + _registered_method=True) self.Rewards = channel.unary_unary( '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', request_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, - ) + _registered_method=True) class InjectiveAccountsRPCServicer(object): @@ -183,6 +208,7 @@ def add_InjectiveAccountsRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -201,11 +227,21 @@ def Portfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/Portfolio', exchange_dot_injective__accounts__rpc__pb2.PortfolioRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.PortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderStates(request, @@ -218,11 +254,21 @@ def OrderStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/OrderStates', exchange_dot_injective__accounts__rpc__pb2.OrderStatesRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.OrderStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountsList(request, @@ -235,11 +281,21 @@ def SubaccountsList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountsList', exchange_dot_injective__accounts__rpc__pb2.SubaccountsListRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountsListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountBalancesList(request, @@ -252,11 +308,21 @@ def SubaccountBalancesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalancesList', exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountBalancesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountBalanceEndpoint(request, @@ -269,11 +335,21 @@ def SubaccountBalanceEndpoint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountBalanceEndpoint', exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountBalanceEndpointResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamSubaccountBalance(request, @@ -286,11 +362,21 @@ def StreamSubaccountBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', + return grpc.experimental.unary_stream( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamSubaccountBalance', exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.StreamSubaccountBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountHistory(request, @@ -303,11 +389,21 @@ def SubaccountHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountHistory', exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrderSummary(request, @@ -320,11 +416,21 @@ def SubaccountOrderSummary(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/SubaccountOrderSummary', exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.SubaccountOrderSummaryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Rewards(request, @@ -337,8 +443,18 @@ def Rewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', + return grpc.experimental.unary_unary( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/Rewards', exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py index e0e97dc9..1958d92a 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_auction_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_auction_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_auction_rpcpb' _globals['_AUCTIONENDPOINTREQUEST']._serialized_start=63 _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=102 diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index 88fd416b..bae4f6b7 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAuctionRPCStub(object): """InjectiveAuctionRPC defines gRPC API of the Auction API. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', request_serializer=exchange_dot_injective__auction__rpc__pb2.AuctionEndpointRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.AuctionEndpointResponse.FromString, - ) + _registered_method=True) self.Auctions = channel.unary_unary( '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', request_serializer=exchange_dot_injective__auction__rpc__pb2.AuctionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.AuctionsResponse.FromString, - ) + _registered_method=True) self.StreamBids = channel.unary_stream( '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', request_serializer=exchange_dot_injective__auction__rpc__pb2.StreamBidsRequest.SerializeToString, response_deserializer=exchange_dot_injective__auction__rpc__pb2.StreamBidsResponse.FromString, - ) + _registered_method=True) class InjectiveAuctionRPCServicer(object): @@ -79,6 +104,7 @@ def add_InjectiveAuctionRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_auction_rpc.InjectiveAuctionRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_auction_rpc.InjectiveAuctionRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def AuctionEndpoint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', + return grpc.experimental.unary_unary( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/AuctionEndpoint', exchange_dot_injective__auction__rpc__pb2.AuctionEndpointRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.AuctionEndpointResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Auctions(request, @@ -114,11 +150,21 @@ def Auctions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/Auctions', exchange_dot_injective__auction__rpc__pb2.AuctionsRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.AuctionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBids(request, @@ -131,8 +177,18 @@ def StreamBids(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', + return grpc.experimental.unary_stream( + request, + target, + '/injective_auction_rpc.InjectiveAuctionRPC/StreamBids', exchange_dot_injective__auction__rpc__pb2.StreamBidsRequest.SerializeToString, exchange_dot_injective__auction__rpc__pb2.StreamBidsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index 449d0d9d..0fe8fbbf 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_campaign_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_campaign_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_campaign_rpcpb' _globals['_RANKINGREQUEST']._serialized_start=65 _globals['_RANKINGREQUEST']._serialized_end=175 diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index b1e550ee..6a6cb974 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveCampaignRPCStub(object): """InjectiveCampaignRPC defined a gRPC service for Injective Campaigns. @@ -19,27 +44,27 @@ def __init__(self, channel): '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', request_serializer=exchange_dot_injective__campaign__rpc__pb2.RankingRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.RankingResponse.FromString, - ) + _registered_method=True) self.Campaigns = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', request_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.FromString, - ) + _registered_method=True) self.ListGuilds = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', request_serializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsResponse.FromString, - ) + _registered_method=True) self.ListGuildMembers = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', request_serializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersResponse.FromString, - ) + _registered_method=True) self.GetGuildMember = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', request_serializer=exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberResponse.FromString, - ) + _registered_method=True) class InjectiveCampaignRPCServicer(object): @@ -113,6 +138,7 @@ def add_InjectiveCampaignRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_campaign_rpc.InjectiveCampaignRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_campaign_rpc.InjectiveCampaignRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -131,11 +157,21 @@ def Ranking(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/Ranking', exchange_dot_injective__campaign__rpc__pb2.RankingRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.RankingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Campaigns(request, @@ -148,11 +184,21 @@ def Campaigns(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/Campaigns', exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListGuilds(request, @@ -165,11 +211,21 @@ def ListGuilds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.ListGuildsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListGuildMembers(request, @@ -182,11 +238,21 @@ def ListGuildMembers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuildMembers', exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.ListGuildMembersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetGuildMember(request, @@ -199,8 +265,18 @@ def GetGuildMember(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/GetGuildMember', exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberRequest.SerializeToString, exchange_dot_injective__campaign__rpc__pb2.GetGuildMemberResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index 7728b254..9164a7c5 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_derivative_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_derivative_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z$/injective_derivative_exchange_rpcpb' _globals['_MARKETSREQUEST']._serialized_start=87 _globals['_MARKETSREQUEST']._serialized_end=172 diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index d72c01dd..fee66490 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveDerivativeExchangeRPCStub(object): """InjectiveDerivativeExchangeRPC defines gRPC API of Derivative Markets @@ -20,127 +45,127 @@ def __init__(self, channel): '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsResponse.FromString, - ) + _registered_method=True) self.Market = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.MarketResponse.FromString, - ) + _registered_method=True) self.StreamMarket = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarkets = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarket = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketResponse.FromString, - ) + _registered_method=True) self.OrderbookV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Response.FromString, - ) + _registered_method=True) self.OrderbooksV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookV2 = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookUpdate = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - ) + _registered_method=True) self.Orders = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersResponse.FromString, - ) + _registered_method=True) self.Positions = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsResponse.FromString, - ) + _registered_method=True) self.PositionsV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Response.FromString, - ) + _registered_method=True) self.LiquidablePositions = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsResponse.FromString, - ) + _registered_method=True) self.FundingPayments = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsResponse.FromString, - ) + _registered_method=True) self.FundingRates = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesResponse.FromString, - ) + _registered_method=True) self.StreamPositions = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsResponse.FromString, - ) + _registered_method=True) self.StreamOrders = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersResponse.FromString, - ) + _registered_method=True) self.Trades = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesResponse.FromString, - ) + _registered_method=True) self.TradesV2 = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Response.FromString, - ) + _registered_method=True) self.StreamTrades = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesResponse.FromString, - ) + _registered_method=True) self.StreamTradesV2 = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Response.FromString, - ) + _registered_method=True) self.SubaccountOrdersList = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - ) + _registered_method=True) self.SubaccountTradesList = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - ) + _registered_method=True) self.OrdersHistory = channel.unary_unary( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - ) + _registered_method=True) self.StreamOrdersHistory = channel.unary_stream( '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', request_serializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - ) + _registered_method=True) class InjectiveDerivativeExchangeRPCServicer(object): @@ -457,6 +482,7 @@ def add_InjectiveDerivativeExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -476,11 +502,21 @@ def Markets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Markets', exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.MarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Market(request, @@ -493,11 +529,21 @@ def Market(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Market', exchange_dot_injective__derivative__exchange__rpc__pb2.MarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.MarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamMarket(request, @@ -510,11 +556,21 @@ def StreamMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamMarket', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarkets(request, @@ -527,11 +583,21 @@ def BinaryOptionsMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarkets', exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarket(request, @@ -544,11 +610,21 @@ def BinaryOptionsMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/BinaryOptionsMarket', exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.BinaryOptionsMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbookV2(request, @@ -561,11 +637,21 @@ def OrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbookV2', exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbooksV2(request, @@ -578,11 +664,21 @@ def OrderbooksV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrderbooksV2', exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrderbooksV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookV2(request, @@ -595,11 +691,21 @@ def StreamOrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookV2', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookUpdate(request, @@ -612,11 +718,21 @@ def StreamOrderbookUpdate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrderbookUpdate', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Orders(request, @@ -629,11 +745,21 @@ def Orders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Orders', exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Positions(request, @@ -646,11 +772,21 @@ def Positions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Positions', exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PositionsV2(request, @@ -663,11 +799,21 @@ def PositionsV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/PositionsV2', exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.PositionsV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LiquidablePositions(request, @@ -680,11 +826,21 @@ def LiquidablePositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/LiquidablePositions', exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.LiquidablePositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundingPayments(request, @@ -697,11 +853,21 @@ def FundingPayments(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingPayments', exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.FundingPaymentsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundingRates(request, @@ -714,11 +880,21 @@ def FundingRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/FundingRates', exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.FundingRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPositions(request, @@ -731,11 +907,21 @@ def StreamPositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamPositions', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrders(request, @@ -748,11 +934,21 @@ def StreamOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrders', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Trades(request, @@ -765,11 +961,21 @@ def Trades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/Trades', exchange_dot_injective__derivative__exchange__rpc__pb2.TradesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.TradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradesV2(request, @@ -782,11 +988,21 @@ def TradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/TradesV2', exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.TradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTrades(request, @@ -799,11 +1015,21 @@ def StreamTrades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTrades', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTradesV2(request, @@ -816,11 +1042,21 @@ def StreamTradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamTradesV2', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamTradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrdersList(request, @@ -833,11 +1069,21 @@ def SubaccountOrdersList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountOrdersList', exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradesList(request, @@ -850,11 +1096,21 @@ def SubaccountTradesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/SubaccountTradesList', exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrdersHistory(request, @@ -867,11 +1123,21 @@ def OrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/OrdersHistory', exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrdersHistory(request, @@ -884,8 +1150,18 @@ def StreamOrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', + return grpc.experimental.unary_stream( + request, + target, + '/injective_derivative_exchange_rpc.InjectiveDerivativeExchangeRPC/StreamOrdersHistory', exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, exchange_dot_injective__derivative__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py index cc9ba7f0..41989732 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_exchange_rpcpb' _globals['_GETTXREQUEST']._serialized_start=65 _globals['_GETTXREQUEST']._serialized_end=93 diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index bc9a4070..32dded3e 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExchangeRPCStub(object): """InjectiveExchangeRPC defines gRPC API of an Injective Exchange service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.GetTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.GetTxResponse.FromString, - ) + _registered_method=True) self.PrepareTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.PrepareTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.PrepareTxResponse.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastTxResponse.FromString, - ) + _registered_method=True) self.PrepareCosmosTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxResponse.FromString, - ) + _registered_method=True) self.BroadcastCosmosTx = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', request_serializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxResponse.FromString, - ) + _registered_method=True) self.GetFeePayer = channel.unary_unary( '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', request_serializer=exchange_dot_injective__exchange__rpc__pb2.GetFeePayerRequest.SerializeToString, response_deserializer=exchange_dot_injective__exchange__rpc__pb2.GetFeePayerResponse.FromString, - ) + _registered_method=True) class InjectiveExchangeRPCServicer(object): @@ -130,6 +155,7 @@ def add_InjectiveExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_exchange_rpc.InjectiveExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_exchange_rpc.InjectiveExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -148,11 +174,21 @@ def GetTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/GetTx', exchange_dot_injective__exchange__rpc__pb2.GetTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.GetTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrepareTx(request, @@ -165,11 +201,21 @@ def PrepareTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareTx', exchange_dot_injective__exchange__rpc__pb2.PrepareTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.PrepareTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -182,11 +228,21 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastTx', exchange_dot_injective__exchange__rpc__pb2.BroadcastTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.BroadcastTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrepareCosmosTx(request, @@ -199,11 +255,21 @@ def PrepareCosmosTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/PrepareCosmosTx', exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.PrepareCosmosTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastCosmosTx(request, @@ -216,11 +282,21 @@ def BroadcastCosmosTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/BroadcastCosmosTx', exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.BroadcastCosmosTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetFeePayer(request, @@ -233,8 +309,18 @@ def GetFeePayer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', + return grpc.experimental.unary_unary( + request, + target, + '/injective_exchange_rpc.InjectiveExchangeRPC/GetFeePayer', exchange_dot_injective__exchange__rpc__pb2.GetFeePayerRequest.SerializeToString, exchange_dot_injective__exchange__rpc__pb2.GetFeePayerResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py index dadc62fa..13c4b54e 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_explorer_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,10 +19,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_explorer_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_explorer_rpcpb' - _globals['_EVENT_ATTRIBUTESENTRY']._options = None + _globals['_EVENT_ATTRIBUTESENTRY']._loaded_options = None _globals['_EVENT_ATTRIBUTESENTRY']._serialized_options = b'8\001' _globals['_GETACCOUNTTXSREQUEST']._serialized_start=66 _globals['_GETACCOUNTTXSREQUEST']._serialized_end=289 diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index 1f2285e2..c4b38643 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_explorer_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExplorerRPCStub(object): """ExplorerAPI implements explorer data API for e.g. Blockchain Explorer @@ -19,107 +44,107 @@ def __init__(self, channel): '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsResponse.FromString, - ) + _registered_method=True) self.GetContractTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, - ) + _registered_method=True) self.GetBlocks = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksResponse.FromString, - ) + _registered_method=True) self.GetBlock = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlockRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlockResponse.FromString, - ) + _registered_method=True) self.GetValidators = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorsResponse.FromString, - ) + _registered_method=True) self.GetValidator = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorResponse.FromString, - ) + _registered_method=True) self.GetValidatorUptime = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeResponse.FromString, - ) + _registered_method=True) self.GetTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetTxsResponse.FromString, - ) + _registered_method=True) self.GetTxByTxHash = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashResponse.FromString, - ) + _registered_method=True) self.GetPeggyDepositTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsResponse.FromString, - ) + _registered_method=True) self.GetPeggyWithdrawalTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsResponse.FromString, - ) + _registered_method=True) self.GetIBCTransferTxs = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsResponse.FromString, - ) + _registered_method=True) self.GetWasmCodes = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesResponse.FromString, - ) + _registered_method=True) self.GetWasmCodeByID = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDResponse.FromString, - ) + _registered_method=True) self.GetWasmContracts = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsResponse.FromString, - ) + _registered_method=True) self.GetWasmContractByAddress = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressResponse.FromString, - ) + _registered_method=True) self.GetCw20Balance = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceResponse.FromString, - ) + _registered_method=True) self.Relayers = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', request_serializer=exchange_dot_injective__explorer__rpc__pb2.RelayersRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.RelayersResponse.FromString, - ) + _registered_method=True) self.GetBankTransfers = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersResponse.FromString, - ) + _registered_method=True) self.StreamTxs = channel.unary_stream( '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', request_serializer=exchange_dot_injective__explorer__rpc__pb2.StreamTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.StreamTxsResponse.FromString, - ) + _registered_method=True) self.StreamBlocks = channel.unary_stream( '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.StreamBlocksRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.StreamBlocksResponse.FromString, - ) + _registered_method=True) class InjectiveExplorerRPCServicer(object): @@ -389,6 +414,7 @@ def add_InjectiveExplorerRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_explorer_rpc.InjectiveExplorerRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_explorer_rpc.InjectiveExplorerRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -407,11 +433,21 @@ def GetAccountTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetAccountTxs', exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetAccountTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetContractTxs(request, @@ -424,11 +460,21 @@ def GetContractTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxs', exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlocks(request, @@ -441,11 +487,21 @@ def GetBlocks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBlocksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBlock(request, @@ -458,11 +514,21 @@ def GetBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlock', exchange_dot_injective__explorer__rpc__pb2.GetBlockRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBlockResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidators(request, @@ -475,11 +541,21 @@ def GetValidators(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidators', exchange_dot_injective__explorer__rpc__pb2.GetValidatorsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidator(request, @@ -492,11 +568,21 @@ def GetValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidator', exchange_dot_injective__explorer__rpc__pb2.GetValidatorRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetValidatorUptime(request, @@ -509,11 +595,21 @@ def GetValidatorUptime(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetValidatorUptime', exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetValidatorUptimeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxs(request, @@ -526,11 +622,21 @@ def GetTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxs', exchange_dot_injective__explorer__rpc__pb2.GetTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetTxByTxHash(request, @@ -543,11 +649,21 @@ def GetTxByTxHash(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetTxByTxHash', exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetTxByTxHashResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPeggyDepositTxs(request, @@ -560,11 +676,21 @@ def GetPeggyDepositTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyDepositTxs', exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetPeggyDepositTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPeggyWithdrawalTxs(request, @@ -577,11 +703,21 @@ def GetPeggyWithdrawalTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetPeggyWithdrawalTxs', exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetPeggyWithdrawalTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetIBCTransferTxs(request, @@ -594,11 +730,21 @@ def GetIBCTransferTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetIBCTransferTxs', exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetIBCTransferTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmCodes(request, @@ -611,11 +757,21 @@ def GetWasmCodes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodes', exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmCodesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmCodeByID(request, @@ -628,11 +784,21 @@ def GetWasmCodeByID(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmCodeByID', exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmCodeByIDResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmContracts(request, @@ -645,11 +811,21 @@ def GetWasmContracts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContracts', exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmContractsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetWasmContractByAddress(request, @@ -662,11 +838,21 @@ def GetWasmContractByAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetWasmContractByAddress', exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetWasmContractByAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetCw20Balance(request, @@ -679,11 +865,21 @@ def GetCw20Balance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetCw20Balance', exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetCw20BalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Relayers(request, @@ -696,11 +892,21 @@ def Relayers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/Relayers', exchange_dot_injective__explorer__rpc__pb2.RelayersRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.RelayersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetBankTransfers(request, @@ -713,11 +919,21 @@ def GetBankTransfers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetBankTransfers', exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.GetBankTransfersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTxs(request, @@ -730,11 +946,21 @@ def StreamTxs(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', + return grpc.experimental.unary_stream( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/StreamTxs', exchange_dot_injective__explorer__rpc__pb2.StreamTxsRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.StreamTxsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamBlocks(request, @@ -747,8 +973,18 @@ def StreamBlocks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', + return grpc.experimental.unary_stream( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/StreamBlocks', exchange_dot_injective__explorer__rpc__pb2.StreamBlocksRequest.SerializeToString, exchange_dot_injective__explorer__rpc__pb2.StreamBlocksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py index e3fd04e9..8a5ac685 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_insurance_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_insurance_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_insurance_rpcpb' _globals['_FUNDSREQUEST']._serialized_start=67 _globals['_FUNDSREQUEST']._serialized_end=81 diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index b1b31755..166958ee 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_insurance_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveInsuranceRPCStub(object): """InjectiveInsuranceRPC defines gRPC API of Insurance provider. @@ -19,12 +44,12 @@ def __init__(self, channel): '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, - ) + _registered_method=True) self.Redemptions = channel.unary_unary( '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', request_serializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsResponse.FromString, - ) + _registered_method=True) class InjectiveInsuranceRPCServicer(object): @@ -62,6 +87,7 @@ def add_InjectiveInsuranceRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_insurance_rpc.InjectiveInsuranceRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_insurance_rpc.InjectiveInsuranceRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def Funds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Funds', exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Redemptions(request, @@ -97,8 +133,18 @@ def Redemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, exchange_dot_injective__insurance__rpc__pb2.RedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py index 8063b269..e52826cf 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_meta_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,12 +19,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_meta_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\025/injective_meta_rpcpb' - _globals['_VERSIONRESPONSE_BUILDENTRY']._options = None + _globals['_VERSIONRESPONSE_BUILDENTRY']._loaded_options = None _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_options = b'8\001' - _globals['_INFORESPONSE_BUILDENTRY']._options = None + _globals['_INFORESPONSE_BUILDENTRY']._loaded_options = None _globals['_INFORESPONSE_BUILDENTRY']._serialized_options = b'8\001' _globals['_PINGREQUEST']._serialized_start=57 _globals['_PINGREQUEST']._serialized_end=70 diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 3728c8ae..62496c97 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveMetaRPCStub(object): """InjectiveMetaRPC is a special API subset to get info about server. @@ -19,27 +44,27 @@ def __init__(self, channel): '/injective_meta_rpc.InjectiveMetaRPC/Ping', request_serializer=exchange_dot_injective__meta__rpc__pb2.PingRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.PingResponse.FromString, - ) + _registered_method=True) self.Version = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/Version', request_serializer=exchange_dot_injective__meta__rpc__pb2.VersionRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.VersionResponse.FromString, - ) + _registered_method=True) self.Info = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/Info', request_serializer=exchange_dot_injective__meta__rpc__pb2.InfoRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.InfoResponse.FromString, - ) + _registered_method=True) self.StreamKeepalive = channel.unary_stream( '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', request_serializer=exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveResponse.FromString, - ) + _registered_method=True) self.TokenMetadata = channel.unary_unary( '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', request_serializer=exchange_dot_injective__meta__rpc__pb2.TokenMetadataRequest.SerializeToString, response_deserializer=exchange_dot_injective__meta__rpc__pb2.TokenMetadataResponse.FromString, - ) + _registered_method=True) class InjectiveMetaRPCServicer(object): @@ -114,6 +139,7 @@ def add_InjectiveMetaRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_meta_rpc.InjectiveMetaRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_meta_rpc.InjectiveMetaRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -132,11 +158,21 @@ def Ping(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Ping', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Ping', exchange_dot_injective__meta__rpc__pb2.PingRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.PingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Version(request, @@ -149,11 +185,21 @@ def Version(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Version', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Version', exchange_dot_injective__meta__rpc__pb2.VersionRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.VersionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Info(request, @@ -166,11 +212,21 @@ def Info(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/Info', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/Info', exchange_dot_injective__meta__rpc__pb2.InfoRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.InfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamKeepalive(request, @@ -183,11 +239,21 @@ def StreamKeepalive(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', + return grpc.experimental.unary_stream( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/StreamKeepalive', exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.StreamKeepaliveResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TokenMetadata(request, @@ -200,8 +266,18 @@ def TokenMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective_meta_rpc.InjectiveMetaRPC/TokenMetadata', exchange_dot_injective__meta__rpc__pb2.TokenMetadataRequest.SerializeToString, exchange_dot_injective__meta__rpc__pb2.TokenMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py index 71381a34..c4469143 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_oracle_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_oracle_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\027/injective_oracle_rpcpb' _globals['_ORACLELISTREQUEST']._serialized_start=61 _globals['_ORACLELISTREQUEST']._serialized_end=80 diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 378bdfb6..5f1858e5 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveOracleRPCStub(object): """InjectiveOracleRPC defines gRPC API of Exchange Oracle provider. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', request_serializer=exchange_dot_injective__oracle__rpc__pb2.OracleListRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.OracleListResponse.FromString, - ) + _registered_method=True) self.Price = channel.unary_unary( '/injective_oracle_rpc.InjectiveOracleRPC/Price', request_serializer=exchange_dot_injective__oracle__rpc__pb2.PriceRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.PriceResponse.FromString, - ) + _registered_method=True) self.StreamPrices = channel.unary_stream( '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', request_serializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesResponse.FromString, - ) + _registered_method=True) self.StreamPricesByMarkets = channel.unary_stream( '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', request_serializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsResponse.FromString, - ) + _registered_method=True) class InjectiveOracleRPCServicer(object): @@ -97,6 +122,7 @@ def add_InjectiveOracleRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_oracle_rpc.InjectiveOracleRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_oracle_rpc.InjectiveOracleRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +141,21 @@ def OracleList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/OracleList', exchange_dot_injective__oracle__rpc__pb2.OracleListRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.OracleListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Price(request, @@ -132,11 +168,21 @@ def Price(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/Price', + return grpc.experimental.unary_unary( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/Price', exchange_dot_injective__oracle__rpc__pb2.PriceRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.PriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPrices(request, @@ -149,11 +195,21 @@ def StreamPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', + return grpc.experimental.unary_stream( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/StreamPrices', exchange_dot_injective__oracle__rpc__pb2.StreamPricesRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.StreamPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamPricesByMarkets(request, @@ -166,8 +222,18 @@ def StreamPricesByMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', + return grpc.experimental.unary_stream( + request, + target, + '/injective_oracle_rpc.InjectiveOracleRPC/StreamPricesByMarkets', exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsRequest.SerializeToString, exchange_dot_injective__oracle__rpc__pb2.StreamPricesByMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py index d98dead6..7861a46b 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_portfolio_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_portfolio_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_portfolio_rpcpb' _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=67 _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=117 diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index e527f6a3..d22ca511 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectivePortfolioRPCStub(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioResponse.FromString, - ) + _registered_method=True) self.AccountPortfolioBalances = channel.unary_unary( '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesResponse.FromString, - ) + _registered_method=True) self.StreamAccountPortfolio = channel.unary_stream( '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', request_serializer=exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioRequest.SerializeToString, response_deserializer=exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioResponse.FromString, - ) + _registered_method=True) class InjectivePortfolioRPCServicer(object): @@ -79,6 +104,7 @@ def add_InjectivePortfolioRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_portfolio_rpc.InjectivePortfolioRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_portfolio_rpc.InjectivePortfolioRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def AccountPortfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', + return grpc.experimental.unary_unary( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolio', exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountPortfolioBalances(request, @@ -114,11 +150,21 @@ def AccountPortfolioBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', + return grpc.experimental.unary_unary( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/AccountPortfolioBalances', exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.AccountPortfolioBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamAccountPortfolio(request, @@ -131,8 +177,18 @@ def StreamAccountPortfolio(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', + return grpc.experimental.unary_stream( + request, + target, + '/injective_portfolio_rpc.InjectivePortfolioRPC/StreamAccountPortfolio', exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioRequest.SerializeToString, exchange_dot_injective__portfolio__rpc__pb2.StreamAccountPortfolioResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index 3fa7f325..9299d5c8 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_spot_exchange_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_spot_exchange_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\036/injective_spot_exchange_rpcpb' _globals['_MARKETSREQUEST']._serialized_start=75 _globals['_MARKETSREQUEST']._serialized_end=180 diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index fb9a2b51..8aaa3133 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveSpotExchangeRPCStub(object): """InjectiveSpotExchangeRPC defines gRPC API of Spot Exchange provider. @@ -19,92 +44,92 @@ def __init__(self, channel): '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketsResponse.FromString, - ) + _registered_method=True) self.Market = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.MarketResponse.FromString, - ) + _registered_method=True) self.StreamMarkets = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsResponse.FromString, - ) + _registered_method=True) self.OrderbookV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Response.FromString, - ) + _registered_method=True) self.OrderbooksV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookV2 = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - ) + _registered_method=True) self.StreamOrderbookUpdate = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - ) + _registered_method=True) self.Orders = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersResponse.FromString, - ) + _registered_method=True) self.StreamOrders = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersResponse.FromString, - ) + _registered_method=True) self.Trades = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesResponse.FromString, - ) + _registered_method=True) self.StreamTrades = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesResponse.FromString, - ) + _registered_method=True) self.TradesV2 = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Response.FromString, - ) + _registered_method=True) self.StreamTradesV2 = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Response.FromString, - ) + _registered_method=True) self.SubaccountOrdersList = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - ) + _registered_method=True) self.SubaccountTradesList = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - ) + _registered_method=True) self.OrdersHistory = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - ) + _registered_method=True) self.StreamOrdersHistory = channel.unary_stream( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - ) + _registered_method=True) self.AtomicSwapHistory = channel.unary_unary( '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', request_serializer=exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryRequest.SerializeToString, response_deserializer=exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryResponse.FromString, - ) + _registered_method=True) class InjectiveSpotExchangeRPCServicer(object): @@ -334,6 +359,7 @@ def add_InjectiveSpotExchangeRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_spot_exchange_rpc.InjectiveSpotExchangeRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_spot_exchange_rpc.InjectiveSpotExchangeRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -352,11 +378,21 @@ def Markets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Markets', exchange_dot_injective__spot__exchange__rpc__pb2.MarketsRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.MarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Market(request, @@ -369,11 +405,21 @@ def Market(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Market', exchange_dot_injective__spot__exchange__rpc__pb2.MarketRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.MarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamMarkets(request, @@ -386,11 +432,21 @@ def StreamMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamMarkets', exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbookV2(request, @@ -403,11 +459,21 @@ def OrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbookV2', exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrderbooksV2(request, @@ -420,11 +486,21 @@ def OrderbooksV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrderbooksV2', exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrderbooksV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookV2(request, @@ -437,11 +513,21 @@ def StreamOrderbookV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookV2', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrderbookUpdate(request, @@ -454,11 +540,21 @@ def StreamOrderbookUpdate(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrderbookUpdate', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrderbookUpdateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Orders(request, @@ -471,11 +567,21 @@ def Orders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Orders', exchange_dot_injective__spot__exchange__rpc__pb2.OrdersRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrders(request, @@ -488,11 +594,21 @@ def StreamOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrders', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Trades(request, @@ -505,11 +621,21 @@ def Trades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/Trades', exchange_dot_injective__spot__exchange__rpc__pb2.TradesRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.TradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTrades(request, @@ -522,11 +648,21 @@ def StreamTrades(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTrades', exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradesV2(request, @@ -539,11 +675,21 @@ def TradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/TradesV2', exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.TradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamTradesV2(request, @@ -556,11 +702,21 @@ def StreamTradesV2(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamTradesV2', exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Request.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamTradesV2Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrdersList(request, @@ -573,11 +729,21 @@ def SubaccountOrdersList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountOrdersList', exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountOrdersListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradesList(request, @@ -590,11 +756,21 @@ def SubaccountTradesList(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/SubaccountTradesList', exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.SubaccountTradesListResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OrdersHistory(request, @@ -607,11 +783,21 @@ def OrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/OrdersHistory', exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.OrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def StreamOrdersHistory(request, @@ -624,11 +810,21 @@ def StreamOrdersHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', + return grpc.experimental.unary_stream( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/StreamOrdersHistory', exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.StreamOrdersHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AtomicSwapHistory(request, @@ -641,8 +837,18 @@ def AtomicSwapHistory(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', + return grpc.experimental.unary_unary( + request, + target, + '/injective_spot_exchange_rpc.InjectiveSpotExchangeRPC/AtomicSwapHistory', exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryRequest.SerializeToString, exchange_dot_injective__spot__exchange__rpc__pb2.AtomicSwapHistoryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py index 96f61eb2..82ba2866 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: exchange/injective_trading_rpc.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_trading_rpc_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_trading_rpcpb' _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_start=64 _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=270 diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index ad4fe243..40d33450 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveTradingRPCStub(object): """InjectiveTradingStrategiesRPC defined a gRPC service for Injective Trading @@ -20,7 +45,7 @@ def __init__(self, channel): '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', request_serializer=exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesRequest.SerializeToString, response_deserializer=exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesResponse.FromString, - ) + _registered_method=True) class InjectiveTradingRPCServicer(object): @@ -47,6 +72,7 @@ def add_InjectiveTradingRPCServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective_trading_rpc.InjectiveTradingRPC', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_trading_rpc.InjectiveTradingRPC', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -66,8 +92,18 @@ def ListTradingStrategies(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', + return grpc.experimental.unary_unary( + request, + target, + '/injective_trading_rpc.InjectiveTradingRPC/ListTradingStrategies', exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesRequest.SerializeToString, exchange_dot_injective__trading__rpc__pb2.ListTradingStrategiesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/gogoproto/gogo_pb2.py b/pyinjective/proto/gogoproto/gogo_pb2.py index a88b12d3..a295b103 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2.py +++ b/pyinjective/proto/gogoproto/gogo_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: gogoproto/gogo.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,7 +20,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'gogoproto.gogo_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index 2daafffe..f29e834c 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index f6cff332..f7d95ebb 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: google/api/annotations.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,7 +21,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.annotations_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\004GAPI' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index 2daafffe..aff8bf22 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/http_pb2.py b/pyinjective/proto/google/api/http_pb2.py index 39efe97f..13a56dac 100644 --- a/pyinjective/proto/google/api/http_pb2.py +++ b/pyinjective/proto/google/api/http_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: google/api/http.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.http_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\004GAPI' _globals['_HTTP']._serialized_start=37 _globals['_HTTP']._serialized_end=121 diff --git a/pyinjective/proto/google/api/http_pb2_grpc.py b/pyinjective/proto/google/api/http_pb2_grpc.py index 2daafffe..b9a887d8 100644 --- a/pyinjective/proto/google/api/http_pb2_grpc.py +++ b/pyinjective/proto/google/api/http_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/http_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index 4d936af4..716437f5 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,14 +20,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._serialized_options = b'\362\336\037\032yaml:\"app_acknowledgement\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._serialized_options = b'\362\336\037\036yaml:\"forward_relayer_address\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._serialized_options = b'\362\336\037\036yaml:\"underlying_app_successl\"' _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=85 _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=312 diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 2daafffe..3436a5f1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index a4c40ba3..47cc73b1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,24 +22,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_FEE'].fields_by_name['recv_fee']._options = None + _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"recv_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['ack_fee']._options = None + _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\362\336\037\016yaml:\"ack_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['timeout_fee']._options = None + _globals['_FEE'].fields_by_name['timeout_fee']._loaded_options = None _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"timeout_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PACKETFEE'].fields_by_name['fee']._options = None + _globals['_PACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_PACKETFEE'].fields_by_name['refund_address']._options = None + _globals['_PACKETFEE'].fields_by_name['refund_address']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['refund_address']._serialized_options = b'\362\336\037\025yaml:\"refund_address\"' - _globals['_PACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_PACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' _globals['_FEE']._serialized_start=152 _globals['_FEE']._serialized_end=503 diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 2daafffe..7bf8f9b7 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index 7c845e6b..c4135930 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,30 +22,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_GENESISSTATE'].fields_by_name['identified_fees']._options = None + _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"identified_fees\"' - _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._options = None + _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' - _globals['_GENESISSTATE'].fields_by_name['registered_payees']._options = None + _globals['_GENESISSTATE'].fields_by_name['registered_payees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"registered_payees\"' - _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._options = None + _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000\362\336\037%yaml:\"registered_counterparty_payees\"' - _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._options = None + _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"forward_relayers\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._options = None + _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._loaded_options = None _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._options = None + _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._loaded_options = None _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._options = None + _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._options = None + _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' _globals['_GENESISSTATE']._serialized_start=159 _globals['_GENESISSTATE']._serialized_end=740 diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index 2daafffe..fa8a53fb 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index b031ebda..be9ddb68 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_METADATA'].fields_by_name['fee_version']._options = None + _globals['_METADATA'].fields_by_name['fee_version']._loaded_options = None _globals['_METADATA'].fields_by_name['fee_version']._serialized_options = b'\362\336\037\022yaml:\"fee_version\"' - _globals['_METADATA'].fields_by_name['app_version']._options = None + _globals['_METADATA'].fields_by_name['app_version']._loaded_options = None _globals['_METADATA'].fields_by_name['app_version']._serialized_options = b'\362\336\037\022yaml:\"app_version\"' _globals['_METADATA']._serialized_start=89 _globals['_METADATA']._serialized_end=189 diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 2daafffe..5e282d9e 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index a4f1e56f..1ee50821 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,62 +26,62 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._options = None + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._options = None + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETRESPONSE'].fields_by_name['incentivized_packet']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._options = None + _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._loaded_options = None _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"recv_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._options = None + _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._loaded_options = None _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"ack_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._options = None + _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._options = None + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._loaded_options = None _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"timeout_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._options = None + _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._options = None + _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._loaded_options = None _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._serialized_options = b'\362\336\037\024yaml:\"payee_address\"' - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._options = None + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._options = None + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._loaded_options = None _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._options = None + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._loaded_options = None _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._options = None + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._loaded_options = None _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._options = None + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._loaded_options = None _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._options = None + _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._loaded_options = None _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._serialized_options = b'\362\336\037\022yaml:\"fee_enabled\"' - _globals['_QUERY'].methods_by_name['IncentivizedPackets']._options = None + _globals['_QUERY'].methods_by_name['IncentivizedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPackets']._serialized_options = b'\202\323\344\223\002\'\022%/ibc/apps/fee/v1/incentivized_packets' - _globals['_QUERY'].methods_by_name['IncentivizedPacket']._options = None + _globals['_QUERY'].methods_by_name['IncentivizedPacket']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPacket']._serialized_options = b'\202\323\344\223\002\177\022}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet' - _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._options = None + _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPacketsForChannel']._serialized_options = b'\202\323\344\223\002M\022K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets' - _globals['_QUERY'].methods_by_name['TotalRecvFees']._options = None + _globals['_QUERY'].methods_by_name['TotalRecvFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalRecvFees']._serialized_options = b'\202\323\344\223\002{\022y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees' - _globals['_QUERY'].methods_by_name['TotalAckFees']._options = None + _globals['_QUERY'].methods_by_name['TotalAckFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalAckFees']._serialized_options = b'\202\323\344\223\002z\022x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees' - _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._options = None + _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalTimeoutFees']._serialized_options = b'\202\323\344\223\002~\022|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees' - _globals['_QUERY'].methods_by_name['Payee']._options = None + _globals['_QUERY'].methods_by_name['Payee']._loaded_options = None _globals['_QUERY'].methods_by_name['Payee']._serialized_options = b'\202\323\344\223\002A\022?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee' - _globals['_QUERY'].methods_by_name['CounterpartyPayee']._options = None + _globals['_QUERY'].methods_by_name['CounterpartyPayee']._loaded_options = None _globals['_QUERY'].methods_by_name['CounterpartyPayee']._serialized_options = b'\202\323\344\223\002N\022L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee' - _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._options = None + _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/fee/v1/fee_enabled' - _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._options = None + _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index b436db72..9a362519 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the ICS29 gRPC querier service. @@ -19,52 +44,52 @@ def __init__(self, channel): '/ibc.applications.fee.v1.Query/IncentivizedPackets', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsResponse.FromString, - ) + _registered_method=True) self.IncentivizedPacket = channel.unary_unary( '/ibc.applications.fee.v1.Query/IncentivizedPacket', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketResponse.FromString, - ) + _registered_method=True) self.IncentivizedPacketsForChannel = channel.unary_unary( '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelResponse.FromString, - ) + _registered_method=True) self.TotalRecvFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalRecvFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesResponse.FromString, - ) + _registered_method=True) self.TotalAckFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalAckFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesResponse.FromString, - ) + _registered_method=True) self.TotalTimeoutFees = channel.unary_unary( '/ibc.applications.fee.v1.Query/TotalTimeoutFees', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesResponse.FromString, - ) + _registered_method=True) self.Payee = channel.unary_unary( '/ibc.applications.fee.v1.Query/Payee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeResponse.FromString, - ) + _registered_method=True) self.CounterpartyPayee = channel.unary_unary( '/ibc.applications.fee.v1.Query/CounterpartyPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeResponse.FromString, - ) + _registered_method=True) self.FeeEnabledChannels = channel.unary_unary( '/ibc.applications.fee.v1.Query/FeeEnabledChannels', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsResponse.FromString, - ) + _registered_method=True) self.FeeEnabledChannel = channel.unary_unary( '/ibc.applications.fee.v1.Query/FeeEnabledChannel', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -198,6 +223,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.fee.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.fee.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -216,11 +242,21 @@ def IncentivizedPackets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPackets', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPackets', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncentivizedPacket(request, @@ -233,11 +269,21 @@ def IncentivizedPacket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPacket', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPacket', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncentivizedPacketsForChannel(request, @@ -250,11 +296,21 @@ def IncentivizedPacketsForChannel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/IncentivizedPacketsForChannel', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryIncentivizedPacketsForChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalRecvFees(request, @@ -267,11 +323,21 @@ def TotalRecvFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalRecvFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalRecvFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalRecvFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalAckFees(request, @@ -284,11 +350,21 @@ def TotalAckFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalAckFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalAckFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalAckFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalTimeoutFees(request, @@ -301,11 +377,21 @@ def TotalTimeoutFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/TotalTimeoutFees', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/TotalTimeoutFees', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryTotalTimeoutFeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Payee(request, @@ -318,11 +404,21 @@ def Payee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/Payee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/Payee', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CounterpartyPayee(request, @@ -335,11 +431,21 @@ def CounterpartyPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/CounterpartyPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/CounterpartyPayee', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryCounterpartyPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeEnabledChannels(request, @@ -352,11 +458,21 @@ def FeeEnabledChannels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/FeeEnabledChannels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/FeeEnabledChannels', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeEnabledChannel(request, @@ -369,8 +485,18 @@ def FeeEnabledChannel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Query/FeeEnabledChannel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Query/FeeEnabledChannel', ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelRequest.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2.QueryFeeEnabledChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index cf910aaf..2ffbafd4 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,36 +22,36 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERPAYEE']._options = None + _globals['_MSGREGISTERPAYEE']._loaded_options = None _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._serialized_options = b'\362\336\037\025yaml:\"source_port_id\"' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._serialized_options = b'\362\336\037\030yaml:\"source_channel_id\"' - _globals['_MSGPAYPACKETFEE']._options = None + _globals['_MSGPAYPACKETFEE']._loaded_options = None _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\362\336\037\021yaml:\"packet_fee\"' - _globals['_MSGPAYPACKETFEEASYNC']._options = None + _globals['_MSGPAYPACKETFEEASYNC']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGREGISTERPAYEE']._serialized_start=154 _globals['_MSGREGISTERPAYEE']._serialized_end=294 diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index 22bf8396..59111557 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ICS29 Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/ibc.applications.fee.v1.Msg/RegisterPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayeeResponse.FromString, - ) + _registered_method=True) self.RegisterCounterpartyPayee = channel.unary_unary( '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayeeResponse.FromString, - ) + _registered_method=True) self.PayPacketFee = channel.unary_unary( '/ibc.applications.fee.v1.Msg/PayPacketFee', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFee.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeResponse.FromString, - ) + _registered_method=True) self.PayPacketFeeAsync = channel.unary_unary( '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', request_serializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsync.SerializeToString, response_deserializer=ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsyncResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -110,6 +135,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.fee.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.fee.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -128,11 +154,21 @@ def RegisterPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/RegisterPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/RegisterPayee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RegisterCounterpartyPayee(request, @@ -145,11 +181,21 @@ def RegisterCounterpartyPayee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/RegisterCounterpartyPayee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgRegisterCounterpartyPayeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PayPacketFee(request, @@ -162,11 +208,21 @@ def PayPacketFee(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/PayPacketFee', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/PayPacketFee', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFee.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PayPacketFeeAsync(request, @@ -179,8 +235,18 @@ def PayPacketFeeAsync(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.fee.v1.Msg/PayPacketFeeAsync', ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsync.SerializeToString, ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2.MsgPayPacketFeeAsyncResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index c072dc94..0dd918be 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_PARAMS'].fields_by_name['controller_enabled']._options = None + _globals['_PARAMS'].fields_by_name['controller_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['controller_enabled']._serialized_options = b'\362\336\037\031yaml:\"controller_enabled\"' _globals['_PARAMS']._serialized_start=145 _globals['_PARAMS']._serialized_end=212 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 2daafffe..8436a09b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index 634242d6..c7eef6d2 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._options = None + _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._loaded_options = None _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_QUERY'].methods_by_name['InterchainAccount']._options = None + _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=239 _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=334 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index e59f248c..d3a984a3 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.interchain_accounts.controller.v1.Query/Params', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -62,6 +87,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.controller.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def InterchainAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Query/InterchainAccount', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryInterchainAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -97,8 +133,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Query/Params', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index 6bd827f9..3ac394fc 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,24 +21,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGSENDTX'].fields_by_name['connection_id']._options = None + _globals['_MSGSENDTX'].fields_by_name['connection_id']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGSENDTX'].fields_by_name['packet_data']._options = None + _globals['_MSGSENDTX'].fields_by_name['packet_data']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_data\"' - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._options = None + _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._serialized_options = b'\362\336\037\027yaml:\"relative_timeout\"' - _globals['_MSGSENDTX']._options = None + _globals['_MSGSENDTX']._loaded_options = None _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=191 _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=312 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index cda95ff9..34c3ec10 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the 27-interchain-accounts/controller Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccount.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccountResponse.FromString, - ) + _registered_method=True) self.SendTx = channel.unary_unary( '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -62,6 +87,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -80,11 +106,21 @@ def RegisterInterchainAccount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/RegisterInterchainAccount', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccount.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgRegisterInterchainAccountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendTx(request, @@ -97,8 +133,18 @@ def SendTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/SendTx', ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index a160882b..5da34ff8 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/genesis/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,38 +22,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/types' - _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"controller_genesis_state\"' - _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"host_genesis_state\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._options = None + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._options = None + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._options = None + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' - _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' - _globals['_HOSTGENESISSTATE'].fields_by_name['params']._options = None + _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._options = None + _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._loaded_options = None _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._options = None + _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._loaded_options = None _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._options = None + _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._loaded_options = None _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._options = None + _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._loaded_options = None _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._serialized_options = b'\362\336\037\034yaml:\"is_middleware_enabled\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._loaded_options = None _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._loaded_options = None _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._serialized_options = b'\362\336\037\026yaml:\"account_address\"' _globals['_GENESISSTATE']._serialized_start=263 _globals['_GENESISSTATE']._serialized_end=557 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index 2daafffe..fb59b2d9 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index 91cde4ce..9547496b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_PARAMS'].fields_by_name['host_enabled']._options = None + _globals['_PARAMS'].fields_by_name['host_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['host_enabled']._serialized_options = b'\362\336\037\023yaml:\"host_enabled\"' - _globals['_PARAMS'].fields_by_name['allow_messages']._options = None + _globals['_PARAMS'].fields_by_name['allow_messages']._loaded_options = None _globals['_PARAMS'].fields_by_name['allow_messages']._serialized_options = b'\362\336\037\025yaml:\"allow_messages\"' _globals['_PARAMS']._serialized_start=127 _globals['_PARAMS']._serialized_end=233 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index 2daafffe..f677412a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index 4f727022..bb6c2eda 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 _globals['_QUERYPARAMSREQUEST']._serialized_end=213 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index 5613be11..9496fc8b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/ibc.applications.interchain_accounts.host.v1.Query/Params', request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -45,6 +70,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.host.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.interchain_accounts.host.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.interchain_accounts.host.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.host.v1.Query/Params', ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index f4bf6c55..8e89faba 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/account.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._options = None + _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' - _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._options = None + _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._loaded_options = None _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._serialized_options = b'\362\336\037\024yaml:\"account_owner\"' - _globals['_INTERCHAINACCOUNT']._options = None + _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 _globals['_INTERCHAINACCOUNT']._serialized_end=405 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index 2daafffe..b430af9b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index 33d55d0a..e8ec96c3 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_METADATA'].fields_by_name['controller_connection_id']._options = None + _globals['_METADATA'].fields_by_name['controller_connection_id']._loaded_options = None _globals['_METADATA'].fields_by_name['controller_connection_id']._serialized_options = b'\362\336\037\037yaml:\"controller_connection_id\"' - _globals['_METADATA'].fields_by_name['host_connection_id']._options = None + _globals['_METADATA'].fields_by_name['host_connection_id']._loaded_options = None _globals['_METADATA'].fields_by_name['host_connection_id']._serialized_options = b'\362\336\037\031yaml:\"host_connection_id\"' _globals['_METADATA']._serialized_start=122 _globals['_METADATA']._serialized_end=331 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index 2daafffe..f6c4f460 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index 9ef779c3..b7ee70c4 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/packet.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_TYPE']._options = None + _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' - _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._options = None + _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._options = None + _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._serialized_options = b'\212\235 \nEXECUTE_TX' _globals['_TYPE']._serialized_start=318 _globals['_TYPE']._serialized_end=406 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 2daafffe..49c27f11 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 173f3723..95a7f09c 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,18 +22,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_ALLOCATION'].fields_by_name['source_port']._options = None + _globals['_ALLOCATION'].fields_by_name['source_port']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_ALLOCATION'].fields_by_name['source_channel']._options = None + _globals['_ALLOCATION'].fields_by_name['source_channel']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_ALLOCATION'].fields_by_name['spend_limit']._options = None + _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._options = None + _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._serialized_options = b'\310\336\037\000' - _globals['_TRANSFERAUTHORIZATION']._options = None + _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 _globals['_ALLOCATION']._serialized_end=382 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index 2daafffe..ed0ac6b8 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 50d6a8fa..47eb5258 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,16 +22,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_GENESISSTATE'].fields_by_name['port_id']._options = None + _globals['_GENESISSTATE'].fields_by_name['port_id']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_GENESISSTATE'].fields_by_name['denom_traces']._options = None + _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"denom_traces\"\252\337\037\006Traces' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._options = None + _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"total_escrowed\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 _globals['_GENESISSTATE']._serialized_end=516 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 2daafffe..800ee9cf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index d370e498..8f603729 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,24 +24,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._options = None + _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['DenomTrace']._options = None + _globals['_QUERY'].methods_by_name['DenomTrace']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' - _globals['_QUERY'].methods_by_name['DenomTraces']._options = None + _globals['_QUERY'].methods_by_name['DenomTraces']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomTraces']._serialized_options = b'\202\323\344\223\002$\022\"/ibc/apps/transfer/v1/denom_traces' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/transfer/v1/params' - _globals['_QUERY'].methods_by_name['DenomHash']._options = None + _globals['_QUERY'].methods_by_name['DenomHash']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomHash']._serialized_options = b'\202\323\344\223\002/\022-/ibc/apps/transfer/v1/denom_hashes/{trace=**}' - _globals['_QUERY'].methods_by_name['EscrowAddress']._options = None + _globals['_QUERY'].methods_by_name['EscrowAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['EscrowAddress']._serialized_options = b'\202\323\344\223\002L\022J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address' - _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._options = None + _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._serialized_options = b'\202\323\344\223\0026\0224/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrow' _globals['_QUERYDENOMTRACEREQUEST']._serialized_start=247 _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=285 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index c807602d..727c6cf1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/ibc.applications.transfer.v1.Query/DenomTrace', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, - ) + _registered_method=True) self.DenomTraces = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomTraces', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, - ) + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.transfer.v1.Query/Params', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomHash = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomHash', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashResponse.FromString, - ) + _registered_method=True) self.EscrowAddress = channel.unary_unary( '/ibc.applications.transfer.v1.Query/EscrowAddress', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressResponse.FromString, - ) + _registered_method=True) self.TotalEscrowForDenom = channel.unary_unary( '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -130,6 +155,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.transfer.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -148,11 +174,21 @@ def DenomTrace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomTrace', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomTrace', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomTraces(request, @@ -165,11 +201,21 @@ def DenomTraces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomTraces', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomTraces', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Params(request, @@ -182,11 +228,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/Params', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomHash(request, @@ -199,11 +255,21 @@ def DenomHash(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/DenomHash', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/DenomHash', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomHashResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EscrowAddress(request, @@ -216,11 +282,21 @@ def EscrowAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/EscrowAddress', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/EscrowAddress', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryEscrowAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TotalEscrowForDenom(request, @@ -233,8 +309,18 @@ def TotalEscrowForDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Query/TotalEscrowForDenom', ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomRequest.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryTotalEscrowForDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 77abb392..893034fa 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._options = None + _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\362\336\037\023yaml:\"send_enabled\"' - _globals['_PARAMS'].fields_by_name['receive_enabled']._options = None + _globals['_PARAMS'].fields_by_name['receive_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['receive_enabled']._serialized_options = b'\362\336\037\026yaml:\"receive_enabled\"' _globals['_DENOMTRACE']._serialized_start=99 _globals['_DENOMTRACE']._serialized_end=145 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 2daafffe..283b46bf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index 6d903e96..df47310d 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_MSGTRANSFER'].fields_by_name['source_port']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_port']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_channel']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_MSGTRANSFER'].fields_by_name['token']._options = None + _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000' - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_MSGTRANSFER']._options = None + _globals['_MSGTRANSFER']._loaded_options = None _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGTRANSFER']._serialized_start=159 _globals['_MSGTRANSFER']._serialized_end=514 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index cb33cfed..ea78e04e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/transfer Msg service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/ibc.applications.transfer.v1.Msg/Transfer', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -45,6 +70,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.applications.transfer.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -63,8 +89,18 @@ def Transfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.applications.transfer.v1.Msg/Transfer', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Msg/Transfer', ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index eebbb3a8..f47b4a6a 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v2/packet.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 2daafffe..3121fc69 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index 06eadabd..0dd85190 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/channel.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,72 +21,72 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_STATE']._options = None + _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' - _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._options = None + _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._serialized_options = b'\212\235 \rUNINITIALIZED' - _globals['_STATE'].values_by_name["STATE_INIT"]._options = None + _globals['_STATE'].values_by_name["STATE_INIT"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_INIT"]._serialized_options = b'\212\235 \004INIT' - _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._options = None + _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_TRYOPEN"]._serialized_options = b'\212\235 \007TRYOPEN' - _globals['_STATE'].values_by_name["STATE_OPEN"]._options = None + _globals['_STATE'].values_by_name["STATE_OPEN"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_OPEN"]._serialized_options = b'\212\235 \004OPEN' - _globals['_STATE'].values_by_name["STATE_CLOSED"]._options = None + _globals['_STATE'].values_by_name["STATE_CLOSED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_CLOSED"]._serialized_options = b'\212\235 \006CLOSED' - _globals['_ORDER']._options = None + _globals['_ORDER']._loaded_options = None _globals['_ORDER']._serialized_options = b'\210\243\036\000' - _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._serialized_options = b'\212\235 \004NONE' - _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_UNORDERED"]._serialized_options = b'\212\235 \tUNORDERED' - _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._options = None + _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._loaded_options = None _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._serialized_options = b'\212\235 \007ORDERED' - _globals['_CHANNEL'].fields_by_name['counterparty']._options = None + _globals['_CHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_CHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_CHANNEL'].fields_by_name['connection_hops']._options = None + _globals['_CHANNEL'].fields_by_name['connection_hops']._loaded_options = None _globals['_CHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' - _globals['_CHANNEL']._options = None + _globals['_CHANNEL']._loaded_options = None _globals['_CHANNEL']._serialized_options = b'\210\240\037\000' - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._options = None + _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._options = None + _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._loaded_options = None _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' - _globals['_IDENTIFIEDCHANNEL']._options = None + _globals['_IDENTIFIEDCHANNEL']._loaded_options = None _globals['_IDENTIFIEDCHANNEL']._serialized_options = b'\210\240\037\000' - _globals['_COUNTERPARTY'].fields_by_name['port_id']._options = None + _globals['_COUNTERPARTY'].fields_by_name['port_id']._loaded_options = None _globals['_COUNTERPARTY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_COUNTERPARTY'].fields_by_name['channel_id']._options = None + _globals['_COUNTERPARTY'].fields_by_name['channel_id']._loaded_options = None _globals['_COUNTERPARTY'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_COUNTERPARTY']._options = None + _globals['_COUNTERPARTY']._loaded_options = None _globals['_COUNTERPARTY']._serialized_options = b'\210\240\037\000' - _globals['_PACKET'].fields_by_name['source_port']._options = None + _globals['_PACKET'].fields_by_name['source_port']._loaded_options = None _globals['_PACKET'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_PACKET'].fields_by_name['source_channel']._options = None + _globals['_PACKET'].fields_by_name['source_channel']._loaded_options = None _globals['_PACKET'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_PACKET'].fields_by_name['destination_port']._options = None + _globals['_PACKET'].fields_by_name['destination_port']._loaded_options = None _globals['_PACKET'].fields_by_name['destination_port']._serialized_options = b'\362\336\037\027yaml:\"destination_port\"' - _globals['_PACKET'].fields_by_name['destination_channel']._options = None + _globals['_PACKET'].fields_by_name['destination_channel']._loaded_options = None _globals['_PACKET'].fields_by_name['destination_channel']._serialized_options = b'\362\336\037\032yaml:\"destination_channel\"' - _globals['_PACKET'].fields_by_name['timeout_height']._options = None + _globals['_PACKET'].fields_by_name['timeout_height']._loaded_options = None _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_PACKET'].fields_by_name['timeout_timestamp']._options = None + _globals['_PACKET'].fields_by_name['timeout_timestamp']._loaded_options = None _globals['_PACKET'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_PACKET']._options = None + _globals['_PACKET']._loaded_options = None _globals['_PACKET']._serialized_options = b'\210\240\037\000' - _globals['_PACKETSTATE'].fields_by_name['port_id']._options = None + _globals['_PACKETSTATE'].fields_by_name['port_id']._loaded_options = None _globals['_PACKETSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSTATE'].fields_by_name['channel_id']._options = None + _globals['_PACKETSTATE'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETSTATE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_PACKETSTATE']._options = None + _globals['_PACKETSTATE']._loaded_options = None _globals['_PACKETSTATE']._serialized_options = b'\210\240\037\000' - _globals['_PACKETID'].fields_by_name['port_id']._options = None + _globals['_PACKETID'].fields_by_name['port_id']._loaded_options = None _globals['_PACKETID'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETID'].fields_by_name['channel_id']._options = None + _globals['_PACKETID'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETID'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_PACKETID']._options = None + _globals['_PACKETID']._loaded_options = None _globals['_PACKETID']._serialized_options = b'\210\240\037\000' _globals['_STATE']._serialized_start=1460 _globals['_STATE']._serialized_end=1643 diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2daafffe..2cee10e1 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 25855dd7..6cbbebf9 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,28 +21,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_GENESISSTATE'].fields_by_name['channels']._options = None + _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' - _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._options = None + _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['commitments']._options = None + _globals['_GENESISSTATE'].fields_by_name['commitments']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['commitments']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['receipts']._options = None + _globals['_GENESISSTATE'].fields_by_name['receipts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['receipts']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['send_sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['send_sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"send_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"recv_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"ack_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._options = None + _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._serialized_options = b'\362\336\037\034yaml:\"next_channel_sequence\"' - _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._options = None + _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._loaded_options = None _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._options = None + _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_GENESISSTATE']._serialized_start=116 _globals['_GENESISSTATE']._serialized_end=739 diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index 2daafffe..a34643ef 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index a0befd77..a6968659 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,60 +25,60 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Channel']._options = None + _globals['_QUERY'].methods_by_name['Channel']._loaded_options = None _globals['_QUERY'].methods_by_name['Channel']._serialized_options = b'\202\323\344\223\002<\022:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}' - _globals['_QUERY'].methods_by_name['Channels']._options = None + _globals['_QUERY'].methods_by_name['Channels']._loaded_options = None _globals['_QUERY'].methods_by_name['Channels']._serialized_options = b'\202\323\344\223\002\037\022\035/ibc/core/channel/v1/channels' - _globals['_QUERY'].methods_by_name['ConnectionChannels']._options = None + _globals['_QUERY'].methods_by_name['ConnectionChannels']._loaded_options = None _globals['_QUERY'].methods_by_name['ConnectionChannels']._serialized_options = b'\202\323\344\223\0028\0226/ibc/core/channel/v1/connections/{connection}/channels' - _globals['_QUERY'].methods_by_name['ChannelClientState']._options = None + _globals['_QUERY'].methods_by_name['ChannelClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelClientState']._serialized_options = b'\202\323\344\223\002I\022G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state' - _globals['_QUERY'].methods_by_name['ChannelConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ChannelConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelConsensusState']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['PacketCommitment']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitment']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitment']._serialized_options = b'\202\323\344\223\002Z\022X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}' - _globals['_QUERY'].methods_by_name['PacketCommitments']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitments']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitments']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments' - _globals['_QUERY'].methods_by_name['PacketReceipt']._options = None + _globals['_QUERY'].methods_by_name['PacketReceipt']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketReceipt']._serialized_options = b'\202\323\344\223\002W\022U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._serialized_options = b'\202\323\344\223\002S\022Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._serialized_options = b'\202\323\344\223\002T\022R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements' - _globals['_QUERY'].methods_by_name['UnreceivedPackets']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedPackets']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets' - _globals['_QUERY'].methods_by_name['UnreceivedAcks']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedAcks']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedAcks']._serialized_options = b'\202\323\344\223\002v\022t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks' - _globals['_QUERY'].methods_by_name['NextSequenceReceive']._options = None + _globals['_QUERY'].methods_by_name['NextSequenceReceive']._loaded_options = None _globals['_QUERY'].methods_by_name['NextSequenceReceive']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence' _globals['_QUERYCHANNELREQUEST']._serialized_start=247 _globals['_QUERYCHANNELREQUEST']._serialized_end=305 diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index abc3354a..828f9d8f 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,67 +44,67 @@ def __init__(self, channel): '/ibc.core.channel.v1.Query/Channel', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelResponse.FromString, - ) + _registered_method=True) self.Channels = channel.unary_unary( '/ibc.core.channel.v1.Query/Channels', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsResponse.FromString, - ) + _registered_method=True) self.ConnectionChannels = channel.unary_unary( '/ibc.core.channel.v1.Query/ConnectionChannels', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsResponse.FromString, - ) + _registered_method=True) self.ChannelClientState = channel.unary_unary( '/ibc.core.channel.v1.Query/ChannelClientState', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateResponse.FromString, - ) + _registered_method=True) self.ChannelConsensusState = channel.unary_unary( '/ibc.core.channel.v1.Query/ChannelConsensusState', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateResponse.FromString, - ) + _registered_method=True) self.PacketCommitment = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketCommitment', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentResponse.FromString, - ) + _registered_method=True) self.PacketCommitments = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketCommitments', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsResponse.FromString, - ) + _registered_method=True) self.PacketReceipt = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketReceipt', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptResponse.FromString, - ) + _registered_method=True) self.PacketAcknowledgement = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketAcknowledgement', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementResponse.FromString, - ) + _registered_method=True) self.PacketAcknowledgements = channel.unary_unary( '/ibc.core.channel.v1.Query/PacketAcknowledgements', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsResponse.FromString, - ) + _registered_method=True) self.UnreceivedPackets = channel.unary_unary( '/ibc.core.channel.v1.Query/UnreceivedPackets', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsResponse.FromString, - ) + _registered_method=True) self.UnreceivedAcks = channel.unary_unary( '/ibc.core.channel.v1.Query/UnreceivedAcks', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksResponse.FromString, - ) + _registered_method=True) self.NextSequenceReceive = channel.unary_unary( '/ibc.core.channel.v1.Query/NextSequenceReceive', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -257,6 +282,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.channel.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -275,11 +301,21 @@ def Channel(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/Channel', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Channel', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Channels(request, @@ -292,11 +328,21 @@ def Channels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/Channels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Channels', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionChannels(request, @@ -309,11 +355,21 @@ def ConnectionChannels(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ConnectionChannels', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ConnectionChannels', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryConnectionChannelsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelClientState(request, @@ -326,11 +382,21 @@ def ChannelClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ChannelClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelClientState', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelConsensusState(request, @@ -343,11 +409,21 @@ def ChannelConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/ChannelConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelConsensusState', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketCommitment(request, @@ -360,11 +436,21 @@ def PacketCommitment(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketCommitment', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketCommitment', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketCommitments(request, @@ -377,11 +463,21 @@ def PacketCommitments(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketCommitments', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketCommitments', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketCommitmentsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketReceipt(request, @@ -394,11 +490,21 @@ def PacketReceipt(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketReceipt', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketReceipt', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketReceiptResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketAcknowledgement(request, @@ -411,11 +517,21 @@ def PacketAcknowledgement(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketAcknowledgement', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketAcknowledgement', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PacketAcknowledgements(request, @@ -428,11 +544,21 @@ def PacketAcknowledgements(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/PacketAcknowledgements', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/PacketAcknowledgements', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryPacketAcknowledgementsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnreceivedPackets(request, @@ -445,11 +571,21 @@ def UnreceivedPackets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/UnreceivedPackets', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UnreceivedPackets', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedPacketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UnreceivedAcks(request, @@ -462,11 +598,21 @@ def UnreceivedAcks(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/UnreceivedAcks', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UnreceivedAcks', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUnreceivedAcksResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NextSequenceReceive(request, @@ -479,8 +625,18 @@ def NextSequenceReceive(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Query/NextSequenceReceive', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/NextSequenceReceive', ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index 0129484f..9f1864ad 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,126 +22,126 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_RESPONSERESULTTYPE']._options = None + _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._serialized_options = b'\212\235 \004NOOP' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._serialized_options = b'\212\235 \007SUCCESS' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENINIT']._options = None + _globals['_MSGCHANNELOPENINIT']._loaded_options = None _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001\362\336\037\032yaml:\"previous_channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENTRY']._options = None + _globals['_MSGCHANNELOPENTRY']._loaded_options = None _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._serialized_options = b'\362\336\037\036yaml:\"counterparty_channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._serialized_options = b'\362\336\037\020yaml:\"proof_try\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENACK']._options = None + _globals['_MSGCHANNELOPENACK']._loaded_options = None _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._serialized_options = b'\362\336\037\020yaml:\"proof_ack\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENCONFIRM']._options = None + _globals['_MSGCHANNELOPENCONFIRM']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSEINIT']._options = None + _globals['_MSGCHANNELCLOSEINIT']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELCLOSECONFIRM']._options = None + _globals['_MSGCHANNELCLOSECONFIRM']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['packet']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['packet']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._serialized_options = b'\362\336\037\027yaml:\"proof_commitment\"' - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGRECVPACKET']._options = None + _globals['_MSGRECVPACKET']._loaded_options = None _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKETRESPONSE']._options = None + _globals['_MSGRECVPACKETRESPONSE']._loaded_options = None _globals['_MSGRECVPACKETRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUT']._options = None + _globals['_MSGTIMEOUT']._loaded_options = None _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTRESPONSE']._options = None + _globals['_MSGTIMEOUTRESPONSE']._loaded_options = None _globals['_MSGTIMEOUTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._serialized_options = b'\362\336\037\022yaml:\"proof_close\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUTONCLOSE']._options = None + _globals['_MSGTIMEOUTONCLOSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTONCLOSERESPONSE']._options = None + _globals['_MSGTIMEOUTONCLOSERESPONSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._serialized_options = b'\362\336\037\022yaml:\"proof_acked\"' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGACKNOWLEDGEMENT']._options = None + _globals['_MSGACKNOWLEDGEMENT']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._options = None + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._loaded_options = None _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_RESPONSERESULTTYPE']._serialized_start=3449 _globals['_RESPONSERESULTTYPE']._serialized_end=3618 diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index 770c025d..b89d7633 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/channel Msg service. @@ -19,52 +44,52 @@ def __init__(self, channel): '/ibc.core.channel.v1.Msg/ChannelOpenInit', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInit.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInitResponse.FromString, - ) + _registered_method=True) self.ChannelOpenTry = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenTry', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTry.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTryResponse.FromString, - ) + _registered_method=True) self.ChannelOpenAck = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenAck', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAck.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAckResponse.FromString, - ) + _registered_method=True) self.ChannelOpenConfirm = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirmResponse.FromString, - ) + _registered_method=True) self.ChannelCloseInit = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelCloseInit', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInit.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInitResponse.FromString, - ) + _registered_method=True) self.ChannelCloseConfirm = channel.unary_unary( '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirmResponse.FromString, - ) + _registered_method=True) self.RecvPacket = channel.unary_unary( '/ibc.core.channel.v1.Msg/RecvPacket', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacket.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacketResponse.FromString, - ) + _registered_method=True) self.Timeout = channel.unary_unary( '/ibc.core.channel.v1.Msg/Timeout', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeout.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutResponse.FromString, - ) + _registered_method=True) self.TimeoutOnClose = channel.unary_unary( '/ibc.core.channel.v1.Msg/TimeoutOnClose', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnClose.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnCloseResponse.FromString, - ) + _registered_method=True) self.Acknowledgement = channel.unary_unary( '/ibc.core.channel.v1.Msg/Acknowledgement', request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -199,6 +224,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.channel.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -217,11 +243,21 @@ def ChannelOpenInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenInit', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInit.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenTry(request, @@ -234,11 +270,21 @@ def ChannelOpenTry(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenTry', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenTry', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTry.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenTryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenAck(request, @@ -251,11 +297,21 @@ def ChannelOpenAck(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenAck', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenAck', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAck.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenAckResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelOpenConfirm(request, @@ -268,11 +324,21 @@ def ChannelOpenConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelOpenConfirm', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirm.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelOpenConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelCloseInit(request, @@ -285,11 +351,21 @@ def ChannelCloseInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelCloseInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelCloseInit', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInit.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChannelCloseConfirm(request, @@ -302,11 +378,21 @@ def ChannelCloseConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelCloseConfirm', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirm.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelCloseConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RecvPacket(request, @@ -319,11 +405,21 @@ def RecvPacket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/RecvPacket', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/RecvPacket', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacket.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgRecvPacketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Timeout(request, @@ -336,11 +432,21 @@ def Timeout(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/Timeout', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/Timeout', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeout.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TimeoutOnClose(request, @@ -353,11 +459,21 @@ def TimeoutOnClose(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/TimeoutOnClose', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/TimeoutOnClose', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnClose.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgTimeoutOnCloseResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Acknowledgement(request, @@ -370,8 +486,18 @@ def Acknowledgement(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.channel.v1.Msg/Acknowledgement', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/Acknowledgement', ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 4dd18ad5..0d6f0682 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,40 +23,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._loaded_options = None _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._loaded_options = None _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._loaded_options = None _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"consensus_states\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._serialized_options = b'\362\336\037\030yaml:\"subject_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._serialized_options = b'\362\336\037\033yaml:\"substitute_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL']._options = None + _globals['_CLIENTUPDATEPROPOSAL']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' - _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._serialized_options = b'\362\336\037\034yaml:\"upgraded_client_state\"' - _globals['_UPGRADEPROPOSAL']._options = None + _globals['_UPGRADEPROPOSAL']._loaded_options = None _globals['_UPGRADEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_HEIGHT'].fields_by_name['revision_number']._options = None + _globals['_HEIGHT'].fields_by_name['revision_number']._loaded_options = None _globals['_HEIGHT'].fields_by_name['revision_number']._serialized_options = b'\362\336\037\026yaml:\"revision_number\"' - _globals['_HEIGHT'].fields_by_name['revision_height']._options = None + _globals['_HEIGHT'].fields_by_name['revision_height']._loaded_options = None _globals['_HEIGHT'].fields_by_name['revision_height']._serialized_options = b'\362\336\037\026yaml:\"revision_height\"' - _globals['_HEIGHT']._options = None + _globals['_HEIGHT']._loaded_options = None _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_PARAMS'].fields_by_name['allowed_clients']._options = None + _globals['_PARAMS'].fields_by_name['allowed_clients']._loaded_options = None _globals['_PARAMS'].fields_by_name['allowed_clients']._serialized_options = b'\362\336\037\026yaml:\"allowed_clients\"' _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=170 _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=303 diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 2daafffe..8066058d 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index f18924ce..c268ef14 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,26 +21,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_GENESISSTATE'].fields_by_name['clients']._options = None + _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._options = None + _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"clients_consensus\"\252\337\037\026ClientsConsensusStates' - _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._options = None + _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"clients_metadata\"' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['create_localhost']._options = None + _globals['_GENESISSTATE'].fields_by_name['create_localhost']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\362\336\037\027yaml:\"create_localhost\"' - _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._options = None + _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._serialized_options = b'\362\336\037\033yaml:\"next_client_sequence\"' - _globals['_GENESISMETADATA']._options = None + _globals['_GENESISMETADATA']._loaded_options = None _globals['_GENESISMETADATA']._serialized_options = b'\210\240\037\000' - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._options = None + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._loaded_options = None _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._options = None + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"client_metadata\"' _globals['_GENESISSTATE']._serialized_start=112 _globals['_GENESISSTATE']._serialized_end=623 diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index 2daafffe..ad99adc9 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index 587c57a2..34385227 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,36 +24,36 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._options = None + _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._options = None + _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._loaded_options = None _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._options = None + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._loaded_options = None _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['ClientState']._options = None + _globals['_QUERY'].methods_by_name['ClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_states/{client_id}' - _globals['_QUERY'].methods_by_name['ClientStates']._options = None + _globals['_QUERY'].methods_by_name['ClientStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStates']._serialized_options = b'\202\323\344\223\002#\022!/ibc/core/client/v1/client_states' - _globals['_QUERY'].methods_by_name['ConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusState']._serialized_options = b'\202\323\344\223\002f\022d/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['ConsensusStates']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStates']._serialized_options = b'\202\323\344\223\0022\0220/ibc/core/client/v1/consensus_states/{client_id}' - _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._serialized_options = b'\202\323\344\223\002:\0228/ibc/core/client/v1/consensus_states/{client_id}/heights' - _globals['_QUERY'].methods_by_name['ClientStatus']._options = None + _globals['_QUERY'].methods_by_name['ClientStatus']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStatus']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_status/{client_id}' - _globals['_QUERY'].methods_by_name['ClientParams']._options = None + _globals['_QUERY'].methods_by_name['ClientParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientParams']._serialized_options = b'\202\323\344\223\002\034\022\032/ibc/core/client/v1/params' - _globals['_QUERY'].methods_by_name['UpgradedClientState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedClientState']._serialized_options = b'\202\323\344\223\002,\022*/ibc/core/client/v1/upgraded_client_states' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/upgraded_consensus_states' _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=210 _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=254 diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index f313e2c4..cce67d58 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,47 +44,47 @@ def __init__(self, channel): '/ibc.core.client.v1.Query/ClientState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateResponse.FromString, - ) + _registered_method=True) self.ClientStates = channel.unary_unary( '/ibc.core.client.v1.Query/ClientStates', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesResponse.FromString, - ) + _registered_method=True) self.ConsensusState = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateResponse.FromString, - ) + _registered_method=True) self.ConsensusStates = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusStates', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesResponse.FromString, - ) + _registered_method=True) self.ConsensusStateHeights = channel.unary_unary( '/ibc.core.client.v1.Query/ConsensusStateHeights', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsResponse.FromString, - ) + _registered_method=True) self.ClientStatus = channel.unary_unary( '/ibc.core.client.v1.Query/ClientStatus', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusResponse.FromString, - ) + _registered_method=True) self.ClientParams = channel.unary_unary( '/ibc.core.client.v1.Query/ClientParams', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsResponse.FromString, - ) + _registered_method=True) self.UpgradedClientState = channel.unary_unary( '/ibc.core.client.v1.Query/UpgradedClientState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateResponse.FromString, - ) + _registered_method=True) self.UpgradedConsensusState = channel.unary_unary( '/ibc.core.client.v1.Query/UpgradedConsensusState', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -183,6 +208,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.client.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -201,11 +227,21 @@ def ClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientStates(request, @@ -218,11 +254,21 @@ def ClientStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientStates', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientStates', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusState(request, @@ -235,11 +281,21 @@ def ConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusStates(request, @@ -252,11 +308,21 @@ def ConsensusStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusStates', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusStates', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConsensusStateHeights(request, @@ -269,11 +335,21 @@ def ConsensusStateHeights(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ConsensusStateHeights', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ConsensusStateHeights', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryConsensusStateHeightsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientStatus(request, @@ -286,11 +362,21 @@ def ClientStatus(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientStatus', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientStatus', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientStatusResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientParams(request, @@ -303,11 +389,21 @@ def ClientParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/ClientParams', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/ClientParams', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryClientParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedClientState(request, @@ -320,11 +416,21 @@ def UpgradedClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/UpgradedClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/UpgradedClientState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradedConsensusState(request, @@ -337,8 +443,18 @@ def UpgradedConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Query/UpgradedConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/UpgradedConsensusState', ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index ad4ee384..92baa2bb 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,38 +21,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._loaded_options = None _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._loaded_options = None _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGCREATECLIENT']._options = None + _globals['_MSGCREATECLIENT']._loaded_options = None _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._loaded_options = None _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPDATECLIENT']._options = None + _globals['_MSGUPDATECLIENT']._loaded_options = None _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._serialized_options = b'\362\336\037\033yaml:\"proof_upgrade_client\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._serialized_options = b'\362\336\037$yaml:\"proof_upgrade_consensus_state\"' - _globals['_MSGUPGRADECLIENT']._options = None + _globals['_MSGUPGRADECLIENT']._loaded_options = None _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATECLIENT']._serialized_start=101 _globals['_MSGCREATECLIENT']._serialized_end=288 diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index f0089396..d51bf3f3 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/client Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/ibc.core.client.v1.Msg/CreateClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClientResponse.FromString, - ) + _registered_method=True) self.UpdateClient = channel.unary_unary( '/ibc.core.client.v1.Msg/UpdateClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClientResponse.FromString, - ) + _registered_method=True) self.UpgradeClient = channel.unary_unary( '/ibc.core.client.v1.Msg/UpgradeClient', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClient.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClientResponse.FromString, - ) + _registered_method=True) self.SubmitMisbehaviour = channel.unary_unary( '/ibc.core.client.v1.Msg/SubmitMisbehaviour', request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -96,6 +121,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.client.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -114,11 +140,21 @@ def CreateClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/CreateClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/CreateClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgCreateClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateClient(request, @@ -131,11 +167,21 @@ def UpdateClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/UpdateClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpdateClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpgradeClient(request, @@ -148,11 +194,21 @@ def UpgradeClient(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/UpgradeClient', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpgradeClient', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClient.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpgradeClientResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitMisbehaviour(request, @@ -165,8 +221,18 @@ def SubmitMisbehaviour(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.client.v1.Msg/SubmitMisbehaviour', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/SubmitMisbehaviour', ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index b2376c63..30bff10d 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/commitment/v1/commitment.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.commitment.v1.commitment_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py index 752b1d3d..a6f028bf 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/connection.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,50 +21,50 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.connection.v1.connection_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py index 143c9e56..9f79857c 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.connection.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py index 3a862f92..8a1d4350 100644 --- a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,34 +25,34 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.connection.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service @@ -19,32 +44,32 @@ def __init__(self, channel): '/ibc.core.connection.v1.Query/Connection', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionResponse.FromString, - ) + _registered_method=True) self.Connections = channel.unary_unary( '/ibc.core.connection.v1.Query/Connections', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsResponse.FromString, - ) + _registered_method=True) self.ClientConnections = channel.unary_unary( '/ibc.core.connection.v1.Query/ClientConnections', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsResponse.FromString, - ) + _registered_method=True) self.ConnectionClientState = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionClientState', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateResponse.FromString, - ) + _registered_method=True) self.ConnectionConsensusState = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionConsensusState', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateResponse.FromString, - ) + _registered_method=True) self.ConnectionParams = channel.unary_unary( '/ibc.core.connection.v1.Query/ConnectionParams', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -133,6 +158,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.connection.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.connection.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -151,11 +177,21 @@ def Connection(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/Connection', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/Connection', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Connections(request, @@ -168,11 +204,21 @@ def Connections(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/Connections', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/Connections', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClientConnections(request, @@ -185,11 +231,21 @@ def ClientConnections(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ClientConnections', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ClientConnections', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryClientConnectionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionClientState(request, @@ -202,11 +258,21 @@ def ConnectionClientState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionClientState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionClientState', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionClientStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionConsensusState(request, @@ -219,11 +285,21 @@ def ConnectionConsensusState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionConsensusState', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionConsensusState', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionConsensusStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionParams(request, @@ -236,8 +312,18 @@ def ConnectionParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Query/ConnectionParams', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Query/ConnectionParams', ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsRequest.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_query__pb2.QueryConnectionParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py index bc9f7fae..633ff3a8 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/connection/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,66 +23,66 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.connection.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/connection Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/ibc.core.connection.v1.Msg/ConnectionOpenInit', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInit.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInitResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenTry = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenTry', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTry.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTryResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenAck = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenAck', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAck.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAckResponse.FromString, - ) + _registered_method=True) self.ConnectionOpenConfirm = channel.unary_unary( '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', request_serializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirm.SerializeToString, response_deserializer=ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirmResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -97,6 +122,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.connection.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('ibc.core.connection.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +141,21 @@ def ConnectionOpenInit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenInit', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenInit', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInit.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenInitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenTry(request, @@ -132,11 +168,21 @@ def ConnectionOpenTry(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenTry', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenTry', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTry.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenTryResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenAck(request, @@ -149,11 +195,21 @@ def ConnectionOpenAck(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenAck', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenAck', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAck.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenAckResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConnectionOpenConfirm(request, @@ -166,8 +222,18 @@ def ConnectionOpenConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.connection.v1.Msg/ConnectionOpenConfirm', ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirm.SerializeToString, ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2.MsgConnectionOpenConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py index e0e0b442..ba891b40 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/types/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v7/modules/core/types' - _globals['_GENESISSTATE'].fields_by_name['client_genesis']._options = None + _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"client_genesis\"' - _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._options = None + _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"connection_genesis\"' - _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._options = None + _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"channel_genesis\"' _globals['_GENESISSTATE']._serialized_start=184 _globals['_GENESISSTATE']._serialized_end=480 diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index 2daafffe..db28782d 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 4c9a149d..ee872ac2 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/localhost/v2/localhost.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhost' - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._options = None + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=135 _globals['_CLIENTSTATE']._serialized_end=211 diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index 2daafffe..ced3d903 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 8016cc92..9f1d32df 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/solomachine/v2/solomachine.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,88 +23,88 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7' - _globals['_DATATYPE']._options = None + _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CLIENT_STATE"]._serialized_options = b'\212\235 \006CLIENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONSENSUS_STATE"]._serialized_options = b'\212\235 \tCONSENSUS' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CONNECTION_STATE"]._serialized_options = b'\212\235 \nCONNECTION' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_CHANNEL_STATE"]._serialized_options = b'\212\235 \007CHANNEL' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_COMMITMENT"]._serialized_options = b'\212\235 \020PACKETCOMMITMENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_ACKNOWLEDGEMENT"]._serialized_options = b'\212\235 \025PACKETACKNOWLEDGEMENT' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_PACKET_RECEIPT_ABSENCE"]._serialized_options = b'\212\235 \024PACKETRECEIPTABSENCE' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._serialized_options = b'\212\235 \020NEXTSEQUENCERECV' - _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._options = None + _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._serialized_options = b'\212\235 \006HEADER' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._options = None + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._options = None + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._serialized_options = b'\362\336\037\"yaml:\"allow_update_after_proposal\"' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._options = None + _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._options = None + _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADER']._options = None + _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._options = None + _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._loaded_options = None _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' - _globals['_SIGNATUREANDDATA']._options = None + _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' - _globals['_TIMESTAMPEDSIGNATUREDATA']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' - _globals['_SIGNBYTES'].fields_by_name['data_type']._options = None + _globals['_SIGNBYTES'].fields_by_name['data_type']._loaded_options = None _globals['_SIGNBYTES'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' - _globals['_SIGNBYTES']._options = None + _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._options = None + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._options = None + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADERDATA']._options = None + _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' - _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._options = None + _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._loaded_options = None _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_CLIENTSTATEDATA']._options = None + _globals['_CLIENTSTATEDATA']._loaded_options = None _globals['_CLIENTSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._options = None + _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._loaded_options = None _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CONSENSUSSTATEDATA']._options = None + _globals['_CONSENSUSSTATEDATA']._loaded_options = None _globals['_CONSENSUSSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CONNECTIONSTATEDATA']._options = None + _globals['_CONNECTIONSTATEDATA']._loaded_options = None _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CHANNELSTATEDATA']._options = None + _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._options = None + _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._loaded_options = None _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._serialized_options = b'\362\336\037\024yaml:\"next_seq_recv\"' _globals['_DATATYPE']._serialized_start=2335 _globals['_DATATYPE']._serialized_end=2859 diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 2daafffe..61b2057f 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index ea5ac236..6ac6b34f 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/solomachine/v3/solomachine.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,44 +21,44 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachine' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._options = None + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._options = None + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._options = None + _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._options = None + _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADER']._options = None + _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_SIGNATUREANDDATA']._options = None + _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' - _globals['_TIMESTAMPEDSIGNATUREDATA']._options = None + _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' - _globals['_SIGNBYTES']._options = None + _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._options = None + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._options = None + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' - _globals['_HEADERDATA']._options = None + _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 _globals['_CLIENTSTATE']._serialized_end=316 diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 2daafffe..0d0343ea 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index e192706c..d0f2048d 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/lightclients/tendermint/v1/tendermint.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,54 +27,54 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermint' - _globals['_CLIENTSTATE'].fields_by_name['trust_level']._options = None + _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"trust_level\"' - _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._options = None + _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"trusting_period\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._options = None + _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"unbonding_period\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._options = None + _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"max_clock_drift\"\230\337\037\001' - _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._options = None + _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"frozen_height\"' - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._options = None + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"latest_height\"' - _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._options = None + _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._serialized_options = b'\362\336\037\022yaml:\"proof_specs\"' - _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._options = None + _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._serialized_options = b'\362\336\037\023yaml:\"upgrade_path\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001\362\336\037 yaml:\"allow_update_after_expiry\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001\362\336\037&yaml:\"allow_update_after_misbehaviour\"' - _globals['_CLIENTSTATE']._options = None + _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CONSENSUSSTATE'].fields_by_name['root']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['root']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['root']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._options = None + _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\362\336\037\033yaml:\"next_validators_hash\"\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CONSENSUSSTATE']._options = None + _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1\362\336\037\017yaml:\"header_1\"' - _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._options = None + _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._loaded_options = None _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2\362\336\037\017yaml:\"header_2\"' - _globals['_MISBEHAVIOUR']._options = None + _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['signed_header']._options = None + _globals['_HEADER'].fields_by_name['signed_header']._loaded_options = None _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001\362\336\037\024yaml:\"signed_header\"' - _globals['_HEADER'].fields_by_name['validator_set']._options = None + _globals['_HEADER'].fields_by_name['validator_set']._loaded_options = None _globals['_HEADER'].fields_by_name['validator_set']._serialized_options = b'\362\336\037\024yaml:\"validator_set\"' - _globals['_HEADER'].fields_by_name['trusted_height']._options = None + _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"trusted_height\"' - _globals['_HEADER'].fields_by_name['trusted_validators']._options = None + _globals['_HEADER'].fields_by_name['trusted_validators']._loaded_options = None _globals['_HEADER'].fields_by_name['trusted_validators']._serialized_options = b'\362\336\037\031yaml:\"trusted_validators\"' _globals['_CLIENTSTATE']._serialized_start=339 _globals['_CLIENTSTATE']._serialized_end=1177 diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 2daafffe..0a72e20f 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index 87d5d94e..b619d8d3 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_BID'].fields_by_name['bidder']._options = None + _globals['_BID'].fields_by_name['bidder']._loaded_options = None _globals['_BID'].fields_by_name['bidder']._serialized_options = b'\352\336\037\006bidder\362\336\037\ryaml:\"bidder\"' - _globals['_BID'].fields_by_name['amount']._options = None + _globals['_BID'].fields_by_name['amount']._loaded_options = None _globals['_BID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTBID'].fields_by_name['amount']._options = None + _globals['_EVENTBID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._options = None + _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._options = None + _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=124 _globals['_PARAMS']._serialized_end=247 diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index 2daafffe..f976ac52 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index f317aaad..b5b7161b 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=134 _globals['_GENESISSTATE']._serialized_end=315 diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index 2daafffe..c4715b7c 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 4a02ef1b..43ba3961 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,20 +24,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._options = None + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._loaded_options = None _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_QUERY'].methods_by_name['AuctionParams']._options = None + _globals['_QUERY'].methods_by_name['AuctionParams']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionParams']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/params' - _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._options = None + _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/basket' - _globals['_QUERY'].methods_by_name['AuctionModuleState']._options = None + _globals['_QUERY'].methods_by_name['AuctionModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionModuleState']._serialized_options = b'\202\323\344\223\002)\022\'/injective/auction/v1beta1/module_state' _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 6c6f059c..8bb4ae1a 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective.auction.v1beta1.Query/AuctionParams', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsResponse.FromString, - ) + _registered_method=True) self.CurrentAuctionBasket = channel.unary_unary( '/injective.auction.v1beta1.Query/CurrentAuctionBasket', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketResponse.FromString, - ) + _registered_method=True) self.AuctionModuleState = channel.unary_unary( '/injective.auction.v1beta1.Query/AuctionModuleState', request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.auction.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def AuctionParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/AuctionParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/AuctionParams', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryAuctionParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CurrentAuctionBasket(request, @@ -114,11 +150,21 @@ def CurrentAuctionBasket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/CurrentAuctionBasket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/CurrentAuctionBasket', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryCurrentAuctionBasketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AuctionModuleState(request, @@ -131,8 +177,18 @@ def AuctionModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Query/AuctionModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/AuctionModuleState', injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index db39a84d..cdb2b3c9 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,18 +24,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_MSGBID'].fields_by_name['bid_amount']._options = None + _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGBID']._options = None + _globals['_MSGBID']._loaded_options = None _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGBID']._serialized_start=212 _globals['_MSGBID']._serialized_end=325 diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index b3d719ea..2ff4f061 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the auction Msg service. @@ -19,12 +44,12 @@ def __init__(self, channel): '/injective.auction.v1beta1.Msg/Bid', request_serializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBid.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBidResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.auction.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -61,6 +86,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.auction.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -79,11 +105,21 @@ def Bid(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Msg/Bid', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Msg/Bid', injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBid.SerializeToString, injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgBidResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -96,8 +132,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.auction.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Msg/UpdateParams', injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_auction_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 99faa370..2e824092 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000' _globals['_PUBKEY']._serialized_start=113 _globals['_PUBKEY']._serialized_end=140 diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index 2daafffe..d64ecc8a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index b929038b..fb52f2a9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,30 +20,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_CREATESPOTLIMITORDERAUTHZ']._options = None + _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATESPOTMARKETORDERAUTHZ']._options = None + _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._loaded_options = None _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELSPOTORDERAUTHZ']._options = None + _globals['_CANCELSPOTORDERAUTHZ']._loaded_options = None _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._options = None + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._loaded_options = None _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._loaded_options = None _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._loaded_options = None _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._loaded_options = None _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELDERIVATIVEORDERAUTHZ']._options = None + _globals['_CANCELDERIVATIVEORDERAUTHZ']._loaded_options = None _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._options = None + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._loaded_options = None _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHUPDATEORDERSAUTHZ']._options = None + _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=97 _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=186 diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index 2daafffe..a9990661 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index b7240f20..9d7fde68 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,54 +23,54 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._options = None + _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._options = None + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._options = None + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._loaded_options = None _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._options = None + _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._loaded_options = None _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTSPOTMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['perpetual_market_info']._serialized_options = b'\310\336\037\001' - _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._options = None + _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\001' - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._options = None + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._options = None + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._loaded_options = None _globals['_EVENTEXPIRYFUTURESMARKETUPDATE'].fields_by_name['expiry_futures_market_info']._serialized_options = b'\310\336\037\001' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\000' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._options = None + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._options = None + _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._options = None + _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._options = None + _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTBALANCETRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._options = None + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._loaded_options = None _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._options = None + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._loaded_options = None _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._options = None + _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._options = None + _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._options = None + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._options = None + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 2daafffe..512bbac9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index a3b9ea02..f59c5f47 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,264 +22,264 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._options = None + _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_ORDERTYPE'].values_by_name["BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY"]._serialized_options = b'\212\235 \003BUY' - _globals['_ORDERTYPE'].values_by_name["SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL"]._serialized_options = b'\212\235 \004SELL' - _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._serialized_options = b'\212\235 \010STOP_BUY' - _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._serialized_options = b'\212\235 \tSTOP_SELL' - _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._serialized_options = b'\212\235 \010TAKE_BUY' - _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._serialized_options = b'\212\235 \tTAKE_SELL' - _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._serialized_options = b'\212\235 \006BUY_PO' - _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._serialized_options = b'\212\235 \007SELL_PO' - _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._serialized_options = b'\212\235 \nBUY_ATOMIC' - _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._serialized_options = b'\212\235 \013SELL_ATOMIC' - _globals['_ORDERMASK'].values_by_name["UNUSED"]._options = None + _globals['_ORDERMASK'].values_by_name["UNUSED"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["UNUSED"]._serialized_options = b'\212\235 \006UNUSED' - _globals['_ORDERMASK'].values_by_name["ANY"]._options = None + _globals['_ORDERMASK'].values_by_name["ANY"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["ANY"]._serialized_options = b'\212\235 \003ANY' - _globals['_ORDERMASK'].values_by_name["REGULAR"]._options = None + _globals['_ORDERMASK'].values_by_name["REGULAR"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["REGULAR"]._serialized_options = b'\212\235 \007REGULAR' - _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._options = None + _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._serialized_options = b'\212\235 \013CONDITIONAL' - _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._serialized_options = b'\212\235 \rBUY_OR_HIGHER' - _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._serialized_options = b'\212\235 \rSELL_OR_LOWER' - _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._serialized_options = b'\212\235 \006MARKET' - _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._serialized_options = b'\212\235 \005LIMIT' - _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._options = None + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._options = None + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFEEMULTIPLIER']._options = None + _globals['_MARKETFEEMULTIPLIER']._loaded_options = None _globals['_MARKETFEEMULTIPLIER']._serialized_options = b'\210\240\037\000' - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET']._options = None + _globals['_DERIVATIVEMARKET']._loaded_options = None _globals['_DERIVATIVEMARKET']._serialized_options = b'\210\240\037\000' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET']._options = None + _globals['_BINARYOPTIONSMARKET']._loaded_options = None _globals['_BINARYOPTIONSMARKET']._serialized_options = b'\210\240\037\000' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._loaded_options = None _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._loaded_options = None _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._loaded_options = None _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._loaded_options = None _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._loaded_options = None _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._options = None + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._loaded_options = None _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['available_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['available_balance']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['total_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['total_balance']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['price']._options = None + _globals['_ORDERINFO'].fields_by_name['price']._loaded_options = None _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['quantity']._options = None + _globals['_ORDERINFO'].fields_by_name['quantity']._loaded_options = None _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._loaded_options = None _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._loaded_options = None _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._loaded_options = None _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._loaded_options = None _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['quantity']._options = None + _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['entry_price']._options = None + _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['margin']._options = None + _globals['_POSITION'].fields_by_name['margin']._loaded_options = None _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['quantity']._options = None + _globals['_TRADELOG'].fields_by_name['quantity']._loaded_options = None _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['price']._options = None + _globals['_TRADELOG'].fields_by_name['price']._loaded_options = None _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee']._options = None + _globals['_TRADELOG'].fields_by_name['fee']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._loaded_options = None _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._loaded_options = None _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._options = None + _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._loaded_options = None _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._loaded_options = None _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._loaded_options = None _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._options = None + _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRADERECORD'].fields_by_name['price']._options = None + _globals['_TRADERECORD'].fields_by_name['price']._loaded_options = None _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADERECORD'].fields_by_name['quantity']._options = None + _globals['_TRADERECORD'].fields_by_name['quantity']._loaded_options = None _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['p']._options = None + _globals['_LEVEL'].fields_by_name['p']._loaded_options = None _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['q']._options = None + _globals['_LEVEL'].fields_by_name['q']._loaded_options = None _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETVOLUME'].fields_by_name['volume']._options = None + _globals['_MARKETVOLUME'].fields_by_name['volume']._loaded_options = None _globals['_MARKETVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12505 _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12621 diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 2daafffe..04af743b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index d1a0c0c3..0ce25dcc 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,48 +22,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._options = None + _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._options = None + _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['derivative_orderbook']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['balances']._options = None + _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['positions']._options = None + _globals['_GENESISSTATE'].fields_by_name['positions']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['positions']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._options = None + _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['subaccount_trade_nonces']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['expiry_futures_market_info_state']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._options = None + _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['perpetual_market_info']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._options = None + _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['perpetual_market_funding_state']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._options = None + _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['derivative_market_settlement_scheduled']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._options = None + _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' - _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._options = None + _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._loaded_options = None _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._options = None + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTORDERBOOK']._options = None + _globals['_SPOTORDERBOOK']._loaded_options = None _globals['_SPOTORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEORDERBOOK']._options = None + _globals['_DERIVATIVEORDERBOOK']._loaded_options = None _globals['_DERIVATIVEORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._options = None + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._loaded_options = None _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_BALANCE']._options = None + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEPOSITION']._options = None + _globals['_DERIVATIVEPOSITION']._loaded_options = None _globals['_DERIVATIVEPOSITION']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._options = None + _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._loaded_options = None _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._serialized_options = b'\310\336\037\000' - _globals['_SUBACCOUNTNONCE']._options = None + _globals['_SUBACCOUNTNONCE']._loaded_options = None _globals['_SUBACCOUNTNONCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=175 _globals['_GENESISSTATE']._serialized_end=2880 diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2daafffe..2ead22e3 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 51bcc459..4bcc35f7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,132 +26,132 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' - _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._serialized_options = b'\212\235 \004SPOT' - _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._serialized_options = b'\212\235 \013DERIVATIVES' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXCHANGEENABLEPROPOSAL']._options = None + _globals['_EXCHANGEENABLEPROPOSAL']._loaded_options = None _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._options = None + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._loaded_options = None _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._loaded_options = None _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._options = None + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._loaded_options = None _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._options = None + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._loaded_options = None _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FEEDISCOUNTPROPOSAL']._options = None + _globals['_FEEDISCOUNTPROPOSAL']._loaded_options = None _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._options = None + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._options = None + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_EXCHANGETYPE']._serialized_start=8872 _globals['_EXCHANGETYPE']._serialized_end=8992 diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index 2daafffe..e392ca56 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index ba892172..92268c7d 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,248 +24,248 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._options = None + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._loaded_options = None _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._serialized_options = b'\310\336\037\001' - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._options = None + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._loaded_options = None _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_options = b'8\001' - _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._options = None + _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None _globals['_QUERYEXCHANGEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000' - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._options = None + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._loaded_options = None _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' - _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._options = None + _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._options = None + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._options = None + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._loaded_options = None _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._options = None + _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._loaded_options = None _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._loaded_options = None _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._options = None + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._options = None + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._options = None + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._options = None + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._loaded_options = None _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._options = None + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._options = None + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._options = None + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._options = None + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' - _globals['_PRICELEVEL'].fields_by_name['price']._options = None + _globals['_PRICELEVEL'].fields_by_name['price']._loaded_options = None _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICELEVEL'].fields_by_name['quantity']._options = None + _globals['_PRICELEVEL'].fields_by_name['quantity']._loaded_options = None _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._options = None + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._loaded_options = None _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._options = None + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' - _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._loaded_options = None _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._loaded_options = None _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._options = None + _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._loaded_options = None _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' - _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000' - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._options = None + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE'].fields_by_name['info']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._options = None + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._options = None + _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' - _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._options = None + _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._loaded_options = None _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._options = None + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._loaded_options = None _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._options = None + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._loaded_options = None _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['available']._options = None + _globals['_BALANCEMISMATCH'].fields_by_name['available']._loaded_options = None _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['total']._options = None + _globals['_BALANCEMISMATCH'].fields_by_name['total']._loaded_options = None _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._options = None + _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._loaded_options = None _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._options = None + _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._loaded_options = None _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEMISMATCH'].fields_by_name['difference']._options = None + _globals['_BALANCEMISMATCH'].fields_by_name['difference']._loaded_options = None _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._loaded_options = None _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._loaded_options = None _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._options = None + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._loaded_options = None _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._options = None + _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._options = None + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._serialized_options = b'\352\336\037\007isLimit' - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._options = None + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._loaded_options = None _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERY'].methods_by_name['QueryExchangeParams']._options = None + _globals['_QUERY'].methods_by_name['QueryExchangeParams']._loaded_options = None _globals['_QUERY'].methods_by_name['QueryExchangeParams']._serialized_options = b'\202\323\344\223\002,\022*/injective/exchange/v1beta1/exchangeParams' - _globals['_QUERY'].methods_by_name['SubaccountDeposits']._options = None + _globals['_QUERY'].methods_by_name['SubaccountDeposits']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountDeposits']._serialized_options = b'\202\323\344\223\0029\0227/injective/exchange/v1beta1/exchange/subaccountDeposits' - _globals['_QUERY'].methods_by_name['SubaccountDeposit']._options = None + _globals['_QUERY'].methods_by_name['SubaccountDeposit']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountDeposit']._serialized_options = b'\202\323\344\223\0028\0226/injective/exchange/v1beta1/exchange/subaccountDeposit' - _globals['_QUERY'].methods_by_name['ExchangeBalances']._options = None + _globals['_QUERY'].methods_by_name['ExchangeBalances']._loaded_options = None _globals['_QUERY'].methods_by_name['ExchangeBalances']._serialized_options = b'\202\323\344\223\0027\0225/injective/exchange/v1beta1/exchange/exchangeBalances' - _globals['_QUERY'].methods_by_name['AggregateVolume']._options = None + _globals['_QUERY'].methods_by_name['AggregateVolume']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateVolume']._serialized_options = b'\202\323\344\223\002@\022>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}' - _globals['_QUERY'].methods_by_name['AggregateVolumes']._options = None + _globals['_QUERY'].methods_by_name['AggregateVolumes']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateVolumes']._serialized_options = b'\202\323\344\223\0027\0225/injective/exchange/v1beta1/exchange/aggregateVolumes' - _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._options = None + _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateMarketVolume']._serialized_options = b'\202\323\344\223\002H\022F/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}' - _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._options = None + _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._loaded_options = None _globals['_QUERY'].methods_by_name['AggregateMarketVolumes']._serialized_options = b'\202\323\344\223\002=\022;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes' - _globals['_QUERY'].methods_by_name['DenomDecimal']._options = None + _globals['_QUERY'].methods_by_name['DenomDecimal']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomDecimal']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}' - _globals['_QUERY'].methods_by_name['DenomDecimals']._options = None + _globals['_QUERY'].methods_by_name['DenomDecimals']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomDecimals']._serialized_options = b'\202\323\344\223\0025\0223/injective/exchange/v1beta1/exchange/denom_decimals' - _globals['_QUERY'].methods_by_name['SpotMarkets']._options = None + _globals['_QUERY'].methods_by_name['SpotMarkets']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMarkets']._serialized_options = b'\202\323\344\223\002*\022(/injective/exchange/v1beta1/spot/markets' - _globals['_QUERY'].methods_by_name['SpotMarket']._options = None + _globals['_QUERY'].methods_by_name['SpotMarket']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMarket']._serialized_options = b'\202\323\344\223\0026\0224/injective/exchange/v1beta1/spot/markets/{market_id}' - _globals['_QUERY'].methods_by_name['FullSpotMarkets']._options = None + _globals['_QUERY'].methods_by_name['FullSpotMarkets']._loaded_options = None _globals['_QUERY'].methods_by_name['FullSpotMarkets']._serialized_options = b'\202\323\344\223\002/\022-/injective/exchange/v1beta1/spot/full_markets' - _globals['_QUERY'].methods_by_name['FullSpotMarket']._options = None + _globals['_QUERY'].methods_by_name['FullSpotMarket']._loaded_options = None _globals['_QUERY'].methods_by_name['FullSpotMarket']._serialized_options = b'\202\323\344\223\002:\0228/injective/exchange/v1beta1/spot/full_market/{market_id}' - _globals['_QUERY'].methods_by_name['SpotOrderbook']._options = None + _globals['_QUERY'].methods_by_name['SpotOrderbook']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotOrderbook']._serialized_options = b'\202\323\344\223\0028\0226/injective/exchange/v1beta1/spot/orderbook/{market_id}' - _globals['_QUERY'].methods_by_name['TraderSpotOrders']._options = None + _globals['_QUERY'].methods_by_name['TraderSpotOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['TraderSpotOrders']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._options = None + _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountAddressSpotOrders']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}' - _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._options = None + _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotOrdersByHashes']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['SubaccountOrders']._options = None + _globals['_QUERY'].methods_by_name['SubaccountOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['SubaccountOrders']._serialized_options = b'\202\323\344\223\0024\0222/injective/exchange/v1beta1/orders/{subaccount_id}' - _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._options = None + _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._loaded_options = None _globals['_QUERY'].methods_by_name['TraderSpotTransientOrders']._serialized_options = b'\202\323\344\223\002O\022M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}' - _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._options = None + _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._loaded_options = None _globals['_QUERY'].methods_by_name['SpotMidPriceAndTOB']._serialized_options = b'\202\323\344\223\002@\022>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}' - _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._options = None + _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._loaded_options = None _globals['_QUERY'].methods_by_name['DerivativeMidPriceAndTOB']._serialized_options = b'\202\323\344\223\002F\022D/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}' - _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._options = None + _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._loaded_options = None _globals['_QUERY'].methods_by_name['DerivativeOrderbook']._serialized_options = b'\202\323\344\223\002>\022\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,287 +44,287 @@ def __init__(self, channel): '/injective.exchange.v1beta1.Query/QueryExchangeParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsResponse.FromString, - ) + _registered_method=True) self.SubaccountDeposits = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountDeposits', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsResponse.FromString, - ) + _registered_method=True) self.SubaccountDeposit = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountDeposit', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositResponse.FromString, - ) + _registered_method=True) self.ExchangeBalances = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExchangeBalances', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesResponse.FromString, - ) + _registered_method=True) self.AggregateVolume = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateVolume', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeResponse.FromString, - ) + _registered_method=True) self.AggregateVolumes = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateVolumes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesResponse.FromString, - ) + _registered_method=True) self.AggregateMarketVolume = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateMarketVolume', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeResponse.FromString, - ) + _registered_method=True) self.AggregateMarketVolumes = channel.unary_unary( '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesResponse.FromString, - ) + _registered_method=True) self.DenomDecimal = channel.unary_unary( '/injective.exchange.v1beta1.Query/DenomDecimal', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalResponse.FromString, - ) + _registered_method=True) self.DenomDecimals = channel.unary_unary( '/injective.exchange.v1beta1.Query/DenomDecimals', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsResponse.FromString, - ) + _registered_method=True) self.SpotMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsResponse.FromString, - ) + _registered_method=True) self.SpotMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketResponse.FromString, - ) + _registered_method=True) self.FullSpotMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/FullSpotMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsResponse.FromString, - ) + _registered_method=True) self.FullSpotMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/FullSpotMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketResponse.FromString, - ) + _registered_method=True) self.SpotOrderbook = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotOrderbook', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookResponse.FromString, - ) + _registered_method=True) self.TraderSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - ) + _registered_method=True) self.AccountAddressSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersResponse.FromString, - ) + _registered_method=True) self.SpotOrdersByHashes = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesResponse.FromString, - ) + _registered_method=True) self.SubaccountOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersResponse.FromString, - ) + _registered_method=True) self.TraderSpotTransientOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - ) + _registered_method=True) self.SpotMidPriceAndTOB = channel.unary_unary( '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBResponse.FromString, - ) + _registered_method=True) self.DerivativeMidPriceAndTOB = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBResponse.FromString, - ) + _registered_method=True) self.DerivativeOrderbook = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeOrderbook', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.AccountAddressDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.DerivativeOrdersByHashes = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeTransientOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.DerivativeMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsResponse.FromString, - ) + _registered_method=True) self.DerivativeMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketResponse.FromString, - ) + _registered_method=True) self.DerivativeMarketAddress = channel.unary_unary( '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressResponse.FromString, - ) + _registered_method=True) self.SubaccountTradeNonce = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceResponse.FromString, - ) + _registered_method=True) self.ExchangeModuleState = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExchangeModuleState', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.Positions = channel.unary_unary( '/injective.exchange.v1beta1.Query/Positions', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsResponse.FromString, - ) + _registered_method=True) self.SubaccountPositions = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountPositions', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsResponse.FromString, - ) + _registered_method=True) self.SubaccountPositionInMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketResponse.FromString, - ) + _registered_method=True) self.SubaccountEffectivePositionInMarket = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketResponse.FromString, - ) + _registered_method=True) self.PerpetualMarketInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoResponse.FromString, - ) + _registered_method=True) self.ExpiryFuturesMarketInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoResponse.FromString, - ) + _registered_method=True) self.PerpetualMarketFunding = channel.unary_unary( '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingResponse.FromString, - ) + _registered_method=True) self.SubaccountOrderMetadata = channel.unary_unary( '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataResponse.FromString, - ) + _registered_method=True) self.TradeRewardPoints = channel.unary_unary( '/injective.exchange.v1beta1.Query/TradeRewardPoints', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - ) + _registered_method=True) self.PendingTradeRewardPoints = channel.unary_unary( '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - ) + _registered_method=True) self.TradeRewardCampaign = channel.unary_unary( '/injective.exchange.v1beta1.Query/TradeRewardCampaign', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignResponse.FromString, - ) + _registered_method=True) self.FeeDiscountAccountInfo = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoResponse.FromString, - ) + _registered_method=True) self.FeeDiscountSchedule = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleResponse.FromString, - ) + _registered_method=True) self.BalanceMismatches = channel.unary_unary( '/injective.exchange.v1beta1.Query/BalanceMismatches', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesResponse.FromString, - ) + _registered_method=True) self.BalanceWithBalanceHolds = channel.unary_unary( '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsResponse.FromString, - ) + _registered_method=True) self.FeeDiscountTierStatistics = channel.unary_unary( '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsResponse.FromString, - ) + _registered_method=True) self.MitoVaultInfos = channel.unary_unary( '/injective.exchange.v1beta1.Query/MitoVaultInfos', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosResponse.FromString, - ) + _registered_method=True) self.QueryMarketIDFromVault = channel.unary_unary( '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultResponse.FromString, - ) + _registered_method=True) self.HistoricalTradeRecords = channel.unary_unary( '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsResponse.FromString, - ) + _registered_method=True) self.IsOptedOutOfRewards = channel.unary_unary( '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsResponse.FromString, - ) + _registered_method=True) self.OptedOutOfRewardsAccounts = channel.unary_unary( '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsResponse.FromString, - ) + _registered_method=True) self.MarketVolatility = channel.unary_unary( '/injective.exchange.v1beta1.Query/MarketVolatility', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityResponse.FromString, - ) + _registered_method=True) self.BinaryOptionsMarkets = channel.unary_unary( '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsResponse.FromString, - ) + _registered_method=True) self.TraderDerivativeConditionalOrders = channel.unary_unary( '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersResponse.FromString, - ) + _registered_method=True) self.MarketAtomicExecutionFeeMultiplier = channel.unary_unary( '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -1001,6 +1026,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.exchange.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -1019,11 +1045,21 @@ def QueryExchangeParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/QueryExchangeParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/QueryExchangeParams', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountDeposits(request, @@ -1036,11 +1072,21 @@ def SubaccountDeposits(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountDeposits', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountDeposits', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountDeposit(request, @@ -1053,11 +1099,21 @@ def SubaccountDeposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountDeposit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountDeposit', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExchangeBalances(request, @@ -1070,11 +1126,21 @@ def ExchangeBalances(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExchangeBalances', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExchangeBalances', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExchangeBalancesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateVolume(request, @@ -1087,11 +1153,21 @@ def AggregateVolume(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateVolume', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateVolume', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateVolumes(request, @@ -1104,11 +1180,21 @@ def AggregateVolumes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateVolumes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateVolumes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateVolumesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateMarketVolume(request, @@ -1121,11 +1207,21 @@ def AggregateMarketVolume(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateMarketVolume', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateMarketVolume', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AggregateMarketVolumes(request, @@ -1138,11 +1234,21 @@ def AggregateMarketVolumes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AggregateMarketVolumes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAggregateMarketVolumesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomDecimal(request, @@ -1155,11 +1261,21 @@ def DenomDecimal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DenomDecimal', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DenomDecimal', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomDecimals(request, @@ -1172,11 +1288,21 @@ def DenomDecimals(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DenomDecimals', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DenomDecimals', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDenomDecimalsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMarkets(request, @@ -1189,11 +1315,21 @@ def SpotMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMarket(request, @@ -1206,11 +1342,21 @@ def SpotMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FullSpotMarkets(request, @@ -1223,11 +1369,21 @@ def FullSpotMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FullSpotMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FullSpotMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FullSpotMarket(request, @@ -1240,11 +1396,21 @@ def FullSpotMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FullSpotMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FullSpotMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFullSpotMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotOrderbook(request, @@ -1257,11 +1423,21 @@ def SpotOrderbook(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotOrderbook', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotOrderbook', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrderbookResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderSpotOrders(request, @@ -1274,11 +1450,21 @@ def TraderSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderSpotOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressSpotOrders(request, @@ -1291,11 +1477,21 @@ def AccountAddressSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AccountAddressSpotOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotOrdersByHashes(request, @@ -1308,11 +1504,21 @@ def SpotOrdersByHashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotOrdersByHashes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotOrdersByHashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrders(request, @@ -1325,11 +1531,21 @@ def SubaccountOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderSpotTransientOrders(request, @@ -1342,11 +1558,21 @@ def TraderSpotTransientOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderSpotTransientOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SpotMidPriceAndTOB(request, @@ -1359,11 +1585,21 @@ def SpotMidPriceAndTOB(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SpotMidPriceAndTOB', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySpotMidPriceAndTOBResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMidPriceAndTOB(request, @@ -1376,11 +1612,21 @@ def DerivativeMidPriceAndTOB(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMidPriceAndTOB', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMidPriceAndTOBResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeOrderbook(request, @@ -1393,11 +1639,21 @@ def DerivativeOrderbook(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeOrderbook', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeOrderbook', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrderbookResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeOrders(request, @@ -1410,11 +1666,21 @@ def TraderDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AccountAddressDerivativeOrders(request, @@ -1427,11 +1693,21 @@ def AccountAddressDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/AccountAddressDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryAccountAddressDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeOrdersByHashes(request, @@ -1444,11 +1720,21 @@ def DerivativeOrdersByHashes(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeOrdersByHashes', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeOrdersByHashesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeTransientOrders(request, @@ -1461,11 +1747,21 @@ def TraderDerivativeTransientOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeTransientOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarkets(request, @@ -1478,11 +1774,21 @@ def DerivativeMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarket(request, @@ -1495,11 +1801,21 @@ def DerivativeMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DerivativeMarketAddress(request, @@ -1512,11 +1828,21 @@ def DerivativeMarketAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/DerivativeMarketAddress', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryDerivativeMarketAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTradeNonce(request, @@ -1529,11 +1855,21 @@ def SubaccountTradeNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountTradeNonce', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountTradeNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExchangeModuleState(request, @@ -1546,11 +1882,21 @@ def ExchangeModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExchangeModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExchangeModuleState', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Positions(request, @@ -1563,11 +1909,21 @@ def Positions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/Positions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/Positions', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountPositions(request, @@ -1580,11 +1936,21 @@ def SubaccountPositions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountPositions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountPositions', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountPositionInMarket(request, @@ -1597,11 +1963,21 @@ def SubaccountPositionInMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountPositionInMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountPositionInMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountEffectivePositionInMarket(request, @@ -1614,11 +1990,21 @@ def SubaccountEffectivePositionInMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountEffectivePositionInMarket', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountEffectivePositionInMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PerpetualMarketInfo(request, @@ -1631,11 +2017,21 @@ def PerpetualMarketInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PerpetualMarketInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExpiryFuturesMarketInfo(request, @@ -1648,11 +2044,21 @@ def ExpiryFuturesMarketInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ExpiryFuturesMarketInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryExpiryFuturesMarketInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PerpetualMarketFunding(request, @@ -1665,11 +2071,21 @@ def PerpetualMarketFunding(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PerpetualMarketFunding', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryPerpetualMarketFundingResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountOrderMetadata(request, @@ -1682,11 +2098,21 @@ def SubaccountOrderMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/SubaccountOrderMetadata', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QuerySubaccountOrderMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradeRewardPoints(request, @@ -1699,11 +2125,21 @@ def TradeRewardPoints(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TradeRewardPoints', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TradeRewardPoints', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PendingTradeRewardPoints(request, @@ -1716,11 +2152,21 @@ def PendingTradeRewardPoints(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/PendingTradeRewardPoints', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardPointsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TradeRewardCampaign(request, @@ -1733,11 +2179,21 @@ def TradeRewardCampaign(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TradeRewardCampaign', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TradeRewardCampaign', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTradeRewardCampaignResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountAccountInfo(request, @@ -1750,11 +2206,21 @@ def FeeDiscountAccountInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountAccountInfo', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountAccountInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountSchedule(request, @@ -1767,11 +2233,21 @@ def FeeDiscountSchedule(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountSchedule', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountScheduleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BalanceMismatches(request, @@ -1784,11 +2260,21 @@ def BalanceMismatches(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BalanceMismatches', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BalanceMismatches', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceMismatchesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BalanceWithBalanceHolds(request, @@ -1801,11 +2287,21 @@ def BalanceWithBalanceHolds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BalanceWithBalanceHolds', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBalanceWithBalanceHoldsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeeDiscountTierStatistics(request, @@ -1818,11 +2314,21 @@ def FeeDiscountTierStatistics(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/FeeDiscountTierStatistics', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryFeeDiscountTierStatisticsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MitoVaultInfos(request, @@ -1835,11 +2341,21 @@ def MitoVaultInfos(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MitoVaultInfos', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MitoVaultInfos', injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.MitoVaultInfosResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def QueryMarketIDFromVault(request, @@ -1852,11 +2368,21 @@ def QueryMarketIDFromVault(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/QueryMarketIDFromVault', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketIDFromVaultResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalTradeRecords(request, @@ -1869,11 +2395,21 @@ def HistoricalTradeRecords(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/HistoricalTradeRecords', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryHistoricalTradeRecordsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IsOptedOutOfRewards(request, @@ -1886,11 +2422,21 @@ def IsOptedOutOfRewards(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/IsOptedOutOfRewards', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryIsOptedOutOfRewardsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OptedOutOfRewardsAccounts(request, @@ -1903,11 +2449,21 @@ def OptedOutOfRewardsAccounts(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/OptedOutOfRewardsAccounts', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryOptedOutOfRewardsAccountsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MarketVolatility(request, @@ -1920,11 +2476,21 @@ def MarketVolatility(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MarketVolatility', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MarketVolatility', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketVolatilityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BinaryOptionsMarkets(request, @@ -1937,11 +2503,21 @@ def BinaryOptionsMarkets(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/BinaryOptionsMarkets', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryBinaryMarketsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TraderDerivativeConditionalOrders(request, @@ -1954,11 +2530,21 @@ def TraderDerivativeConditionalOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/TraderDerivativeConditionalOrders', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryTraderDerivativeConditionalOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MarketAtomicExecutionFeeMultiplier(request, @@ -1971,8 +2557,18 @@ def MarketAtomicExecutionFeeMultiplier(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/MarketAtomicExecutionFeeMultiplier', injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 554f3c6c..fbad95e7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,218 +26,218 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAW'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAW']._options = None + _globals['_MSGWITHDRAW']._loaded_options = None _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTLIMITORDER']._options = None + _globals['_MSGCREATESPOTLIMITORDER']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTMARKETORDER']._options = None + _globals['_MSGCREATESPOTMARKETORDER']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS']._options = None + _globals['_SPOTMARKETORDERRESULTS']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELSPOTORDER']._options = None + _globals['_MSGCANCELSPOTORDER']._loaded_options = None _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELSPOTORDERS']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS']._options = None + _globals['_MSGBATCHUPDATEORDERS']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._options = None + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELDERIVATIVEORDER']._options = None + _globals['_MSGCANCELDERIVATIVEORDER']._loaded_options = None _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCANCELBINARYOPTIONSORDER']._options = None + _globals['_MSGCANCELBINARYOPTIONSORDER']._loaded_options = None _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSUBACCOUNTTRANSFER']._options = None + _globals['_MSGSUBACCOUNTTRANSFER']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGEXTERNALTRANSFER']._options = None + _globals['_MSGEXTERNALTRANSFER']._loaded_options = None _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._options = None + _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._serialized_options = b'\310\336\037\001' - _globals['_MSGLIQUIDATEPOSITION']._options = None + _globals['_MSGLIQUIDATEPOSITION']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEMERGENCYSETTLEMARKET']._options = None + _globals['_MSGEMERGENCYSETTLEMARKET']._loaded_options = None _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINCREASEPOSITIONMARGIN']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN']._loaded_options = None _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRECLAIMLOCKEDFUNDS']._options = None + _globals['_MSGRECLAIMLOCKEDFUNDS']._loaded_options = None _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSIGNDATA'].fields_by_name['Signer']._options = None + _globals['_MSGSIGNDATA'].fields_by_name['Signer']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Signer']._serialized_options = b'\352\336\037\006signer\372\336\037-github.com/cosmos/cosmos-sdk/types.AccAddress' - _globals['_MSGSIGNDATA'].fields_by_name['Data']._options = None + _globals['_MSGSIGNDATA'].fields_by_name['Data']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Data']._serialized_options = b'\352\336\037\004data' - _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._serialized_options = b'\352\336\037\004type' - _globals['_MSGSIGNDOC'].fields_by_name['value']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['value']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['value']._serialized_options = b'\310\336\037\000' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._loaded_options = None _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGUPDATEPARAMS']._serialized_start=304 _globals['_MSGUPDATEPARAMS']._serialized_end=440 diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index 2c783743..ee9dd1d8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the exchange Msg service. @@ -19,157 +44,157 @@ def __init__(self, channel): '/injective.exchange.v1beta1.Msg/Deposit', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - ) + _registered_method=True) self.Withdraw = channel.unary_unary( '/injective.exchange.v1beta1.Msg/Withdraw', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdraw.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdrawResponse.FromString, - ) + _registered_method=True) self.InstantSpotMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunchResponse.FromString, - ) + _registered_method=True) self.InstantPerpetualMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunchResponse.FromString, - ) + _registered_method=True) self.InstantExpiryFuturesMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunchResponse.FromString, - ) + _registered_method=True) self.CreateSpotLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrderResponse.FromString, - ) + _registered_method=True) self.BatchCreateSpotLimitOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrdersResponse.FromString, - ) + _registered_method=True) self.CreateSpotMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelSpotOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelSpotOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelSpotOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrdersResponse.FromString, - ) + _registered_method=True) self.BatchUpdateOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrdersResponse.FromString, - ) + _registered_method=True) self.PrivilegedExecuteContract = channel.unary_unary( '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContract.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContractResponse.FromString, - ) + _registered_method=True) self.CreateDerivativeLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrderResponse.FromString, - ) + _registered_method=True) self.BatchCreateDerivativeLimitOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrdersResponse.FromString, - ) + _registered_method=True) self.CreateDerivativeMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelDerivativeOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelDerivativeOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrdersResponse.FromString, - ) + _registered_method=True) self.InstantBinaryOptionsMarketLaunch = channel.unary_unary( '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunch.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunchResponse.FromString, - ) + _registered_method=True) self.CreateBinaryOptionsLimitOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrderResponse.FromString, - ) + _registered_method=True) self.CreateBinaryOptionsMarketOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrderResponse.FromString, - ) + _registered_method=True) self.CancelBinaryOptionsOrder = channel.unary_unary( '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrder.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrderResponse.FromString, - ) + _registered_method=True) self.BatchCancelBinaryOptionsOrders = channel.unary_unary( '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrders.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrdersResponse.FromString, - ) + _registered_method=True) self.SubaccountTransfer = channel.unary_unary( '/injective.exchange.v1beta1.Msg/SubaccountTransfer', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransfer.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransferResponse.FromString, - ) + _registered_method=True) self.ExternalTransfer = channel.unary_unary( '/injective.exchange.v1beta1.Msg/ExternalTransfer', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransfer.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransferResponse.FromString, - ) + _registered_method=True) self.LiquidatePosition = channel.unary_unary( '/injective.exchange.v1beta1.Msg/LiquidatePosition', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePosition.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePositionResponse.FromString, - ) + _registered_method=True) self.EmergencySettleMarket = channel.unary_unary( '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarketResponse.FromString, - ) + _registered_method=True) self.IncreasePositionMargin = channel.unary_unary( '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, - ) + _registered_method=True) self.RewardsOptOut = channel.unary_unary( '/injective.exchange.v1beta1.Msg/RewardsOptOut', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOutResponse.FromString, - ) + _registered_method=True) self.AdminUpdateBinaryOptionsMarket = channel.unary_unary( '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, - ) + _registered_method=True) self.ReclaimLockedFunds = channel.unary_unary( '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.exchange.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -574,6 +599,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.exchange.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -592,11 +618,21 @@ def Deposit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/Deposit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/Deposit', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDeposit.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDepositResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Withdraw(request, @@ -609,11 +645,21 @@ def Withdraw(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/Withdraw', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/Withdraw', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdraw.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgWithdrawResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantSpotMarketLaunch(request, @@ -626,11 +672,21 @@ def InstantSpotMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantSpotMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantSpotMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantPerpetualMarketLaunch(request, @@ -643,11 +699,21 @@ def InstantPerpetualMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantPerpetualMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantPerpetualMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantExpiryFuturesMarketLaunch(request, @@ -660,11 +726,21 @@ def InstantExpiryFuturesMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantExpiryFuturesMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantExpiryFuturesMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateSpotLimitOrder(request, @@ -677,11 +753,21 @@ def CreateSpotLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateSpotLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCreateSpotLimitOrders(request, @@ -694,11 +780,21 @@ def BatchCreateSpotLimitOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCreateSpotLimitOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateSpotLimitOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateSpotMarketOrder(request, @@ -711,11 +807,21 @@ def CreateSpotMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateSpotMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateSpotMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelSpotOrder(request, @@ -728,11 +834,21 @@ def CancelSpotOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelSpotOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelSpotOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelSpotOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelSpotOrders(request, @@ -745,11 +861,21 @@ def BatchCancelSpotOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelSpotOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelSpotOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchUpdateOrders(request, @@ -762,11 +888,21 @@ def BatchUpdateOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchUpdateOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchUpdateOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrivilegedExecuteContract(request, @@ -779,11 +915,21 @@ def PrivilegedExecuteContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/PrivilegedExecuteContract', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContract.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgPrivilegedExecuteContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateDerivativeLimitOrder(request, @@ -796,11 +942,21 @@ def CreateDerivativeLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateDerivativeLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCreateDerivativeLimitOrders(request, @@ -813,11 +969,21 @@ def BatchCreateDerivativeLimitOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCreateDerivativeLimitOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCreateDerivativeLimitOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateDerivativeMarketOrder(request, @@ -830,11 +996,21 @@ def CreateDerivativeMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateDerivativeMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateDerivativeMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelDerivativeOrder(request, @@ -847,11 +1023,21 @@ def CancelDerivativeOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelDerivativeOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelDerivativeOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelDerivativeOrders(request, @@ -864,11 +1050,21 @@ def BatchCancelDerivativeOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelDerivativeOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelDerivativeOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InstantBinaryOptionsMarketLaunch(request, @@ -881,11 +1077,21 @@ def InstantBinaryOptionsMarketLaunch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/InstantBinaryOptionsMarketLaunch', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunch.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgInstantBinaryOptionsMarketLaunchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateBinaryOptionsLimitOrder(request, @@ -898,11 +1104,21 @@ def CreateBinaryOptionsLimitOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsLimitOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsLimitOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateBinaryOptionsMarketOrder(request, @@ -915,11 +1131,21 @@ def CreateBinaryOptionsMarketOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CreateBinaryOptionsMarketOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCreateBinaryOptionsMarketOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelBinaryOptionsOrder(request, @@ -932,11 +1158,21 @@ def CancelBinaryOptionsOrder(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/CancelBinaryOptionsOrder', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrder.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgCancelBinaryOptionsOrderResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchCancelBinaryOptionsOrders(request, @@ -949,11 +1185,21 @@ def BatchCancelBinaryOptionsOrders(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/BatchCancelBinaryOptionsOrders', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrders.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgBatchCancelBinaryOptionsOrdersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubaccountTransfer(request, @@ -966,11 +1212,21 @@ def SubaccountTransfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/SubaccountTransfer', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/SubaccountTransfer', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransfer.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgSubaccountTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExternalTransfer(request, @@ -983,11 +1239,21 @@ def ExternalTransfer(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/ExternalTransfer', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/ExternalTransfer', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransfer.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgExternalTransferResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LiquidatePosition(request, @@ -1000,11 +1266,21 @@ def LiquidatePosition(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/LiquidatePosition', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/LiquidatePosition', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePosition.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgLiquidatePositionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EmergencySettleMarket(request, @@ -1017,11 +1293,21 @@ def EmergencySettleMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/EmergencySettleMarket', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarket.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgEmergencySettleMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def IncreasePositionMargin(request, @@ -1034,11 +1320,21 @@ def IncreasePositionMargin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/IncreasePositionMargin', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RewardsOptOut(request, @@ -1051,11 +1347,21 @@ def RewardsOptOut(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/RewardsOptOut', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/RewardsOptOut', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOutResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AdminUpdateBinaryOptionsMarket(request, @@ -1068,11 +1374,21 @@ def AdminUpdateBinaryOptionsMarket(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/AdminUpdateBinaryOptionsMarket', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ReclaimLockedFunds(request, @@ -1085,11 +1401,21 @@ def ReclaimLockedFunds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -1102,8 +1428,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.exchange.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/UpdateParams', injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index b1928c3a..9ecc1663 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,16 +22,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._options = None + _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._loaded_options = None _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._serialized_options = b'\310\336\037\000' - _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._options = None + _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._options = None + _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._loaded_options = None _globals['_EVENTUNDERWRITE'].fields_by_name['shares']._serialized_options = b'\310\336\037\000' - _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._options = None + _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._loaded_options = None _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._serialized_options = b'\310\336\037\000' _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_start=172 _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=256 diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index 2daafffe..f5f15403 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index b3c01d14..80d3497c 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._options = None + _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._options = None + _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=142 _globals['_GENESISSTATE']._serialized_end=440 diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index 2daafffe..fe975d23 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index da00ec79..e7c3b4f3 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,22 +24,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._options = None + _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._options = None + _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\037(yaml:\"redemption_notice_period_duration\"\230\337\037\001' - _globals['_INSURANCEFUND'].fields_by_name['balance']._options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_INSURANCEFUND'].fields_by_name['total_share']._options = None + _globals['_INSURANCEFUND'].fields_by_name['total_share']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._serialized_options = b'\310\336\037\000\362\336\037 yaml:\"claimable_redemption_time\"\220\337\037\001' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._serialized_start=235 _globals['_PARAMS']._serialized_end=390 diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 2daafffe..31b5576f 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index 58847af3..5ed392a7 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,28 +24,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._options = None + _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._loaded_options = None _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._serialized_options = b'\310\336\037\000' - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYPENDINGREDEMPTIONSRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['InsuranceParams']._options = None + _globals['_QUERY'].methods_by_name['InsuranceParams']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceParams']._serialized_options = b'\202\323\344\223\002%\022#/injective/insurance/v1beta1/params' - _globals['_QUERY'].methods_by_name['InsuranceFund']._options = None + _globals['_QUERY'].methods_by_name['InsuranceFund']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceFund']._serialized_options = b'\202\323\344\223\0029\0227/injective/insurance/v1beta1/insurance_fund/{market_id}' - _globals['_QUERY'].methods_by_name['InsuranceFunds']._options = None + _globals['_QUERY'].methods_by_name['InsuranceFunds']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceFunds']._serialized_options = b'\202\323\344\223\002.\022,/injective/insurance/v1beta1/insurance_funds' - _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._options = None + _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._loaded_options = None _globals['_QUERY'].methods_by_name['EstimatedRedemptions']._serialized_options = b'\202\323\344\223\0024\0222/injective/insurance/v1beta1/estimated_redemptions' - _globals['_QUERY'].methods_by_name['PendingRedemptions']._options = None + _globals['_QUERY'].methods_by_name['PendingRedemptions']._loaded_options = None _globals['_QUERY'].methods_by_name['PendingRedemptions']._serialized_options = b'\202\323\344\223\0022\0220/injective/insurance/v1beta1/pending_redemptions' - _globals['_QUERY'].methods_by_name['InsuranceModuleState']._options = None + _globals['_QUERY'].methods_by_name['InsuranceModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['InsuranceModuleState']._serialized_options = b'\202\323\344\223\002+\022)/injective/insurance/v1beta1/module_state' _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_start=244 _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_end=273 diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index 0381d778..ec238297 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.insurance.v1beta1.Query/InsuranceParams', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsResponse.FromString, - ) + _registered_method=True) self.InsuranceFund = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceFund', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundResponse.FromString, - ) + _registered_method=True) self.InsuranceFunds = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceFunds', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsResponse.FromString, - ) + _registered_method=True) self.EstimatedRedemptions = channel.unary_unary( '/injective.insurance.v1beta1.Query/EstimatedRedemptions', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsResponse.FromString, - ) + _registered_method=True) self.PendingRedemptions = channel.unary_unary( '/injective.insurance.v1beta1.Query/PendingRedemptions', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsResponse.FromString, - ) + _registered_method=True) self.InsuranceModuleState = channel.unary_unary( '/injective.insurance.v1beta1.Query/InsuranceModuleState', request_serializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -131,6 +156,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.insurance.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.insurance.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -149,11 +175,21 @@ def InsuranceParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceParams', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceFund(request, @@ -166,11 +202,21 @@ def InsuranceFund(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceFund', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceFund', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceFunds(request, @@ -183,11 +229,21 @@ def InsuranceFunds(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceFunds', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceFunds', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryInsuranceFundsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EstimatedRedemptions(request, @@ -200,11 +256,21 @@ def EstimatedRedemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/EstimatedRedemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/EstimatedRedemptions', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryEstimatedRedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PendingRedemptions(request, @@ -217,11 +283,21 @@ def PendingRedemptions(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/PendingRedemptions', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/PendingRedemptions', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryPendingRedemptionsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InsuranceModuleState(request, @@ -234,8 +310,18 @@ def InsuranceModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Query/InsuranceModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Query/InsuranceModuleState', injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 19a70878..67fa3770 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,26 +25,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._options = None + _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEINSURANCEFUND']._options = None + _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._options = None + _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGUNDERWRITE']._options = None + _globals['_MSGUNDERWRITE']._loaded_options = None _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._options = None + _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._loaded_options = None _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGREQUESTREDEMPTION']._options = None + _globals['_MSGREQUESTREDEMPTION']._loaded_options = None _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEINSURANCEFUND']._serialized_start=260 _globals['_MSGCREATEINSURANCEFUND']._serialized_end=534 diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index a92289e0..87d53729 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the insurance Msg service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFund.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFundResponse.FromString, - ) + _registered_method=True) self.Underwrite = channel.unary_unary( '/injective.insurance.v1beta1.Msg/Underwrite', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwrite.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwriteResponse.FromString, - ) + _registered_method=True) self.RequestRedemption = channel.unary_unary( '/injective.insurance.v1beta1.Msg/RequestRedemption', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemption.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemptionResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.insurance.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -97,6 +122,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.insurance.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.insurance.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -115,11 +141,21 @@ def CreateInsuranceFund(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/CreateInsuranceFund', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFund.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgCreateInsuranceFundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Underwrite(request, @@ -132,11 +168,21 @@ def Underwrite(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/Underwrite', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/Underwrite', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwrite.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUnderwriteResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestRedemption(request, @@ -149,11 +195,21 @@ def RequestRedemption(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/RequestRedemption', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/RequestRedemption', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemption.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgRequestRedemptionResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -166,8 +222,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.insurance.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.insurance.v1beta1.Msg/UpdateParams', injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_insurance_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index efa408f3..41ef308a 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_REWARDPOOL'].fields_by_name['amount']._options = None + _globals['_REWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_REWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=150 _globals['_GENESISSTATE']._serialized_end=771 diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 2daafffe..9240f0ba 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 80f7bccd..0234cebb 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/ocr.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,50 +23,50 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.ocr_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_MODULEPARAMS'].fields_by_name['min_answer']._options = None + _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MODULEPARAMS'].fields_by_name['max_answer']._options = None + _globals['_MODULEPARAMS'].fields_by_name['max_answer']._loaded_options = None _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._options = None + _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._loaded_options = None _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._options = None + _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._loaded_options = None _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_SETCONFIGPROPOSAL']._options = None + _globals['_SETCONFIGPROPOSAL']._loaded_options = None _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._options = None + _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._loaded_options = None _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._options = None + _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._loaded_options = None _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._options = None + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._loaded_options = None _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._options = None + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._loaded_options = None _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_SETBATCHCONFIGPROPOSAL']._options = None + _globals['_SETBATCHCONFIGPROPOSAL']._loaded_options = None _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRANSMISSION'].fields_by_name['answer']._options = None + _globals['_TRANSMISSION'].fields_by_name['answer']._loaded_options = None _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_REPORT'].fields_by_name['observations']._options = None + _globals['_REPORT'].fields_by_name['observations']._loaded_options = None _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTORACLEPAID'].fields_by_name['amount']._options = None + _globals['_EVENTORACLEPAID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTORACLEPAID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._options = None + _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVENTNEWROUND'].fields_by_name['round_id']._options = None + _globals['_EVENTNEWROUND'].fields_by_name['round_id']._loaded_options = None _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTNEWROUND'].fields_by_name['started_at']._options = None + _globals['_EVENTNEWROUND'].fields_by_name['started_at']._loaded_options = None _globals['_EVENTNEWROUND'].fields_by_name['started_at']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._options = None + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._loaded_options = None _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._options = None + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PARAMS']._serialized_start=172 _globals['_PARAMS']._serialized_end=259 diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 2daafffe..73cf0672 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index 4bd5baf7..c49c510f 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,26 +24,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._options = None + _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYOWEDAMOUNTRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\037\022\035/chainlink/ocr/v1beta1/params' - _globals['_QUERY'].methods_by_name['FeedConfig']._options = None + _globals['_QUERY'].methods_by_name['FeedConfig']._loaded_options = None _globals['_QUERY'].methods_by_name['FeedConfig']._serialized_options = b'\202\323\344\223\002.\022,/chainlink/ocr/v1beta1/feed_config/{feed_id}' - _globals['_QUERY'].methods_by_name['FeedConfigInfo']._options = None + _globals['_QUERY'].methods_by_name['FeedConfigInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['FeedConfigInfo']._serialized_options = b'\202\323\344\223\0023\0221/chainlink/ocr/v1beta1/feed_config_info/{feed_id}' - _globals['_QUERY'].methods_by_name['LatestRound']._options = None + _globals['_QUERY'].methods_by_name['LatestRound']._loaded_options = None _globals['_QUERY'].methods_by_name['LatestRound']._serialized_options = b'\202\323\344\223\002/\022-/chainlink/ocr/v1beta1/latest_round/{feed_id}' - _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._options = None + _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._loaded_options = None _globals['_QUERY'].methods_by_name['LatestTransmissionDetails']._serialized_options = b'\202\323\344\223\002>\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for OCR module. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.ocr.v1beta1.Query/Params', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.FeedConfig = channel.unary_unary( '/injective.ocr.v1beta1.Query/FeedConfig', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigResponse.FromString, - ) + _registered_method=True) self.FeedConfigInfo = channel.unary_unary( '/injective.ocr.v1beta1.Query/FeedConfigInfo', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoResponse.FromString, - ) + _registered_method=True) self.LatestRound = channel.unary_unary( '/injective.ocr.v1beta1.Query/LatestRound', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundResponse.FromString, - ) + _registered_method=True) self.LatestTransmissionDetails = channel.unary_unary( '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsResponse.FromString, - ) + _registered_method=True) self.OwedAmount = channel.unary_unary( '/injective.ocr.v1beta1.Query/OwedAmount', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountResponse.FromString, - ) + _registered_method=True) self.OcrModuleState = channel.unary_unary( '/injective.ocr.v1beta1.Query/OcrModuleState', request_serializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -147,6 +172,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.ocr.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.ocr.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -165,11 +191,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/Params', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeedConfig(request, @@ -182,11 +218,21 @@ def FeedConfig(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/FeedConfig', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/FeedConfig', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FeedConfigInfo(request, @@ -199,11 +245,21 @@ def FeedConfigInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/FeedConfigInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/FeedConfigInfo', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryFeedConfigInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LatestRound(request, @@ -216,11 +272,21 @@ def LatestRound(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/LatestRound', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/LatestRound', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestRoundResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LatestTransmissionDetails(request, @@ -233,11 +299,21 @@ def LatestTransmissionDetails(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/LatestTransmissionDetails', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryLatestTransmissionDetailsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OwedAmount(request, @@ -250,11 +326,21 @@ def OwedAmount(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/OwedAmount', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/OwedAmount', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryOwedAmountResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OcrModuleState(request, @@ -267,8 +353,18 @@ def OcrModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Query/OcrModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Query/OcrModuleState', injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index 3872e2c2..581b21e9 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,38 +24,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_MSGCREATEFEED']._options = None + _globals['_MSGCREATEFEED']._loaded_options = None _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._loaded_options = None _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED']._options = None + _globals['_MSGUPDATEFEED']._loaded_options = None _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSMIT']._options = None + _globals['_MSGTRANSMIT']._loaded_options = None _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGFUNDFEEDREWARDPOOL']._options = None + _globals['_MSGFUNDFEEDREWARDPOOL']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGSETPAYEES']._options = None + _globals['_MSGSETPAYEES']._loaded_options = None _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSFERPAYEESHIP']._options = None + _globals['_MSGTRANSFERPAYEESHIP']._loaded_options = None _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGACCEPTPAYEESHIP']._options = None + _globals['_MSGACCEPTPAYEESHIP']._loaded_options = None _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEFEED']._serialized_start=196 _globals['_MSGCREATEFEED']._serialized_end=299 diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index b4e4a6e2..d99edfa5 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.ocr.v1beta1 import tx_pb2 as injective_dot_ocr_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the OCR Msg service. @@ -19,47 +44,47 @@ def __init__(self, channel): '/injective.ocr.v1beta1.Msg/CreateFeed', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeed.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeedResponse.FromString, - ) + _registered_method=True) self.UpdateFeed = channel.unary_unary( '/injective.ocr.v1beta1.Msg/UpdateFeed', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeed.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeedResponse.FromString, - ) + _registered_method=True) self.Transmit = channel.unary_unary( '/injective.ocr.v1beta1.Msg/Transmit', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmit.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmitResponse.FromString, - ) + _registered_method=True) self.FundFeedRewardPool = channel.unary_unary( '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPool.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPoolResponse.FromString, - ) + _registered_method=True) self.WithdrawFeedRewardPool = channel.unary_unary( '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPool.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPoolResponse.FromString, - ) + _registered_method=True) self.SetPayees = channel.unary_unary( '/injective.ocr.v1beta1.Msg/SetPayees', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayees.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayeesResponse.FromString, - ) + _registered_method=True) self.TransferPayeeship = channel.unary_unary( '/injective.ocr.v1beta1.Msg/TransferPayeeship', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeship.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeshipResponse.FromString, - ) + _registered_method=True) self.AcceptPayeeship = channel.unary_unary( '/injective.ocr.v1beta1.Msg/AcceptPayeeship', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeship.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeshipResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.ocr.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -184,6 +209,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.ocr.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.ocr.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -202,11 +228,21 @@ def CreateFeed(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/CreateFeed', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/CreateFeed', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeed.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgCreateFeedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateFeed(request, @@ -219,11 +255,21 @@ def UpdateFeed(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/UpdateFeed', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/UpdateFeed', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeed.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateFeedResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Transmit(request, @@ -236,11 +282,21 @@ def Transmit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/Transmit', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/Transmit', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmit.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransmitResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def FundFeedRewardPool(request, @@ -253,11 +309,21 @@ def FundFeedRewardPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/FundFeedRewardPool', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPool.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgFundFeedRewardPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawFeedRewardPool(request, @@ -270,11 +336,21 @@ def WithdrawFeedRewardPool(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/WithdrawFeedRewardPool', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPool.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgWithdrawFeedRewardPoolResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetPayees(request, @@ -287,11 +363,21 @@ def SetPayees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/SetPayees', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/SetPayees', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayees.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgSetPayeesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TransferPayeeship(request, @@ -304,11 +390,21 @@ def TransferPayeeship(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/TransferPayeeship', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/TransferPayeeship', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeship.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgTransferPayeeshipResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AcceptPayeeship(request, @@ -321,11 +417,21 @@ def AcceptPayeeship(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/AcceptPayeeship', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/AcceptPayeeship', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeship.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgAcceptPayeeshipResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -338,8 +444,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.ocr.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.ocr.v1beta1.Msg/UpdateParams', injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_ocr_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index 810529d7..27828a0a 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._options = None + _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._options = None + _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._options = None + _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._loaded_options = None _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._options = None + _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._options = None + _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._options = None + _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=284 diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 2daafffe..879f7df6 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py index d06221a8..5bb1fefb 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._options = None + _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=130 _globals['_GENESISSTATE']._serialized_end=1095 diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 2daafffe..1234a6d3 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 89ffe898..e49d92da 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,48 +21,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDPRICESTATE'].fields_by_name['rate']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_BANDPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICESTATE'].fields_by_name['price']._options = None + _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._options = None + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._options = None + _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._loaded_options = None _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PRICERECORD'].fields_by_name['price']._options = None + _globals['_PRICERECORD'].fields_by_name['price']._loaded_options = None _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['mean']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['mean']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['twap']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['twap']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_ORACLETYPE']._serialized_start=3375 _globals['_ORACLETYPE']._serialized_end=3534 diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 2daafffe..893bb41b 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index a2799067..c018fc50 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,30 +23,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._serialized_options = b'\310\336\037\000' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._loaded_options = None _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._options = None + _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' - _globals['_ENABLEBANDIBCPROPOSAL']._options = None + _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=190 _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=318 diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index 2daafffe..bbfd8d96 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 092d3a04..961271a7 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,52 +23,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._options = None + _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._loaded_options = None _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._loaded_options = None _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._loaded_options = None _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._loaded_options = None _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._options = None + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._loaded_options = None _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\"\022 /injective/oracle/v1beta1/params' - _globals['_QUERY'].methods_by_name['BandRelayers']._options = None + _globals['_QUERY'].methods_by_name['BandRelayers']._loaded_options = None _globals['_QUERY'].methods_by_name['BandRelayers']._serialized_options = b'\202\323\344\223\002)\022\'/injective/oracle/v1beta1/band_relayers' - _globals['_QUERY'].methods_by_name['BandPriceStates']._options = None + _globals['_QUERY'].methods_by_name['BandPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['BandPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/band_price_states' - _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._options = None + _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['BandIBCPriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/band_ibc_price_states' - _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._options = None + _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PriceFeedPriceStates']._serialized_options = b'\202\323\344\223\0022\0220/injective/oracle/v1beta1/pricefeed_price_states' - _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._options = None + _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/coinbase_price_states' - _globals['_QUERY'].methods_by_name['PythPriceStates']._options = None + _globals['_QUERY'].methods_by_name['PythPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/pyth_price_states' - _globals['_QUERY'].methods_by_name['ProviderPriceState']._options = None + _globals['_QUERY'].methods_by_name['ProviderPriceState']._loaded_options = None _globals['_QUERY'].methods_by_name['ProviderPriceState']._serialized_options = b'\202\323\344\223\002D\022B/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}' - _globals['_QUERY'].methods_by_name['OracleModuleState']._options = None + _globals['_QUERY'].methods_by_name['OracleModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleModuleState']._serialized_options = b'\202\323\344\223\002(\022&/injective/oracle/v1beta1/module_state' - _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._options = None + _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._loaded_options = None _globals['_QUERY'].methods_by_name['HistoricalPriceRecords']._serialized_options = b'\202\323\344\223\0024\0222/injective/oracle/v1beta1/historical_price_records' - _globals['_QUERY'].methods_by_name['OracleVolatility']._options = None + _globals['_QUERY'].methods_by_name['OracleVolatility']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleVolatility']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/volatility' - _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._options = None + _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleProvidersInfo']._serialized_options = b'\202\323\344\223\002%\022#/injective/oracle/v1beta1/providers' - _globals['_QUERY'].methods_by_name['OracleProviderPrices']._options = None + _globals['_QUERY'].methods_by_name['OracleProviderPrices']._loaded_options = None _globals['_QUERY'].methods_by_name['OracleProviderPrices']._serialized_options = b'\202\323\344\223\002+\022)/injective/oracle/v1beta1/provider_prices' - _globals['_QUERY'].methods_by_name['OraclePrice']._options = None + _globals['_QUERY'].methods_by_name['OraclePrice']._loaded_options = None _globals['_QUERY'].methods_by_name['OraclePrice']._serialized_options = b'\202\323\344\223\002!\022\037/injective/oracle/v1beta1/price' - _globals['_QUERY'].methods_by_name['PythPrice']._options = None + _globals['_QUERY'].methods_by_name['PythPrice']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPrice']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/pyth_price' _globals['_QUERYPYTHPRICEREQUEST']._serialized_start=197 _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=238 diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index b53286c6..533ddda8 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,77 +44,77 @@ def __init__(self, channel): '/injective.oracle.v1beta1.Query/Params', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.BandRelayers = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandRelayers', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersResponse.FromString, - ) + _registered_method=True) self.BandPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesResponse.FromString, - ) + _registered_method=True) self.BandIBCPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/BandIBCPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesResponse.FromString, - ) + _registered_method=True) self.PriceFeedPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesResponse.FromString, - ) + _registered_method=True) self.CoinbasePriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/CoinbasePriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesResponse.FromString, - ) + _registered_method=True) self.PythPriceStates = channel.unary_unary( '/injective.oracle.v1beta1.Query/PythPriceStates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, - ) + _registered_method=True) self.ProviderPriceState = channel.unary_unary( '/injective.oracle.v1beta1.Query/ProviderPriceState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateResponse.FromString, - ) + _registered_method=True) self.OracleModuleState = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleModuleState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.HistoricalPriceRecords = channel.unary_unary( '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsResponse.FromString, - ) + _registered_method=True) self.OracleVolatility = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleVolatility', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityResponse.FromString, - ) + _registered_method=True) self.OracleProvidersInfo = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleProvidersInfo', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoResponse.FromString, - ) + _registered_method=True) self.OracleProviderPrices = channel.unary_unary( '/injective.oracle.v1beta1.Query/OracleProviderPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesResponse.FromString, - ) + _registered_method=True) self.OraclePrice = channel.unary_unary( '/injective.oracle.v1beta1.Query/OraclePrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceResponse.FromString, - ) + _registered_method=True) self.PythPrice = channel.unary_unary( '/injective.oracle.v1beta1.Query/PythPrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -279,6 +304,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.oracle.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.oracle.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -297,11 +323,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/Params', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandRelayers(request, @@ -314,11 +350,21 @@ def BandRelayers(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandRelayers', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandRelayers', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandRelayersResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandPriceStates(request, @@ -331,11 +377,21 @@ def BandPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BandIBCPriceStates(request, @@ -348,11 +404,21 @@ def BandIBCPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/BandIBCPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/BandIBCPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryBandIBCPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PriceFeedPriceStates(request, @@ -365,11 +431,21 @@ def PriceFeedPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PriceFeedPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPriceFeedPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CoinbasePriceStates(request, @@ -382,11 +458,21 @@ def CoinbasePriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/CoinbasePriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/CoinbasePriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryCoinbasePriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PythPriceStates(request, @@ -399,11 +485,21 @@ def PythPriceStates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PythPriceStates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PythPriceStates', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ProviderPriceState(request, @@ -416,11 +512,21 @@ def ProviderPriceState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/ProviderPriceState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/ProviderPriceState', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleModuleState(request, @@ -433,11 +539,21 @@ def OracleModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleModuleState', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def HistoricalPriceRecords(request, @@ -450,11 +566,21 @@ def HistoricalPriceRecords(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/HistoricalPriceRecords', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryHistoricalPriceRecordsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleVolatility(request, @@ -467,11 +593,21 @@ def OracleVolatility(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleVolatility', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleVolatility', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleVolatilityResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleProvidersInfo(request, @@ -484,11 +620,21 @@ def OracleProvidersInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleProvidersInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleProvidersInfo', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProvidersInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OracleProviderPrices(request, @@ -501,11 +647,21 @@ def OracleProviderPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OracleProviderPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OracleProviderPrices', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOracleProviderPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OraclePrice(request, @@ -518,11 +674,21 @@ def OraclePrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/OraclePrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/OraclePrice', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryOraclePriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PythPrice(request, @@ -535,8 +701,18 @@ def PythPrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Query/PythPrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/PythPrice', injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceRequest.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 3c795ee6..8531932d 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,30 +23,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPROVIDERPRICES']._options = None + _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPRICEFEEDPRICE']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE']._loaded_options = None _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYBANDRATES']._options = None + _globals['_MSGRELAYBANDRATES']._loaded_options = None _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer' - _globals['_MSGRELAYCOINBASEMESSAGES']._options = None + _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTBANDIBCRATES']._options = None + _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPYTHPRICES']._options = None + _globals['_MSGRELAYPYTHPRICES']._loaded_options = None _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=177 _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=337 diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index fed28416..da1f6435 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the oracle Msg service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.oracle.v1beta1.Msg/RelayProviderPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPrices.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPricesResponse.FromString, - ) + _registered_method=True) self.RelayPriceFeedPrice = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPrice.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPriceResponse.FromString, - ) + _registered_method=True) self.RelayBandRates = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayBandRates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRates.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRatesResponse.FromString, - ) + _registered_method=True) self.RequestBandIBCRates = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRates.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRatesResponse.FromString, - ) + _registered_method=True) self.RelayCoinbaseMessages = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, - ) + _registered_method=True) self.RelayPythPrices = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPythPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPricesResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.oracle.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -150,6 +175,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.oracle.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.oracle.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -168,11 +194,21 @@ def RelayProviderPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayProviderPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayProviderPrices', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPrices.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayProviderPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayPriceFeedPrice(request, @@ -185,11 +221,21 @@ def RelayPriceFeedPrice(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayPriceFeedPrice', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPrice.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPriceFeedPriceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayBandRates(request, @@ -202,11 +248,21 @@ def RelayBandRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayBandRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayBandRates', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRates.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayBandRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestBandIBCRates(request, @@ -219,11 +275,21 @@ def RequestBandIBCRates(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RequestBandIBCRates', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRates.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRequestBandIBCRatesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayCoinbaseMessages(request, @@ -236,11 +302,21 @@ def RelayCoinbaseMessages(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayCoinbaseMessages', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RelayPythPrices(request, @@ -253,11 +329,21 @@ def RelayPythPrices(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/RelayPythPrices', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayPythPrices', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPricesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -270,8 +356,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.oracle.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/UpdateParams', injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index 9719317e..ad6a8047 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/attestation.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.attestation_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_CLAIMTYPE']._options = None + _globals['_CLAIMTYPE']._loaded_options = None _globals['_CLAIMTYPE']._serialized_options = b'\210\243\036\000' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._serialized_options = b'\212\235 \022CLAIM_TYPE_UNKNOWN' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_DEPOSIT"]._serialized_options = b'\212\235 \022CLAIM_TYPE_DEPOSIT' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_WITHDRAW"]._serialized_options = b'\212\235 \023CLAIM_TYPE_WITHDRAW' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_ERC20_DEPLOYED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_ERC20_DEPLOYED' - _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._options = None + _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' - _globals['_ERC20TOKEN'].fields_by_name['amount']._options = None + _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_CLAIMTYPE']._serialized_start=307 _globals['_CLAIMTYPE']._serialized_end=594 diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 2daafffe..285bf82a 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index 1f92c341..b2320be9 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/batch.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.batch_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_OUTGOINGTXBATCH']._serialized_start=93 _globals['_OUTGOINGTXBATCH']._serialized_end=255 diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 2daafffe..4993584c 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index 888281fc..538dc534 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/ethereum_signer.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.ethereum_signer_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_SIGNTYPE']._options = None + _globals['_SIGNTYPE']._loaded_options = None _globals['_SIGNTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_SIGNTYPE']._serialized_start=87 _globals['_SIGNTYPE']._serialized_end=232 diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 2daafffe..3c90ed86 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index c108a59b..a565b6b0 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,18 +22,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._options = None + _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTSENDTOETH'].fields_by_name['amount']._options = None + _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._options = None + _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._options = None + _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._options = None + _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 2daafffe..858a3ebc 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index 01eaa57d..fbc92421 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,10 +26,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._options = None + _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=277 _globals['_GENESISSTATE']._serialized_end=1045 diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 2daafffe..24d3f129 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index 528f2253..fa00cdb5 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,64 +27,64 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_MSGVALSETCONFIRM']._options = None + _globals['_MSGVALSETCONFIRM']._loaded_options = None _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGSENDTOETH'].fields_by_name['amount']._options = None + _globals['_MSGSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._options = None + _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH']._options = None + _globals['_MSGSENDTOETH']._loaded_options = None _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREQUESTBATCH']._options = None + _globals['_MSGREQUESTBATCH']._loaded_options = None _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCONFIRMBATCH']._options = None + _globals['_MSGCONFIRMBATCH']._loaded_options = None _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGDEPOSITCLAIM']._options = None + _globals['_MSGDEPOSITCLAIM']._loaded_options = None _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGWITHDRAWCLAIM']._options = None + _globals['_MSGWITHDRAWCLAIM']._loaded_options = None _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGERC20DEPLOYEDCLAIM']._options = None + _globals['_MSGERC20DEPLOYEDCLAIM']._loaded_options = None _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCANCELSENDTOETH']._options = None + _globals['_MSGCANCELSENDTOETH']._loaded_options = None _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._options = None + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._loaded_options = None _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._options = None + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGVALSETUPDATEDCLAIM']._options = None + _globals['_MSGVALSETUPDATEDCLAIM']._loaded_options = None _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSG'].methods_by_name['ValsetConfirm']._options = None + _globals['_MSG'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/valset_confirm' - _globals['_MSG'].methods_by_name['SendToEth']._options = None + _globals['_MSG'].methods_by_name['SendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['SendToEth']._serialized_options = b'\202\323\344\223\002!\"\037/injective/peggy/v1/send_to_eth' - _globals['_MSG'].methods_by_name['RequestBatch']._options = None + _globals['_MSG'].methods_by_name['RequestBatch']._loaded_options = None _globals['_MSG'].methods_by_name['RequestBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/request_batch' - _globals['_MSG'].methods_by_name['ConfirmBatch']._options = None + _globals['_MSG'].methods_by_name['ConfirmBatch']._loaded_options = None _globals['_MSG'].methods_by_name['ConfirmBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/confirm_batch' - _globals['_MSG'].methods_by_name['DepositClaim']._options = None + _globals['_MSG'].methods_by_name['DepositClaim']._loaded_options = None _globals['_MSG'].methods_by_name['DepositClaim']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/deposit_claim' - _globals['_MSG'].methods_by_name['WithdrawClaim']._options = None + _globals['_MSG'].methods_by_name['WithdrawClaim']._loaded_options = None _globals['_MSG'].methods_by_name['WithdrawClaim']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/withdraw_claim' - _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._options = None + _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/valset_updated_claim' - _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._options = None + _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/erc20_deployed_claim' - _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._options = None + _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._loaded_options = None _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._serialized_options = b'\202\323\344\223\002.\",/injective/peggy/v1/set_orchestrator_address' - _globals['_MSG'].methods_by_name['CancelSendToEth']._options = None + _globals['_MSG'].methods_by_name['CancelSendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['CancelSendToEth']._serialized_options = b'\202\323\344\223\002(\"&/injective/peggy/v1/cancel_send_to_eth' - _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._options = None + _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=281 _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=369 diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index 7d419880..7860bac1 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/msgs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Missing associated documentation comment in .proto file.""" @@ -18,62 +43,62 @@ def __init__(self, channel): '/injective.peggy.v1.Msg/ValsetConfirm', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirm.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirmResponse.FromString, - ) + _registered_method=True) self.SendToEth = channel.unary_unary( '/injective.peggy.v1.Msg/SendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEthResponse.FromString, - ) + _registered_method=True) self.RequestBatch = channel.unary_unary( '/injective.peggy.v1.Msg/RequestBatch', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatch.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatchResponse.FromString, - ) + _registered_method=True) self.ConfirmBatch = channel.unary_unary( '/injective.peggy.v1.Msg/ConfirmBatch', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatch.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatchResponse.FromString, - ) + _registered_method=True) self.DepositClaim = channel.unary_unary( '/injective.peggy.v1.Msg/DepositClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaimResponse.FromString, - ) + _registered_method=True) self.WithdrawClaim = channel.unary_unary( '/injective.peggy.v1.Msg/WithdrawClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaimResponse.FromString, - ) + _registered_method=True) self.ValsetUpdateClaim = channel.unary_unary( '/injective.peggy.v1.Msg/ValsetUpdateClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaimResponse.FromString, - ) + _registered_method=True) self.ERC20DeployedClaim = channel.unary_unary( '/injective.peggy.v1.Msg/ERC20DeployedClaim', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaim.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaimResponse.FromString, - ) + _registered_method=True) self.SetOrchestratorAddresses = channel.unary_unary( '/injective.peggy.v1.Msg/SetOrchestratorAddresses', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddresses.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddressesResponse.FromString, - ) + _registered_method=True) self.CancelSendToEth = channel.unary_unary( '/injective.peggy.v1.Msg/CancelSendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEthResponse.FromString, - ) + _registered_method=True) self.SubmitBadSignatureEvidence = channel.unary_unary( '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidence.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidenceResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.peggy.v1.Msg/UpdateParams', request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -218,6 +243,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.peggy.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -235,11 +261,21 @@ def ValsetConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ValsetConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ValsetConfirm', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirm.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SendToEth(request, @@ -252,11 +288,21 @@ def SendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SendToEth', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RequestBatch(request, @@ -269,11 +315,21 @@ def RequestBatch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/RequestBatch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/RequestBatch', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatch.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRequestBatchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ConfirmBatch(request, @@ -286,11 +342,21 @@ def ConfirmBatch(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ConfirmBatch', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ConfirmBatch', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatch.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgConfirmBatchResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DepositClaim(request, @@ -303,11 +369,21 @@ def DepositClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/DepositClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/DepositClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgDepositClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WithdrawClaim(request, @@ -320,11 +396,21 @@ def WithdrawClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/WithdrawClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/WithdrawClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgWithdrawClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetUpdateClaim(request, @@ -337,11 +423,21 @@ def ValsetUpdateClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ValsetUpdateClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ValsetUpdateClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgValsetUpdatedClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ERC20DeployedClaim(request, @@ -354,11 +450,21 @@ def ERC20DeployedClaim(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/ERC20DeployedClaim', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/ERC20DeployedClaim', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaim.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgERC20DeployedClaimResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetOrchestratorAddresses(request, @@ -371,11 +477,21 @@ def SetOrchestratorAddresses(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SetOrchestratorAddresses', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SetOrchestratorAddresses', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddresses.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSetOrchestratorAddressesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CancelSendToEth(request, @@ -388,11 +504,21 @@ def CancelSendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/CancelSendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/CancelSendToEth', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgCancelSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SubmitBadSignatureEvidence(request, @@ -405,11 +531,21 @@ def SubmitBadSignatureEvidence(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/SubmitBadSignatureEvidence', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidence.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgSubmitBadSignatureEvidenceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -422,8 +558,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/UpdateParams', injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index 55a209ce..a70647d1 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['valset_reward']._options = None + _globals['_PARAMS'].fields_by_name['valset_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['valset_reward']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\200\334 \000' _globals['_PARAMS']._serialized_start=110 _globals['_PARAMS']._serialized_end=1061 diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 2daafffe..3b937d48 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index cfdf40c9..2d0fbf82 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/pool.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.pool_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BATCHFEES'].fields_by_name['total_fees']._options = None + _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_IDSET']._serialized_start=75 _globals['_IDSET']._serialized_end=95 diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 2daafffe..339e9c5c 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py index 5692f14d..bfcf4b13 100644 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._options = None + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._loaded_options = None _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._options = None + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._loaded_options = None _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=248 diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py index 2daafffe..64f11e45 100644 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index 717e9b8e..a94e2102 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,52 +27,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\022\022\020/peggy/v1/params' - _globals['_QUERY'].methods_by_name['CurrentValset']._options = None + _globals['_QUERY'].methods_by_name['CurrentValset']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentValset']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/valset/current' - _globals['_QUERY'].methods_by_name['ValsetRequest']._options = None + _globals['_QUERY'].methods_by_name['ValsetRequest']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetRequest']._serialized_options = b'\202\323\344\223\002\022\022\020/peggy/v1/valset' - _globals['_QUERY'].methods_by_name['ValsetConfirm']._options = None + _globals['_QUERY'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/valset/confirm' - _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._options = None + _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._loaded_options = None _globals['_QUERY'].methods_by_name['ValsetConfirmsByNonce']._serialized_options = b'\202\323\344\223\002\034\022\032/peggy/v1/confirms/{nonce}' - _globals['_QUERY'].methods_by_name['LastValsetRequests']._options = None + _globals['_QUERY'].methods_by_name['LastValsetRequests']._loaded_options = None _globals['_QUERY'].methods_by_name['LastValsetRequests']._serialized_options = b'\202\323\344\223\002\033\022\031/peggy/v1/valset/requests' - _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastPendingValsetRequestByAddr']._serialized_options = b'\202\323\344\223\002\027\022\025/peggy/v1/valset/last' - _globals['_QUERY'].methods_by_name['LastEventByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastEventByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastEventByAddr']._serialized_options = b'\202\323\344\223\002\"\022 /peggy/v1/oracle/event/{address}' - _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._options = None + _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._loaded_options = None _globals['_QUERY'].methods_by_name['GetPendingSendToEth']._serialized_options = b'\202\323\344\223\002\037\022\035/peggy/v1/pending_send_to_eth' - _globals['_QUERY'].methods_by_name['BatchFees']._options = None + _globals['_QUERY'].methods_by_name['BatchFees']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchFees']._serialized_options = b'\202\323\344\223\002\025\022\023/peggy/v1/batchfees' - _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._options = None + _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._loaded_options = None _globals['_QUERY'].methods_by_name['OutgoingTxBatches']._serialized_options = b'\202\323\344\223\002\034\022\032/peggy/v1/batch/outgoingtx' - _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._options = None + _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._loaded_options = None _globals['_QUERY'].methods_by_name['LastPendingBatchRequestByAddr']._serialized_options = b'\202\323\344\223\002\026\022\024/peggy/v1/batch/last' - _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._options = None + _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchRequestByNonce']._serialized_options = b'\202\323\344\223\002\021\022\017/peggy/v1/batch' - _globals['_QUERY'].methods_by_name['BatchConfirms']._options = None + _globals['_QUERY'].methods_by_name['BatchConfirms']._loaded_options = None _globals['_QUERY'].methods_by_name['BatchConfirms']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/batch/confirms' - _globals['_QUERY'].methods_by_name['ERC20ToDenom']._options = None + _globals['_QUERY'].methods_by_name['ERC20ToDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['ERC20ToDenom']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/cosmos_originated/erc20_to_denom' - _globals['_QUERY'].methods_by_name['DenomToERC20']._options = None + _globals['_QUERY'].methods_by_name['DenomToERC20']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomToERC20']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/cosmos_originated/denom_to_erc20' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByValidator']._serialized_options = b'\202\323\344\223\002,\022*/peggy/v1/query_delegate_keys_by_validator' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByEth']._serialized_options = b'\202\323\344\223\002&\022$/peggy/v1/query_delegate_keys_by_eth' - _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._options = None + _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._loaded_options = None _globals['_QUERY'].methods_by_name['GetDelegateKeyByOrchestrator']._serialized_options = b'\202\323\344\223\002/\022-/peggy/v1/query_delegate_keys_by_orchestrator' - _globals['_QUERY'].methods_by_name['PeggyModuleState']._options = None + _globals['_QUERY'].methods_by_name['PeggyModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['PeggyModuleState']._serialized_options = b'\202\323\344\223\002\030\022\026/peggy/v1/module_state' - _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._options = None + _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._loaded_options = None _globals['_QUERY'].methods_by_name['MissingPeggoNonces']._serialized_options = b'\202\323\344\223\002\032\022\030/peggy/v1/missing_nonces' _globals['_QUERYPARAMSREQUEST']._serialized_start=299 _globals['_QUERYPARAMSREQUEST']._serialized_end=319 diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index 1216a17f..a8887191 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service @@ -19,107 +44,107 @@ def __init__(self, channel): '/injective.peggy.v1.Query/Params', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.CurrentValset = channel.unary_unary( '/injective.peggy.v1.Query/CurrentValset', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetResponse.FromString, - ) + _registered_method=True) self.ValsetRequest = channel.unary_unary( '/injective.peggy.v1.Query/ValsetRequest', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestResponse.FromString, - ) + _registered_method=True) self.ValsetConfirm = channel.unary_unary( '/injective.peggy.v1.Query/ValsetConfirm', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmResponse.FromString, - ) + _registered_method=True) self.ValsetConfirmsByNonce = channel.unary_unary( '/injective.peggy.v1.Query/ValsetConfirmsByNonce', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceResponse.FromString, - ) + _registered_method=True) self.LastValsetRequests = channel.unary_unary( '/injective.peggy.v1.Query/LastValsetRequests', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsResponse.FromString, - ) + _registered_method=True) self.LastPendingValsetRequestByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrResponse.FromString, - ) + _registered_method=True) self.LastEventByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastEventByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrResponse.FromString, - ) + _registered_method=True) self.GetPendingSendToEth = channel.unary_unary( '/injective.peggy.v1.Query/GetPendingSendToEth', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEth.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEthResponse.FromString, - ) + _registered_method=True) self.BatchFees = channel.unary_unary( '/injective.peggy.v1.Query/BatchFees', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeResponse.FromString, - ) + _registered_method=True) self.OutgoingTxBatches = channel.unary_unary( '/injective.peggy.v1.Query/OutgoingTxBatches', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesResponse.FromString, - ) + _registered_method=True) self.LastPendingBatchRequestByAddr = channel.unary_unary( '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrResponse.FromString, - ) + _registered_method=True) self.BatchRequestByNonce = channel.unary_unary( '/injective.peggy.v1.Query/BatchRequestByNonce', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceResponse.FromString, - ) + _registered_method=True) self.BatchConfirms = channel.unary_unary( '/injective.peggy.v1.Query/BatchConfirms', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsResponse.FromString, - ) + _registered_method=True) self.ERC20ToDenom = channel.unary_unary( '/injective.peggy.v1.Query/ERC20ToDenom', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomResponse.FromString, - ) + _registered_method=True) self.DenomToERC20 = channel.unary_unary( '/injective.peggy.v1.Query/DenomToERC20', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Request.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Response.FromString, - ) + _registered_method=True) self.GetDelegateKeyByValidator = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByValidator', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddressResponse.FromString, - ) + _registered_method=True) self.GetDelegateKeyByEth = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByEth', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddressResponse.FromString, - ) + _registered_method=True) self.GetDelegateKeyByOrchestrator = channel.unary_unary( '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddress.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddressResponse.FromString, - ) + _registered_method=True) self.PeggyModuleState = channel.unary_unary( '/injective.peggy.v1.Query/PeggyModuleState', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) self.MissingPeggoNonces = channel.unary_unary( '/injective.peggy.v1.Query/MissingPeggoNonces', request_serializer=injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesRequest.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -369,6 +394,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.peggy.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -387,11 +413,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/Params', injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CurrentValset(request, @@ -404,11 +440,21 @@ def CurrentValset(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/CurrentValset', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/CurrentValset', injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryCurrentValsetResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetRequest(request, @@ -421,11 +467,21 @@ def ValsetRequest(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetRequest', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetRequest', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetRequestResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetConfirm(request, @@ -438,11 +494,21 @@ def ValsetConfirm(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetConfirm', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetConfirm', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ValsetConfirmsByNonce(request, @@ -455,11 +521,21 @@ def ValsetConfirmsByNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ValsetConfirmsByNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ValsetConfirmsByNonce', injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryValsetConfirmsByNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastValsetRequests(request, @@ -472,11 +548,21 @@ def LastValsetRequests(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastValsetRequests', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastValsetRequests', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastValsetRequestsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastPendingValsetRequestByAddr(request, @@ -489,11 +575,21 @@ def LastPendingValsetRequestByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastPendingValsetRequestByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingValsetRequestByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastEventByAddr(request, @@ -506,11 +602,21 @@ def LastEventByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastEventByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastEventByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastEventByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetPendingSendToEth(request, @@ -523,11 +629,21 @@ def GetPendingSendToEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetPendingSendToEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetPendingSendToEth', injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEth.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryPendingSendToEthResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchFees(request, @@ -540,11 +656,21 @@ def BatchFees(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchFees', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchFees', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchFeeResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OutgoingTxBatches(request, @@ -557,11 +683,21 @@ def OutgoingTxBatches(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/OutgoingTxBatches', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/OutgoingTxBatches', injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryOutgoingTxBatchesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LastPendingBatchRequestByAddr(request, @@ -574,11 +710,21 @@ def LastPendingBatchRequestByAddr(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/LastPendingBatchRequestByAddr', injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryLastPendingBatchRequestByAddrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchRequestByNonce(request, @@ -591,11 +737,21 @@ def BatchRequestByNonce(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchRequestByNonce', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchRequestByNonce', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchRequestByNonceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BatchConfirms(request, @@ -608,11 +764,21 @@ def BatchConfirms(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/BatchConfirms', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/BatchConfirms', injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryBatchConfirmsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ERC20ToDenom(request, @@ -625,11 +791,21 @@ def ERC20ToDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/ERC20ToDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/ERC20ToDenom', injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryERC20ToDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomToERC20(request, @@ -642,11 +818,21 @@ def DenomToERC20(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/DenomToERC20', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/DenomToERC20', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Request.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDenomToERC20Response.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByValidator(request, @@ -659,11 +845,21 @@ def GetDelegateKeyByValidator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByValidator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByValidator', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByValidatorAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByEth(request, @@ -676,11 +872,21 @@ def GetDelegateKeyByEth(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByEth', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByEth', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByEthAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetDelegateKeyByOrchestrator(request, @@ -693,11 +899,21 @@ def GetDelegateKeyByOrchestrator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/GetDelegateKeyByOrchestrator', injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddress.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryDelegateKeysByOrchestratorAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PeggyModuleState(request, @@ -710,11 +926,21 @@ def PeggyModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/PeggyModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/PeggyModuleState', injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def MissingPeggoNonces(request, @@ -727,8 +953,18 @@ def MissingPeggoNonces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.peggy.v1.Query/MissingPeggoNonces', + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Query/MissingPeggoNonces', injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesRequest.SerializeToString, injective_dot_peggy_dot_v1_dot_query__pb2.MissingNoncesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index aa5e859f..3641cb92 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_VALSET'].fields_by_name['reward_amount']._options = None + _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 _globals['_BRIDGEVALIDATOR']._serialized_end=134 diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 2daafffe..833de0b8 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 4b208977..29e3dc50 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,7 +22,7 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 2daafffe..41b37ec2 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index 7fb4bafa..9ce92f81 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['namespaces']._options = None + _globals['_GENESISSTATE'].fields_by_name['namespaces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['namespaces']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=194 _globals['_GENESISSTATE']._serialized_end=337 diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 2daafffe..9ab6244e 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 2605a01c..96981d40 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_PARAMS']._serialized_start=158 _globals['_PARAMS']._serialized_end=166 diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 2daafffe..870daa66 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index 5fe5b99a..5e1d7e10 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/permissions.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.permissions_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_VOUCHER'].fields_by_name['coins']._options = None + _globals['_VOUCHER'].fields_by_name['coins']._loaded_options = None _globals['_VOUCHER'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_ACTION']._serialized_start=696 _globals['_ACTION']._serialized_end=754 diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 2daafffe..9a75aeea 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index 2acc16ea..1a1d7f4b 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,22 +25,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\'\022%/injective/permissions/v1beta1/params' - _globals['_QUERY'].methods_by_name['AllNamespaces']._options = None + _globals['_QUERY'].methods_by_name['AllNamespaces']._loaded_options = None _globals['_QUERY'].methods_by_name['AllNamespaces']._serialized_options = b'\202\323\344\223\002/\022-/injective/permissions/v1beta1/all_namespaces' - _globals['_QUERY'].methods_by_name['NamespaceByDenom']._options = None + _globals['_QUERY'].methods_by_name['NamespaceByDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['NamespaceByDenom']._serialized_options = b'\202\323\344\223\0023\0221/injective/permissions/v1beta1/namespace_by_denom' - _globals['_QUERY'].methods_by_name['AddressRoles']._options = None + _globals['_QUERY'].methods_by_name['AddressRoles']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressRoles']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' - _globals['_QUERY'].methods_by_name['AddressesByRole']._options = None + _globals['_QUERY'].methods_by_name['AddressesByRole']._loaded_options = None _globals['_QUERY'].methods_by_name['AddressesByRole']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' - _globals['_QUERY'].methods_by_name['VouchersForAddress']._options = None + _globals['_QUERY'].methods_by_name['VouchersForAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['VouchersForAddress']._serialized_options = b'\202\323\344\223\0025\0223/injective/permissions/v1beta1/vouchers_for_address' _globals['_QUERYPARAMSREQUEST']._serialized_start=310 _globals['_QUERYPARAMSREQUEST']._serialized_end=330 diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index f18e05de..34f74fb6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.permissions.v1beta1.Query/Params', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.AllNamespaces = channel.unary_unary( '/injective.permissions.v1beta1.Query/AllNamespaces', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesResponse.FromString, - ) + _registered_method=True) self.NamespaceByDenom = channel.unary_unary( '/injective.permissions.v1beta1.Query/NamespaceByDenom', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomResponse.FromString, - ) + _registered_method=True) self.AddressRoles = channel.unary_unary( '/injective.permissions.v1beta1.Query/AddressRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesResponse.FromString, - ) + _registered_method=True) self.AddressesByRole = channel.unary_unary( '/injective.permissions.v1beta1.Query/AddressesByRole', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleResponse.FromString, - ) + _registered_method=True) self.VouchersForAddress = channel.unary_unary( '/injective.permissions.v1beta1.Query/VouchersForAddress', request_serializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressRequest.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -137,6 +162,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.permissions.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.permissions.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -155,11 +181,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/Params', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AllNamespaces(request, @@ -172,11 +208,21 @@ def AllNamespaces(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AllNamespaces', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AllNamespaces', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAllNamespacesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def NamespaceByDenom(request, @@ -189,11 +235,21 @@ def NamespaceByDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/NamespaceByDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/NamespaceByDenom', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryNamespaceByDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressRoles(request, @@ -206,11 +262,21 @@ def AddressRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AddressRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AddressRoles', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def AddressesByRole(request, @@ -223,11 +289,21 @@ def AddressesByRole(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/AddressesByRole', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/AddressesByRole', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryAddressesByRoleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def VouchersForAddress(request, @@ -240,8 +316,18 @@ def VouchersForAddress(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Query/VouchersForAddress', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Query/VouchersForAddress', injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressRequest.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_query__pb2.QueryVouchersForAddressResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index c0b9830f..b93827bd 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,40 +26,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATENAMESPACE']._options = None + _globals['_MSGCREATENAMESPACE']._loaded_options = None _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGDELETENAMESPACE']._options = None + _globals['_MSGDELETENAMESPACE']._loaded_options = None _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACE']._options = None + _globals['_MSGUPDATENAMESPACE']._loaded_options = None _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACEROLES']._options = None + _globals['_MSGUPDATENAMESPACEROLES']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGREVOKENAMESPACEROLES']._options = None + _globals['_MSGREVOKENAMESPACEROLES']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._options = None + _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._loaded_options = None _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCLAIMVOUCHER']._options = None + _globals['_MSGCLAIMVOUCHER']._loaded_options = None _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGUPDATEPARAMS']._serialized_start=305 _globals['_MSGUPDATEPARAMS']._serialized_end=444 diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index 4bf8a9ca..d2c1c175 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the permissions module's gRPC message service. @@ -19,37 +44,37 @@ def __init__(self, channel): '/injective.permissions.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.CreateNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/CreateNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespaceResponse.FromString, - ) + _registered_method=True) self.DeleteNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/DeleteNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespaceResponse.FromString, - ) + _registered_method=True) self.UpdateNamespace = channel.unary_unary( '/injective.permissions.v1beta1.Msg/UpdateNamespace', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespace.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceResponse.FromString, - ) + _registered_method=True) self.UpdateNamespaceRoles = channel.unary_unary( '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRoles.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRolesResponse.FromString, - ) + _registered_method=True) self.RevokeNamespaceRoles = channel.unary_unary( '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRoles.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRolesResponse.FromString, - ) + _registered_method=True) self.ClaimVoucher = channel.unary_unary( '/injective.permissions.v1beta1.Msg/ClaimVoucher', request_serializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucher.SerializeToString, response_deserializer=injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucherResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -140,6 +165,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.permissions.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.permissions.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -158,11 +184,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateParams', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CreateNamespace(request, @@ -175,11 +211,21 @@ def CreateNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/CreateNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/CreateNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgCreateNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DeleteNamespace(request, @@ -192,11 +238,21 @@ def DeleteNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/DeleteNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/DeleteNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgDeleteNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateNamespace(request, @@ -209,11 +265,21 @@ def UpdateNamespace(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateNamespace', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateNamespace', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespace.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateNamespaceRoles(request, @@ -226,11 +292,21 @@ def UpdateNamespaceRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/UpdateNamespaceRoles', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRoles.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgUpdateNamespaceRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RevokeNamespaceRoles(request, @@ -243,11 +319,21 @@ def RevokeNamespaceRoles(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/RevokeNamespaceRoles', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRoles.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgRevokeNamespaceRolesResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ClaimVoucher(request, @@ -260,8 +346,18 @@ def ClaimVoucher(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.permissions.v1beta1.Msg/ClaimVoucher', + return grpc.experimental.unary_unary( + request, + target, + '/injective.permissions.v1beta1.Msg/ClaimVoucher', injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucher.SerializeToString, injective_dot_permissions_dot_v1beta1_dot_tx__pb2.MsgClaimVoucherResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index ff884f8c..fe02abbd 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/stream/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,62 +23,62 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.stream.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types' - _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_trades_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_trades_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_orders_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_orders_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['spot_orderbooks_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['derivative_orderbooks_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['positions_filter']._serialized_options = b'\310\336\037\001' - _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._options = None + _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['oracle_price_filter']._serialized_options = b'\310\336\037\001' - _globals['_BANKBALANCE'].fields_by_name['balances']._options = None + _globals['_BANKBALANCE'].fields_by_name['balances']._loaded_options = None _globals['_BANKBALANCE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._options = None + _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._loaded_options = None _globals['_SUBACCOUNTDEPOSITS'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000' - _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._options = None + _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._loaded_options = None _globals['_SUBACCOUNTDEPOSIT'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['order']._options = None + _globals['_SPOTORDER'].fields_by_name['order']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['order']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['order']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_POSITION'].fields_by_name['quantity']._options = None + _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['entry_price']._options = None + _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['margin']._options = None + _globals['_POSITION'].fields_by_name['margin']._loaded_options = None _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORACLEPRICE'].fields_by_name['price']._options = None + _globals['_ORACLEPRICE'].fields_by_name['price']._loaded_options = None _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['quantity']._options = None + _globals['_SPOTTRADE'].fields_by_name['quantity']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['price']._options = None + _globals['_SPOTTRADE'].fields_by_name['price']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['fee']._options = None + _globals['_SPOTTRADE'].fields_by_name['fee']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._options = None + _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVETRADE'].fields_by_name['payout']._options = None + _globals['_DERIVATIVETRADE'].fields_by_name['payout']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADE'].fields_by_name['fee']._options = None + _globals['_DERIVATIVETRADE'].fields_by_name['fee']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._options = None + _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' _globals['_ORDERUPDATESTATUS']._serialized_start=4471 _globals['_ORDERUPDATESTATUS']._serialized_end=4547 diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index ae67349d..fe20a632 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class StreamStub(object): """ChainStream defines the gRPC streaming service. @@ -19,7 +44,7 @@ def __init__(self, channel): '/injective.stream.v1beta1.Stream/Stream', request_serializer=injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamRequest.SerializeToString, response_deserializer=injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamResponse.FromString, - ) + _registered_method=True) class StreamServicer(object): @@ -44,6 +69,7 @@ def add_StreamServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.stream.v1beta1.Stream', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.stream.v1beta1.Stream', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -62,8 +88,18 @@ def Stream(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_stream(request, target, '/injective.stream.v1beta1.Stream/Stream', + return grpc.experimental.unary_stream( + request, + target, + '/injective.stream.v1beta1.Stream/Stream', injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamRequest.SerializeToString, injective_dot_stream_dot_v1beta1_dot_query__pb2.StreamResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index cb42f8c9..1792ac43 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/authorityMetadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.authorityMetadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._options = None + _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._serialized_options = b'\362\336\037\014yaml:\"admin\"' - _globals['_DENOMAUTHORITYMETADATA']._options = None + _globals['_DENOMAUTHORITYMETADATA']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA']._serialized_options = b'\350\240\037\001' _globals['_DENOMAUTHORITYMETADATA']._serialized_start=144 _globals['_DENOMAUTHORITYMETADATA']._serialized_end=207 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 2daafffe..0c5058eb 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index f0b6c8b3..7076fc69 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._options = None + _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTBURNDENOM'].fields_by_name['amount']._options = None + _globals['_EVENTBURNDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBURNDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._options = None + _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_EVENTCREATETFDENOM']._serialized_start=221 _globals['_EVENTCREATETFDENOM']._serialized_end=273 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 2daafffe..659a9505 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index 2097d63d..02d506de 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._options = None + _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"factory_denoms\"' - _globals['_GENESISDENOM'].fields_by_name['denom']._options = None + _globals['_GENESISDENOM'].fields_by_name['denom']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._options = None + _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['authority_metadata']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"authority_metadata\"' - _globals['_GENESISDENOM'].fields_by_name['name']._options = None + _globals['_GENESISDENOM'].fields_by_name['name']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_GENESISDENOM'].fields_by_name['symbol']._options = None + _globals['_GENESISDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_GENESISDENOM']._options = None + _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 _globals['_GENESISSTATE']._serialized_end=381 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index 2daafffe..a6e6f09d 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 4321ec5b..53bf6d21 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,10 +23,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_PARAMS'].fields_by_name['denom_creation_fee']._options = None + _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=217 _globals['_PARAMS']._serialized_end=360 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index 2daafffe..f264546f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index 3df53d7e..7a99b1c0 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,28 +25,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['sub_denom']._serialized_options = b'\362\336\037\020yaml:\"sub_denom\"' - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._options = None + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._loaded_options = None _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE'].fields_by_name['authority_metadata']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"authority_metadata\"' - _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._options = None + _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._loaded_options = None _globals['_QUERYDENOMSFROMCREATORREQUEST'].fields_by_name['creator']._serialized_options = b'\362\336\037\016yaml:\"creator\"' - _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._options = None + _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._loaded_options = None _globals['_QUERYDENOMSFROMCREATORRESPONSE'].fields_by_name['denoms']._serialized_options = b'\362\336\037\ryaml:\"denoms\"' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002(\022&/injective/tokenfactory/v1beta1/params' - _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._options = None + _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomAuthorityMetadata']._serialized_options = b'\202\323\344\223\002Q\022O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata' - _globals['_QUERY'].methods_by_name['DenomsFromCreator']._options = None + _globals['_QUERY'].methods_by_name['DenomsFromCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsFromCreator']._serialized_options = b'\202\323\344\223\002?\022=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}' - _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._options = None + _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['TokenfactoryModuleState']._serialized_options = b'\202\323\344\223\002.\022,/injective/tokenfactory/v1beta1/module_state' _globals['_QUERYPARAMSREQUEST']._serialized_start=321 _globals['_QUERYPARAMSREQUEST']._serialized_end=341 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index 7a529976..e06416a8 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,22 +44,22 @@ def __init__(self, channel): '/injective.tokenfactory.v1beta1.Query/Params', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - ) + _registered_method=True) self.DenomAuthorityMetadata = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataResponse.FromString, - ) + _registered_method=True) self.DenomsFromCreator = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorResponse.FromString, - ) + _registered_method=True) self.TokenfactoryModuleState = channel.unary_unary( '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -99,6 +124,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.tokenfactory.v1beta1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.tokenfactory.v1beta1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -117,11 +143,21 @@ def Params(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/Params', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/Params', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomAuthorityMetadata(request, @@ -134,11 +170,21 @@ def DenomAuthorityMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/DenomAuthorityMetadata', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomAuthorityMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DenomsFromCreator(request, @@ -151,11 +197,21 @@ def DenomsFromCreator(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/DenomsFromCreator', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryDenomsFromCreatorResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def TokenfactoryModuleState(request, @@ -168,8 +224,18 @@ def TokenfactoryModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Query/TokenfactoryModuleState', injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index b692fae0..85ce4e44 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,52 +25,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_MSGCREATEDENOM'].fields_by_name['sender']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._serialized_options = b'\362\336\037\017yaml:\"subdenom\"' - _globals['_MSGCREATEDENOM'].fields_by_name['name']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['name']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_MSGCREATEDENOM']._options = None + _globals['_MSGCREATEDENOM']._loaded_options = None _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._options = None + _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._serialized_options = b'\362\336\037\026yaml:\"new_token_denom\"' - _globals['_MSGMINT'].fields_by_name['sender']._options = None + _globals['_MSGMINT'].fields_by_name['sender']._loaded_options = None _globals['_MSGMINT'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGMINT'].fields_by_name['amount']._options = None + _globals['_MSGMINT'].fields_by_name['amount']._loaded_options = None _globals['_MSGMINT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGMINT']._options = None + _globals['_MSGMINT']._loaded_options = None _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGBURN'].fields_by_name['sender']._options = None + _globals['_MSGBURN'].fields_by_name['sender']._loaded_options = None _globals['_MSGBURN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGBURN'].fields_by_name['amount']._options = None + _globals['_MSGBURN'].fields_by_name['amount']._loaded_options = None _globals['_MSGBURN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGBURN']._options = None + _globals['_MSGBURN']._loaded_options = None _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"' - _globals['_MSGCHANGEADMIN']._options = None + _globals['_MSGCHANGEADMIN']._loaded_options = None _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"metadata\"' - _globals['_MSGSETDENOMMETADATA']._options = None + _globals['_MSGSETDENOMMETADATA']._loaded_options = None _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEDENOM']._serialized_start=259 _globals['_MSGCREATEDENOM']._serialized_end=428 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index 74d0378b..62ece9b4 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the tokefactory module's gRPC message service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.tokenfactory.v1beta1.Msg/CreateDenom', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenom.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenomResponse.FromString, - ) + _registered_method=True) self.Mint = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/Mint', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMint.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMintResponse.FromString, - ) + _registered_method=True) self.Burn = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/Burn', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurn.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurnResponse.FromString, - ) + _registered_method=True) self.ChangeAdmin = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdmin.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdminResponse.FromString, - ) + _registered_method=True) self.SetDenomMetadata = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadata.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadataResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.tokenfactory.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -124,6 +149,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.tokenfactory.v1beta1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.tokenfactory.v1beta1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -142,11 +168,21 @@ def CreateDenom(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/CreateDenom', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/CreateDenom', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenom.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgCreateDenomResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Mint(request, @@ -159,11 +195,21 @@ def Mint(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/Mint', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/Mint', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMint.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgMintResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Burn(request, @@ -176,11 +222,21 @@ def Burn(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/Burn', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/Burn', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurn.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgBurnResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ChangeAdmin(request, @@ -193,11 +249,21 @@ def ChangeAdmin(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/ChangeAdmin', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdmin.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgChangeAdminResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def SetDenomMetadata(request, @@ -210,11 +276,21 @@ def SetDenomMetadata(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/SetDenomMetadata', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadata.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgSetDenomMetadataResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -227,8 +303,18 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.tokenfactory.v1beta1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.tokenfactory.v1beta1.Msg/UpdateParams', injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index 8a879970..e39278fa 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/account.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.account_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' - _globals['_ETHACCOUNT'].fields_by_name['base_account']._options = None + _globals['_ETHACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' - _globals['_ETHACCOUNT'].fields_by_name['code_hash']._options = None + _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['code_hash']._serialized_options = b'\362\336\037\020yaml:\"code_hash\"' - _globals['_ETHACCOUNT']._options = None + _globals['_ETHACCOUNT']._loaded_options = None _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 _globals['_ETHACCOUNT']._serialized_end=354 diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 2daafffe..0f16616d 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index e4b027a6..28eb2b04 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/tx_ext.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_ext_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' - _globals['_EXTENSIONOPTIONSWEB3TX']._options = None + _globals['_EXTENSIONOPTIONSWEB3TX']._loaded_options = None _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_options = b'\210\240\037\000' _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=87 _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=182 diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index 2daafffe..e6be995e 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py index e1d46c3f..c44de23c 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/types/v1beta1/tx_response.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_response_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' _globals['_TXRESPONSEGENERICMESSAGE']._serialized_start=70 _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=126 diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index 2daafffe..aaf08ea6 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index 2f2aa78c..8547bb11 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_EVENTCONTRACTEXECUTION']._serialized_start=144 _globals['_EVENTCONTRACTEXECUTION']._serialized_end=258 diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index 2daafffe..af94f5dd 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index 3306f603..ac273bb6 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._options = None + _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._serialized_options = b'\310\336\037\000' _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=110 _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=227 diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 2daafffe..25e9a5e6 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index 889d16c1..ab012f95 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,24 +22,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._serialized_options = b'\310\336\037\000' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._options = None + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._loaded_options = None _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_CONTRACTREGISTRATIONREQUEST']._options = None + _globals['_CONTRACTREGISTRATIONREQUEST']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._options = None + _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' - _globals['_BATCHSTORECODEPROPOSAL']._options = None + _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_FUNDINGMODE']._serialized_start=1179 _globals['_FUNDINGMODE']._serialized_end=1250 diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 2daafffe..7d79ac7b 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index 024ade2e..b206de42 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,16 +23,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['WasmxParams']._options = None + _globals['_QUERY'].methods_by_name['WasmxParams']._loaded_options = None _globals['_QUERY'].methods_by_name['WasmxParams']._serialized_options = b'\202\323\344\223\002\034\022\032/injective/wasmx/v1/params' - _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._options = None + _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractRegistrationInfo']._serialized_options = b'\202\323\344\223\002:\0228/injective/wasmx/v1/registration_info/{contract_address}' - _globals['_QUERY'].methods_by_name['WasmxModuleState']._options = None + _globals['_QUERY'].methods_by_name['WasmxModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['WasmxModuleState']._serialized_options = b'\202\323\344\223\002\"\022 /injective/wasmx/v1/module_state' _globals['_QUERYWASMXPARAMSREQUEST']._serialized_start=172 _globals['_QUERYWASMXPARAMSREQUEST']._serialized_end=197 diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index f8275843..94c6456c 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. @@ -19,17 +44,17 @@ def __init__(self, channel): '/injective.wasmx.v1.Query/WasmxParams', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsResponse.FromString, - ) + _registered_method=True) self.ContractRegistrationInfo = channel.unary_unary( '/injective.wasmx.v1.Query/ContractRegistrationInfo', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoResponse.FromString, - ) + _registered_method=True) self.WasmxModuleState = channel.unary_unary( '/injective.wasmx.v1.Query/WasmxModuleState', request_serializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - ) + _registered_method=True) class QueryServicer(object): @@ -79,6 +104,7 @@ def add_QueryServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.wasmx.v1.Query', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.wasmx.v1.Query', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -97,11 +123,21 @@ def WasmxParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/WasmxParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/WasmxParams', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryWasmxParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ContractRegistrationInfo(request, @@ -114,11 +150,21 @@ def ContractRegistrationInfo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/ContractRegistrationInfo', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/ContractRegistrationInfo', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryContractRegistrationInfoResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def WasmxModuleState(request, @@ -131,8 +177,18 @@ def WasmxModuleState(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Query/WasmxModuleState', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Query/WasmxModuleState', injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, injective_dot_wasmx_dot_v1_dot_query__pb2.QueryModuleStateResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 8216504a..cba288c1 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,28 +25,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_MSGEXECUTECONTRACTCOMPAT']._options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._options = None + _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_MSGUPDATECONTRACT']._options = None + _globals['_MSGUPDATECONTRACT']._loaded_options = None _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGACTIVATECONTRACT']._options = None + _globals['_MSGACTIVATECONTRACT']._loaded_options = None _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDEACTIVATECONTRACT']._options = None + _globals['_MSGDEACTIVATECONTRACT']._loaded_options = None _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._options = None + _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_MSGREGISTERCONTRACT']._options = None + _globals['_MSGREGISTERCONTRACT']._loaded_options = None _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=219 _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=320 diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index 017b15e7..1e06cb56 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasmx Msg service. @@ -19,32 +44,32 @@ def __init__(self, channel): '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContractResponse.FromString, - ) + _registered_method=True) self.ActivateRegistryContract = channel.unary_unary( '/injective.wasmx.v1.Msg/ActivateRegistryContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContractResponse.FromString, - ) + _registered_method=True) self.DeactivateRegistryContract = channel.unary_unary( '/injective.wasmx.v1.Msg/DeactivateRegistryContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContractResponse.FromString, - ) + _registered_method=True) self.ExecuteContractCompat = channel.unary_unary( '/injective.wasmx.v1.Msg/ExecuteContractCompat', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompat.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompatResponse.FromString, - ) + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.wasmx.v1.Msg/UpdateParams', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - ) + _registered_method=True) self.RegisterContract = channel.unary_unary( '/injective.wasmx.v1.Msg/RegisterContract', request_serializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContract.SerializeToString, response_deserializer=injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContractResponse.FromString, - ) + _registered_method=True) class MsgServicer(object): @@ -124,6 +149,7 @@ def add_MsgServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'injective.wasmx.v1.Msg', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective.wasmx.v1.Msg', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -142,11 +168,21 @@ def UpdateRegistryContractParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/UpdateRegistryContractParams', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ActivateRegistryContract(request, @@ -159,11 +195,21 @@ def ActivateRegistryContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/ActivateRegistryContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/ActivateRegistryContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgActivateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DeactivateRegistryContract(request, @@ -176,11 +222,21 @@ def DeactivateRegistryContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/DeactivateRegistryContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/DeactivateRegistryContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgDeactivateContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ExecuteContractCompat(request, @@ -193,11 +249,21 @@ def ExecuteContractCompat(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/ExecuteContractCompat', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/ExecuteContractCompat', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompat.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgExecuteContractCompatResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def UpdateParams(request, @@ -210,11 +276,21 @@ def UpdateParams(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/UpdateParams', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/UpdateParams', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def RegisterContract(request, @@ -227,8 +303,18 @@ def RegisterContract(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/injective.wasmx.v1.Msg/RegisterContract', + return grpc.experimental.unary_unary( + request, + target, + '/injective.wasmx.v1.Msg/RegisterContract', injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContract.SerializeToString, injective_dot_wasmx_dot_v1_dot_tx__pb2.MsgRegisterContractResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index 5de12e25..fb83cbcd 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,18 +21,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT']._options = None + _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' _globals['_PARAMS']._serialized_start=112 _globals['_PARAMS']._serialized_end=246 diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 2daafffe..19ce8f9d 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 7bfa3bfd..b87d3092 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/abci/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,64 +25,64 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' - _globals['_CHECKTXTYPE'].values_by_name["NEW"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' - _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._serialized_options = b'\212\235 \007Recheck' - _globals['_REQUESTINITCHAIN'].fields_by_name['time']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['time']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._options = None + _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSECHECKTX'].fields_by_name['events']._options = None + _globals['_RESPONSECHECKTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSECHECKTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._options = None + _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_COMMITINFO'].fields_by_name['votes']._options = None + _globals['_COMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._options = None + _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EVENT'].fields_by_name['attributes']._options = None + _globals['_EVENT'].fields_by_name['attributes']._loaded_options = None _globals['_EVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000\352\336\037\024attributes,omitempty' - _globals['_TXRESULT'].fields_by_name['result']._options = None + _globals['_TXRESULT'].fields_by_name['result']._loaded_options = None _globals['_TXRESULT'].fields_by_name['result']._serialized_options = b'\310\336\037\000' - _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._options = None + _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_VOTEINFO'].fields_by_name['validator']._options = None + _globals['_VOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_VOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._options = None + _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['validator']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['validator']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['time']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_CHECKTXTYPE']._serialized_start=7216 _globals['_CHECKTXTYPE']._serialized_end=7273 diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 4fe20657..1a64e902 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/abci/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ABCIApplicationStub(object): """---------------------------------------- @@ -21,82 +46,82 @@ def __init__(self, channel): '/tendermint.abci.ABCIApplication/Echo', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, - ) + _registered_method=True) self.Flush = channel.unary_unary( '/tendermint.abci.ABCIApplication/Flush', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, - ) + _registered_method=True) self.Info = channel.unary_unary( '/tendermint.abci.ABCIApplication/Info', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, - ) + _registered_method=True) self.DeliverTx = channel.unary_unary( '/tendermint.abci.ABCIApplication/DeliverTx', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, - ) + _registered_method=True) self.CheckTx = channel.unary_unary( '/tendermint.abci.ABCIApplication/CheckTx', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, - ) + _registered_method=True) self.Query = channel.unary_unary( '/tendermint.abci.ABCIApplication/Query', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, - ) + _registered_method=True) self.Commit = channel.unary_unary( '/tendermint.abci.ABCIApplication/Commit', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, - ) + _registered_method=True) self.InitChain = channel.unary_unary( '/tendermint.abci.ABCIApplication/InitChain', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, - ) + _registered_method=True) self.BeginBlock = channel.unary_unary( '/tendermint.abci.ABCIApplication/BeginBlock', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, - ) + _registered_method=True) self.EndBlock = channel.unary_unary( '/tendermint.abci.ABCIApplication/EndBlock', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, - ) + _registered_method=True) self.ListSnapshots = channel.unary_unary( '/tendermint.abci.ABCIApplication/ListSnapshots', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, - ) + _registered_method=True) self.OfferSnapshot = channel.unary_unary( '/tendermint.abci.ABCIApplication/OfferSnapshot', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, - ) + _registered_method=True) self.LoadSnapshotChunk = channel.unary_unary( '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, - ) + _registered_method=True) self.ApplySnapshotChunk = channel.unary_unary( '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, - ) + _registered_method=True) self.PrepareProposal = channel.unary_unary( '/tendermint.abci.ABCIApplication/PrepareProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, - ) + _registered_method=True) self.ProcessProposal = channel.unary_unary( '/tendermint.abci.ABCIApplication/ProcessProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, - ) + _registered_method=True) class ABCIApplicationServicer(object): @@ -288,6 +313,7 @@ def add_ABCIApplicationServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'tendermint.abci.ABCIApplication', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('tendermint.abci.ABCIApplication', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -308,11 +334,21 @@ def Echo(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Echo', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/Echo', tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Flush(request, @@ -325,11 +361,21 @@ def Flush(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Flush', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/Flush', tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Info(request, @@ -342,11 +388,21 @@ def Info(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Info', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/Info', tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def DeliverTx(request, @@ -359,11 +415,21 @@ def DeliverTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/DeliverTx', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/DeliverTx', tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def CheckTx(request, @@ -376,11 +442,21 @@ def CheckTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/CheckTx', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/CheckTx', tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Query(request, @@ -393,11 +469,21 @@ def Query(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Query', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/Query', tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def Commit(request, @@ -410,11 +496,21 @@ def Commit(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/Commit', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/Commit', tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def InitChain(request, @@ -427,11 +523,21 @@ def InitChain(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/InitChain', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/InitChain', tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BeginBlock(request, @@ -444,11 +550,21 @@ def BeginBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/BeginBlock', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/BeginBlock', tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def EndBlock(request, @@ -461,11 +577,21 @@ def EndBlock(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/EndBlock', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/EndBlock', tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListSnapshots(request, @@ -478,11 +604,21 @@ def ListSnapshots(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ListSnapshots', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/ListSnapshots', tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def OfferSnapshot(request, @@ -495,11 +631,21 @@ def OfferSnapshot(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/OfferSnapshot', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/OfferSnapshot', tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def LoadSnapshotChunk(request, @@ -512,11 +658,21 @@ def LoadSnapshotChunk(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ApplySnapshotChunk(request, @@ -529,11 +685,21 @@ def ApplySnapshotChunk(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def PrepareProposal(request, @@ -546,11 +712,21 @@ def PrepareProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/PrepareProposal', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/PrepareProposal', tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ProcessProposal(request, @@ -563,8 +739,18 @@ def ProcessProposal(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.abci.ABCIApplication/ProcessProposal', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.abci.ABCIApplication/ProcessProposal', tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index c3053f03..122a58ba 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' _globals['_BLOCKREQUEST']._serialized_start=88 _globals['_BLOCKREQUEST']._serialized_end=118 diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py index 2daafffe..d49d432b 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py index 202acb37..331095f0 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/consensus/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,22 +22,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._options = None + _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._loaded_options = None _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSAL'].fields_by_name['proposal']._options = None + _globals['_PROPOSAL'].fields_by_name['proposal']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._options = None + _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._loaded_options = None _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKPART'].fields_by_name['part']._options = None + _globals['_BLOCKPART'].fields_by_name['part']._loaded_options = None _globals['_BLOCKPART'].fields_by_name['part']._serialized_options = b'\310\336\037\000' - _globals['_VOTESETMAJ23'].fields_by_name['block_id']._options = None + _globals['_VOTESETMAJ23'].fields_by_name['block_id']._loaded_options = None _globals['_VOTESETMAJ23'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['block_id']._options = None + _globals['_VOTESETBITS'].fields_by_name['block_id']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['votes']._options = None + _globals['_VOTESETBITS'].fields_by_name['votes']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' _globals['_NEWROUNDSTEP']._serialized_start=144 _globals['_NEWROUNDSTEP']._serialized_end=264 diff --git a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py index 2daafffe..6879e86e 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py index 6912ad42..789fbc00 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/consensus/wal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,16 +24,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.wal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_MSGINFO'].fields_by_name['msg']._options = None + _globals['_MSGINFO'].fields_by_name['msg']._loaded_options = None _globals['_MSGINFO'].fields_by_name['msg']._serialized_options = b'\310\336\037\000' - _globals['_MSGINFO'].fields_by_name['peer_id']._options = None + _globals['_MSGINFO'].fields_by_name['peer_id']._loaded_options = None _globals['_MSGINFO'].fields_by_name['peer_id']._serialized_options = b'\342\336\037\006PeerID' - _globals['_TIMEOUTINFO'].fields_by_name['duration']._options = None + _globals['_TIMEOUTINFO'].fields_by_name['duration']._loaded_options = None _globals['_TIMEOUTINFO'].fields_by_name['duration']._serialized_options = b'\310\336\037\000\230\337\037\001' - _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._options = None + _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._loaded_options = None _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_MSGINFO']._serialized_start=208 _globals['_MSGINFO']._serialized_end=296 diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py index 2daafffe..20bf7bbf 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index 749b4d13..83ed29a7 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/crypto/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' - _globals['_PUBLICKEY']._options = None + _globals['_PUBLICKEY']._loaded_options = None _globals['_PUBLICKEY']._serialized_options = b'\350\240\037\001\350\241\037\001' _globals['_PUBLICKEY']._serialized_start=73 _globals['_PUBLICKEY']._serialized_end=141 diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index 2daafffe..c6d6788d 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index 874ba9bf..b37df502 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/crypto/proof.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.proof_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' - _globals['_PROOFOPS'].fields_by_name['ops']._options = None + _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000' _globals['_PROOF']._serialized_start=74 _globals['_PROOF']._serialized_end=145 diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 2daafffe..424b5351 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2.py b/pyinjective/proto/tendermint/libs/bits/types_pb2.py index d6ac78d8..df93d9df 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/libs/bits/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.libs.bits.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits' _globals['_BITARRAY']._serialized_start=58 _globals['_BITARRAY']._serialized_end=97 diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index 2daafffe..afd186cd 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2.py b/pyinjective/proto/tendermint/mempool/types_pb2.py index 9e0bbae1..f4ad08d8 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/mempool/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.mempool.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/mempool' _globals['_TXS']._serialized_start=54 _globals['_TXS']._serialized_end=72 diff --git a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py index 2daafffe..cb8652d4 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py index 2507d4dc..2cc5bf73 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/conn.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.conn_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PACKETMSG'].fields_by_name['channel_id']._options = None + _globals['_PACKETMSG'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['channel_id']._serialized_options = b'\342\336\037\tChannelID' - _globals['_PACKETMSG'].fields_by_name['eof']._options = None + _globals['_PACKETMSG'].fields_by_name['eof']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['eof']._serialized_options = b'\342\336\037\003EOF' - _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._options = None + _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._loaded_options = None _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' _globals['_PACKETPING']._serialized_start=97 _globals['_PACKETPING']._serialized_end=109 diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py index 2daafffe..a0c04f90 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py index 1a65314d..5ca56f6a 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/pex.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.pex_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PEXADDRS'].fields_by_name['addrs']._options = None + _globals['_PEXADDRS'].fields_by_name['addrs']._loaded_options = None _globals['_PEXADDRS'].fields_by_name['addrs']._serialized_options = b'\310\336\037\000' _globals['_PEXREQUEST']._serialized_start=94 _globals['_PEXREQUEST']._serialized_end=106 diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py index 2daafffe..cfd99997 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index 1c41b4c8..b9460ae6 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/p2p/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,22 +20,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_NETADDRESS'].fields_by_name['id']._options = None + _globals['_NETADDRESS'].fields_by_name['id']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['id']._serialized_options = b'\342\336\037\002ID' - _globals['_NETADDRESS'].fields_by_name['ip']._options = None + _globals['_NETADDRESS'].fields_by_name['ip']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['ip']._serialized_options = b'\342\336\037\002IP' - _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._options = None + _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._loaded_options = None _globals['_PROTOCOLVERSION'].fields_by_name['p2p']._serialized_options = b'\342\336\037\003P2P' - _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['protocol_version']._serialized_options = b'\310\336\037\000' - _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['default_node_id']._serialized_options = b'\342\336\037\rDefaultNodeID' - _globals['_DEFAULTNODEINFO'].fields_by_name['other']._options = None + _globals['_DEFAULTNODEINFO'].fields_by_name['other']._loaded_options = None _globals['_DEFAULTNODEINFO'].fields_by_name['other']._serialized_options = b'\310\336\037\000' - _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._options = None + _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._loaded_options = None _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._serialized_options = b'\342\336\037\nRPCAddress' _globals['_NETADDRESS']._serialized_start=68 _globals['_NETADDRESS']._serialized_end=134 diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 2daafffe..10a81406 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py index e79b1934..bd31a3ac 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ b/pyinjective/proto/tendermint/privval/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/privval/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.privval.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/privval' - _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._options = None + _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._loaded_options = None _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._options = None + _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._options = None + _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' _globals['_ERRORS']._serialized_start=1352 _globals['_ERRORS']._serialized_end=1520 diff --git a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py index 2daafffe..1280586b 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py index 410ba440..7f6c52c4 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/rpc/grpc/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.rpc.grpc.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc' _globals['_REQUESTPING']._serialized_start=85 _globals['_REQUESTPING']._serialized_end=98 diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index 2f9b496d..22f52072 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class BroadcastAPIStub(object): """---------------------------------------- @@ -21,12 +46,12 @@ def __init__(self, channel): '/tendermint.rpc.grpc.BroadcastAPI/Ping', request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - ) + _registered_method=True) self.BroadcastTx = channel.unary_unary( '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - ) + _registered_method=True) class BroadcastAPIServicer(object): @@ -64,6 +89,7 @@ def add_BroadcastAPIServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -84,11 +110,21 @@ def Ping(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.rpc.grpc.BroadcastAPI/Ping', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.rpc.grpc.BroadcastAPI/Ping', tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def BroadcastTx(request, @@ -101,8 +137,18 @@ def BroadcastTx(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', + return grpc.experimental.unary_unary( + request, + target, + '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index ff66cb15..0c0b63c0 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/state/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,22 +26,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.state.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' - _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._options = None + _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._loaded_options = None _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_VERSION'].fields_by_name['consensus']._options = None + _globals['_VERSION'].fields_by_name['consensus']._loaded_options = None _globals['_VERSION'].fields_by_name['consensus']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['version']._options = None + _globals['_STATE'].fields_by_name['version']._loaded_options = None _globals['_STATE'].fields_by_name['version']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['chain_id']._options = None + _globals['_STATE'].fields_by_name['chain_id']._loaded_options = None _globals['_STATE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_STATE'].fields_by_name['last_block_id']._options = None + _globals['_STATE'].fields_by_name['last_block_id']._loaded_options = None _globals['_STATE'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\342\336\037\013LastBlockID' - _globals['_STATE'].fields_by_name['last_block_time']._options = None + _globals['_STATE'].fields_by_name['last_block_time']._loaded_options = None _globals['_STATE'].fields_by_name['last_block_time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STATE'].fields_by_name['consensus_params']._options = None + _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' _globals['_ABCIRESPONSES']._serialized_start=262 _globals['_ABCIRESPONSES']._serialized_end=446 diff --git a/pyinjective/proto/tendermint/state/types_pb2_grpc.py b/pyinjective/proto/tendermint/state/types_pb2_grpc.py index 2daafffe..7e3919fe 100644 --- a/pyinjective/proto/tendermint/state/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/state/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2.py b/pyinjective/proto/tendermint/statesync/types_pb2.py index 1722a9e8..3fc9d878 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/statesync/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.statesync.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/statesync' _globals['_MESSAGE']._serialized_start=59 _globals['_MESSAGE']._serialized_end=339 diff --git a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py index 2daafffe..aed296dd 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/store/types_pb2.py b/pyinjective/proto/tendermint/store/types_pb2.py index 038f8944..21d6504d 100644 --- a/pyinjective/proto/tendermint/store/types_pb2.py +++ b/pyinjective/proto/tendermint/store/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/store/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.store.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/store' _globals['_BLOCKSTORESTATE']._serialized_start=50 _globals['_BLOCKSTORESTATE']._serialized_end=97 diff --git a/pyinjective/proto/tendermint/store/types_pb2_grpc.py b/pyinjective/proto/tendermint/store/types_pb2_grpc.py index 2daafffe..befc0e86 100644 --- a/pyinjective/proto/tendermint/store/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/store/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index e4bf7f6b..60d96ad7 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/block.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.block_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCK'].fields_by_name['header']._options = None + _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_BLOCK'].fields_by_name['data']._options = None + _globals['_BLOCK'].fields_by_name['data']._loaded_options = None _globals['_BLOCK'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_BLOCK'].fields_by_name['evidence']._options = None + _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_BLOCK']._serialized_start=136 _globals['_BLOCK']._serialized_end=338 diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 2daafffe..1ba424f2 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py index 4707c3b9..49a110f1 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/canonical.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,24 +22,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.canonical_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._options = None + _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._serialized_options = b'\342\336\037\010POLRound' - _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._options = None + _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_CANONICALVOTE'].fields_by_name['block_id']._options = None + _globals['_CANONICALVOTE'].fields_by_name['block_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALVOTE'].fields_by_name['timestamp']._options = None + _globals['_CANONICALVOTE'].fields_by_name['timestamp']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALVOTE'].fields_by_name['chain_id']._options = None + _globals['_CANONICALVOTE'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' _globals['_CANONICALBLOCKID']._serialized_start=139 _globals['_CANONICALBLOCKID']._serialized_end=244 diff --git a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py index 2daafffe..99128936 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/events_pb2.py b/pyinjective/proto/tendermint/types/events_pb2.py index baa99a7b..1a2d6848 100644 --- a/pyinjective/proto/tendermint/types/events_pb2.py +++ b/pyinjective/proto/tendermint/types/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -19,8 +19,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_EVENTDATAROUNDSTATE']._serialized_start=51 _globals['_EVENTDATAROUNDSTATE']._serialized_end=117 diff --git a/pyinjective/proto/tendermint/types/events_pb2_grpc.py b/pyinjective/proto/tendermint/types/events_pb2_grpc.py index 2daafffe..635dc42d 100644 --- a/pyinjective/proto/tendermint/types/events_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index 29fb5ab1..2c361ad5 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/evidence.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.evidence_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._options = None + _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._options = None + _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EVIDENCELIST'].fields_by_name['evidence']._options = None + _globals['_EVIDENCELIST'].fields_by_name['evidence']._loaded_options = None _globals['_EVIDENCELIST'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_EVIDENCE']._serialized_start=173 _globals['_EVIDENCE']._serialized_end=351 diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2daafffe..2538cd81 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index e2e528bf..beda41b2 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types\250\342\036\001' - _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._options = None + _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._loaded_options = None _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._serialized_options = b'\310\336\037\000\230\337\037\001' - _globals['_VALIDATORPARAMS']._options = None + _globals['_VALIDATORPARAMS']._loaded_options = None _globals['_VALIDATORPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' - _globals['_VERSIONPARAMS']._options = None + _globals['_VERSIONPARAMS']._loaded_options = None _globals['_VERSIONPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' _globals['_CONSENSUSPARAMS']._serialized_start=106 _globals['_CONSENSUSPARAMS']._serialized_end=325 diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 2daafffe..10835456 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index f5546896..406608d4 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,58 +24,58 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCKIDFLAG']._options = None + _globals['_BLOCKIDFLAG']._loaded_options = None _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' - _globals['_SIGNEDMSGTYPE']._options = None + _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._serialized_options = b'\212\235 \013UnknownType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PREVOTE"]._serialized_options = b'\212\235 \013PrevoteType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PRECOMMIT"]._serialized_options = b'\212\235 \rPrecommitType' - _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._options = None + _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._loaded_options = None _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_PROPOSAL"]._serialized_options = b'\212\235 \014ProposalType' - _globals['_PART'].fields_by_name['proof']._options = None + _globals['_PART'].fields_by_name['proof']._loaded_options = None _globals['_PART'].fields_by_name['proof']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKID'].fields_by_name['part_set_header']._options = None + _globals['_BLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_BLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_HEADER'].fields_by_name['version']._options = None + _globals['_HEADER'].fields_by_name['version']._loaded_options = None _globals['_HEADER'].fields_by_name['version']._serialized_options = b'\310\336\037\000' - _globals['_HEADER'].fields_by_name['chain_id']._options = None + _globals['_HEADER'].fields_by_name['chain_id']._loaded_options = None _globals['_HEADER'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_HEADER'].fields_by_name['time']._options = None + _globals['_HEADER'].fields_by_name['time']._loaded_options = None _globals['_HEADER'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_HEADER'].fields_by_name['last_block_id']._options = None + _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000' - _globals['_VOTE'].fields_by_name['block_id']._options = None + _globals['_VOTE'].fields_by_name['block_id']._loaded_options = None _globals['_VOTE'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTE'].fields_by_name['timestamp']._options = None + _globals['_VOTE'].fields_by_name['timestamp']._loaded_options = None _globals['_VOTE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_COMMIT'].fields_by_name['block_id']._options = None + _globals['_COMMIT'].fields_by_name['block_id']._loaded_options = None _globals['_COMMIT'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_COMMIT'].fields_by_name['signatures']._options = None + _globals['_COMMIT'].fields_by_name['signatures']._loaded_options = None _globals['_COMMIT'].fields_by_name['signatures']._serialized_options = b'\310\336\037\000' - _globals['_COMMITSIG'].fields_by_name['timestamp']._options = None + _globals['_COMMITSIG'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_PROPOSAL'].fields_by_name['block_id']._options = None + _globals['_PROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_PROPOSAL'].fields_by_name['timestamp']._options = None + _globals['_PROPOSAL'].fields_by_name['timestamp']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_BLOCKMETA'].fields_by_name['block_id']._options = None + _globals['_BLOCKMETA'].fields_by_name['block_id']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_BLOCKMETA'].fields_by_name['header']._options = None + _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' _globals['_BLOCKIDFLAG']._serialized_start=2207 _globals['_BLOCKIDFLAG']._serialized_end=2422 diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 2daafffe..89ae993e 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index 9773e334..c19f385f 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/types/validator.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,10 +21,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.validator_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_VALIDATOR'].fields_by_name['pub_key']._options = None + _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' _globals['_VALIDATORSET']._serialized_start=107 _globals['_VALIDATORSET']._serialized_end=245 diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index 2daafffe..ee3f776f 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index 8da348f7..9b5c4594 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/version/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.version.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/version' - _globals['_CONSENSUS']._options = None + _globals['_CONSENSUS']._loaded_options = None _globals['_CONSENSUS']._serialized_options = b'\350\240\037\001' _globals['_APP']._serialized_start=76 _globals['_APP']._serialized_end=117 diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index 2daafffe..b5d744ef 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/bank_pb2.py b/pyinjective/proto/testpb/bank_pb2.py index 1bd314e7..cf644333 100644 --- a/pyinjective/proto/testpb/bank_pb2.py +++ b/pyinjective/proto/testpb/bank_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/bank.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,11 +20,11 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_BALANCE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\362\236\323\216\003\036\n\017\n\raddress,denom\022\t\n\005denom\020\001\030\001' - _globals['_SUPPLY']._options = None + _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\362\236\323\216\003\013\n\007\n\005denom\030\002' _globals['_BALANCE']._serialized_start=54 _globals['_BALANCE']._serialized_end=149 diff --git a/pyinjective/proto/testpb/bank_pb2_grpc.py b/pyinjective/proto/testpb/bank_pb2_grpc.py index 2daafffe..f314a36e 100644 --- a/pyinjective/proto/testpb/bank_pb2_grpc.py +++ b/pyinjective/proto/testpb/bank_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/bank_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/bank_query_pb2.py b/pyinjective/proto/testpb/bank_query_pb2.py index 724d1eb0..c51d22d9 100644 --- a/pyinjective/proto/testpb/bank_query_pb2.py +++ b/pyinjective/proto/testpb/bank_query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/bank_query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,8 +21,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETBALANCEREQUEST']._serialized_start=98 _globals['_GETBALANCEREQUEST']._serialized_end=149 _globals['_GETBALANCERESPONSE']._serialized_start=151 diff --git a/pyinjective/proto/testpb/bank_query_pb2_grpc.py b/pyinjective/proto/testpb/bank_query_pb2_grpc.py index 4b2455bb..863cec82 100644 --- a/pyinjective/proto/testpb/bank_query_pb2_grpc.py +++ b/pyinjective/proto/testpb/bank_query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.testpb import bank_query_pb2 as testpb_dot_bank__query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/bank_query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class BankQueryServiceStub(object): """BankQueryService queries the state of the tables specified by testpb/bank.proto. @@ -19,22 +44,22 @@ def __init__(self, channel): '/testpb.BankQueryService/GetBalance', request_serializer=testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - ) + _registered_method=True) self.ListBalance = channel.unary_unary( '/testpb.BankQueryService/ListBalance', request_serializer=testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - ) + _registered_method=True) self.GetSupply = channel.unary_unary( '/testpb.BankQueryService/GetSupply', request_serializer=testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - ) + _registered_method=True) self.ListSupply = channel.unary_unary( '/testpb.BankQueryService/ListSupply', request_serializer=testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - ) + _registered_method=True) class BankQueryServiceServicer(object): @@ -96,6 +121,7 @@ def add_BankQueryServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'testpb.BankQueryService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('testpb.BankQueryService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -114,11 +140,21 @@ def GetBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetBalance', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/GetBalance', testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListBalance(request, @@ -131,11 +167,21 @@ def ListBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListBalance', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/ListBalance', testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSupply(request, @@ -148,11 +194,21 @@ def GetSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetSupply', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/GetSupply', testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListSupply(request, @@ -165,8 +221,18 @@ def ListSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListSupply', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/ListSupply', testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/testpb/test_schema_pb2.py b/pyinjective/proto/testpb/test_schema_pb2.py index 97047a1b..5e1e9ce7 100644 --- a/pyinjective/proto/testpb/test_schema_pb2.py +++ b/pyinjective/proto/testpb/test_schema_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/test_schema.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,21 +22,21 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_EXAMPLETABLE_MAPENTRY']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_EXAMPLETABLE_MAPENTRY']._loaded_options = None _globals['_EXAMPLETABLE_MAPENTRY']._serialized_options = b'8\001' - _globals['_EXAMPLETABLE']._options = None + _globals['_EXAMPLETABLE']._loaded_options = None _globals['_EXAMPLETABLE']._serialized_options = b'\362\236\323\216\0039\n\r\n\013u32,i64,str\022\r\n\007u64,str\020\001\030\001\022\013\n\007str,u32\020\002\022\n\n\006bz,str\020\003\030\001' - _globals['_EXAMPLEAUTOINCREMENTTABLE']._options = None + _globals['_EXAMPLEAUTOINCREMENTTABLE']._loaded_options = None _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_options = b'\362\236\323\216\003\023\n\006\n\002id\020\001\022\007\n\001x\020\001\030\001\030\003' - _globals['_EXAMPLESINGLETON']._options = None + _globals['_EXAMPLESINGLETON']._loaded_options = None _globals['_EXAMPLESINGLETON']._serialized_options = b'\372\236\323\216\003\002\010\002' - _globals['_EXAMPLETIMESTAMP']._options = None + _globals['_EXAMPLETIMESTAMP']._loaded_options = None _globals['_EXAMPLETIMESTAMP']._serialized_options = b'\362\236\323\216\003\022\n\006\n\002id\020\001\022\006\n\002ts\020\001\030\004' - _globals['_SIMPLEEXAMPLE']._options = None + _globals['_SIMPLEEXAMPLE']._loaded_options = None _globals['_SIMPLEEXAMPLE']._serialized_options = b'\362\236\323\216\003\030\n\006\n\004name\022\014\n\006unique\020\001\030\001\030\005' - _globals['_EXAMPLEAUTOINCFIELDNAME']._options = None + _globals['_EXAMPLEAUTOINCFIELDNAME']._loaded_options = None _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_options = b'\362\236\323\216\003\013\n\007\n\003foo\020\001\030\006' _globals['_ENUM']._serialized_start=1134 _globals['_ENUM']._serialized_end=1234 diff --git a/pyinjective/proto/testpb/test_schema_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_pb2_grpc.py index 2daafffe..bfb91985 100644 --- a/pyinjective/proto/testpb/test_schema_pb2_grpc.py +++ b/pyinjective/proto/testpb/test_schema_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/test_schema_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2.py b/pyinjective/proto/testpb/test_schema_query_pb2.py index bdc82efb..17361594 100644 --- a/pyinjective/proto/testpb/test_schema_query_pb2.py +++ b/pyinjective/proto/testpb/test_schema_query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/test_schema_query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETEXAMPLETABLEREQUEST']._serialized_start=145 _globals['_GETEXAMPLETABLEREQUEST']._serialized_end=208 _globals['_GETEXAMPLETABLERESPONSE']._serialized_start=210 diff --git a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py index 23274311..8d2bacf1 100644 --- a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py +++ b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.testpb import test_schema_query_pb2 as testpb_dot_test__schema__query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/test_schema_query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class TestSchemaQueryServiceStub(object): """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. @@ -19,72 +44,72 @@ def __init__(self, channel): '/testpb.TestSchemaQueryService/GetExampleTable', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - ) + _registered_method=True) self.GetExampleTableByU64Str = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - ) + _registered_method=True) self.ListExampleTable = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleTable', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncrementTable = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncrementTableByX = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - ) + _registered_method=True) self.ListExampleAutoIncrementTable = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - ) + _registered_method=True) self.GetExampleSingleton = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleSingleton', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - ) + _registered_method=True) self.GetExampleTimestamp = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleTimestamp', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - ) + _registered_method=True) self.ListExampleTimestamp = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleTimestamp', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - ) + _registered_method=True) self.GetSimpleExample = channel.unary_unary( '/testpb.TestSchemaQueryService/GetSimpleExample', request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - ) + _registered_method=True) self.GetSimpleExampleByUnique = channel.unary_unary( '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - ) + _registered_method=True) self.ListSimpleExample = channel.unary_unary( '/testpb.TestSchemaQueryService/ListSimpleExample', request_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncFieldName = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - ) + _registered_method=True) self.ListExampleAutoIncFieldName = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - ) + _registered_method=True) class TestSchemaQueryServiceServicer(object): @@ -268,6 +293,7 @@ def add_TestSchemaQueryServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'testpb.TestSchemaQueryService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('testpb.TestSchemaQueryService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -286,11 +312,21 @@ def GetExampleTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTable', testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleTableByU64Str(request, @@ -303,11 +339,21 @@ def GetExampleTableByU64Str(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleTable(request, @@ -320,11 +366,21 @@ def ListExampleTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleTable', testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncrementTable(request, @@ -337,11 +393,21 @@ def GetExampleAutoIncrementTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncrementTableByX(request, @@ -354,11 +420,21 @@ def GetExampleAutoIncrementTableByX(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleAutoIncrementTable(request, @@ -371,11 +447,21 @@ def ListExampleAutoIncrementTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleSingleton(request, @@ -388,11 +474,21 @@ def GetExampleSingleton(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleSingleton', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleSingleton', testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleTimestamp(request, @@ -405,11 +501,21 @@ def GetExampleTimestamp(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTimestamp', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTimestamp', testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleTimestamp(request, @@ -422,11 +528,21 @@ def ListExampleTimestamp(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTimestamp', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleTimestamp', testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSimpleExample(request, @@ -439,11 +555,21 @@ def GetSimpleExample(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExample', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetSimpleExample', testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSimpleExampleByUnique(request, @@ -456,11 +582,21 @@ def GetSimpleExampleByUnique(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListSimpleExample(request, @@ -473,11 +609,21 @@ def ListSimpleExample(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListSimpleExample', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListSimpleExample', testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncFieldName(request, @@ -490,11 +636,21 @@ def GetExampleAutoIncFieldName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleAutoIncFieldName(request, @@ -507,8 +663,18 @@ def ListExampleAutoIncFieldName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) From 987f25bfb993233d5d5248eadd774711ce5955ba Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Fri, 5 Jul 2024 00:03:11 -0300 Subject: [PATCH 38/63] (feat) Refactored composer unit tests to always compare the constructed message in JSON representation --- tests/test_composer.py | 120 +++++++++++++++++++++++++++++++---------- 1 file changed, 91 insertions(+), 29 deletions(-) diff --git a/tests/test_composer.py b/tests/test_composer.py index 8eab5301..50936ed5 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -69,10 +69,18 @@ def test_msg_create_denom(self, basic_composer: Composer): symbol=symbol, ) - assert message.sender == sender - assert message.subdenom == subdenom - assert message.name == name - assert message.symbol == symbol + expected_message = { + "sender": sender, + "subdenom": subdenom, + "name": name, + "symbol": symbol, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_mint(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -86,8 +94,19 @@ def test_msg_mint(self, basic_composer: Composer): amount=amount, ) - assert message.sender == sender - assert message.amount == amount + expected_message = { + "sender": sender, + "amount": { + "amount": str(amount.amount), + "denom": amount.denom, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_burn(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -101,8 +120,19 @@ def test_msg_burn(self, basic_composer: Composer): amount=amount, ) - assert message.sender == sender - assert message.amount == amount + expected_message = { + "sender": sender, + "amount": { + "amount": str(amount.amount), + "denom": amount.denom, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_set_denom_metadata(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -127,20 +157,36 @@ def test_msg_set_denom_metadata(self, basic_composer: Composer): uri_hash=uri_hash, ) - assert message.sender == sender - assert message.metadata.description == description - assert message.metadata.denom_units[0].denom == denom - assert message.metadata.denom_units[0].exponent == 0 - assert message.metadata.denom_units[0].aliases == [f"micro{subdenom}"] - assert message.metadata.denom_units[1].denom == subdenom - assert message.metadata.denom_units[1].exponent == token_decimals - assert message.metadata.denom_units[1].aliases == [subdenom] - assert message.metadata.base == denom - assert message.metadata.display == subdenom - assert message.metadata.name == name - assert message.metadata.symbol == symbol - assert message.metadata.uri == uri - assert message.metadata.uri_hash == uri_hash + expected_message = { + "sender": sender, + "metadata": { + "base": denom, + "denomUnits": [ + { + "denom": denom, + "exponent": 0, + "aliases": [f"micro{subdenom}"], + }, + { + "denom": subdenom, + "exponent": token_decimals, + "aliases": [subdenom], + }, + ], + "description": description, + "name": name, + "symbol": symbol, + "display": subdenom, + "uri": uri, + "uriHash": uri_hash, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_change_admin(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -153,9 +199,17 @@ def test_msg_change_admin(self, basic_composer): new_admin=new_admin, ) - assert message.sender == sender - assert message.denom == denom - assert message.new_admin == new_admin + expected_message = { + "sender": sender, + "denom": denom, + "newAdmin": new_admin, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_execute_contract_compat(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -170,10 +224,18 @@ def test_msg_execute_contract_compat(self, basic_composer): funds=funds, ) - assert message.sender == sender - assert message.contract == contract - assert message.msg == msg - assert message.funds == funds + expected_message = { + "sender": sender, + "contract": contract, + "msg": msg, + "funds": funds, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_deposit(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" From 379ebf6da1c4d45257221e6b1828f2f5262a5916 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Tue, 11 Jun 2024 17:00:58 -0300 Subject: [PATCH 39/63] (fix) Solved issue when processing the PaginationOption next page key. Now it is correctly decoded before creating the PageRequest --- .../chain_client/9_PaginatedRequestExample.py | 41 +++++++++++++++++++ pyinjective/async_client.py | 6 +-- pyinjective/client/model/pagination.py | 10 +++-- .../chain/grpc/test_chain_grpc_auth_api.py | 2 +- tests/client/model/__init__.py | 0 tests/client/model/test_pagination.py | 35 ++++++++++++++++ 6 files changed, 85 insertions(+), 9 deletions(-) create mode 100644 examples/chain_client/9_PaginatedRequestExample.py create mode 100644 tests/client/model/__init__.py create mode 100644 tests/client/model/test_pagination.py diff --git a/examples/chain_client/9_PaginatedRequestExample.py b/examples/chain_client/9_PaginatedRequestExample.py new file mode 100644 index 00000000..515aed8b --- /dev/null +++ b/examples/chain_client/9_PaginatedRequestExample.py @@ -0,0 +1,41 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.client.model.pagination import PaginationOption +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + pagination = PaginationOption( + limit=10, + count_total=True, + ) + first_result = await client.fetch_total_supply( + pagination=pagination, + ) + print(f"First result:\n{first_result}") + + next_page_key = first_result["pagination"]["nextKey"] + + for i in range(5): + if next_page_key == "": + break + + next_request_pagination = PaginationOption( + limit=pagination.limit, + count_total=pagination.count_total, + encoded_page_key=next_page_key, + ) + + next_result = await client.fetch_total_supply( + pagination=next_request_pagination, + ) + print(f"Page {i+2} result:\n{next_result}") + + next_page_key = next_result["pagination"]["nextKey"] + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 7ba7a6e8..8a41f255 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -1,5 +1,4 @@ import asyncio -import base64 import time from copy import deepcopy from decimal import Decimal @@ -3228,11 +3227,10 @@ async def initialize_tokens_from_chain_denoms(self): next_key = query_result.get("pagination", {}).get("nextKey", "") while next_key != "": - query_result = await self.fetch_denoms_metadata(pagination=PaginationOption(key=next_key)) + query_result = await self.fetch_denoms_metadata(pagination=PaginationOption(encoded_page_key=next_key)) all_denoms_metadata.extend(query_result.get("metadatas", [])) - result_next_key = query_result.get("pagination", {}).get("nextKey", "") - next_key = base64.b64decode(result_next_key).decode() + next_key = query_result.get("pagination", {}).get("nextKey", "") for token_metadata in all_denoms_metadata: symbol = token_metadata["symbol"] diff --git a/pyinjective/client/model/pagination.py b/pyinjective/client/model/pagination.py index 906a6060..eb5fa24e 100644 --- a/pyinjective/client/model/pagination.py +++ b/pyinjective/client/model/pagination.py @@ -1,3 +1,4 @@ +import base64 from typing import Optional from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as pagination_pb @@ -6,7 +7,7 @@ class PaginationOption: def __init__( self, - key: Optional[str] = None, + encoded_page_key: Optional[str] = None, skip: Optional[int] = None, limit: Optional[int] = None, start_time: Optional[int] = None, @@ -17,7 +18,7 @@ def __init__( to_number: Optional[int] = None, ): super().__init__() - self.key = key + self.encoded_page_key = encoded_page_key self.skip = skip self.limit = limit self.start_time = start_time @@ -30,8 +31,9 @@ def __init__( def create_pagination_request(self) -> pagination_pb.PageRequest: page_request = pagination_pb.PageRequest() - if self.key is not None: - page_request.key = self.key.encode() + if self.encoded_page_key is not None and self.encoded_page_key != "": + page_key = base64.b64decode(self.encoded_page_key) + page_request.key = page_key if self.skip is not None: page_request.offset = self.skip if self.limit is not None: diff --git a/tests/client/chain/grpc/test_chain_grpc_auth_api.py b/tests/client/chain/grpc/test_chain_grpc_auth_api.py index 25507eb2..508c4026 100644 --- a/tests/client/chain/grpc/test_chain_grpc_auth_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_auth_api.py @@ -133,7 +133,7 @@ async def test_fetch_accounts( api = self._api_instance(servicer=auth_servicer) pagination_option = PaginationOption( - key="011ab4075a94245dff7338e3042db5b7cc3f42e1", + encoded_page_key="011ab4075a94245dff7338e3042db5b7cc3f42e1", skip=10, limit=30, reverse=False, diff --git a/tests/client/model/__init__.py b/tests/client/model/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/tests/client/model/test_pagination.py b/tests/client/model/test_pagination.py new file mode 100644 index 00000000..dc8c4a11 --- /dev/null +++ b/tests/client/model/test_pagination.py @@ -0,0 +1,35 @@ +import base64 + +from pyinjective.client.model.pagination import PaginationOption + + +class TestPaginationOption: + def test_create_pagination_request(self): + next_page_key = b"next page key" + encoded_next_page_key = base64.b64encode(next_page_key).decode() + pagination_option = PaginationOption( + encoded_page_key=encoded_next_page_key, + skip=5, + limit=10, + start_time=3, + end_time=4, + reverse=False, + count_total=True, + from_number=105, + to_number=135, + ) + + page_request = pagination_option.create_pagination_request() + assert page_request.key == next_page_key + assert page_request.offset == pagination_option.skip + assert page_request.limit == pagination_option.limit + assert not page_request.reverse + assert page_request.count_total + + def test_next_key_is_none_for_empty_encoded_page_key(self): + pagination_option = PaginationOption( + encoded_page_key="", + ) + page_request = pagination_option.create_pagination_request() + + assert page_request.key == b"" From 4f3ebbeaa8cbcd55ca8889cfbe1febaaadddb626 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Tue, 11 Jun 2024 17:19:14 -0300 Subject: [PATCH 40/63] (fix) Updated version number and CHANGELOG.md --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3eadee80..54016448 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,8 +12,14 @@ All notable changes to this project will be documented in this file. - Tokens initialization from the official tokens list in https://github.com/InjectiveLabs/injective-lists ### Changed +- Updated all proto definitions based on chain upgrade to v1.13 - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies +## [1.5.3] - 2024-06-12 +### Changed +- Changed parameter `key` from the PaginationOption class. +- Fixed an error when using the next page key in PaginationOption, causing incorrect pagination responses. + ## [1.4.3] - 2024-06-06 ### Changed - Fixed `protobuf` dependency version to "<5" to for the v1.4 branch, because newer versions require a code refactoring (done in v1.5) From b786e42ce7ea1d159dfe2978ff3cbf147cf46fde Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Tue, 11 Jun 2024 23:04:14 -0300 Subject: [PATCH 41/63] (fix) Update poetry.lock file --- poetry.lock | 46 ++++++++-------------------------------------- 1 file changed, 8 insertions(+), 38 deletions(-) diff --git a/poetry.lock b/poetry.lock index c7a3cdee..09a977e5 100644 --- a/poetry.lock +++ b/poetry.lock @@ -96,20 +96,6 @@ yarl = ">=1.0,<2.0" [package.extras] speedups = ["Brotli", "aiodns", "brotlicffi"] -[[package]] -name = "aioresponses" -version = "0.7.6" -description = "Mock out requests made by ClientSession from aiohttp package" -optional = false -python-versions = "*" -files = [ - {file = "aioresponses-0.7.6-py2.py3-none-any.whl", hash = "sha256:d2c26defbb9b440ea2685ec132e90700907fd10bcca3e85ec2f157219f0d26f7"}, - {file = "aioresponses-0.7.6.tar.gz", hash = "sha256:f795d9dbda2d61774840e7e32f5366f45752d1adc1b74c9362afd017296c7ee1"}, -] - -[package.dependencies] -aiohttp = ">=3.3.0,<4.0.0" - [[package]] name = "aiosignal" version = "1.3.1" @@ -1809,13 +1795,13 @@ files = [ [[package]] name = "packaging" -version = "24.0" +version = "24.1" description = "Core utilities for Python packages" optional = false -python-versions = ">=3.7" +python-versions = ">=3.8" files = [ - {file = "packaging-24.0-py3-none-any.whl", hash = "sha256:2ddfb553fdf02fb784c234c7ba6ccc288296ceabec964ad2eae3777778130bc5"}, - {file = "packaging-24.0.tar.gz", hash = "sha256:eb82c5e3e56209074766e6885bb04b8c38a0c015d0a30036ebe7ece34c9989e9"}, + {file = "packaging-24.1-py3-none-any.whl", hash = "sha256:5b8f2217dbdbd2f7f384c41c628544e6d52f2d0f53c6d0c3ea61aa5d1d7ff124"}, + {file = "packaging-24.1.tar.gz", hash = "sha256:026ed72c8ed3fcce5bf8950572258698927fd1dbda10a5e981cdf0ac37f4f002"}, ] [[package]] @@ -2022,22 +2008,6 @@ tomli = {version = ">=1", markers = "python_version < \"3.11\""} [package.extras] dev = ["argcomplete", "attrs (>=19.2)", "hypothesis (>=3.56)", "mock", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] -[[package]] -name = "pytest-aioresponses" -version = "0.2.0" -description = "py.test integration for aioresponses" -optional = false -python-versions = ">=3.6,<4.0" -files = [ - {file = "pytest-aioresponses-0.2.0.tar.gz", hash = "sha256:61cced206857cb4e7aab10b61600527f505c358d046e7d3ad3ae09455d02d937"}, - {file = "pytest_aioresponses-0.2.0-py3-none-any.whl", hash = "sha256:1a78d1eb76e1bffe7adc83a1bad0d48c373b41289367ae1f5e7ec0fceb60a04d"}, -] - -[package.dependencies] -aioresponses = ">=0.7.1,<0.8.0" -pytest = ">=3.5.0" -pytest-asyncio = ">=0.14.0" - [[package]] name = "pytest-asyncio" version = "0.23.7" @@ -2534,13 +2504,13 @@ files = [ [[package]] name = "typing-extensions" -version = "4.12.1" +version = "4.12.2" description = "Backported and Experimental Type Hints for Python 3.8+" optional = false python-versions = ">=3.8" files = [ - {file = "typing_extensions-4.12.1-py3-none-any.whl", hash = "sha256:6024b58b69089e5a89c347397254e35f1bf02a907728ec7fee9bf0fe837d203a"}, - {file = "typing_extensions-4.12.1.tar.gz", hash = "sha256:915f5e35ff76f56588223f15fdd5938f9a1cf9195c0de25130c627e4d597f6d1"}, + {file = "typing_extensions-4.12.2-py3-none-any.whl", hash = "sha256:04e5ca0351e0f3f85c6853954072df659d0d13fac324d0072316b67d7794700d"}, + {file = "typing_extensions-4.12.2.tar.gz", hash = "sha256:1a7ead55c7e559dd4dee8856e3a88b41225abfe1ce8df57b7c13915fe121ffb8"}, ] [[package]] @@ -2801,4 +2771,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "c9faf26469b617ee8930f1f56e3875d6e4b915b2ac16eb4918d7398c5c7d1eb2" +content-hash = "5053b5a6c91b3dcac3057e8a7c5f6e355475e17bde39390e90543d24b6f10397" From e3b4156dcb1c8a702ec40e481bc0f84d345b1f26 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Wed, 3 Jul 2024 00:29:35 -0300 Subject: [PATCH 42/63] (fix) Updated Makefile gen-client script to make imports in proto modules explicit and not relative (CHAIN-153) --- Makefile | 16 +- pyinjective/proto/__init__.py | 4 - .../cosmos/app/runtime/v1alpha1/module_pb2.py | 2 +- .../proto/cosmos/app/v1alpha1/query_pb2.py | 2 +- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 2 +- .../proto/cosmos/auth/module/v1/module_pb2.py | 2 +- .../proto/cosmos/auth/v1beta1/auth_pb2.py | 6 +- .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/auth/v1beta1/query_pb2.py | 12 +- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/auth/v1beta1/tx_pb2.py | 10 +- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/authz/module/v1/module_pb2.py | 2 +- .../proto/cosmos/authz/v1beta1/authz_pb2.py | 6 +- .../proto/cosmos/authz/v1beta1/event_pb2.py | 2 +- .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/authz/v1beta1/query_pb2.py | 8 +- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 10 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/autocli/v1/query_pb2.py | 4 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 2 +- .../proto/cosmos/bank/module/v1/module_pb2.py | 2 +- .../proto/cosmos/bank/v1beta1/authz_pb2.py | 8 +- .../proto/cosmos/bank/v1beta1/bank_pb2.py | 10 +- .../proto/cosmos/bank/v1beta1/events_pb2.py | 34 + .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 10 +- .../proto/cosmos/bank/v1beta1/query_pb2.py | 16 +- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 12 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/base/abci/v1beta1/abci_pb2.py | 91 ++- .../proto/cosmos/base/kv/v1beta1/kv_pb2.py | 32 + .../cosmos/base/node/v1beta1/query_pb2.py | 34 +- .../base/node/v1beta1/query_pb2_grpc.py | 2 +- .../base/reflection/v1beta1/reflection_pb2.py | 2 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 2 +- .../reflection/v2alpha1/reflection_pb2.py | 2 +- .../v2alpha1/reflection_pb2_grpc.py | 2 +- .../base/snapshots/v1beta1/snapshot_pb2.py | 56 ++ .../base/store/v1beta1/commit_info_pb2.py | 41 ++ .../base/store/v1beta1/listening_pb2.py | 32 + .../base/tendermint/v1beta1/query_pb2.py | 18 +- .../base/tendermint/v1beta1/query_pb2_grpc.py | 2 +- .../base/tendermint/v1beta1/types_pb2.py | 10 +- .../proto/cosmos/base/v1beta1/coin_pb2.py | 6 +- .../cosmos/capability/module/v1/module_pb2.py | 29 + .../capability/v1beta1/capability_pb2.py | 39 + .../cosmos/capability/v1beta1/genesis_pb2.py | 36 + .../cosmos/consensus/module/v1/module_pb2.py | 2 +- .../proto/cosmos/consensus/v1/query_pb2.py | 4 +- .../cosmos/consensus/v1/query_pb2_grpc.py | 2 +- .../proto/cosmos/consensus/v1/tx_pb2.py | 35 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 2 +- .../cosmos/crisis/module/v1/module_pb2.py | 2 +- .../cosmos/crisis/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 10 +- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/crypto/ed25519/keys_pb2.py | 4 +- .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 4 +- .../cosmos/crypto/keyring/v1/record_pb2.py | 4 +- .../proto/cosmos/crypto/multisig/keys_pb2.py | 4 +- .../crypto/multisig/v1beta1/multisig_pb2.py | 2 +- .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 4 +- .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 2 +- .../distribution/module/v1/module_pb2.py | 2 +- .../distribution/v1beta1/distribution_pb2.py | 8 +- .../distribution/v1beta1/genesis_pb2.py | 10 +- .../cosmos/distribution/v1beta1/query_pb2.py | 14 +- .../distribution/v1beta1/query_pb2_grpc.py | 2 +- .../cosmos/distribution/v1beta1/tx_pb2.py | 12 +- .../distribution/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/evidence/module/v1/module_pb2.py | 2 +- .../cosmos/evidence/v1beta1/evidence_pb2.py | 6 +- .../cosmos/evidence/v1beta1/query_pb2.py | 43 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 8 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/feegrant/module/v1/module_pb2.py | 2 +- .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 8 +- .../cosmos/feegrant/v1beta1/genesis_pb2.py | 6 +- .../cosmos/feegrant/v1beta1/query_pb2.py | 8 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 6 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/genutil/module/v1/module_pb2.py | 2 +- .../cosmos/genutil/v1beta1/genesis_pb2.py | 4 +- .../proto/cosmos/gov/module/v1/module_pb2.py | 2 +- .../proto/cosmos/gov/v1/genesis_pb2.py | 2 +- pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 8 +- pyinjective/proto/cosmos/gov/v1/query_pb2.py | 8 +- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 2 +- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 127 ++-- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/gov/v1beta1/gov_pb2.py | 8 +- .../proto/cosmos/gov/v1beta1/query_pb2.py | 12 +- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 12 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/group/module/v1/module_pb2.py | 6 +- .../proto/cosmos/group/v1/events_pb2.py | 4 +- .../proto/cosmos/group/v1/genesis_pb2.py | 2 +- .../proto/cosmos/group/v1/query_pb2.py | 12 +- .../proto/cosmos/group/v1/query_pb2_grpc.py | 2 +- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 10 +- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/group/v1/types_pb2.py | 6 +- .../proto/cosmos/mint/module/v1/module_pb2.py | 2 +- .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/mint/v1beta1/mint_pb2.py | 6 +- .../proto/cosmos/mint/v1beta1/query_pb2.py | 61 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/mint/v1beta1/tx_pb2.py | 10 +- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/nft/module/v1/module_pb2.py | 2 +- .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 2 +- .../proto/cosmos/nft/v1beta1/query_pb2.py | 6 +- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/orm/module/v1alpha1/module_pb2.py | 2 +- .../cosmos/orm/query/v1alpha1/query_pb2.py | 2 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 2 +- .../cosmos/params/module/v1/module_pb2.py | 2 +- .../proto/cosmos/params/v1beta1/params_pb2.py | 6 +- .../proto/cosmos/params/v1beta1/query_pb2.py | 8 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 2 +- .../cosmos/reflection/v1/reflection_pb2.py | 2 +- .../reflection/v1/reflection_pb2_grpc.py | 2 +- .../cosmos/slashing/module/v1/module_pb2.py | 2 +- .../cosmos/slashing/v1beta1/genesis_pb2.py | 8 +- .../cosmos/slashing/v1beta1/query_pb2.py | 12 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 2 +- .../cosmos/slashing/v1beta1/slashing_pb2.py | 6 +- .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 10 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/staking/module/v1/module_pb2.py | 2 +- .../proto/cosmos/staking/v1beta1/authz_pb2.py | 8 +- .../cosmos/staking/v1beta1/genesis_pb2.py | 8 +- .../proto/cosmos/staking/v1beta1/query_pb2.py | 14 +- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 2 +- .../cosmos/staking/v1beta1/staking_pb2.py | 12 +- .../proto/cosmos/staking/v1beta1/tx_pb2.py | 12 +- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 2 +- .../proto/cosmos/tx/config/v1/config_pb2.py | 2 +- .../cosmos/tx/signing/v1beta1/signing_pb2.py | 2 +- .../proto/cosmos/tx/v1beta1/service_pb2.py | 12 +- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 2 +- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 93 ++- .../cosmos/upgrade/module/v1/module_pb2.py | 2 +- .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 4 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 2 +- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 10 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 6 +- .../cosmos/vesting/module/v1/module_pb2.py | 2 +- .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 12 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 2 +- .../cosmos/vesting/v1beta1/vesting_pb2.py | 8 +- .../proto/cosmwasm/wasm/v1/authz_pb2.py | 10 +- .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 53 +- pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 2 +- .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 10 +- .../proto/cosmwasm/wasm/v1/query_pb2.py | 189 +++-- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 2 +- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 12 +- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 2 +- .../proto/cosmwasm/wasm/v1/types_pb2.py | 8 +- .../exchange/event_provider_api_pb2_grpc.py | 2 +- pyinjective/proto/exchange/health_pb2_grpc.py | 2 +- .../injective_accounts_rpc_pb2_grpc.py | 2 +- .../injective_auction_rpc_pb2_grpc.py | 2 +- .../injective_campaign_rpc_pb2_grpc.py | 2 +- ...ective_derivative_exchange_rpc_pb2_grpc.py | 2 +- .../injective_exchange_rpc_pb2_grpc.py | 2 +- .../injective_explorer_rpc_pb2_grpc.py | 2 +- .../injective_insurance_rpc_pb2_grpc.py | 2 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 2 +- .../exchange/injective_oracle_rpc_pb2_grpc.py | 2 +- .../injective_portfolio_rpc_pb2_grpc.py | 2 +- .../injective_spot_exchange_rpc_pb2_grpc.py | 2 +- .../injective_trading_rpc_pb2_grpc.py | 2 +- .../proto/google/api/annotations_pb2.py | 2 +- .../proto/ibc/applications/fee/v1/ack_pb2.py | 21 +- .../proto/ibc/applications/fee/v1/fee_pb2.py | 64 +- .../ibc/applications/fee/v1/genesis_pb2.py | 6 +- .../ibc/applications/fee/v1/metadata_pb2.py | 19 +- .../ibc/applications/fee/v1/query_pb2.py | 14 +- .../ibc/applications/fee/v1/query_pb2_grpc.py | 2 +- .../proto/ibc/applications/fee/v1/tx_pb2.py | 98 +-- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 2 +- .../controller/v1/controller_pb2.py | 17 +- .../controller/v1/query_pb2.py | 41 +- .../controller/v1/query_pb2_grpc.py | 2 +- .../controller/v1/tx_pb2.py | 73 +- .../controller/v1/tx_pb2_grpc.py | 2 +- .../genesis/v1/genesis_pb2.py | 6 +- .../interchain_accounts/host/v1/host_pb2.py | 21 +- .../interchain_accounts/host/v1/query_pb2.py | 4 +- .../host/v1/query_pb2_grpc.py | 2 +- .../interchain_accounts/v1/account_pb2.py | 6 +- .../interchain_accounts/v1/metadata_pb2.py | 19 +- .../interchain_accounts/v1/packet_pb2.py | 2 +- .../ibc/applications/transfer/v1/authz_pb2.py | 6 +- .../applications/transfer/v1/genesis_pb2.py | 6 +- .../ibc/applications/transfer/v1/query_pb2.py | 10 +- .../transfer/v1/query_pb2_grpc.py | 2 +- .../applications/transfer/v1/transfer_pb2.py | 23 +- .../ibc/applications/transfer/v1/tx_pb2.py | 61 +- .../applications/transfer/v1/tx_pb2_grpc.py | 2 +- .../proto/ibc/core/channel/v1/channel_pb2.py | 4 +- .../proto/ibc/core/channel/v1/genesis_pb2.py | 4 +- .../proto/ibc/core/channel/v1/query_pb2.py | 215 +++--- .../ibc/core/channel/v1/query_pb2_grpc.py | 2 +- .../proto/ibc/core/channel/v1/tx_pb2.py | 362 ++++------ .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 2 +- .../proto/ibc/core/client/v1/client_pb2.py | 84 ++- .../proto/ibc/core/client/v1/genesis_pb2.py | 4 +- .../proto/ibc/core/client/v1/query_pb2.py | 134 ++-- .../ibc/core/client/v1/query_pb2_grpc.py | 2 +- .../proto/ibc/core/client/v1/tx_pb2.py | 113 ++- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 2 +- .../ibc/core/commitment/v1/commitment_pb2.py | 4 +- .../ibc/core/connection/v1/connection_pb2.py | 4 +- .../ibc/core/connection/v1/genesis_pb2.py | 4 +- .../proto/ibc/core/connection/v1/query_pb2.py | 10 +- .../ibc/core/connection/v1/query_pb2_grpc.py | 2 +- .../proto/ibc/core/connection/v1/tx_pb2.py | 141 ++-- .../ibc/core/connection/v1/tx_pb2_grpc.py | 2 +- .../proto/ibc/core/types/v1/genesis_pb2.py | 8 +- .../localhost/v2/localhost_pb2.py | 4 +- .../solomachine/v2/solomachine_pb2.py | 6 +- .../solomachine/v3/solomachine_pb2.py | 2 +- .../tendermint/v1/tendermint_pb2.py | 12 +- .../injective/auction/v1beta1/auction_pb2.py | 55 +- .../injective/auction/v1beta1/genesis_pb2.py | 4 +- .../injective/auction/v1beta1/query_pb2.py | 10 +- .../auction/v1beta1/query_pb2_grpc.py | 2 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 55 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 2 +- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 25 +- .../injective/exchange/v1beta1/authz_pb2.py | 99 ++- .../injective/exchange/v1beta1/events_pb2.py | 8 +- .../exchange/v1beta1/exchange_pb2.py | 683 +++++++++--------- .../injective/exchange/v1beta1/genesis_pb2.py | 6 +- .../exchange/v1beta1/proposal_pb2.py | 371 +++++----- .../injective/exchange/v1beta1/query_pb2.py | 10 +- .../exchange/v1beta1/query_pb2_grpc.py | 2 +- .../injective/exchange/v1beta1/tx_pb2.py | 679 ++++++++--------- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/insurance/v1beta1/events_pb2.py | 6 +- .../insurance/v1beta1/genesis_pb2.py | 4 +- .../insurance/v1beta1/insurance_pb2.py | 47 +- .../injective/insurance/v1beta1/query_pb2.py | 10 +- .../insurance/v1beta1/query_pb2_grpc.py | 2 +- .../injective/insurance/v1beta1/tx_pb2.py | 85 ++- .../insurance/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/ocr/v1beta1/genesis_pb2.py | 6 +- .../proto/injective/ocr/v1beta1/ocr_pb2.py | 6 +- .../proto/injective/ocr/v1beta1/query_pb2.py | 10 +- .../injective/ocr/v1beta1/query_pb2_grpc.py | 2 +- .../proto/injective/ocr/v1beta1/tx_pb2.py | 149 ++-- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/oracle/v1beta1/events_pb2.py | 6 +- .../injective/oracle/v1beta1/genesis_pb2.py | 4 +- .../injective/oracle/v1beta1/oracle_pb2.py | 171 +++-- .../injective/oracle/v1beta1/proposal_pb2.py | 93 ++- .../injective/oracle/v1beta1/query_pb2.py | 8 +- .../oracle/v1beta1/query_pb2_grpc.py | 2 +- .../proto/injective/oracle/v1beta1/tx_pb2.py | 119 ++- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/peggy/v1/attestation_pb2.py | 2 +- .../proto/injective/peggy/v1/batch_pb2.py | 2 +- .../injective/peggy/v1/ethereum_signer_pb2.py | 2 +- .../proto/injective/peggy/v1/events_pb2.py | 6 +- .../proto/injective/peggy/v1/genesis_pb2.py | 14 +- .../proto/injective/peggy/v1/msgs_pb2.py | 221 +++--- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 2 +- .../proto/injective/peggy/v1/params_pb2.py | 43 +- .../proto/injective/peggy/v1/pool_pb2.py | 2 +- .../proto/injective/peggy/v1/proposal_pb2.py | 35 + .../proto/injective/peggy/v1/query_pb2.py | 16 +- .../injective/peggy/v1/query_pb2_grpc.py | 2 +- .../proto/injective/peggy/v1/types_pb2.py | 2 +- .../permissions/v1beta1/events_pb2.py | 6 +- .../permissions/v1beta1/genesis_pb2.py | 6 +- .../permissions/v1beta1/params_pb2.py | 21 +- .../permissions/v1beta1/permissions_pb2.py | 4 +- .../permissions/v1beta1/query_pb2.py | 12 +- .../permissions/v1beta1/query_pb2_grpc.py | 2 +- .../injective/permissions/v1beta1/tx_pb2.py | 147 ++-- .../permissions/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/stream/v1beta1/query_pb2.py | 8 +- .../stream/v1beta1/query_pb2_grpc.py | 2 +- .../v1beta1/authorityMetadata_pb2.py | 4 +- .../tokenfactory/v1beta1/events_pb2.py | 8 +- .../tokenfactory/v1beta1/genesis_pb2.py | 6 +- .../tokenfactory/v1beta1/params_pb2.py | 25 +- .../tokenfactory/v1beta1/query_pb2.py | 12 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 2 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 131 ++-- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 2 +- .../injective/types/v1beta1/account_pb2.py | 6 +- .../injective/types/v1beta1/tx_ext_pb2.py | 2 +- .../proto/injective/wasmx/v1/events_pb2.py | 6 +- .../proto/injective/wasmx/v1/genesis_pb2.py | 4 +- .../proto/injective/wasmx/v1/proposal_pb2.py | 63 +- .../proto/injective/wasmx/v1/query_pb2.py | 8 +- .../injective/wasmx/v1/query_pb2_grpc.py | 2 +- .../proto/injective/wasmx/v1/tx_pb2.py | 105 ++- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 2 +- .../proto/injective/wasmx/v1/wasmx_pb2.py | 36 +- .../proto/tendermint/abci/types_pb2.py | 304 ++++---- .../proto/tendermint/abci/types_pb2_grpc.py | 2 +- .../proto/tendermint/blocksync/types_pb2.py | 35 +- .../proto/tendermint/consensus/types_pb2.py | 6 +- .../proto/tendermint/consensus/wal_pb2.py | 6 +- .../proto/tendermint/crypto/keys_pb2.py | 2 +- .../proto/tendermint/crypto/proof_pb2.py | 2 +- pyinjective/proto/tendermint/p2p/conn_pb2.py | 4 +- pyinjective/proto/tendermint/p2p/pex_pb2.py | 4 +- pyinjective/proto/tendermint/p2p/types_pb2.py | 2 +- .../proto/tendermint/privval/types_pb2.py | 6 +- .../proto/tendermint/rpc/grpc/types_pb2.py | 2 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 2 +- .../proto/tendermint/state/types_pb2.py | 12 +- .../proto/tendermint/types/block_pb2.py | 6 +- .../proto/tendermint/types/canonical_pb2.py | 4 +- .../proto/tendermint/types/evidence_pb2.py | 6 +- .../proto/tendermint/types/params_pb2.py | 2 +- .../proto/tendermint/types/types_pb2.py | 8 +- .../proto/tendermint/types/validator_pb2.py | 4 +- .../proto/tendermint/version/types_pb2.py | 2 +- pyinjective/proto/testpb/bank_pb2.py | 33 + pyinjective/proto/testpb/bank_query_pb2.py | 58 ++ .../proto/testpb/bank_query_pb2_grpc.py | 172 +++++ pyinjective/proto/testpb/test_schema_pb2.py | 59 ++ .../proto/testpb/test_schema_query_pb2.py | 127 ++++ .../testpb/test_schema_query_pb2_grpc.py | 514 +++++++++++++ 340 files changed, 4815 insertions(+), 3796 deletions(-) create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py create mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py create mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py create mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py create mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py create mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2.py create mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py create mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py create mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2.py create mode 100644 pyinjective/proto/testpb/bank_pb2.py create mode 100644 pyinjective/proto/testpb/bank_query_pb2.py create mode 100644 pyinjective/proto/testpb/bank_query_pb2_grpc.py create mode 100644 pyinjective/proto/testpb/test_schema_pb2.py create mode 100644 pyinjective/proto/testpb/test_schema_query_pb2.py create mode 100644 pyinjective/proto/testpb/test_schema_query_pb2_grpc.py diff --git a/Makefile b/Makefile index 0bf7e4f9..0140f9b8 100644 --- a/Makefile +++ b/Makefile @@ -3,17 +3,25 @@ all: gen: gen-client gen-client: clone-all copy-proto + mkdir -p ./pyinjective/proto @for dir in $(shell find ./proto -path -prune -o -name '*.proto' -print0 | xargs -0 -n1 dirname | sort | uniq); do \ - mkdir -p ./pyinjective/$${dir}; \ python3 -m grpc_tools.protoc \ - -I proto \ + --proto_path=./proto \ --python_out=./pyinjective/proto \ --grpc_python_out=./pyinjective/proto \ $$(find ./$${dir} -type f -name '*.proto'); \ - done; \ + done rm -rf proto $(call clean_repos) - echo "import os\nimport sys\n\nsys.path.insert(0, os.path.abspath(os.path.dirname(__file__)))" > pyinjective/proto/__init__.py + touch pyinjective/proto/__init__.py + $(MAKE) fix-proto-imports + +PROTO_MODULES := cosmwasm exchange gogoproto cosmos_proto cosmos testpb ibc amino tendermint injective +fix-proto-imports: + @for module in $(PROTO_MODULES); do \ + find ./pyinjective/proto -type f -name "*.py" -exec sed -i "" -e "s/from $${module}/from pyinjective.proto.$${module}/g" {} \; ; \ + done + @find ./pyinjective/proto -type f -name "*.py" -exec sed -i "" -e "s/from google.api/from pyinjective.proto.google.api/g" {} \; define clean_repos rm -Rf cosmos-sdk diff --git a/pyinjective/proto/__init__.py b/pyinjective/proto/__init__.py index 5f40baea..e69de29b 100644 --- a/pyinjective/proto/__init__.py +++ b/pyinjective/proto/__init__.py @@ -1,4 +0,0 @@ -import os -import sys - -sys.path.insert(0, os.path.abspath(os.path.dirname(__file__))) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index 6c2f71cf..ad9f34b9 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xd4\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig\x12\x18\n\x10order_migrations\x18\x07 \x03(\t\x12\x14\n\x0cprecommiters\x18\x08 \x03(\t\x12\x1d\n\x15prepare_check_staters\x18\t \x03(\t:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index f553fa07..84f9bdf4 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"B\n\x13QueryConfigResponse\x12+\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.Config2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 79a7bb3f..936c1120 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index fb80f2ae..8cda0688 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xb3\x01\n\x06Module\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\x12R\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermission\x12\x11\n\tauthority\x18\x03 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"?\n\x17ModuleAccountPermission\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x03(\tb\x06proto3') diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 559174a3..309027c3 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index 999ebb0d..6526269b 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -13,9 +13,9 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"n\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12&\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index 7fd4c781..ef9257fe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9e\x01\n\x15QueryAccountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"J\n\x13QueryAccountRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"_\n\x14QueryAccountResponse\x12G\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1c\n\x1aQueryModuleAccountsRequest\"m\n\x1bQueryModuleAccountsResponse\x12N\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"/\n\x1fQueryModuleAccountByNameRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"q\n QueryModuleAccountByNameResponse\x12M\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"\x15\n\x13\x42\x65\x63h32PrefixRequest\"-\n\x14\x42\x65\x63h32PrefixResponse\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\"4\n\x1b\x41\x64\x64ressBytesToStringRequest\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"6\n\x1c\x41\x64\x64ressBytesToStringResponse\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1b\x41\x64\x64ressStringToBytesRequest\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1c\x41\x64\x64ressStringToBytesResponse\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"D\n\x1eQueryAccountAddressByIDRequest\x12\x0e\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01\x12\x12\n\naccount_id\x18\x02 \x01(\x04\"T\n\x1fQueryAccountAddressByIDResponse\x12\x31\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"D\n\x17QueryAccountInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"J\n\x18QueryAccountInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccount2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index 86e9f155..7100f432 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index c43059b1..65c843ab 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 07bfa7ce..6b3c2312 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index fc4344eb..207eb8c5 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 83abe96d..5451f16e 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 077fe130..206e9596 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"x\n\nEventGrant\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"y\n\x0b\x45ventRevoke\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringB&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index 1fb92dc4..32086ad9 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"Z\n\x0cGenesisState\x12J\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index 3e1b8a97..e14d0bac 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbc\x01\n\x12QueryGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x13QueryGrantsResponse\x12+\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranterGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranterGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranteeGrantsRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranteeGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index 0bc83cd9..5ed73a42 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 1dbe6b49..5a2c0d66 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index dc51176c..86cf53e3 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index ad495a6c..675e9ff5 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xbe\x01\n\x12\x41ppOptionsResponse\x12P\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntry\x1aV\n\x12ModuleOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12/\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptions:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index c12142fb..d9b18db7 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index 51baa779..8fe7b32e 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x8e\x01\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1a\n\x12restrictions_order\x18\x03 \x03(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index e55328b2..739c27c8 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 41519048..776975d9 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py new file mode 100644 index 00000000..565df165 --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py @@ -0,0 +1,34 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/bank/v1beta1/events.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x10\x45ventSetBalances\x12;\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdate\"|\n\rBalanceUpdate\x12\x0c\n\x04\x61\x64\x64r\x18\x01 \x01(\x0c\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\x0c\x12N\n\x03\x61mt\x18\x03 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['_BALANCEUPDATE'].fields_by_name['amt']._options = None + _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_EVENTSETBALANCES']._serialized_start=125 + _globals['_EVENTSETBALANCES']._serialized_end=204 + _globals['_BALANCEUPDATE']._serialized_start=206 + _globals['_BALANCEUPDATE']._serialized_end=330 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index ec6558c5..d27204aa 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index d800c7eb..257413f2 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index f7781ec4..67a7f249 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index ca3ac536..9c7844f8 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index e9f149d3..a0b3f7fe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 3736a45f..66446a14 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,76 +12,71 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' - _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None + _globals['_TXRESPONSE'].fields_by_name['txhash']._options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' - _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None + _globals['_TXRESPONSE'].fields_by_name['logs']._options = None _globals['_TXRESPONSE'].fields_by_name['logs']._serialized_options = b'\310\336\037\000\252\337\037\017ABCIMessageLogs' - _globals['_TXRESPONSE'].fields_by_name['events']._loaded_options = None + _globals['_TXRESPONSE'].fields_by_name['events']._options = None _globals['_TXRESPONSE'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_TXRESPONSE']._loaded_options = None + _globals['_TXRESPONSE']._options = None _globals['_TXRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._loaded_options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._options = None _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._serialized_options = b'\352\336\037\tmsg_index' - _globals['_ABCIMESSAGELOG'].fields_by_name['events']._loaded_options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['events']._options = None _globals['_ABCIMESSAGELOG'].fields_by_name['events']._serialized_options = b'\310\336\037\000\252\337\037\014StringEvents' - _globals['_ABCIMESSAGELOG']._loaded_options = None + _globals['_ABCIMESSAGELOG']._options = None _globals['_ABCIMESSAGELOG']._serialized_options = b'\200\334 \001' - _globals['_STRINGEVENT'].fields_by_name['attributes']._loaded_options = None + _globals['_STRINGEVENT'].fields_by_name['attributes']._options = None _globals['_STRINGEVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000' - _globals['_STRINGEVENT']._loaded_options = None + _globals['_STRINGEVENT']._options = None _globals['_STRINGEVENT']._serialized_options = b'\200\334 \001' - _globals['_RESULT'].fields_by_name['data']._loaded_options = None + _globals['_RESULT'].fields_by_name['data']._options = None _globals['_RESULT'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_RESULT'].fields_by_name['events']._loaded_options = None + _globals['_RESULT'].fields_by_name['events']._options = None _globals['_RESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_RESULT']._loaded_options = None + _globals['_RESULT']._options = None _globals['_RESULT']._serialized_options = b'\210\240\037\000' - _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._loaded_options = None + _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._options = None _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._serialized_options = b'\310\336\037\000\320\336\037\001' - _globals['_MSGDATA']._loaded_options = None + _globals['_MSGDATA']._options = None _globals['_MSGDATA']._serialized_options = b'\030\001\200\334 \001' - _globals['_TXMSGDATA'].fields_by_name['data']._loaded_options = None + _globals['_TXMSGDATA'].fields_by_name['data']._options = None _globals['_TXMSGDATA'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_TXMSGDATA']._loaded_options = None + _globals['_TXMSGDATA']._options = None _globals['_TXMSGDATA']._serialized_options = b'\200\334 \001' - _globals['_SEARCHTXSRESULT']._loaded_options = None + _globals['_SEARCHTXSRESULT']._options = None _globals['_SEARCHTXSRESULT']._serialized_options = b'\200\334 \001' - _globals['_SEARCHBLOCKSRESULT']._loaded_options = None - _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' - _globals['_TXRESPONSE']._serialized_start=174 - _globals['_TXRESPONSE']._serialized_end=532 - _globals['_ABCIMESSAGELOG']._serialized_start=535 - _globals['_ABCIMESSAGELOG']._serialized_end=681 - _globals['_STRINGEVENT']._serialized_start=683 - _globals['_STRINGEVENT']._serialized_end=779 - _globals['_ATTRIBUTE']._serialized_start=781 - _globals['_ATTRIBUTE']._serialized_end=820 - _globals['_GASINFO']._serialized_start=822 - _globals['_GASINFO']._serialized_end=869 - _globals['_RESULT']._serialized_start=872 - _globals['_RESULT']._serialized_end=1008 - _globals['_SIMULATIONRESPONSE']._serialized_start=1011 - _globals['_SIMULATIONRESPONSE']._serialized_end=1144 - _globals['_MSGDATA']._serialized_start=1146 - _globals['_MSGDATA']._serialized_end=1195 - _globals['_TXMSGDATA']._serialized_start=1197 - _globals['_TXMSGDATA']._serialized_end=1312 - _globals['_SEARCHTXSRESULT']._serialized_start=1315 - _globals['_SEARCHTXSRESULT']._serialized_end=1481 - _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 - _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 + _globals['_TXRESPONSE']._serialized_start=144 + _globals['_TXRESPONSE']._serialized_end=502 + _globals['_ABCIMESSAGELOG']._serialized_start=505 + _globals['_ABCIMESSAGELOG']._serialized_end=651 + _globals['_STRINGEVENT']._serialized_start=653 + _globals['_STRINGEVENT']._serialized_end=749 + _globals['_ATTRIBUTE']._serialized_start=751 + _globals['_ATTRIBUTE']._serialized_end=790 + _globals['_GASINFO']._serialized_start=792 + _globals['_GASINFO']._serialized_end=839 + _globals['_RESULT']._serialized_start=842 + _globals['_RESULT']._serialized_end=978 + _globals['_SIMULATIONRESPONSE']._serialized_start=981 + _globals['_SIMULATIONRESPONSE']._serialized_end=1114 + _globals['_MSGDATA']._serialized_start=1116 + _globals['_MSGDATA']._serialized_end=1165 + _globals['_TXMSGDATA']._serialized_start=1167 + _globals['_TXMSGDATA']._serialized_end=1282 + _globals['_SEARCHTXSRESULT']._serialized_start=1285 + _globals['_SEARCHTXSRESULT']._serialized_end=1451 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py new file mode 100644 index 00000000..5d4f2467 --- /dev/null +++ b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py @@ -0,0 +1,32 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/base/kv/v1beta1/kv.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/base/kv/v1beta1/kv.proto\x12\x16\x63osmos.base.kv.v1beta1\x1a\x14gogoproto/gogo.proto\":\n\x05Pairs\x12\x31\n\x05pairs\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/kvb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.kv.v1beta1.kv_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/kv' + _globals['_PAIRS'].fields_by_name['pairs']._options = None + _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' + _globals['_PAIRS']._serialized_start=81 + _globals['_PAIRS']._serialized_end=139 + _globals['_PAIR']._serialized_start=141 + _globals['_PAIR']._serialized_end=175 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 8e59bccc..ffbf6c59 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,33 +12,23 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x0f\n\rConfigRequest\"+\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t2\x91\x01\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/configB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' - _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None - _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' - _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None + _globals['_SERVICE'].methods_by_name['Config']._options = None _globals['_SERVICE'].methods_by_name['Config']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/config' - _globals['_SERVICE'].methods_by_name['Status']._loaded_options = None - _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' - _globals['_CONFIGREQUEST']._serialized_start=151 - _globals['_CONFIGREQUEST']._serialized_end=166 - _globals['_CONFIGRESPONSE']._serialized_start=168 - _globals['_CONFIGRESPONSE']._serialized_end=287 - _globals['_STATUSREQUEST']._serialized_start=289 - _globals['_STATUSREQUEST']._serialized_end=304 - _globals['_STATUSRESPONSE']._serialized_start=307 - _globals['_STATUSRESPONSE']._serialized_end=465 - _globals['_SERVICE']._serialized_start=468 - _globals['_SERVICE']._serialized_end=749 + _globals['_CONFIGREQUEST']._serialized_start=96 + _globals['_CONFIGREQUEST']._serialized_end=111 + _globals['_CONFIGRESPONSE']._serialized_start=113 + _globals['_CONFIGRESPONSE']._serialized_end=156 + _globals['_SERVICE']._serialized_start=159 + _globals['_SERVICE']._serialized_end=304 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index d3dc674a..18a4cb4c 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index caffc681..19c8c87d 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"4\n\x19ListAllInterfacesResponse\x12\x17\n\x0finterface_names\x18\x01 \x03(\t\"4\n\x1aListImplementationsRequest\x12\x16\n\x0einterface_name\x18\x01 \x01(\t\"C\n\x1bListImplementationsResponse\x12$\n\x1cimplementation_message_names\x18\x01 \x03(\t2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB5Z3github.com/cosmos/cosmos-sdk/client/grpc/reflectionb\x06proto3') diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 2cffa129..640012be 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 +from pyinjective.proto.cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index 6b07e5de..04131993 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0cosmos/base/reflection/v2alpha1/reflection.proto\x12\x1f\x63osmos.base.reflection.v2alpha1\x1a\x1cgoogle/api/annotations.proto\"\xb0\x03\n\rAppDescriptor\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\x12?\n\x05\x63hain\x18\x02 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\x12?\n\x05\x63odec\x18\x03 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\x12O\n\rconfiguration\x18\x04 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\x12P\n\x0equery_services\x18\x05 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\x12\x39\n\x02tx\x18\x06 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"^\n\x0cTxDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12<\n\x04msgs\x18\x02 \x03(\x0b\x32..cosmos.base.reflection.v2alpha1.MsgDescriptor\"]\n\x0f\x41uthnDescriptor\x12J\n\nsign_modes\x18\x01 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.SigningModeDescriptor\"b\n\x15SigningModeDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06number\x18\x02 \x01(\x05\x12+\n#authn_info_provider_method_fullname\x18\x03 \x01(\t\"\x1d\n\x0f\x43hainDescriptor\x12\n\n\x02id\x18\x01 \x01(\t\"[\n\x0f\x43odecDescriptor\x12H\n\ninterfaces\x18\x01 \x03(\x0b\x32\x34.cosmos.base.reflection.v2alpha1.InterfaceDescriptor\"\xf4\x01\n\x13InterfaceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12j\n\x1cinterface_accepting_messages\x18\x02 \x03(\x0b\x32\x44.cosmos.base.reflection.v2alpha1.InterfaceAcceptingMessageDescriptor\x12_\n\x16interface_implementers\x18\x03 \x03(\x0b\x32?.cosmos.base.reflection.v2alpha1.InterfaceImplementerDescriptor\"D\n\x1eInterfaceImplementerDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x10\n\x08type_url\x18\x02 \x01(\t\"W\n#InterfaceAcceptingMessageDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x1e\n\x16\x66ield_descriptor_names\x18\x02 \x03(\t\"@\n\x17\x43onfigurationDescriptor\x12%\n\x1d\x62\x65\x63h32_account_address_prefix\x18\x01 \x01(\t\"%\n\rMsgDescriptor\x12\x14\n\x0cmsg_type_url\x18\x01 \x01(\t\"\x1b\n\x19GetAuthnDescriptorRequest\"]\n\x1aGetAuthnDescriptorResponse\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\"\x1b\n\x19GetChainDescriptorRequest\"]\n\x1aGetChainDescriptorResponse\x12?\n\x05\x63hain\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\"\x1b\n\x19GetCodecDescriptorRequest\"]\n\x1aGetCodecDescriptorResponse\x12?\n\x05\x63odec\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\"#\n!GetConfigurationDescriptorRequest\"n\n\"GetConfigurationDescriptorResponse\x12H\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\"#\n!GetQueryServicesDescriptorRequest\"o\n\"GetQueryServicesDescriptorResponse\x12I\n\x07queries\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\"\x18\n\x16GetTxDescriptorRequest\"T\n\x17GetTxDescriptorResponse\x12\x39\n\x02tx\x18\x01 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"j\n\x17QueryServicesDescriptor\x12O\n\x0equery_services\x18\x01 \x03(\x0b\x32\x37.cosmos.base.reflection.v2alpha1.QueryServiceDescriptor\"\x86\x01\n\x16QueryServiceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x11\n\tis_module\x18\x02 \x01(\x08\x12G\n\x07methods\x18\x03 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.QueryMethodDescriptor\">\n\x15QueryMethodDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x17\n\x0f\x66ull_query_path\x18\x02 \x01(\t2\xa7\n\n\x11ReflectionService\x12\xcb\x01\n\x12GetAuthnDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/authn\x12\xcb\x01\n\x12GetChainDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetChainDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetChainDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/chain\x12\xcb\x01\n\x12GetCodecDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetCodecDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetCodecDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/codec\x12\xeb\x01\n\x1aGetConfigurationDescriptor\x12\x42.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorRequest\x1a\x43.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12Z.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 55f9062c..286a4655 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index d4101985..1cd118c8 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index a1a647a8..c02fde25 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py new file mode 100644 index 00000000..99ad4fff --- /dev/null +++ b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py @@ -0,0 +1,29 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/capability/module/v1/module.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/capability/module/v1/module.proto\x12\x1b\x63osmos.capability.module.v1\x1a cosmos/app/v1alpha1/module.proto\"P\n\x06Module\x12\x13\n\x0bseal_keeper\x18\x01 \x01(\x08:1\xba\xc0\x96\xda\x01+\n)github.com/cosmos/cosmos-sdk/x/capabilityb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.module.v1.module_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + DESCRIPTOR._options = None + _globals['_MODULE']._options = None + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001+\n)github.com/cosmos/cosmos-sdk/x/capability' + _globals['_MODULE']._serialized_start=107 + _globals['_MODULE']._serialized_end=187 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py new file mode 100644 index 00000000..fb13cedc --- /dev/null +++ b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py @@ -0,0 +1,39 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/capability/v1beta1/capability.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/capability/v1beta1/capability.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"O\n\x10\x43\x61pabilityOwners\x12;\n\x06owners\x18\x01 \x03(\x0b\x32 .cosmos.capability.v1beta1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.capability_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' + _globals['_CAPABILITY']._options = None + _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' + _globals['_OWNER']._options = None + _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._options = None + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_CAPABILITY']._serialized_start=114 + _globals['_CAPABILITY']._serialized_end=147 + _globals['_OWNER']._serialized_start=149 + _globals['_OWNER']._serialized_end=196 + _globals['_CAPABILITYOWNERS']._serialized_start=198 + _globals['_CAPABILITYOWNERS']._serialized_end=277 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py new file mode 100644 index 00000000..71b9eadb --- /dev/null +++ b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py @@ -0,0 +1,36 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: cosmos/capability/v1beta1/genesis.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.capability.v1beta1 import capability_pb2 as cosmos_dot_capability_dot_v1beta1_dot_capability__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/capability/v1beta1/genesis.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/capability/v1beta1/capability.proto\x1a\x11\x61mino/amino.proto\"l\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12L\n\x0cindex_owners\x18\x02 \x01(\x0b\x32+.cosmos.capability.v1beta1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"b\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x43\n\x06owners\x18\x02 \x03(\x0b\x32(.cosmos.capability.v1beta1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.genesis_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._options = None + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['owners']._options = None + _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_GENESISOWNERS']._serialized_start=155 + _globals['_GENESISOWNERS']._serialized_end=263 + _globals['_GENESISSTATE']._serialized_start=265 + _globals['_GENESISSTATE']._serialized_end=363 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index 59e5a13f..f95c5039 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"M\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusb\x06proto3') diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index a7d1e0c0..5c6e405c 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index dec9d11e..050636c6 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index a1d1452c..2df0b8cc 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,30 +12,27 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xe6\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2i\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponseB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/x/consensus/MsgUpdateParams' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATEPARAMS']._serialized_start=156 - _globals['_MSGUPDATEPARAMS']._serialized_end=473 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 - _globals['_MSG']._serialized_start=502 - _globals['_MSG']._serialized_end=614 + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGUPDATEPARAMS']._serialized_start=137 + _globals['_MSGUPDATEPARAMS']._serialized_end=367 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=369 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=394 + _globals['_MSG']._serialized_start=396 + _globals['_MSG']._serialized_end=501 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index efd93d19..03417a09 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 +from pyinjective.proto.cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index 969636d7..9319713a 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"f\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisb\x06proto3') diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 17999c69..52de3cc9 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"J\n\x0cGenesisState\x12:\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index 07b352a9..4f94c94e 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xad\x01\n\x12MsgVerifyInvariant\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1d\n\x15invariant_module_name\x18\x02 \x01(\t\x12\x17\n\x0finvariant_route\x18\x03 \x01(\t:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index e605b1b0..dcee8866 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index f249dd29..a1ed9af2 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"d\n\x06PubKey\x12)\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKey:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"c\n\x07PrivKey\x12*\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKey:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB2Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519b\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 688dfe8c..69d0631a 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\x8e\x01\n\x0b\x42IP44Params\x12\x0f\n\x07purpose\x18\x01 \x01(\r\x12\x11\n\tcoin_type\x18\x02 \x01(\r\x12\x0f\n\x07\x61\x63\x63ount\x18\x03 \x01(\r\x12\x0e\n\x06\x63hange\x18\x04 \x01(\x08\x12\x15\n\raddress_index\x18\x05 \x01(\r:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB,Z&github.com/cosmos/cosmos-sdk/crypto/hd\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index babc9619..66cd1047 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 +from pyinjective.proto.cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xae\x03\n\x06Record\x12\x0c\n\x04name\x18\x01 \x01(\t\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x37\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00\x12\x39\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00\x12\x37\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00\x12;\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00\x1a/\n\x05Local\x12&\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x1a\x38\n\x06Ledger\x12.\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44Params\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB5Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index 2ca3b5ec..9e7f1bdc 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n\x11LegacyAminoPubKey\x12\x11\n\tthreshold\x18\x01 \x01(\r\x12\x42\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB3Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisigb\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index b72934ef..18de0b9b 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"*\n\x0eMultiSignature\x12\x12\n\nsignatures\x18\x01 \x03(\x0c:\x04\xd0\xa1\x1f\x01\"A\n\x0f\x43ompactBitArray\x12\x19\n\x11\x65xtra_bits_stored\x18\x01 \x01(\r\x12\r\n\x05\x65lems\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/crypto/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index c30bce63..3813cfec 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"H\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"F\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB4Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1b\x06proto3') diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index 6637cd26..c3eba82d 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\"\n\x06PubKey\x12\x18\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPK\"&\n\x07PrivKey\x12\x1b\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKB@Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index e41ea2eb..686cdb21 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"l\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionb\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index f1fd9d52..cf3c4219 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 41ad684f..42b040e8 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 469f5712..4a5f7aca 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index 0dfb710a..a3346d16 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index dd94e8bc..9ae6d35c 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index df41d872..ed2046ed 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index ff70c9fe..f1eccd4c 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 504515c5..9bbcac50 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 00b15add..50ddba0a 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,33 +12,34 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"s\n\x14QueryEvidenceRequest\x12M\n\revidence_hash\x18\x01 \x01(\x0c\x42\x36\x18\x01\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' - _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._options = None + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' + _globals['_QUERY'].methods_by_name['Evidence']._options = None _globals['_QUERY'].methods_by_name['Evidence']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/evidence/v1beta1/evidence/{hash}' - _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None + _globals['_QUERY'].methods_by_name['AllEvidence']._options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' - _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 - _globals['_QUERY']._serialized_start=512 - _globals['_QUERY']._serialized_end=837 + _globals['_QUERYEVIDENCEREQUEST']._serialized_start=187 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=302 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=304 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=367 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=369 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=454 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=456 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=583 + _globals['_QUERY']._serialized_start=586 + _globals['_QUERY']._serialized_end=911 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index 9a3405ff..fd673d56 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index fc71365d..acd88a38 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index 46abdd06..c7c8677e 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 76e9e6a0..36ebf888 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 62877c10..db07ba44 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 7d1d4cb1..961be678 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 010c4e43..1fea969d 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index c5bc9527..cf48437e 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 306af9c3..6ecf6810 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -13,9 +13,9 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 8556e2b2..10097e0b 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index 3e8cdee9..d6d845c4 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilb\x06proto3') diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index 36cc38d2..d3bdea72 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/genutil/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index b1343d35..5a55cd96 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"a\n\x06Module\x12\x18\n\x10max_metadata_len\x18\x01 \x01(\x04\x12\x11\n\tauthority\x18\x02 \x01(\t:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govb\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index 5bf72a99..a192b756 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\x8b\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\x12\x14\n\x0c\x63onstitution\x18\t \x01(\tB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index ecf8a88e..93a8eed0 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index f6b63e25..7fcdfb07 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 0d043af3..03e45f91 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 4c14e562..471e0756 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,100 +12,85 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._loaded_options = None + _globals['_MSGSUBMITPROPOSAL']._options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\202\347\260*\010proposer\212\347\260*\037cosmos-sdk/v1/MsgSubmitProposal' - _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._loaded_options = None + _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._options = None _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGEXECLEGACYCONTENT']._loaded_options = None + _globals['_MSGEXECLEGACYCONTENT']._options = None _globals['_MSGEXECLEGACYCONTENT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\"cosmos-sdk/v1/MsgExecLegacyContent' - _globals['_MSGVOTE'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGVOTE'].fields_by_name['proposal_id']._options = None _globals['_MSGVOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None + _globals['_MSGVOTE'].fields_by_name['voter']._options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._loaded_options = None + _globals['_MSGVOTE']._options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\025cosmos-sdk/v1/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED']._loaded_options = None + _globals['_MSGVOTEWEIGHTED']._options = None _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\202\347\260*\005voter\212\347\260*\035cosmos-sdk/v1/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDEPOSIT']._loaded_options = None + _globals['_MSGDEPOSIT']._options = None _globals['_MSGDEPOSIT']._serialized_options = b'\202\347\260*\tdepositor\212\347\260*\030cosmos-sdk/v1/MsgDeposit' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/gov/v1/MsgUpdateParams' - _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._loaded_options = None - _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' - _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._loaded_options = None - _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCANCELPROPOSAL']._loaded_options = None - _globals['_MSGCANCELPROPOSAL']._serialized_options = b'\202\347\260*\010proposer' - _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None - _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' - _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._loaded_options = None - _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_MSG']._loaded_options = None + _globals['_MSG']._options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 - _globals['_MSGVOTE']._serialized_start=854 - _globals['_MSGVOTE']._serialized_end=1046 - _globals['_MSGVOTERESPONSE']._serialized_start=1048 - _globals['_MSGVOTERESPONSE']._serialized_end=1065 - _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 - _globals['_MSGDEPOSIT']._serialized_start=1315 - _globals['_MSGDEPOSIT']._serialized_end=1514 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 - _globals['_MSGUPDATEPARAMS']._serialized_start=1539 - _globals['_MSGUPDATEPARAMS']._serialized_end=1707 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 - _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 - _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 - _globals['_MSG']._serialized_start=2009 - _globals['_MSG']._serialized_end=2625 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=219 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=486 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=488 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=536 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=539 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=706 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=708 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=738 + _globals['_MSGVOTE']._serialized_start=741 + _globals['_MSGVOTE']._serialized_end=933 + _globals['_MSGVOTERESPONSE']._serialized_start=935 + _globals['_MSGVOTERESPONSE']._serialized_end=952 + _globals['_MSGVOTEWEIGHTED']._serialized_start=955 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1172 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1174 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1199 + _globals['_MSGDEPOSIT']._serialized_start=1202 + _globals['_MSGDEPOSIT']._serialized_end=1401 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1403 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1423 + _globals['_MSGUPDATEPARAMS']._serialized_start=1426 + _globals['_MSGUPDATEPARAMS']._serialized_end=1594 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1596 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1621 + _globals['_MSG']._serialized_start=1624 + _globals['_MSG']._serialized_end=2146 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index f47f2cbf..0c59dc21 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 +from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 73aa2466..20a4b3bd 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\xc4\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12\x44\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01\x12;\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01\x12G\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 63b30b1a..799d398c 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index 465099d0..5c027a9c 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x15QueryProposalResponse\x12\x39\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf0\x01\n\x15QueryProposalsRequest\x12;\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x16QueryProposalsResponse\x12:\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x11QueryVoteResponse\x12\x31\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x12QueryVotesResponse\x12\x32\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe1\x01\n\x13QueryParamsResponse\x12\x42\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"a\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"O\n\x14QueryDepositResponse\x12\x37\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8e\x01\n\x15QueryDepositsResponse\x12\x38\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"U\n\x18QueryTallyResultResponse\x12\x39\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB2Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index 0e5b4a61..ad7a6c4f 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 64bc3513..4991db50 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index fb0f0dcf..d6ba08c7 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index e735d56d..ea2688bf 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x06Module\x12\x46\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x18\n\x10max_metadata_len\x18\x02 \x01(\x04:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index 1c3d7028..88e95a34 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"$\n\x10\x45ventCreateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"$\n\x10\x45ventUpdateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"C\n\x16\x45ventCreateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"C\n\x16\x45ventUpdateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"*\n\x13\x45ventSubmitProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\",\n\x15\x45ventWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\" \n\tEventVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"g\n\tEventExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12\x0c\n\x04logs\x18\x03 \x01(\t\"N\n\x0f\x45ventLeaveGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8f\x01\n\x13\x45ventProposalPruned\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12/\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x32\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index 78748ede..8ea60c47 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\xc0\x02\n\x0cGenesisState\x12\x11\n\tgroup_seq\x18\x01 \x01(\x04\x12*\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12\x33\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12\x18\n\x10group_policy_seq\x18\x04 \x01(\x04\x12\x38\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12\x14\n\x0cproposal_seq\x18\x06 \x01(\x04\x12,\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12$\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index f6398b5e..598c1f42 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\")\n\x15QueryGroupInfoRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"B\n\x16QueryGroupInfoResponse\x12(\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\"H\n\x1bQueryGroupPolicyInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"N\n\x1cQueryGroupPolicyInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\"h\n\x18QueryGroupMembersRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x87\x01\n\x19QueryGroupMembersResponse\x12-\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x80\x01\n\x19QueryGroupsByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x1aQueryGroupsByAdminResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"p\n QueryGroupPoliciesByGroupRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByGroupResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x87\x01\n QueryGroupPoliciesByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByAdminResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"D\n\x15QueryProposalResponse\x12+\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.Proposal\"\x8b\x01\n\"QueryProposalsByGroupPolicyRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n#QueryProposalsByGroupPolicyResponse\x12,\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"_\n\x1fQueryVoteByProposalVoterRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"G\n QueryVoteByProposalVoterResponse\x12#\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.Vote\"n\n\x1bQueryVotesByProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x1cQueryVotesByProposalResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x7f\n\x18QueryVotesByVoterRequest\x12\'\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x19QueryVotesByVoterResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x83\x01\n\x1aQueryGroupsByMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x86\x01\n\x1bQueryGroupsByMemberResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x18QueryTallyResultResponse\x12\x36\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"P\n\x12QueryGroupsRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x13QueryGroupsResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index ba1a4ddd..fd71377b 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 5f9dddba..a991e065 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 15175742..85053d43 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 +from pyinjective.proto.cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index 581f7add..edb7501f 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x06Member\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12;\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\\\n\rMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\"\xb0\x01\n\x17ThresholdDecisionPolicy\x12\x11\n\tthreshold\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xb3\x01\n\x18PercentageDecisionPolicy\x12\x12\n\npercentage\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xa0\x01\n\x15\x44\x65\x63isionPolicyWindows\x12?\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x46\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xb8\x01\n\tGroupInfo\x12\n\n\x02id\x18\x01 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12\x0f\n\x07version\x18\x04 \x01(\x04\x12\x14\n\x0ctotal_weight\x18\x05 \x01(\t\x12=\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"H\n\x0bGroupMember\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\'\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.Member\"\xb6\x02\n\x0fGroupPolicyInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\x04\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x12=\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xce\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12+\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x15\n\rgroup_version\x18\x06 \x01(\x04\x12\x1c\n\x14group_policy_version\x18\x07 \x01(\x04\x12/\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x43\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12@\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12&\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05title\x18\r \x01(\t\x12\x0f\n\x07summary\x18\x0e \x01(\t:\x04\x88\xa0\x1f\x00\"k\n\x0bTallyResult\x12\x11\n\tyes_count\x18\x01 \x01(\t\x12\x15\n\rabstain_count\x18\x02 \x01(\t\x12\x10\n\x08no_count\x18\x03 \x01(\t\x12\x1a\n\x12no_with_veto_count\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xc3\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index 0cc83382..c8250546 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"d\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintb\x06proto3') diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index 1888f563..8473c6b2 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"~\n\x0cGenesisState\x12\x36\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index fd4c0ca2..8e9d633e 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index 523443a7..a2913ba0 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,45 +12,44 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"`\n\x16QueryInflationResponse\x12\x46\n\tinflation\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"o\n\x1dQueryAnnualProvisionsResponse\x12N\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._loaded_options = None - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._loaded_options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._options = None + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_QUERY'].methods_by_name['Params']._options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/mint/v1beta1/params' - _globals['_QUERY'].methods_by_name['Inflation']._loaded_options = None + _globals['_QUERY'].methods_by_name['Inflation']._options = None _globals['_QUERY'].methods_by_name['Inflation']._serialized_options = b'\202\323\344\223\002 \022\036/cosmos/mint/v1beta1/inflation' - _globals['_QUERY'].methods_by_name['AnnualProvisions']._loaded_options = None + _globals['_QUERY'].methods_by_name['AnnualProvisions']._options = None _globals['_QUERY'].methods_by_name['AnnualProvisions']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/mint/v1beta1/annual_provisions' - _globals['_QUERYPARAMSREQUEST']._serialized_start=186 - _globals['_QUERYPARAMSREQUEST']._serialized_end=206 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 - _globals['_QUERY']._serialized_start=562 - _globals['_QUERY']._serialized_end=1015 + _globals['_QUERYPARAMSREQUEST']._serialized_start=159 + _globals['_QUERYPARAMSREQUEST']._serialized_end=179 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=181 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=258 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=260 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=283 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=285 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=381 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=383 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=413 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=415 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=526 + _globals['_QUERY']._serialized_start=529 + _globals['_QUERY']._serialized_end=982 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index 0a03d03d..982f1fda 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index f00885c7..2ab614af 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index b23f44eb..9ba40034 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index 217d6013..2d258863 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index c44e63ca..3cd7775b 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index b6f45782..1833db77 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index 6f638e6e..8e86cfaf 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 40b885d6..7bba41df 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 7c40586b..3b62828d 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 26694fcc..47b4f025 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index 2a3c9d0d..b212d9a9 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -15,7 +15,7 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"h\n\nGetRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12\x35\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\"3\n\x0bGetResponse\x12$\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xab\x03\n\x0bListRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12?\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00\x12=\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00\x12:\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a?\n\x06Prefix\x12\x35\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x1aq\n\x05Range\x12\x34\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x12\x32\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueB\x07\n\x05query\"r\n\x0cListResponse\x12%\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xd4\x01\n\nIndexValue\x12\x0e\n\x04uint\x18\x01 \x01(\x04H\x00\x12\r\n\x03int\x18\x02 \x01(\x03H\x00\x12\r\n\x03str\x18\x03 \x01(\tH\x00\x12\x0f\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00\x12\x0e\n\x04\x65num\x18\x05 \x01(\tH\x00\x12\x0e\n\x04\x62ool\x18\x06 \x01(\x08H\x00\x12/\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x12-\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00\x42\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseb\x06proto3') diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index 49e4a559..835dc4ed 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 +from pyinjective.proto.cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index b40c446a..c7babbc7 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsb\x06proto3') diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 53c2cc22..8826b367 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index 79e3ea10..b5746630 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"3\n\x12QueryParamsRequest\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"S\n\x13QueryParamsResponse\x12<\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QuerySubspacesRequest\"L\n\x16QuerySubspacesResponse\x12\x32\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.Subspace\"*\n\x08Subspace\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0c\n\x04keys\x18\x02 \x03(\t2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB6Z4github.com/cosmos/cosmos-sdk/x/params/types/proposalb\x06proto3') diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index 3d53e438..babbc747 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index d4428c47..4b95cfb8 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -13,7 +13,7 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"N\n\x17\x46ileDescriptorsResponse\x12\x33\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProto2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index 6855974e..c0f91980 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 +from pyinjective.proto.cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index 9b0a305a..24f538dc 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"L\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingb\x06proto3') diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index 21e1f022..3c3b7f3a 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index 51c319ef..a9ae1fce 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index 260521b5..d73f0ff9 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 7b8da5d3..44cb63c1 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index e8467771..301b19a3 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index e9be8234..480aed79 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index 6cf1115c..9e66ac80 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xa2\x01\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 29a3e9b3..0a57f943 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index ed1cacb1..f5beaaea 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index f47e5634..3c5ec26b 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index 01dea25c..beee0859 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 968e7a69..5ad70aef 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index edd8777a..580199e6 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -14,12 +14,12 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index 15456116..eb2a5bf3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index 3ae4802f..2e20813d 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"n\n\x06\x43onfig\x12\x19\n\x11skip_ante_handler\x18\x01 \x01(\x08\x12\x19\n\x11skip_post_handler\x18\x02 \x01(\x08:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txb\x06proto3') diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index be360f14..fb3ac7e8 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 844c95bd..8c07cb9d 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 -from cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 +from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index fdf09b79..84ee1f8c 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 +from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 53036ec8..9fea9c00 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,65 +12,58 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb1\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12#\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x89\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12#\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xc9\x01\n\x03\x46\x65\x65\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8c\x01\n\x03Tip\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None - _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' - _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None - _globals['_AUTHINFO'].fields_by_name['tip']._serialized_options = b'\030\001' - _globals['_FEE'].fields_by_name['amount']._loaded_options = None - _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' - _globals['_FEE'].fields_by_name['payer']._loaded_options = None + _globals['_FEE'].fields_by_name['amount']._options = None + _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['payer']._options = None _globals['_FEE'].fields_by_name['payer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_FEE'].fields_by_name['granter']._loaded_options = None + _globals['_FEE'].fields_by_name['granter']._options = None _globals['_FEE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TIP'].fields_by_name['amount']._loaded_options = None - _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' - _globals['_TIP'].fields_by_name['tipper']._loaded_options = None + _globals['_TIP'].fields_by_name['amount']._options = None + _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_TIP'].fields_by_name['tipper']._options = None _globals['_TIP'].fields_by_name['tipper']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TIP']._loaded_options = None - _globals['_TIP']._serialized_options = b'\030\001' - _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None + _globals['_AUXSIGNERDATA'].fields_by_name['address']._options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=264 - _globals['_TX']._serialized_end=377 - _globals['_TXRAW']._serialized_start=379 - _globals['_TXRAW']._serialized_end=451 - _globals['_SIGNDOC']._serialized_start=453 - _globals['_SIGNDOC']._serialized_end=549 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 - _globals['_TXBODY']._serialized_start=736 - _globals['_TXBODY']._serialized_end=935 - _globals['_AUTHINFO']._serialized_start=938 - _globals['_AUTHINFO']._serialized_end=1079 - _globals['_SIGNERINFO']._serialized_start=1081 - _globals['_SIGNERINFO']._serialized_end=1201 - _globals['_MODEINFO']._serialized_start=1204 - _globals['_MODEINFO']._serialized_end=1513 - _globals['_MODEINFO_SINGLE']._serialized_start=1322 - _globals['_MODEINFO_SINGLE']._serialized_end=1381 - _globals['_MODEINFO_MULTI']._serialized_start=1383 - _globals['_MODEINFO_MULTI']._serialized_end=1506 - _globals['_FEE']._serialized_start=1516 - _globals['_FEE']._serialized_end=1739 - _globals['_TIP']._serialized_start=1742 - _globals['_TIP']._serialized_end=1908 - _globals['_AUXSIGNERDATA']._serialized_start=1911 - _globals['_AUXSIGNERDATA']._serialized_end=2088 + _globals['_TX']._serialized_start=245 + _globals['_TX']._serialized_end=358 + _globals['_TXRAW']._serialized_start=360 + _globals['_TXRAW']._serialized_end=432 + _globals['_SIGNDOC']._serialized_start=434 + _globals['_SIGNDOC']._serialized_end=530 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=533 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=710 + _globals['_TXBODY']._serialized_start=713 + _globals['_TXBODY']._serialized_end=912 + _globals['_AUTHINFO']._serialized_start=915 + _globals['_AUTHINFO']._serialized_end=1052 + _globals['_SIGNERINFO']._serialized_start=1054 + _globals['_SIGNERINFO']._serialized_end=1174 + _globals['_MODEINFO']._serialized_start=1177 + _globals['_MODEINFO']._serialized_end=1486 + _globals['_MODEINFO_SINGLE']._serialized_start=1295 + _globals['_MODEINFO_SINGLE']._serialized_end=1354 + _globals['_MODEINFO_MULTI']._serialized_start=1356 + _globals['_MODEINFO_MULTI']._serialized_end=1479 + _globals['_FEE']._serialized_start=1489 + _globals['_FEE']._serialized_end=1690 + _globals['_TIP']._serialized_start=1693 + _globals['_TIP']._serialized_end=1833 + _globals['_AUXSIGNERDATA']._serialized_start=1836 + _globals['_AUXSIGNERDATA']._serialized_end=2013 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 9a841acf..df361b5f 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index a362e0b7..0e675166 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index b88e4fb4..cae22797 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 3da13e1f..3c05fcb7 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index ab68b6dd..7dd30bb8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 2c9251d2..44b5bc6d 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -13,10 +13,10 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index 5381c5bf..f74b0221 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingb\x06proto3') diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 7cf26be0..79a44dc4 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index 472de908..63ec9f40 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index 7435bce5..e45679c4 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index 6419c101..275500ae 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index 578f303d..f312d839 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,48 +12,45 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\xf8\x01\n\x08\x43ontract\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' - _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['params']._options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['codes']._options = None _globals['_GENESISSTATE'].fields_by_name['codes']._serialized_options = b'\310\336\037\000\352\336\037\017codes,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['contracts']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['contracts']._options = None _globals['_GENESISSTATE'].fields_by_name['contracts']._serialized_options = b'\310\336\037\000\352\336\037\023contracts,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['sequences']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['sequences']._options = None _globals['_GENESISSTATE'].fields_by_name['sequences']._serialized_options = b'\310\336\037\000\352\336\037\023sequences,omitempty\250\347\260*\001' - _globals['_CODE'].fields_by_name['code_id']._loaded_options = None + _globals['_CODE'].fields_by_name['code_id']._options = None _globals['_CODE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CODE'].fields_by_name['code_info']._loaded_options = None + _globals['_CODE'].fields_by_name['code_info']._options = None _globals['_CODE'].fields_by_name['code_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_address']._loaded_options = None - _globals['_CONTRACT'].fields_by_name['contract_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_CONTRACT'].fields_by_name['contract_info']._loaded_options = None + _globals['_CONTRACT'].fields_by_name['contract_info']._options = None _globals['_CONTRACT'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_state']._loaded_options = None + _globals['_CONTRACT'].fields_by_name['contract_state']._options = None _globals['_CONTRACT'].fields_by_name['contract_state']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_code_history']._loaded_options = None + _globals['_CONTRACT'].fields_by_name['contract_code_history']._options = None _globals['_CONTRACT'].fields_by_name['contract_code_history']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None + _globals['_SEQUENCE'].fields_by_name['id_key']._options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' - _globals['_GENESISSTATE']._serialized_start=151 - _globals['_GENESISSTATE']._serialized_end=449 - _globals['_CODE']._serialized_start=452 - _globals['_CODE']._serialized_end=581 - _globals['_CONTRACT']._serialized_start=584 - _globals['_CONTRACT']._serialized_end=858 - _globals['_SEQUENCE']._serialized_start=860 - _globals['_SEQUENCE']._serialized_end=912 + _globals['_GENESISSTATE']._serialized_start=124 + _globals['_GENESISSTATE']._serialized_end=422 + _globals['_CODE']._serialized_start=425 + _globals['_CODE']._serialized_end=554 + _globals['_CONTRACT']._serialized_start=557 + _globals['_CONTRACT']._serialized_end=805 + _globals['_SEQUENCE']._serialized_start=807 + _globals['_SEQUENCE']._serialized_end=859 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index be9a2e57..dff97f9e 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xb2\x01\n\nMsgIBCSend\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x31\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\"&\n\x12MsgIBCSendResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\"@\n\x12MsgIBCCloseChannel\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"B,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index e308585b..e131047b 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xdc\x02\n\x11StoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x08 \x01(\x08\x12\x0e\n\x06source\x18\t \x01(\t\x12\x0f\n\x07\x62uilder\x18\n \x01(\t\x12\x11\n\tcode_hash\x18\x0b \x01(\x0c:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\x8d\x03\n\x1bInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\xae\x03\n\x1cInstantiateContract2Proposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\t \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\n \x01(\x08:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xee\x01\n\x17MigrateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x06 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xcb\x01\n\x14SudoContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xdc\x02\n\x17\x45xecuteContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\xe5\x01\n\x13UpdateAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12?\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xa2\x01\n\x12\x43learAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xa4\x01\n\x10PinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xa8\x01\n\x12UnpinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"|\n\x12\x41\x63\x63\x65ssConfigUpdate\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12I\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x02\n\x1fUpdateInstantiateConfigProposal\x12\x1f\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"\x12+\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"\x12N\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\x98\x04\n#StoreAndInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x06 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x07 \x01(\t\x12\r\n\x05label\x18\x08 \x01(\t\x12#\n\x03msg\x18\t \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\x0b \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0c \x01(\t\x12\x11\n\tcode_hash\x18\r \x01(\x0c:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB4Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 9b0fe0f7..0865237f 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,142 +12,121 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\"+\n\x18QueryContractInfoRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"|\n\x19QueryContractInfoResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"j\n\x1bQueryContractHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\x1cQueryContractsByCodeResponse\x12\x11\n\tcontracts\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1cQueryAllContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"C\n\x1cQueryRawContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"]\n\x1eQuerySmartContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\xec\x01\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"u\n\x1eQueryContractsByCreatorRequest\x12\x17\n\x0f\x63reator_address\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"z\n\x1fQueryContractsByCreatorResponse\x12\x1a\n\x12\x63ontract_addresses\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' - _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None - _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._loaded_options = None + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._options = None _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\320\336\037\001\352\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTINFORESPONSE']._loaded_options = None + _globals['_QUERYCONTRACTINFORESPONSE']._options = None _globals['_QUERYCONTRACTINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._loaded_options = None - _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._loaded_options = None + _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._options = None _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._loaded_options = None - _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None - _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._loaded_options = None + _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._options = None _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None - _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._options = None _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None + _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' - _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None - _globals['_CODEINFORESPONSE'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._loaded_options = None + _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._options = None _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._loaded_options = None + _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._options = None _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CODEINFORESPONSE']._loaded_options = None + _globals['_CODEINFORESPONSE']._options = None _globals['_CODEINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._loaded_options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._options = None _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._serialized_options = b'\320\336\037\001\352\336\037\000' - _globals['_QUERYCODERESPONSE'].fields_by_name['data']._loaded_options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['data']._options = None _globals['_QUERYCODERESPONSE'].fields_by_name['data']._serialized_options = b'\352\336\037\004data' - _globals['_QUERYCODERESPONSE']._loaded_options = None + _globals['_QUERYCODERESPONSE']._options = None _globals['_QUERYCODERESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._loaded_options = None + _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._options = None _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._loaded_options = None + _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._options = None _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._loaded_options = None - _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None - _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None + _globals['_QUERY'].methods_by_name['ContractInfo']._options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' - _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None + _globals['_QUERY'].methods_by_name['ContractHistory']._options = None _globals['_QUERY'].methods_by_name['ContractHistory']._serialized_options = b'\202\323\344\223\002.\022,/cosmwasm/wasm/v1/contract/{address}/history' - _globals['_QUERY'].methods_by_name['ContractsByCode']._loaded_options = None + _globals['_QUERY'].methods_by_name['ContractsByCode']._options = None _globals['_QUERY'].methods_by_name['ContractsByCode']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/code/{code_id}/contracts' - _globals['_QUERY'].methods_by_name['AllContractState']._loaded_options = None + _globals['_QUERY'].methods_by_name['AllContractState']._options = None _globals['_QUERY'].methods_by_name['AllContractState']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/contract/{address}/state' - _globals['_QUERY'].methods_by_name['RawContractState']._loaded_options = None + _globals['_QUERY'].methods_by_name['RawContractState']._options = None _globals['_QUERY'].methods_by_name['RawContractState']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}' - _globals['_QUERY'].methods_by_name['SmartContractState']._loaded_options = None + _globals['_QUERY'].methods_by_name['SmartContractState']._options = None _globals['_QUERY'].methods_by_name['SmartContractState']._serialized_options = b'\202\323\344\223\0029\0227/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}' - _globals['_QUERY'].methods_by_name['Code']._loaded_options = None + _globals['_QUERY'].methods_by_name['Code']._options = None _globals['_QUERY'].methods_by_name['Code']._serialized_options = b'\202\323\344\223\002\"\022 /cosmwasm/wasm/v1/code/{code_id}' - _globals['_QUERY'].methods_by_name['Codes']._loaded_options = None + _globals['_QUERY'].methods_by_name['Codes']._options = None _globals['_QUERY'].methods_by_name['Codes']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmwasm/wasm/v1/code' - _globals['_QUERY'].methods_by_name['PinnedCodes']._loaded_options = None + _globals['_QUERY'].methods_by_name['PinnedCodes']._options = None _globals['_QUERY'].methods_by_name['PinnedCodes']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/pinned' - _globals['_QUERY'].methods_by_name['Params']._loaded_options = None + _globals['_QUERY'].methods_by_name['Params']._options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' - _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None + _globals['_QUERY'].methods_by_name['ContractsByCreator']._options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 - _globals['_QUERYCODEREQUEST']._serialized_start=1613 - _globals['_QUERYCODEREQUEST']._serialized_end=1648 - _globals['_CODEINFORESPONSE']._serialized_start=1651 - _globals['_CODEINFORESPONSE']._serialized_end=1913 - _globals['_QUERYCODERESPONSE']._serialized_start=1915 - _globals['_QUERYCODERESPONSE']._serialized_end=2029 - _globals['_QUERYCODESREQUEST']._serialized_start=2031 - _globals['_QUERYCODESREQUEST']._serialized_end=2110 - _globals['_QUERYCODESRESPONSE']._serialized_start=2113 - _globals['_QUERYCODESRESPONSE']._serialized_end=2261 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 - _globals['_QUERY']._serialized_start=2866 - _globals['_QUERY']._serialized_end=4597 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=195 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=238 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=240 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=364 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=366 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=472 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=475 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=638 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=640 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=746 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=748 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=858 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=860 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=967 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=970 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1114 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1116 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1183 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1185 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1230 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1232 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1325 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1327 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1398 + _globals['_QUERYCODEREQUEST']._serialized_start=1400 + _globals['_QUERYCODEREQUEST']._serialized_end=1435 + _globals['_CODEINFORESPONSE']._serialized_start=1438 + _globals['_CODEINFORESPONSE']._serialized_end=1674 + _globals['_QUERYCODERESPONSE']._serialized_start=1676 + _globals['_QUERYCODERESPONSE']._serialized_end=1790 + _globals['_QUERYCODESREQUEST']._serialized_start=1792 + _globals['_QUERYCODESREQUEST']._serialized_end=1871 + _globals['_QUERYCODESRESPONSE']._serialized_start=1874 + _globals['_QUERYCODESRESPONSE']._serialized_end=2022 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2024 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2109 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2111 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2229 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2231 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2251 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2253 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2327 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2329 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2446 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2448 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2570 + _globals['_QUERY']._serialized_start=2573 + _globals['_QUERY']._serialized_end=4304 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 0d7faba0..12e27de8 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index afbaeabf..a734b3d1 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index cddb2e59..31e62310 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index 3db7c709..84dc2204 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index aa69fc01..2ea71b89 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 +from pyinjective.proto.exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index b236eb52..52b52fa3 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import health_pb2 as exchange_dot_health__pb2 +from pyinjective.proto.exchange import health_pb2 as exchange_dot_health__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 9af0a6bc..1f56a37a 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 +from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index ccf75eb8..bae4f6b7 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 +from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index cc118c36..6a6cb974 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 +from pyinjective.proto.exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index 180d87bd..fee66490 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 +from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index 90506173..32dded3e 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 +from pyinjective.proto.exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index af6ca547..fd748ea4 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 +from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index cadd2b99..87a6c3ca 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 +from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index c4d6ebc1..62496c97 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 +from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index d2f1a352..5f1858e5 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 +from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index 0978bcf3..d7a18690 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 +from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index 94f667da..8aaa3133 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 +from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index b91507b4..40d33450 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 +from pyinjective.proto.exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index 7a7930ca..f7d95ebb 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from google.api import http_pb2 as google_dot_api_dot_http__pb2 +from pyinjective.proto.google.api import http_pb2 as google_dot_api_dot_http__pb2 from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index cdbd63cd..4d936af4 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,16 +12,23 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"\xe3\x01\n\x1bIncentivizedAcknowledgement\x12;\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x42\x1e\xf2\xde\x1f\x1ayaml:\"app_acknowledgement\"\x12\x43\n\x17\x66orward_relayer_address\x18\x02 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"forward_relayer_address\"\x12\x42\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\"\xf2\xde\x1f\x1eyaml:\"underlying_app_successl\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._serialized_options = b'\362\336\037\032yaml:\"app_acknowledgement\"' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._serialized_options = b'\362\336\037\036yaml:\"forward_relayer_address\"' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._serialized_options = b'\362\336\037\036yaml:\"underlying_app_successl\"' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=85 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=312 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index bab1a197..a4c40ba3 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,43 +12,41 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xdf\x02\n\x03\x46\x65\x65\x12p\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"recv_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12n\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBB\xc8\xde\x1f\x00\xf2\xde\x1f\x0eyaml:\"ack_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12v\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"timeout_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\x81\x01\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0erefund_address\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"refund_address\"\x12\x10\n\x08relayers\x18\x03 \x03(\t\"a\n\nPacketFees\x12S\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"\"\xb7\x01\n\x14IdentifiedPacketFees\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12S\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' - _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' - _globals['_FEE'].fields_by_name['timeout_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' - _globals['_PACKETFEE'].fields_by_name['fee']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['_FEE'].fields_by_name['recv_fee']._options = None + _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"recv_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['ack_fee']._options = None + _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\362\336\037\016yaml:\"ack_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['timeout_fee']._options = None + _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"timeout_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_PACKETFEE'].fields_by_name['fee']._options = None _globals['_PACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_PACKETFEE']._loaded_options = None - _globals['_PACKETFEE']._serialized_options = b'\202\347\260*\016refund_address' - _globals['_PACKETFEES'].fields_by_name['packet_fees']._loaded_options = None - _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._loaded_options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' - _globals['_FEE']._serialized_start=196 - _globals['_FEE']._serialized_end=539 - _globals['_PACKETFEE']._serialized_start=541 - _globals['_PACKETFEE']._serialized_end=664 - _globals['_PACKETFEES']._serialized_start=666 - _globals['_PACKETFEES']._serialized_end=741 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 + _globals['_PACKETFEE'].fields_by_name['refund_address']._options = None + _globals['_PACKETFEE'].fields_by_name['refund_address']._serialized_options = b'\362\336\037\025yaml:\"refund_address\"' + _globals['_PACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' + _globals['_FEE']._serialized_start=152 + _globals['_FEE']._serialized_end=503 + _globals['_PACKETFEE']._serialized_start=506 + _globals['_PACKETFEE']._serialized_end=635 + _globals['_PACKETFEES']._serialized_start=637 + _globals['_PACKETFEES']._serialized_end=734 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=737 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=920 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index f783ad91..c14d0c20 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index fb919113..b031ebda 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,16 +12,21 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"d\n\x08Metadata\x12+\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"fee_version\"\x12+\n\x0b\x61pp_version\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"app_version\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_METADATA']._serialized_start=67 - _globals['_METADATA']._serialized_end=119 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['_METADATA'].fields_by_name['fee_version']._options = None + _globals['_METADATA'].fields_by_name['fee_version']._serialized_options = b'\362\336\037\022yaml:\"fee_version\"' + _globals['_METADATA'].fields_by_name['app_version']._options = None + _globals['_METADATA'].fields_by_name['app_version']._serialized_options = b'\362\336\037\022yaml:\"app_version\"' + _globals['_METADATA']._serialized_start=89 + _globals['_METADATA']._serialized_end=189 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 356a52c5..88af62db 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index 7e66cf59..9a362519 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 5599fc25..cf910aaf 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,53 +12,63 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x10MsgRegisterPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgRegisterPayeeResponse\"\xc4\x01\n\x1cMsgRegisterCounterpartyPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x04 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xda\x01\n\x0fMsgPayPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0esource_port_id\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_port_id\"\x12\x37\n\x11source_channel_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"source_channel_id\"\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgPayPacketFeeResponse\"\xbf\x01\n\x14MsgPayPacketFeeAsync\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12Q\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x19\xc8\xde\x1f\x00\xf2\xde\x1f\x11yaml:\"packet_fee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xef\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponseB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_MSGREGISTERPAYEE']._loaded_options = None - _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\'cosmos-sdk/MsgRegisterCounterpartyPayee' - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._loaded_options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGPAYPACKETFEE']._loaded_options = None - _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer\212\347\260*\032cosmos-sdk/MsgPayPacketFee' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGPAYPACKETFEEASYNC']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\202\347\260*\npacket_fee\212\347\260*\037cosmos-sdk/MsgPayPacketFeeAsync' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGREGISTERPAYEE']._serialized_start=198 - _globals['_MSGREGISTERPAYEE']._serialized_end=335 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 - _globals['_MSGPAYPACKETFEE']._serialized_start=583 - _globals['_MSGPAYPACKETFEE']._serialized_end=787 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 - _globals['_MSG']._serialized_start=1059 - _globals['_MSG']._serialized_end=1561 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGREGISTERPAYEE']._options = None + _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._serialized_options = b'\362\336\037\025yaml:\"source_port_id\"' + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._serialized_options = b'\362\336\037\030yaml:\"source_channel_id\"' + _globals['_MSGPAYPACKETFEE']._options = None + _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\362\336\037\021yaml:\"packet_fee\"' + _globals['_MSGPAYPACKETFEEASYNC']._options = None + _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGREGISTERPAYEE']._serialized_start=154 + _globals['_MSGREGISTERPAYEE']._serialized_end=294 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=296 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=322 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=325 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=521 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=523 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=561 + _globals['_MSGPAYPACKETFEE']._serialized_start=564 + _globals['_MSGPAYPACKETFEE']._serialized_end=782 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=784 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=809 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=812 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1003 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1005 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1035 + _globals['_MSG']._serialized_start=1038 + _globals['_MSG']._serialized_end=1533 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index 0d72fa61..59111557 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index 53e2a4c1..c072dc94 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,16 +12,19 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\"C\n\x06Params\x12\x39\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42\x1d\xf2\xde\x1f\x19yaml:\"controller_enabled\"BRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' - _globals['_PARAMS']._serialized_start=123 - _globals['_PARAMS']._serialized_end=159 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' + _globals['_PARAMS'].fields_by_name['controller_enabled']._options = None + _globals['_PARAMS'].fields_by_name['controller_enabled']._serialized_options = b'\362\336\037\031yaml:\"controller_enabled\"' + _globals['_PARAMS']._serialized_start=145 + _globals['_PARAMS']._serialized_end=212 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index dba39064..634242d6 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,30 +12,33 @@ _sym_db = _symbol_database.Default() -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\"_\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' - _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' + _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._options = None + _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_QUERY'].methods_by_name['InterchainAccount']._options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' - _globals['_QUERY'].methods_by_name['Params']._loaded_options = None + _globals['_QUERY'].methods_by_name['Params']._options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 - _globals['_QUERYPARAMSREQUEST']._serialized_start=339 - _globals['_QUERYPARAMSREQUEST']._serialized_end=359 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 - _globals['_QUERY']._serialized_start=461 - _globals['_QUERY']._serialized_end=969 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=239 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=334 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=336 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=385 + _globals['_QUERYPARAMSREQUEST']._serialized_start=387 + _globals['_QUERYPARAMSREQUEST']._serialized_end=407 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=409 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=506 + _globals['_QUERY']._serialized_start=509 + _globals['_QUERY']._serialized_end=1017 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index de3d5a81..d3a984a3 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index e155af64..6bd827f9 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,49 +12,42 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\"y\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\x0f\n\x07version\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n$MsgRegisterInterchainAccountResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\"\x83\x02\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12u\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_data\"\x12\x35\n\x10relative_timeout\x18\x04 \x01(\x04\x42\x1b\xf2\xde\x1f\x17yaml:\"relative_timeout\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"%\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32\xe0\x02\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponseBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGSENDTX'].fields_by_name['packet_data']._loaded_options = None - _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTX']._loaded_options = None - _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' - _globals['_MSGSENDTXRESPONSE']._loaded_options = None - _globals['_MSGSENDTXRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 - _globals['_MSGSENDTX']._serialized_start=554 - _globals['_MSGSENDTX']._serialized_end=742 - _globals['_MSGSENDTXRESPONSE']._serialized_start=744 - _globals['_MSGSENDTXRESPONSE']._serialized_end=787 - _globals['_MSGUPDATEPARAMS']._serialized_start=790 - _globals['_MSGUPDATEPARAMS']._serialized_end=922 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 - _globals['_MSG']._serialized_start=952 - _globals['_MSG']._serialized_end=1474 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' + _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGSENDTX'].fields_by_name['connection_id']._options = None + _globals['_MSGSENDTX'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_MSGSENDTX'].fields_by_name['packet_data']._options = None + _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_data\"' + _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._options = None + _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._serialized_options = b'\362\336\037\027yaml:\"relative_timeout\"' + _globals['_MSGSENDTX']._options = None + _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=191 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=312 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=314 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=432 + _globals['_MSGSENDTX']._serialized_start=435 + _globals['_MSGSENDTX']._serialized_end=694 + _globals['_MSGSENDTXRESPONSE']._serialized_start=696 + _globals['_MSGSENDTXRESPONSE']._serialized_end=733 + _globals['_MSG']._serialized_start=736 + _globals['_MSG']._serialized_end=1088 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index 35ada760..567142f8 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 2386f482..7a4dd48b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index a33171de..91cde4ce 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,18 +12,21 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\"j\n\x06Params\x12-\n\x0chost_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"host_enabled\"\x12\x31\n\x0e\x61llow_messages\x18\x02 \x03(\tB\x19\xf2\xde\x1f\x15yaml:\"allow_messages\"BLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' - _globals['_PARAMS']._serialized_start=105 - _globals['_PARAMS']._serialized_end=159 - _globals['_QUERYREQUEST']._serialized_start=161 - _globals['_QUERYREQUEST']._serialized_end=203 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' + _globals['_PARAMS'].fields_by_name['host_enabled']._options = None + _globals['_PARAMS'].fields_by_name['host_enabled']._serialized_options = b'\362\336\037\023yaml:\"host_enabled\"' + _globals['_PARAMS'].fields_by_name['allow_messages']._options = None + _globals['_PARAMS'].fields_by_name['allow_messages']._serialized_options = b'\362\336\037\025yaml:\"allow_messages\"' + _globals['_PARAMS']._serialized_start=127 + _globals['_PARAMS']._serialized_end=233 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index 07511197..d2392c57 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index d98a5b0b..9496fc8b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 26c5ce4d..84ff23c8 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index c9cbc973..33d55d0a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,16 +12,21 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x14gogoproto/gogo.proto\"\xd1\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x45\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tB#\xf2\xde\x1f\x1fyaml:\"controller_connection_id\"\x12\x39\n\x12host_connection_id\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"host_connection_id\"\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' - _globals['_METADATA']._serialized_start=100 - _globals['_METADATA']._serialized_end=241 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' + _globals['_METADATA'].fields_by_name['controller_connection_id']._options = None + _globals['_METADATA'].fields_by_name['controller_connection_id']._serialized_options = b'\362\336\037\037yaml:\"controller_connection_id\"' + _globals['_METADATA'].fields_by_name['host_connection_id']._options = None + _globals['_METADATA'].fields_by_name['host_connection_id']._serialized_options = b'\362\336\037\031yaml:\"host_connection_id\"' + _globals['_METADATA']._serialized_start=122 + _globals['_METADATA']._serialized_end=331 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index a246e1fe..01b18e3b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -13,7 +13,7 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 5f1c6310..e371a484 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 9e7cb61b..83bf1291 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 7bcdf0d5..ecbc9061 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 3f6de8a1..6c224acb 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 341de825..77abb392 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,18 +12,23 @@ _sym_db = _symbol_database.Default() +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"l\n\x06Params\x12-\n\x0csend_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"send_enabled\"\x12\x33\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x1a\xf2\xde\x1f\x16yaml:\"receive_enabled\"B9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' - _globals['_DENOMTRACE']._serialized_start=77 - _globals['_DENOMTRACE']._serialized_end=123 - _globals['_PARAMS']._serialized_start=125 - _globals['_PARAMS']._serialized_end=180 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['_PARAMS'].fields_by_name['send_enabled']._options = None + _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\362\336\037\023yaml:\"send_enabled\"' + _globals['_PARAMS'].fields_by_name['receive_enabled']._options = None + _globals['_PARAMS'].fields_by_name['receive_enabled']._serialized_options = b'\362\336\037\026yaml:\"receive_enabled\"' + _globals['_DENOMTRACE']._serialized_start=99 + _globals['_DENOMTRACE']._serialized_end=145 + _globals['_PARAMS']._serialized_start=147 + _globals['_PARAMS']._serialized_end=255 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index c638e565..6d903e96 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,44 +12,35 @@ _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\"\xe3\x02\n\x0bMsgTransfer\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12.\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12Q\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x07 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04memo\x18\x08 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\'\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32o\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponseB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' - _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGTRANSFER']._loaded_options = None - _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\026cosmos-sdk/MsgTransfer' - _globals['_MSGTRANSFERRESPONSE']._loaded_options = None - _globals['_MSGTRANSFERRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGTRANSFER']._serialized_start=248 - _globals['_MSGTRANSFER']._serialized_end=541 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 - _globals['_MSGUPDATEPARAMS']._serialized_start=590 - _globals['_MSGUPDATEPARAMS']._serialized_end=700 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 - _globals['_MSG']._serialized_start=730 - _globals['_MSG']._serialized_end=966 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['_MSGTRANSFER'].fields_by_name['source_port']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' + _globals['_MSGTRANSFER'].fields_by_name['source_channel']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' + _globals['_MSGTRANSFER'].fields_by_name['token']._options = None + _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000' + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' + _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' + _globals['_MSGTRANSFER']._options = None + _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGTRANSFER']._serialized_start=159 + _globals['_MSGTRANSFER']._serialized_end=514 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=516 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=555 + _globals['_MSG']._serialized_start=557 + _globals['_MSG']._serialized_end=668 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index 9effa128..c525807a 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index b48462d6..4284f801 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 68c6e425..9ed1ec1b 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index 9f704ebb..a0befd77 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,161 +12,126 @@ _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x32\x8b\x16\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequenceB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' - _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._loaded_options = None + _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._options = None _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._loaded_options = None - _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._loaded_options = None - _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._loaded_options = None - _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._loaded_options = None - _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._loaded_options = None - _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Channel']._loaded_options = None + _globals['_QUERY'].methods_by_name['Channel']._options = None _globals['_QUERY'].methods_by_name['Channel']._serialized_options = b'\202\323\344\223\002<\022:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}' - _globals['_QUERY'].methods_by_name['Channels']._loaded_options = None + _globals['_QUERY'].methods_by_name['Channels']._options = None _globals['_QUERY'].methods_by_name['Channels']._serialized_options = b'\202\323\344\223\002\037\022\035/ibc/core/channel/v1/channels' - _globals['_QUERY'].methods_by_name['ConnectionChannels']._loaded_options = None + _globals['_QUERY'].methods_by_name['ConnectionChannels']._options = None _globals['_QUERY'].methods_by_name['ConnectionChannels']._serialized_options = b'\202\323\344\223\0028\0226/ibc/core/channel/v1/connections/{connection}/channels' - _globals['_QUERY'].methods_by_name['ChannelClientState']._loaded_options = None + _globals['_QUERY'].methods_by_name['ChannelClientState']._options = None _globals['_QUERY'].methods_by_name['ChannelClientState']._serialized_options = b'\202\323\344\223\002I\022G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state' - _globals['_QUERY'].methods_by_name['ChannelConsensusState']._loaded_options = None + _globals['_QUERY'].methods_by_name['ChannelConsensusState']._options = None _globals['_QUERY'].methods_by_name['ChannelConsensusState']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['PacketCommitment']._loaded_options = None + _globals['_QUERY'].methods_by_name['PacketCommitment']._options = None _globals['_QUERY'].methods_by_name['PacketCommitment']._serialized_options = b'\202\323\344\223\002Z\022X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}' - _globals['_QUERY'].methods_by_name['PacketCommitments']._loaded_options = None + _globals['_QUERY'].methods_by_name['PacketCommitments']._options = None _globals['_QUERY'].methods_by_name['PacketCommitments']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments' - _globals['_QUERY'].methods_by_name['PacketReceipt']._loaded_options = None + _globals['_QUERY'].methods_by_name['PacketReceipt']._options = None _globals['_QUERY'].methods_by_name['PacketReceipt']._serialized_options = b'\202\323\344\223\002W\022U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._loaded_options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._serialized_options = b'\202\323\344\223\002S\022Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._loaded_options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._serialized_options = b'\202\323\344\223\002T\022R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements' - _globals['_QUERY'].methods_by_name['UnreceivedPackets']._loaded_options = None + _globals['_QUERY'].methods_by_name['UnreceivedPackets']._options = None _globals['_QUERY'].methods_by_name['UnreceivedPackets']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets' - _globals['_QUERY'].methods_by_name['UnreceivedAcks']._loaded_options = None + _globals['_QUERY'].methods_by_name['UnreceivedAcks']._options = None _globals['_QUERY'].methods_by_name['UnreceivedAcks']._serialized_options = b'\202\323\344\223\002v\022t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks' - _globals['_QUERY'].methods_by_name['NextSequenceReceive']._loaded_options = None + _globals['_QUERY'].methods_by_name['NextSequenceReceive']._options = None _globals['_QUERY'].methods_by_name['NextSequenceReceive']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence' - _globals['_QUERY'].methods_by_name['NextSequenceSend']._loaded_options = None - _globals['_QUERY'].methods_by_name['NextSequenceSend']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send' - _globals['_QUERY'].methods_by_name['UpgradeError']._loaded_options = None - _globals['_QUERY'].methods_by_name['UpgradeError']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error' - _globals['_QUERY'].methods_by_name['Upgrade']._loaded_options = None - _globals['_QUERY'].methods_by_name['Upgrade']._serialized_options = b'\202\323\344\223\002D\022B/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade' - _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None - _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' - _globals['_QUERYCHANNELREQUEST']._serialized_start=282 - _globals['_QUERYCHANNELREQUEST']._serialized_end=340 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 - _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 - _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 - _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 - _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 - _globals['_QUERY']._serialized_start=4358 - _globals['_QUERY']._serialized_end=7915 + _globals['_QUERYCHANNELREQUEST']._serialized_start=247 + _globals['_QUERYCHANNELREQUEST']._serialized_end=305 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=308 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=448 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=450 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=532 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=535 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=727 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=729 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=841 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=844 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1046 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1048 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1117 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1120 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1300 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1302 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1424 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1427 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1600 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1602 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1687 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1689 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1811 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1814 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1942 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1945 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2143 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2145 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2227 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2229 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2346 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2348 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2438 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2441 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2573 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2576 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2746 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2749 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2957 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2959 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3064 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3066 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3167 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3169 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3264 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3266 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3364 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3366 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3436 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3439 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3575 + _globals['_QUERY']._serialized_start=3578 + _globals['_QUERY']._serialized_end=6405 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index 2d3e84e6..e9520c38 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index df3e0329..0129484f 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,229 +12,179 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\"\x88\x01\n\x12MsgChannelOpenInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x1aMsgChannelOpenInitResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07version\x18\x02 \x01(\t\"\xff\x02\n\x11MsgChannelOpenTry\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12=\n\x13previous_channel_id\x18\x02 \x01(\tB \x18\x01\xf2\xde\x1f\x1ayaml:\"previous_channel_id\"\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12)\n\nproof_init\x18\x05 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"W\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\xf9\x02\n\x11MsgChannelOpenAck\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x43\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"counterparty_channel_id\"\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12\'\n\tproof_try\x18\x05 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_try\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19MsgChannelOpenAckResponse\"\xf9\x01\n\x15MsgChannelOpenConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\'\n\tproof_ack\x18\x03 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_ack\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"\x7f\n\x13MsgChannelCloseInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xfc\x01\n\x16MsgChannelCloseConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12)\n\nproof_init\x18\x03 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\" \n\x1eMsgChannelCloseConfirmResponse\"\xe2\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_commitment\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_commitment\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x04 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12+\n\x0bproof_close\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_close\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x05 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xf6\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12+\n\x0bproof_acked\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_acked\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00*\xa9\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x1a\x04\x88\xa3\x1e\x00\x32\xaf\x08\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponseB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' - _globals['_RESPONSERESULTTYPE']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['_RESPONSERESULTTYPE']._options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._loaded_options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._serialized_options = b'\212\235 \004NOOP' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._loaded_options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._serialized_options = b'\212\235 \007SUCCESS' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._loaded_options = None - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._serialized_options = b'\212\235 \007FAILURE' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._loaded_options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENINIT']._loaded_options = None - _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELOPENINITRESPONSE']._loaded_options = None - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._loaded_options = None + _globals['_MSGCHANNELOPENINIT']._options = None + _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001\362\336\037\032yaml:\"previous_channel_id\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY']._loaded_options = None - _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELOPENTRYRESPONSE']._loaded_options = None - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENACK']._loaded_options = None - _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENCONFIRM']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELCLOSEINIT']._loaded_options = None - _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELCLOSECONFIRM']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGRECVPACKET'].fields_by_name['packet']._loaded_options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENTRY']._options = None + _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._serialized_options = b'\362\336\037\036yaml:\"counterparty_channel_id\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._serialized_options = b'\362\336\037\020yaml:\"proof_try\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENACK']._options = None + _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._serialized_options = b'\362\336\037\020yaml:\"proof_ack\"' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENCONFIRM']._options = None + _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELCLOSEINIT']._options = None + _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELCLOSECONFIRM']._options = None + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGRECVPACKET'].fields_by_name['packet']._options = None _globals['_MSGRECVPACKET'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET']._loaded_options = None - _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGRECVPACKETRESPONSE']._loaded_options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._serialized_options = b'\362\336\037\027yaml:\"proof_commitment\"' + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGRECVPACKET']._options = None + _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGRECVPACKETRESPONSE']._options = None _globals['_MSGRECVPACKETRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['packet']._loaded_options = None + _globals['_MSGTIMEOUT'].fields_by_name['packet']._options = None _globals['_MSGTIMEOUT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT']._loaded_options = None - _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGTIMEOUTRESPONSE']._loaded_options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' + _globals['_MSGTIMEOUT']._options = None + _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGTIMEOUTRESPONSE']._options = None _globals['_MSGTIMEOUTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._loaded_options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGTIMEOUTONCLOSERESPONSE']._loaded_options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._serialized_options = b'\362\336\037\022yaml:\"proof_close\"' + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' + _globals['_MSGTIMEOUTONCLOSE']._options = None + _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGTIMEOUTONCLOSERESPONSE']._options = None _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._loaded_options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT']._loaded_options = None - _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._loaded_options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._serialized_options = b'\362\336\037\022yaml:\"proof_acked\"' + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGACKNOWLEDGEMENT']._options = None + _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._options = None _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._loaded_options = None - _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADEINIT']._loaded_options = None - _globals['_MSGCHANNELUPGRADEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._loaded_options = None - _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._loaded_options = None - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._loaded_options = None - _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADETRY']._loaded_options = None - _globals['_MSGCHANNELUPGRADETRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._loaded_options = None - _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._loaded_options = None - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._loaded_options = None - _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADEACK']._loaded_options = None - _globals['_MSGCHANNELUPGRADEACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._loaded_options = None - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._loaded_options = None - _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADECONFIRM']._loaded_options = None - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._loaded_options = None - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADEOPEN']._loaded_options = None - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._loaded_options = None - _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADETIMEOUT']._loaded_options = None - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._loaded_options = None - _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELUPGRADECANCEL']._loaded_options = None - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\tauthority' - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._loaded_options = None - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_RESPONSERESULTTYPE']._serialized_start=5624 - _globals['_RESPONSERESULTTYPE']._serialized_end=5840 - _globals['_MSGCHANNELOPENINIT']._serialized_start=203 - _globals['_MSGCHANNELOPENINIT']._serialized_end=326 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 - _globals['_MSGCHANNELOPENTRY']._serialized_start=402 - _globals['_MSGCHANNELOPENTRY']._serialized_end=663 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 - _globals['_MSGCHANNELOPENACK']._serialized_start=738 - _globals['_MSGCHANNELOPENACK']._serialized_end=965 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 - _globals['_MSGRECVPACKET']._serialized_start=1571 - _globals['_MSGRECVPACKET']._serialized_end=1752 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 - _globals['_MSGTIMEOUT']._serialized_start=1843 - _globals['_MSGTIMEOUT']._serialized_end=2049 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 - _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 - _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 - _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 - _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 - _globals['_MSGUPDATEPARAMS']._serialized_start=5271 - _globals['_MSGUPDATEPARAMS']._serialized_end=5378 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 - _globals['_MSG']._serialized_start=5843 - _globals['_MSG']._serialized_end=7999 + _globals['_RESPONSERESULTTYPE']._serialized_start=3449 + _globals['_RESPONSERESULTTYPE']._serialized_end=3618 + _globals['_MSGCHANNELOPENINIT']._serialized_start=144 + _globals['_MSGCHANNELOPENINIT']._serialized_end=280 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=282 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=370 + _globals['_MSGCHANNELOPENTRY']._serialized_start=373 + _globals['_MSGCHANNELOPENTRY']._serialized_end=756 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=758 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=845 + _globals['_MSGCHANNELOPENACK']._serialized_start=848 + _globals['_MSGCHANNELOPENACK']._serialized_end=1225 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1227 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1254 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1257 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1506 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1508 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1539 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1541 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1668 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1670 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1699 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1702 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1954 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1956 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1988 + _globals['_MSGRECVPACKET']._serialized_start=1991 + _globals['_MSGRECVPACKET']._serialized_end=2217 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2219 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2305 + _globals['_MSGTIMEOUT']._serialized_start=2308 + _globals['_MSGTIMEOUT']._serialized_end=2590 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2592 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2675 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2678 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3012 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3014 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3104 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3107 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3353 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3355 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3446 + _globals['_MSG']._serialized_start=3621 + _globals['_MSG']._serialized_end=4692 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index b10625f5..e90549c0 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 +from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 749fbd2f..4dd18ad5 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,50 +12,64 @@ _sym_db = _symbol_database.Default() -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x85\x01\n\x15IdentifiedClientState\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\"\x97\x01\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\"\xa9\x01\n\x15\x43lientConsensusStates\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12g\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_states\"\"\xd6\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xea\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"|\n\x06Height\x12\x33\n\x0frevision_number\x18\x01 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_number\"\x12\x33\n\x0frevision_height\x18\x02 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_height\":\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"=\n\x06Params\x12\x33\n\x0f\x61llowed_clients\x18\x01 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"allowed_clients\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' - _globals['_HEIGHT']._loaded_options = None - _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._loaded_options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"consensus_states\"' + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._serialized_options = b'\362\336\037\030yaml:\"subject_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._loaded_options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._serialized_options = b'\362\336\037\033yaml:\"substitute_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL']._loaded_options = None - _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None + _globals['_CLIENTUPDATEPROPOSAL']._options = None + _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' - _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._loaded_options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._serialized_options = b'\362\336\037\034yaml:\"upgraded_client_state\"' - _globals['_UPGRADEPROPOSAL']._loaded_options = None - _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 - _globals['_HEIGHT']._serialized_start=504 - _globals['_HEIGHT']._serialized_end=572 - _globals['_PARAMS']._serialized_start=574 - _globals['_PARAMS']._serialized_end=607 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 - _globals['_UPGRADEPROPOSAL']._serialized_start=829 - _globals['_UPGRADEPROPOSAL']._serialized_end=1065 + _globals['_UPGRADEPROPOSAL']._options = None + _globals['_UPGRADEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_HEIGHT'].fields_by_name['revision_number']._options = None + _globals['_HEIGHT'].fields_by_name['revision_number']._serialized_options = b'\362\336\037\026yaml:\"revision_number\"' + _globals['_HEIGHT'].fields_by_name['revision_height']._options = None + _globals['_HEIGHT'].fields_by_name['revision_height']._serialized_options = b'\362\336\037\026yaml:\"revision_height\"' + _globals['_HEIGHT']._options = None + _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' + _globals['_PARAMS'].fields_by_name['allowed_clients']._options = None + _globals['_PARAMS'].fields_by_name['allowed_clients']._serialized_options = b'\362\336\037\026yaml:\"allowed_clients\"' + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=170 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=303 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=306 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=457 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=460 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=629 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=632 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=846 + _globals['_UPGRADEPROPOSAL']._serialized_start=849 + _globals['_UPGRADEPROPOSAL']._serialized_end=1083 + _globals['_HEIGHT']._serialized_start=1085 + _globals['_HEIGHT']._serialized_end=1209 + _globals['_PARAMS']._serialized_start=1211 + _globals['_PARAMS']._serialized_end=1272 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index 6221040e..a0af4ec5 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index b72cc79c..587c57a2 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,97 +12,85 @@ _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any2\xd1\x0c\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_statesB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' - _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' + _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None + _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._options = None _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._loaded_options = None + _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._options = None _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._loaded_options = None + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._options = None _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._serialized_options = b'\310\336\037\000' - _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._loaded_options = None - _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._loaded_options = None - _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['ClientState']._loaded_options = None + _globals['_QUERY'].methods_by_name['ClientState']._options = None _globals['_QUERY'].methods_by_name['ClientState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_states/{client_id}' - _globals['_QUERY'].methods_by_name['ClientStates']._loaded_options = None + _globals['_QUERY'].methods_by_name['ClientStates']._options = None _globals['_QUERY'].methods_by_name['ClientStates']._serialized_options = b'\202\323\344\223\002#\022!/ibc/core/client/v1/client_states' - _globals['_QUERY'].methods_by_name['ConsensusState']._loaded_options = None + _globals['_QUERY'].methods_by_name['ConsensusState']._options = None _globals['_QUERY'].methods_by_name['ConsensusState']._serialized_options = b'\202\323\344\223\002f\022d/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['ConsensusStates']._loaded_options = None + _globals['_QUERY'].methods_by_name['ConsensusStates']._options = None _globals['_QUERY'].methods_by_name['ConsensusStates']._serialized_options = b'\202\323\344\223\0022\0220/ibc/core/client/v1/consensus_states/{client_id}' - _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._loaded_options = None + _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._options = None _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._serialized_options = b'\202\323\344\223\002:\0228/ibc/core/client/v1/consensus_states/{client_id}/heights' - _globals['_QUERY'].methods_by_name['ClientStatus']._loaded_options = None + _globals['_QUERY'].methods_by_name['ClientStatus']._options = None _globals['_QUERY'].methods_by_name['ClientStatus']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_status/{client_id}' - _globals['_QUERY'].methods_by_name['ClientParams']._loaded_options = None + _globals['_QUERY'].methods_by_name['ClientParams']._options = None _globals['_QUERY'].methods_by_name['ClientParams']._serialized_options = b'\202\323\344\223\002\034\022\032/ibc/core/client/v1/params' - _globals['_QUERY'].methods_by_name['UpgradedClientState']._loaded_options = None + _globals['_QUERY'].methods_by_name['UpgradedClientState']._options = None _globals['_QUERY'].methods_by_name['UpgradedClientState']._serialized_options = b'\202\323\344\223\002,\022*/ibc/core/client/v1/upgraded_client_states' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/upgraded_consensus_states' - _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None - _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 - _globals['_QUERY']._serialized_start=2327 - _globals['_QUERY']._serialized_end=4121 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=210 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=254 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=257 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=398 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=400 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=486 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=489 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=675 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=677 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=797 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=800 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=947 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=949 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1057 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1060 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1229 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1231 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1345 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1348 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1512 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1514 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1559 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1561 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1604 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1606 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1632 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1634 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1705 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1707 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1740 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1742 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1829 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1831 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1867 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1869 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=1962 + _globals['_QUERY']._serialized_start=1965 + _globals['_QUERY']._serialized_end=3582 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index d4ffb77c..f63c4afc 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 471be9c9..ad4ee384 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,69 +12,64 @@ _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xbb\x01\n\x0fMsgCreateClient\x12\x43\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgCreateClientResponse\"\x82\x01\n\x0fMsgUpdateClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgUpdateClientResponse\"\xf5\x02\n\x10MsgUpgradeClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12=\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x42\x1f\xf2\xde\x1f\x1byaml:\"proof_upgrade_client\"\x12O\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x42(\xf2\xde\x1f$yaml:\"proof_upgrade_consensus_state\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgUpgradeClientResponse\"\x90\x01\n\x15MsgSubmitMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12.\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01\x12\x12\n\x06signer\x18\x03 \x01(\tB\x02\x18\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgSubmitMisbehaviourResponse2\xa2\x03\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponseB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' - _globals['_MSGCREATECLIENT']._loaded_options = None - _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGUPDATECLIENT']._loaded_options = None - _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGUPGRADECLIENT']._loaded_options = None - _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGSUBMITMISBEHAVIOUR']._loaded_options = None - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\030\001\210\240\037\000\202\347\260*\006signer' - _globals['_MSGRECOVERCLIENT']._loaded_options = None - _globals['_MSGRECOVERCLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None - _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' - _globals['_MSGIBCSOFTWAREUPGRADE']._loaded_options = None - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_options = b'\202\347\260*\006signer' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGCREATECLIENT']._serialized_start=197 - _globals['_MSGCREATECLIENT']._serialized_end=338 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 - _globals['_MSGUPDATECLIENT']._serialized_start=367 - _globals['_MSGUPDATECLIENT']._serialized_end=482 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 - _globals['_MSGUPGRADECLIENT']._serialized_start=512 - _globals['_MSGUPGRADECLIENT']._serialized_end=742 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 - _globals['_MSGRECOVERCLIENT']._serialized_start=928 - _globals['_MSGRECOVERCLIENT']._serialized_end=1036 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 - _globals['_MSGUPDATEPARAMS']._serialized_start=1257 - _globals['_MSGUPDATEPARAMS']._serialized_end=1357 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 - _globals['_MSG']._serialized_start=1387 - _globals['_MSG']._serialized_end=2133 +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' + _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' + _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['_MSGCREATECLIENT']._options = None + _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_MSGUPDATECLIENT']._options = None + _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' + _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._serialized_options = b'\362\336\037\033yaml:\"proof_upgrade_client\"' + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._serialized_options = b'\362\336\037$yaml:\"proof_upgrade_consensus_state\"' + _globals['_MSGUPGRADECLIENT']._options = None + _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._serialized_options = b'\030\001' + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._serialized_options = b'\030\001' + _globals['_MSGSUBMITMISBEHAVIOUR']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCREATECLIENT']._serialized_start=101 + _globals['_MSGCREATECLIENT']._serialized_end=288 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=290 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=315 + _globals['_MSGUPDATECLIENT']._serialized_start=318 + _globals['_MSGUPDATECLIENT']._serialized_end=448 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=450 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=475 + _globals['_MSGUPGRADECLIENT']._serialized_start=478 + _globals['_MSGUPGRADECLIENT']._serialized_end=851 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=853 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=879 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=882 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1026 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1028 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1059 + _globals['_MSG']._serialized_start=1062 + _globals['_MSG']._serialized_end=1480 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index 9cc5a0cb..c28efc69 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 +from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index 636f49bf..be74dfcf 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\x0cMerklePrefix\x12\x12\n\nkey_prefix\x18\x01 \x01(\x0c\"\x1e\n\nMerklePath\x12\x10\n\x08key_path\x18\x01 \x03(\t\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>ZZZ\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>ZZ\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 48efc944..4eb65312 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 00743462..06983ead 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index d90dba0b..e5353531 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index 99fce3bb..cb55d086 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index f3694a41..87d5d94e 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,45 +12,40 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"{\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12S\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\xe8\xa0\x1f\x01\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\016auction/Params' - _globals['_BID'].fields_by_name['bidder']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_BID'].fields_by_name['bidder']._options = None _globals['_BID'].fields_by_name['bidder']._serialized_options = b'\352\336\037\006bidder\362\336\037\ryaml:\"bidder\"' - _globals['_BID'].fields_by_name['amount']._loaded_options = None + _globals['_BID'].fields_by_name['amount']._options = None _globals['_BID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None - _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTBID'].fields_by_name['amount']._loaded_options = None + _globals['_EVENTBID'].fields_by_name['amount']._options = None _globals['_EVENTBID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None + _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._options = None _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None + _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._serialized_start=144 - _globals['_PARAMS']._serialized_end=275 - _globals['_BID']._serialized_start=277 - _globals['_BID']._serialized_end=392 - _globals['_LASTAUCTIONRESULT']._serialized_start=394 - _globals['_LASTAUCTIONRESULT']._serialized_end=509 - _globals['_EVENTBID']._serialized_start=511 - _globals['_EVENTBID']._serialized_end=617 - _globals['_EVENTAUCTIONRESULT']._serialized_start=619 - _globals['_EVENTAUCTIONRESULT']._serialized_end=735 - _globals['_EVENTAUCTIONSTART']._serialized_start=738 - _globals['_EVENTAUCTIONSTART']._serialized_end=895 + _globals['_PARAMS']._serialized_start=124 + _globals['_PARAMS']._serialized_end=247 + _globals['_BID']._serialized_start=249 + _globals['_BID']._serialized_end=364 + _globals['_EVENTBID']._serialized_start=366 + _globals['_EVENTBID']._serialized_end=472 + _globals['_EVENTAUCTIONRESULT']._serialized_start=474 + _globals['_EVENTAUCTIONRESULT']._serialized_end=590 + _globals['_EVENTAUCTIONSTART']._serialized_start=593 + _globals['_EVENTAUCTIONSTART']._serialized_end=750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index 8c75a10e..9d3b94bb 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\x80\x02\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x12I\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 26d5e1e7..2e27a7ae 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 94191280..5d235e61 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index 578a21f4..db39a84d 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,42 +12,39 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\"q\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x10\n\x0eMsgBidResponse\"\x87\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xca\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponseBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None + _globals['_MSGBID'].fields_by_name['bid_amount']._options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGBID']._loaded_options = None - _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\016auction/MsgBid' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGBID']._options = None + _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\027auction/MsgUpdateParams' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGBID']._serialized_start=232 - _globals['_MSGBID']._serialized_end=364 - _globals['_MSGBIDRESPONSE']._serialized_start=366 - _globals['_MSGBIDRESPONSE']._serialized_end=382 - _globals['_MSGUPDATEPARAMS']._serialized_start=385 - _globals['_MSGUPDATEPARAMS']._serialized_end=548 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 - _globals['_MSG']._serialized_start=578 - _globals['_MSG']._serialized_end=787 + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGBID']._serialized_start=212 + _globals['_MSGBID']._serialized_end=325 + _globals['_MSGBIDRESPONSE']._serialized_start=327 + _globals['_MSGBIDRESPONSE']._serialized_end=343 + _globals['_MSGUPDATEPARAMS']._serialized_start=346 + _globals['_MSGUPDATEPARAMS']._serialized_end=481 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=483 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=508 + _globals['_MSG']._serialized_start=511 + _globals['_MSG']._serialized_end=713 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index 3589f7a6..2ff4f061 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 84cc035a..99faa370 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,24 +12,21 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\"\x1b\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:\x04\x98\xa0\x1f\x00\"\x16\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' - _globals['_PUBKEY']._loaded_options = None - _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' - _globals['_PRIVKEY']._loaded_options = None - _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' - _globals['_PUBKEY']._serialized_start=132 - _globals['_PUBKEY']._serialized_end=206 - _globals['_PRIVKEY']._serialized_start=208 - _globals['_PRIVKEY']._serialized_end=280 + _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._serialized_options = b'\230\240\037\000' + _globals['_PUBKEY']._serialized_start=113 + _globals['_PUBKEY']._serialized_end=140 + _globals['_PRIVKEY']._serialized_start=142 + _globals['_PRIVKEY']._serialized_end=164 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index 52226e62..b929038b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,60 +12,59 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"Y\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"T\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"e\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"t\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:\x11\xca\xb4-\rAuthorizationBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' - _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CreateSpotMarketOrderAuthz' - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/BatchCreateSpotLimitOrdersAuthz' - _globals['_CANCELSPOTORDERAUTHZ']._loaded_options = None - _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\035exchange/CancelSpotOrderAuthz' - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/BatchCancelSpotOrdersAuthz' - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._loaded_options = None - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/CreateDerivativeLimitOrderAuthz' - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._loaded_options = None - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/CreateDerivativeMarketOrderAuthz' - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*.exchange/BatchCreateDerivativeLimitOrdersAuthz' - _globals['_CANCELDERIVATIVEORDERAUTHZ']._loaded_options = None - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CancelDerivativeOrderAuthz' - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/BatchCancelDerivativeOrdersAuthz' - _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 + _globals['_CREATESPOTLIMITORDERAUTHZ']._options = None + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATESPOTMARKETORDERAUTHZ']._options = None + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CANCELSPOTORDERAUTHZ']._options = None + _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._options = None + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CANCELDERIVATIVEORDERAUTHZ']._options = None + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._options = None + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHUPDATEORDERSAUTHZ']._options = None + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=97 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=186 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=188 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=278 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=280 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=375 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=377 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=461 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=463 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=553 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=555 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=650 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=652 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=748 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=750 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=851 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=853 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=943 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=945 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1041 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1043 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1159 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 64c2584b..725f34d2 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 6bda7c87..a3b9ea02 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,400 +12,379 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x99\x0f\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12S\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12S\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n default_maintenance_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12N\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12W\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12_\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12T\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12_\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12i\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03:\x04\xe8\xa0\x1f\x01\"v\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x46\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xbf\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xa7\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x11 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\x92\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12^\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x81\x02\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12O\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14hourly_interest_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xc6\x01\n\x16PerpetualMarketFunding\x12J\n\x12\x63umulative_funding\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"}\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x10settlement_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xe4\x01\n\x0eMidPriceAndTOB\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x8f\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9b\x01\n\x07\x44\x65posit\x12I\n\x11\x61vailable_balance\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtotal_balance\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xc7\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xe1\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa9\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\xae\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x44\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa7\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe9\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12V\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\xa8\x01\n\x0fSubaccountOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xef\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xf3\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bmargin_hold\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xb3\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\xa5\x02\n\x08TradeLog\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xff\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12J\n\x12\x65xecution_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65xecution_margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x65xecution_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb1\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\xb4\x01\n\x10PointsMultiplier\x12O\n\x17maker_points_multiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12O\n\x17taker_points_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\xb6\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12K\n\x13maker_discount_rate\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13taker_discount_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rstaked_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12>\n\x06volume\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x9a\x01\n\x0cVolumeRecord\x12\x44\n\x0cmaker_volume\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctaker_volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\xa1\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n\x05Level\x12\x39\n\x01p\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x39\n\x01q\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["BUY"]._options = None _globals['_ORDERTYPE'].values_by_name["BUY"]._serialized_options = b'\212\235 \003BUY' - _globals['_ORDERTYPE'].values_by_name["SELL"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["SELL"]._options = None _globals['_ORDERTYPE'].values_by_name["SELL"]._serialized_options = b'\212\235 \004SELL' - _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._options = None _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._serialized_options = b'\212\235 \010STOP_BUY' - _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._options = None _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._serialized_options = b'\212\235 \tSTOP_SELL' - _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._options = None _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._serialized_options = b'\212\235 \010TAKE_BUY' - _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._options = None _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._serialized_options = b'\212\235 \tTAKE_SELL' - _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._options = None _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._serialized_options = b'\212\235 \006BUY_PO' - _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._options = None _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._serialized_options = b'\212\235 \007SELL_PO' - _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._options = None _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._serialized_options = b'\212\235 \nBUY_ATOMIC' - _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._loaded_options = None + _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._options = None _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._serialized_options = b'\212\235 \013SELL_ATOMIC' - _globals['_ORDERMASK'].values_by_name["UNUSED"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["UNUSED"]._options = None _globals['_ORDERMASK'].values_by_name["UNUSED"]._serialized_options = b'\212\235 \006UNUSED' - _globals['_ORDERMASK'].values_by_name["ANY"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["ANY"]._options = None _globals['_ORDERMASK'].values_by_name["ANY"]._serialized_options = b'\212\235 \003ANY' - _globals['_ORDERMASK'].values_by_name["REGULAR"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["REGULAR"]._options = None _globals['_ORDERMASK'].values_by_name["REGULAR"]._serialized_options = b'\212\235 \007REGULAR' - _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._options = None _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._serialized_options = b'\212\235 \013CONDITIONAL' - _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._serialized_options = b'\212\235 \rBUY_OR_HIGHER' - _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._serialized_options = b'\212\235 \rSELL_OR_LOWER' - _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._options = None _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._serialized_options = b'\212\235 \006MARKET' - _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._loaded_options = None + _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._options = None _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._serialized_options = b'\212\235 \005LIMIT' - _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._loaded_options = None + _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._options = None _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._loaded_options = None + _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._options = None _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._options = None + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._options = None _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\017exchange/Params' - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MARKETFEEMULTIPLIER']._loaded_options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._options = None + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MARKETFEEMULTIPLIER']._options = None _globals['_MARKETFEEMULTIPLIER']._serialized_options = b'\210\240\037\000' - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKET']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET']._options = None _globals['_DERIVATIVEMARKET']._serialized_options = b'\210\240\037\000' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKET']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET']._options = None _globals['_BINARYOPTIONSMARKET']._serialized_options = b'\210\240\037\000' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._loaded_options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._loaded_options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._loaded_options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._loaded_options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._loaded_options = None - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKET'].fields_by_name['min_notional']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DEPOSIT'].fields_by_name['available_balance']._loaded_options = None - _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DEPOSIT'].fields_by_name['total_balance']._loaded_options = None - _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORDERINFO'].fields_by_name['price']._loaded_options = None - _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORDERINFO'].fields_by_name['quantity']._loaded_options = None - _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._options = None + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DEPOSIT'].fields_by_name['available_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DEPOSIT'].fields_by_name['total_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORDERINFO'].fields_by_name['price']._options = None + _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORDERINFO'].fields_by_name['quantity']._options = None + _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTORDER'].fields_by_name['order_info']._options = None _globals['_SPOTORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._options = None _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._options = None _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._loaded_options = None - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._options = None _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._loaded_options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._loaded_options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._loaded_options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._loaded_options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITION'].fields_by_name['margin']._loaded_options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADELOG'].fields_by_name['quantity']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADELOG'].fields_by_name['price']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADELOG'].fields_by_name['fee']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['quantity']._options = None + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['entry_price']._options = None + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['margin']._options = None + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['quantity']._options = None + _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['price']._options = None + _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['fee']._options = None + _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._options = None _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._loaded_options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._loaded_options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._loaded_options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._loaded_options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._loaded_options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._loaded_options = None + _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._options = None _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._loaded_options = None - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._loaded_options = None - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._loaded_options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._options = None _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRADERECORD'].fields_by_name['price']._loaded_options = None - _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADERECORD'].fields_by_name['quantity']._loaded_options = None - _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_LEVEL'].fields_by_name['p']._loaded_options = None - _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_LEVEL'].fields_by_name['q']._loaded_options = None - _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MARKETVOLUME'].fields_by_name['volume']._loaded_options = None + _globals['_TRADERECORD'].fields_by_name['price']._options = None + _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADERECORD'].fields_by_name['quantity']._options = None + _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_LEVEL'].fields_by_name['p']._options = None + _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_LEVEL'].fields_by_name['q']._options = None + _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MARKETVOLUME'].fields_by_name['volume']._options = None _globals['_MARKETVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' - _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._loaded_options = None - _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ACTIVEGRANT'].fields_by_name['amount']._loaded_options = None - _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None - _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 - _globals['_MARKETSTATUS']._serialized_start=12382 - _globals['_MARKETSTATUS']._serialized_end=12466 - _globals['_ORDERTYPE']._serialized_start=12469 - _globals['_ORDERTYPE']._serialized_end=12784 - _globals['_EXECUTIONTYPE']._serialized_start=12787 - _globals['_EXECUTIONTYPE']._serialized_end=12962 - _globals['_ORDERMASK']._serialized_start=12965 - _globals['_ORDERMASK']._serialized_end=13230 - _globals['_PARAMS']._serialized_start=186 - _globals['_PARAMS']._serialized_end=2064 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 - _globals['_DERIVATIVEMARKET']._serialized_start=2176 - _globals['_DERIVATIVEMARKET']._serialized_end=3031 - _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 - _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 - _globals['_PERPETUALMARKETINFO']._serialized_start=4119 - _globals['_PERPETUALMARKETINFO']._serialized_end=4354 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 - _globals['_MIDPRICEANDTOB']._serialized_start=4700 - _globals['_MIDPRICEANDTOB']._serialized_end=4895 - _globals['_SPOTMARKET']._serialized_start=4898 - _globals['_SPOTMARKET']._serialized_end=5471 - _globals['_DEPOSIT']._serialized_start=5474 - _globals['_DEPOSIT']._serialized_end=5607 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 - _globals['_ORDERINFO']._serialized_start=5649 - _globals['_ORDERINFO']._serialized_end=5826 - _globals['_SPOTORDER']._serialized_start=5829 - _globals['_SPOTORDER']._serialized_end=6043 - _globals['_SPOTLIMITORDER']._serialized_start=6046 - _globals['_SPOTLIMITORDER']._serialized_end=6321 - _globals['_SPOTMARKETORDER']._serialized_start=6324 - _globals['_SPOTMARKETORDER']._serialized_end=6604 - _globals['_DERIVATIVEORDER']._serialized_start=6607 - _globals['_DERIVATIVEORDER']._serialized_end=6880 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 - _globals['_SUBACCOUNTORDER']._serialized_start=7225 - _globals['_SUBACCOUNTORDER']._serialized_end=7384 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 - _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 - _globals['_POSITION']._serialized_start=8168 - _globals['_POSITION']._serialized_end=8431 - _globals['_MARKETORDERINDICATOR']._serialized_start=8433 - _globals['_MARKETORDERINDICATOR']._serialized_end=8489 - _globals['_TRADELOG']._serialized_start=8492 - _globals['_TRADELOG']._serialized_end=8752 - _globals['_POSITIONDELTA']._serialized_start=8755 - _globals['_POSITIONDELTA']._serialized_end=8977 - _globals['_DERIVATIVETRADELOG']._serialized_start=8980 - _globals['_DERIVATIVETRADELOG']._serialized_end=9313 - _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 - _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 - _globals['_DEPOSITUPDATE']._serialized_start=9514 - _globals['_DEPOSITUPDATE']._serialized_end=9609 - _globals['_POINTSMULTIPLIER']._serialized_start=9612 - _globals['_POINTSMULTIPLIER']._serialized_end=9770 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 - _globals['_VOLUMERECORD']._serialized_start=10943 - _globals['_VOLUMERECORD']._serialized_end=11075 - _globals['_ACCOUNTREWARDS']._serialized_start=11077 - _globals['_ACCOUNTREWARDS']._serialized_end=11204 - _globals['_TRADERECORDS']._serialized_start=11206 - _globals['_TRADERECORDS']._serialized_end=11310 - _globals['_SUBACCOUNTIDS']._serialized_start=11312 - _globals['_SUBACCOUNTIDS']._serialized_end=11351 - _globals['_TRADERECORD']._serialized_start=11354 - _globals['_TRADERECORD']._serialized_end=11493 - _globals['_LEVEL']._serialized_start=11495 - _globals['_LEVEL']._serialized_end=11598 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 - _globals['_MARKETVOLUME']._serialized_start=11839 - _globals['_MARKETVOLUME']._serialized_end=11936 - _globals['_DENOMDECIMALS']._serialized_start=11938 - _globals['_DENOMDECIMALS']._serialized_end=11986 - _globals['_GRANTAUTHORIZATION']._serialized_start=11988 - _globals['_GRANTAUTHORIZATION']._serialized_end=12072 - _globals['_ACTIVEGRANT']._serialized_start=12074 - _globals['_ACTIVEGRANT']._serialized_end=12151 - _globals['_EFFECTIVEGRANT']._serialized_start=12153 - _globals['_EFFECTIVEGRANT']._serialized_end=12262 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12505 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12621 + _globals['_MARKETSTATUS']._serialized_start=12623 + _globals['_MARKETSTATUS']._serialized_end=12707 + _globals['_ORDERTYPE']._serialized_start=12710 + _globals['_ORDERTYPE']._serialized_end=13025 + _globals['_EXECUTIONTYPE']._serialized_start=13028 + _globals['_EXECUTIONTYPE']._serialized_end=13203 + _globals['_ORDERMASK']._serialized_start=13206 + _globals['_ORDERMASK']._serialized_end=13471 + _globals['_PARAMS']._serialized_start=167 + _globals['_PARAMS']._serialized_end=2112 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2114 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=2232 + _globals['_DERIVATIVEMARKET']._serialized_start=2235 + _globals['_DERIVATIVEMARKET']._serialized_end=3066 + _globals['_BINARYOPTIONSMARKET']._serialized_start=3069 + _globals['_BINARYOPTIONSMARKET']._serialized_end=3876 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3879 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4153 + _globals['_PERPETUALMARKETINFO']._serialized_start=4156 + _globals['_PERPETUALMARKETINFO']._serialized_end=4413 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=4416 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=4614 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4616 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4741 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4743 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4789 + _globals['_MIDPRICEANDTOB']._serialized_start=4792 + _globals['_MIDPRICEANDTOB']._serialized_end=5020 + _globals['_SPOTMARKET']._serialized_start=5023 + _globals['_SPOTMARKET']._serialized_end=5550 + _globals['_DEPOSIT']._serialized_start=5553 + _globals['_DEPOSIT']._serialized_end=5708 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5710 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5747 + _globals['_ORDERINFO']._serialized_start=5750 + _globals['_ORDERINFO']._serialized_end=5949 + _globals['_SPOTORDER']._serialized_start=5952 + _globals['_SPOTORDER']._serialized_end=6177 + _globals['_SPOTLIMITORDER']._serialized_start=6180 + _globals['_SPOTLIMITORDER']._serialized_end=6477 + _globals['_SPOTMARKETORDER']._serialized_start=6480 + _globals['_SPOTMARKETORDER']._serialized_end=6782 + _globals['_DERIVATIVEORDER']._serialized_start=6785 + _globals['_DERIVATIVEORDER']._serialized_end=7080 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=7083 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7444 + _globals['_SUBACCOUNTORDER']._serialized_start=7447 + _globals['_SUBACCOUNTORDER']._serialized_end=7615 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=7617 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=7718 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7721 + _globals['_DERIVATIVELIMITORDER']._serialized_end=8088 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=8091 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=8462 + _globals['_POSITION']._serialized_start=8465 + _globals['_POSITION']._serialized_end=8772 + _globals['_MARKETORDERINDICATOR']._serialized_start=8774 + _globals['_MARKETORDERINDICATOR']._serialized_end=8830 + _globals['_TRADELOG']._serialized_start=8833 + _globals['_TRADELOG']._serialized_end=9126 + _globals['_POSITIONDELTA']._serialized_start=9129 + _globals['_POSITIONDELTA']._serialized_end=9384 + _globals['_DERIVATIVETRADELOG']._serialized_start=9387 + _globals['_DERIVATIVETRADELOG']._serialized_end=9692 + _globals['_SUBACCOUNTPOSITION']._serialized_start=9694 + _globals['_SUBACCOUNTPOSITION']._serialized_end=9793 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9795 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9891 + _globals['_DEPOSITUPDATE']._serialized_start=9893 + _globals['_DEPOSITUPDATE']._serialized_end=9988 + _globals['_POINTSMULTIPLIER']._serialized_start=9991 + _globals['_POINTSMULTIPLIER']._serialized_end=10171 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=10174 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10454 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10457 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10609 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10612 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10824 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10827 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=11137 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=11140 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=11332 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=11334 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=11391 + _globals['_VOLUMERECORD']._serialized_start=11394 + _globals['_VOLUMERECORD']._serialized_end=11548 + _globals['_ACCOUNTREWARDS']._serialized_start=11550 + _globals['_ACCOUNTREWARDS']._serialized_end=11677 + _globals['_TRADERECORDS']._serialized_start=11679 + _globals['_TRADERECORDS']._serialized_end=11783 + _globals['_SUBACCOUNTIDS']._serialized_start=11785 + _globals['_SUBACCOUNTIDS']._serialized_end=11824 + _globals['_TRADERECORD']._serialized_start=11827 + _globals['_TRADERECORD']._serialized_end=11988 + _globals['_LEVEL']._serialized_start=11990 + _globals['_LEVEL']._serialized_end=12115 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=12117 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=12239 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=12241 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=12354 + _globals['_MARKETVOLUME']._serialized_start=12356 + _globals['_MARKETVOLUME']._serialized_end=12453 + _globals['_DENOMDECIMALS']._serialized_start=12455 + _globals['_DENOMDECIMALS']._serialized_end=12503 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index cf0273a2..2463f0b1 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 9ae28250..51bcc459 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,210 +12,187 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\xb5\x04\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x86\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\t\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcc\x03\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12K\n\x13min_price_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe0\x05\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12L\n\x14initial_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x94\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xf4\x05\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb6\x07\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12J\n\x12HourlyInterestRate\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc9\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12H\n\x10settlement_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xac\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9c\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12H\n\x10settlement_price\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x8e\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xef\x02\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"p\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x42\n\nnew_points\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe3\x01\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa4\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb9\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcd\x01\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None + _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' - _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None + _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._options = None _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._serialized_options = b'\212\235 \004SPOT' - _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._loaded_options = None + _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._options = None _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._serialized_options = b'\212\235 \013DERIVATIVES' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/SpotMarketParamUpdateProposal' - _globals['_EXCHANGEENABLEPROPOSAL']._loaded_options = None - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\037exchange/ExchangeEnableProposal' - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._loaded_options = None - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BatchExchangeModificationProposal' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!exchange/SpotMarketLaunchProposal' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/PerpetualMarketLaunchProposal' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BinaryOptionsMarketLaunchProposal' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/ExpiryFuturesMarketLaunchProposal' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/DerivativeMarketParamUpdateProposal' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._loaded_options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'exchange/MarketForcedSettlementProposal' - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._loaded_options = None - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*$exchange/UpdateDenomDecimalsProposal' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*/exchange/BinaryOptionsMarketParamUpdateProposal' - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignLaunchProposal' - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignUpdateProposal' - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._loaded_options = None - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*1exchange/TradingRewardPendingPointsUpdateProposal' - _globals['_FEEDISCOUNTPROPOSAL']._loaded_options = None - _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034exchange/FeeDiscountProposal' - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' - _globals['_EXCHANGETYPE']._serialized_start=10062 - _globals['_EXCHANGETYPE']._serialized_end=10182 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 - _globals['_ADMININFO']._serialized_start=6564 - _globals['_ADMININFO']._serialized_end=6617 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 - _globals['_ORACLEPARAMS']._serialized_start=8086 - _globals['_ORACLEPARAMS']._serialized_end=8231 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 - _globals['_REWARDPOINTUPDATE']._serialized_start=8974 - _globals['_REWARDPOINTUPDATE']._serialized_end=9075 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_EXCHANGEENABLEPROPOSAL']._options = None + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._options = None + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._options = None + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._options = None + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_FEEDISCOUNTPROPOSAL']._options = None + _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._options = None + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._options = None + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_EXCHANGETYPE']._serialized_start=8872 + _globals['_EXCHANGETYPE']._serialized_end=8992 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=310 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=875 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=878 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1012 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1015 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2270 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2273 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=2733 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=2736 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3472 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3475 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4135 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4138 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=4894 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=4897 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=5847 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=5850 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6051 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6054 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=6226 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=6229 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7025 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=7028 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=7172 + _globals['_ORACLEPARAMS']._serialized_start=7175 + _globals['_ORACLEPARAMS']._serialized_end=7320 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=7323 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=7593 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=7596 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=7963 + _globals['_REWARDPOINTUPDATE']._serialized_start=7965 + _globals['_REWARDPOINTUPDATE']._serialized_end=8077 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=8080 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=8307 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=8310 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=8474 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=8477 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=8662 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=8665 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=8870 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index d6d3ffa1..2c838b57 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index b53eac19..2c94b222 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 4c87a127..554f3c6c 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,428 +12,367 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x88\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"y\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x14\n\x12MsgDepositResponse\"z\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x15\n\x13MsgWithdrawResponse\"z\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"?\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x81\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"G\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x97\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12K\n\x13min_price_tick_size\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xbb\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xef\x04\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x46\n\x0emaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xcf\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12\x46\n\x0emaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"{\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x8b\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x16SpotMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x82\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"E\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x85\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"H\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"M\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSpotOrderResponse\"v\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x7f\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc7\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\xf0\x01\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x83\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x97\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xef\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12>\n\x06payout\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9a\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9a\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgCancelDerivativeOrderResponse\"\x9d\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"|\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa6\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xa4\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgExternalTransferResponse\"\x9f\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgLiquidatePositionResponse\"a\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\"\n MsgEmergencySettleMarketResponse\"\xcc\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12>\n\x06\x61mount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x0b\x82\xe7\xb0*\x06sender\"#\n!MsgIncreasePositionMarginResponse\"z\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t\"\x1a\n\x18MsgRewardsOptOutResponse\"d\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\x93\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12H\n\x10settlement_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:\x0b\x82\xe7\xb0*\x06sender\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse2\x9e#\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12\x82\x01\n\x12ReclaimLockedFunds\x12\x31.injective.exchange.v1beta1.MsgReclaimLockedFunds\x1a\x39.injective.exchange.v1beta1.MsgReclaimLockedFundsResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponseBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._loaded_options = None - _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATESPOTMARKET']._loaded_options = None - _globals['_MSGUPDATESPOTMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\034exchange/MsgUpdateSpotMarket' - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGUPDATEDERIVATIVEMARKET']._loaded_options = None - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\"exchange/MsgUpdateDerivativeMarket' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\030exchange/MsgUpdateParams' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGDEPOSIT']._loaded_options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\023exchange/MsgDeposit' - _globals['_MSGWITHDRAW'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGWITHDRAW'].fields_by_name['amount']._options = None _globals['_MSGWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAW']._loaded_options = None - _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\024exchange/MsgWithdraw' - _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGWITHDRAW']._options = None + _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._options = None _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTLIMITORDER']._loaded_options = None - _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* exchange/MsgCreateSpotLimitOrder' - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATESPOTLIMITORDER']._options = None + _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._options = None _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._loaded_options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._loaded_options = None - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgBatchCreateSpotLimitOrders' - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._options = None _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*#exchange/MsgInstantSpotMarketLaunch' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*(exchange/MsgInstantPerpetualMarketLaunch' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantBinaryOptionsMarketLaunch' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantExpiryFuturesMarketLaunch' - _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._options = None _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTMARKETORDER']._loaded_options = None - _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCreateSpotMarketOrder' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None + _globals['_MSGCREATESPOTMARKETORDER']._options = None + _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SPOTMARKETORDERRESULTS']._loaded_options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS']._options = None _globals['_SPOTMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._options = None _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER']._loaded_options = None - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgCreateDerivativeLimitOrder' - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._options = None _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._loaded_options = None - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*)exchange/MsgCreateBinaryOptionsLimitOrder' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._loaded_options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._loaded_options = None - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgBatchCreateDerivativeLimitOrders' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELSPOTORDER']._loaded_options = None - _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\033exchange/MsgCancelSpotOrder' - _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._loaded_options = None + _globals['_MSGCANCELSPOTORDER']._options = None + _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._options = None _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELSPOTORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgBatchCancelSpotOrders' - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._options = None _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._loaded_options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgBatchCancelBinaryOptionsOrders' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS']._loaded_options = None - _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\035exchange/MsgBatchUpdateOrders' - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHUPDATEORDERS']._options = None + _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._options = None _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._loaded_options = None - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgCreateDerivativeMarketOrder' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_DERIVATIVEMARKETORDERRESULTS']._loaded_options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS']._options = None _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._loaded_options = None - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgCreateBinaryOptionsMarketOrder' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._loaded_options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELDERIVATIVEORDER']._loaded_options = None - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCancelDerivativeOrder' - _globals['_MSGCANCELBINARYOPTIONSORDER']._loaded_options = None - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*$exchange/MsgCancelBinaryOptionsOrder' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._loaded_options = None + _globals['_MSGCANCELDERIVATIVEORDER']._options = None + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCANCELBINARYOPTIONSORDER']._options = None + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgBatchCancelDerivativeOrders' - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._loaded_options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._loaded_options = None + _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._options = None _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSUBACCOUNTTRANSFER']._loaded_options = None - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgSubaccountTransfer' - _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._loaded_options = None + _globals['_MSGSUBACCOUNTTRANSFER']._options = None + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._options = None _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGEXTERNALTRANSFER']._loaded_options = None - _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034exchange/MsgExternalTransfer' - _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._loaded_options = None + _globals['_MSGEXTERNALTRANSFER']._options = None + _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._options = None _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._serialized_options = b'\310\336\037\001' - _globals['_MSGLIQUIDATEPOSITION']._loaded_options = None - _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender\212\347\260*\035exchange/MsgLiquidatePosition' - _globals['_MSGEMERGENCYSETTLEMARKET']._loaded_options = None - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260*!exchange/MsgEmergencySettleMarket' - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGINCREASEPOSITIONMARGIN']._loaded_options = None - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgIncreasePositionMargin' - _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGDECREASEPOSITIONMARGIN']._loaded_options = None - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgDecreasePositionMargin' - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._loaded_options = None - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*%exchange/MsgPrivilegedExecuteContract' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._loaded_options = None + _globals['_MSGLIQUIDATEPOSITION']._options = None + _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEMERGENCYSETTLEMARKET']._options = None + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINCREASEPOSITIONMARGIN']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._loaded_options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREWARDSOPTOUT']._loaded_options = None - _globals['_MSGREWARDSOPTOUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031exchange/MsgRewardsOptOut' - _globals['_MSGRECLAIMLOCKEDFUNDS']._loaded_options = None - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgReclaimLockedFunds' - _globals['_MSGSIGNDATA'].fields_by_name['Signer']._loaded_options = None + _globals['_MSGRECLAIMLOCKEDFUNDS']._options = None + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSIGNDATA'].fields_by_name['Signer']._options = None _globals['_MSGSIGNDATA'].fields_by_name['Signer']._serialized_options = b'\352\336\037\006signer\372\336\037-github.com/cosmos/cosmos-sdk/types.AccAddress' - _globals['_MSGSIGNDATA'].fields_by_name['Data']._loaded_options = None + _globals['_MSGSIGNDATA'].fields_by_name['Data']._options = None _globals['_MSGSIGNDATA'].fields_by_name['Data']._serialized_options = b'\352\336\037\004data' - _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._loaded_options = None + _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._options = None _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._serialized_options = b'\352\336\037\004type' - _globals['_MSGSIGNDOC'].fields_by_name['value']._loaded_options = None + _globals['_MSGSIGNDOC'].fields_by_name['value']._options = None _globals['_MSGSIGNDOC'].fields_by_name['value']._serialized_options = b'\310\336\037\000' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._loaded_options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260**exchange/MsgAdminUpdateBinaryOptionsMarket' - _globals['_MSGAUTHORIZESTAKEGRANTS']._loaded_options = None - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_options = b'\202\347\260*\006sender\212\347\260* exchange/MsgAuthorizeStakeGrants' - _globals['_MSGACTIVATESTAKEGRANT']._loaded_options = None - _globals['_MSGACTIVATESTAKEGRANT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgActivateStakeGrant' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 - _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 - _globals['_MSGUPDATEPARAMS']._serialized_start=1223 - _globals['_MSGUPDATEPARAMS']._serialized_end=1388 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 - _globals['_MSGDEPOSIT']._serialized_start=1418 - _globals['_MSGDEPOSIT']._serialized_end=1563 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 - _globals['_MSGWITHDRAW']._serialized_start=1588 - _globals['_MSGWITHDRAW']._serialized_end=1735 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 - _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 - _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 - _globals['_ORDERDATA']._serialized_start=9786 - _globals['_ORDERDATA']._serialized_end=9892 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 - _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 - _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 - _globals['_MSGSIGNDATA']._serialized_start=12160 - _globals['_MSGSIGNDATA']._serialized_end=12274 - _globals['_MSGSIGNDOC']._serialized_start=12276 - _globals['_MSGSIGNDOC']._serialized_end=12379 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 - _globals['_MSG']._serialized_start=13073 - _globals['_MSG']._serialized_end=18145 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS']._serialized_start=304 + _globals['_MSGUPDATEPARAMS']._serialized_end=440 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=442 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=467 + _globals['_MSGDEPOSIT']._serialized_start=469 + _globals['_MSGDEPOSIT']._serialized_end=590 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=592 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=612 + _globals['_MSGWITHDRAW']._serialized_start=614 + _globals['_MSGWITHDRAW']._serialized_end=736 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=738 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=759 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=761 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=883 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=885 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=948 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=951 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=1080 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=1082 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=1153 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=1156 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=1435 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=1437 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=1473 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=1476 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=2175 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=2177 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=2218 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=2221 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=2844 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=2846 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=2891 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=2894 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=3613 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=3615 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=3660 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=3662 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=3785 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=3788 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=3927 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=3930 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=4154 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=4157 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=4287 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=4289 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=4358 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=4361 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=4494 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=4496 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=4568 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=4571 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=4708 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=4710 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=4787 + _globals['_MSGCANCELSPOTORDER']._serialized_start=4790 + _globals['_MSGCANCELSPOTORDER']._serialized_end=4918 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=4920 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=4948 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=4950 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=5068 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=5070 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=5131 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=5133 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=5260 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=5262 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=5332 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=5335 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=6046 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=6049 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=6289 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=6292 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=6423 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=6426 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=6577 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=6580 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=6947 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=6950 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=7084 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=7087 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=7241 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=7244 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=7398 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=7400 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=7434 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=7437 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=7594 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=7596 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=7633 + _globals['_ORDERDATA']._serialized_start=7635 + _globals['_ORDERDATA']._serialized_end=7741 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=7743 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=7867 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=7869 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=7936 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=7939 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=8105 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=8107 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=8138 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=8141 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=8305 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=8307 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=8336 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=8339 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=8498 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=8500 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=8530 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=8532 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=8629 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=8631 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=8665 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=8668 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=8872 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=8874 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=8909 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=8911 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=9033 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=9036 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=9192 + _globals['_MSGREWARDSOPTOUT']._serialized_start=9194 + _globals['_MSGREWARDSOPTOUT']._serialized_end=9228 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=9230 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=9256 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=9258 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=9358 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=9360 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=9391 + _globals['_MSGSIGNDATA']._serialized_start=9393 + _globals['_MSGSIGNDATA']._serialized_end=9507 + _globals['_MSGSIGNDOC']._serialized_start=9509 + _globals['_MSGSIGNDOC']._serialized_end=9612 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=9615 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=9890 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=9892 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=9935 + _globals['_MSG']._serialized_start=9938 + _globals['_MSG']._serialized_end=14448 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index 4b3b5fb9..dcba65de 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index 6f6d8e4c..9ecc1663 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"T\n\x18\x45ventInsuranceFundUpdate\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"[\n\x16\x45ventRequestRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\"\x92\x01\n\x17\x45ventWithdrawRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\x12\x34\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x9b\x01\n\x0f\x45ventUnderwrite\x12\x13\n\x0bunderwriter\x18\x01 \x01(\t\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12/\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"w\n\x16\x45ventInsuranceWithdraw\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_ticker\x18\x02 \x01(\t\x12\x33\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index 38173148..80d3497c 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\xaa\x02\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12I\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\x12R\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13next_share_denom_id\x18\x04 \x01(\x04\x12#\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index e43d0913..da00ec79 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,40 +12,39 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x9b\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x04\xe8\xa0\x1f\x01\"\xec\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12?\n\x07\x62\x61lance\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x43\n\x0btotal_share\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None + _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\020insurance/Params' - _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._loaded_options = None + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._options = None _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\037(yaml:\"redemption_notice_period_duration\"\230\337\037\001' - _globals['_INSURANCEFUND'].fields_by_name['balance']._loaded_options = None - _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_INSURANCEFUND'].fields_by_name['total_share']._loaded_options = None - _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._loaded_options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_INSURANCEFUND'].fields_by_name['total_share']._options = None + _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._serialized_options = b'\310\336\037\000\362\336\037 yaml:\"claimable_redemption_time\"\220\337\037\001' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._serialized_start=254 - _globals['_PARAMS']._serialized_end=430 - _globals['_INSURANCEFUND']._serialized_start=433 - _globals['_INSURANCEFUND']._serialized_end=891 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 + _globals['_PARAMS']._serialized_start=235 + _globals['_PARAMS']._serialized_end=390 + _globals['_INSURANCEFUND']._serialized_start=393 + _globals['_INSURANCEFUND']._serialized_end=885 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=888 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1125 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index ef78d6b9..5ed392a7 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"Y\n\x1cQueryInsuranceParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\".\n\x19QueryInsuranceFundRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"V\n\x1aQueryInsuranceFundResponse\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"\x1c\n\x1aQueryInsuranceFundsRequest\"^\n\x1bQueryInsuranceFundsResponse\x12?\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\"E\n QueryEstimatedRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"T\n!QueryEstimatedRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"C\n\x1eQueryPendingRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"R\n\x1fQueryPendingRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"T\n\x18QueryModuleStateResponse\x12\x38\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisState2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index 4f64c30b..ec238297 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 3fee662a..19a70878 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,59 +12,56 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x92\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgCreateInsuranceFundResponse\"y\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgUnderwriteResponse\"\x7f\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgRequestRedemptionResponse\"\x89\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf5\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponseBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None + _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None - _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* insurance/MsgCreateInsuranceFund' - _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._loaded_options = None + _globals['_MSGCREATEINSURANCEFUND']._options = None + _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._options = None _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGUNDERWRITE']._loaded_options = None - _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\027insurance/MsgUnderwrite' - _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._loaded_options = None + _globals['_MSGUNDERWRITE']._options = None + _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._options = None _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGREQUESTREDEMPTION']._loaded_options = None - _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\036insurance/MsgRequestRedemption' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGREQUESTREDEMPTION']._options = None + _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\031insurance/MsgUpdateParams' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 - _globals['_MSGUNDERWRITE']._serialized_start=627 - _globals['_MSGUNDERWRITE']._serialized_end=776 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 - _globals['_MSGUPDATEPARAMS']._serialized_start=1001 - _globals['_MSGUPDATEPARAMS']._serialized_end=1168 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 - _globals['_MSG']._serialized_start=1198 - _globals['_MSG']._serialized_end=1706 + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGCREATEINSURANCEFUND']._serialized_start=260 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=534 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=536 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=568 + _globals['_MSGUNDERWRITE']._serialized_start=570 + _globals['_MSGUNDERWRITE']._serialized_end=691 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=693 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=716 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=718 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=845 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=847 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=877 + _globals['_MSGUPDATEPARAMS']._serialized_start=880 + _globals['_MSGUPDATEPARAMS']._serialized_end=1017 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1019 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1044 + _globals['_MSG']._serialized_start=1047 + _globals['_MSG']._serialized_end=1548 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index da5f0eac..87d53729 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index 9ad402fa..41ef308a 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xed\x04\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x37\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12I\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRound\x12\x43\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmission\x12X\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDs\x12\x37\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPool\x12\x42\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeship\"^\n\x10\x46\x65\x65\x64Transmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x39\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"c\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"L\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04\"N\n\nRewardPool\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"K\n\nFeedCounts\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12,\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.Count\"\'\n\x05\x43ount\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"P\n\x10PendingPayeeship\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x16\n\x0eproposed_payee\x18\x03 \x01(\tBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 969ed49a..1baf53d0 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from amino import amino_pb2 as amino_dot_amino__pb2 diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index 28395594..c49c510f 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/ocr/v1beta1/query.proto\x12\x15injective.ocr.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a#injective/ocr/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\")\n\x16QueryFeedConfigRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x92\x01\n\x17QueryFeedConfigResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12\x36\n\x0b\x66\x65\x65\x64_config\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\"-\n\x1aQueryFeedConfigInfoRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x9d\x01\n\x1bQueryFeedConfigInfoResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"*\n\x17QueryLatestRoundRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"f\n\x18QueryLatestRoundResponse\x12\x17\n\x0flatest_round_id\x18\x01 \x01(\x04\x12\x31\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"8\n%QueryLatestTransmissionDetailsRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\xb1\x01\n&QueryLatestTransmissionDetailsResponse\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\x12\x31\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"-\n\x16QueryOwedAmountRequest\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\"J\n\x17QueryOwedAmountResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"N\n\x18QueryModuleStateResponse\x12\x32\n\x05state\x18\x01 \x01(\x0b\x32#.injective.ocr.v1beta1.GenesisState2\xbb\t\n\x05Query\x12\x86\x01\n\x06Params\x12).injective.ocr.v1beta1.QueryParamsRequest\x1a*.injective.ocr.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/chainlink/ocr/v1beta1/params\x12\xa1\x01\n\nFeedConfig\x12-.injective.ocr.v1beta1.QueryFeedConfigRequest\x1a..injective.ocr.v1beta1.QueryFeedConfigResponse\"4\x82\xd3\xe4\x93\x02.\x12,/chainlink/ocr/v1beta1/feed_config/{feed_id}\x12\xb2\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x31.injective.ocr.v1beta1.QueryFeedConfigInfoRequest\x1a\x32.injective.ocr.v1beta1.QueryFeedConfigInfoResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/chainlink/ocr/v1beta1/feed_config_info/{feed_id}\x12\xa5\x01\n\x0bLatestRound\x12..injective.ocr.v1beta1.QueryLatestRoundRequest\x1a/.injective.ocr.v1beta1.QueryLatestRoundResponse\"5\x82\xd3\xe4\x93\x02/\x12-/chainlink/ocr/v1beta1/latest_round/{feed_id}\x12\xde\x01\n\x19LatestTransmissionDetails\x12<.injective.ocr.v1beta1.QueryLatestTransmissionDetailsRequest\x1a=.injective.ocr.v1beta1.QueryLatestTransmissionDetailsResponse\"D\x82\xd3\xe4\x93\x02>\x12\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xc9\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12<\n\x04rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"O\n\x0ePriceFeedPrice\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\nPriceState\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\xbc\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x41\n\tema_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x65ma_conf\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04\x63onf\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"_\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xbf\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12<\n\x04mean\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04twap\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x41\n\tmin_price\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x41\n\tmax_price\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cmedian_price\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDPRICESTATE'].fields_by_name['rate']._loaded_options = None - _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_BANDPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_BANDPRICESTATE'].fields_by_name['price_state']._options = None _globals['_BANDPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None - _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_PRICESTATE'].fields_by_name['price']._options = None + _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._options = None + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._options = None _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._loaded_options = None + _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._options = None _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PRICERECORD'].fields_by_name['price']._loaded_options = None - _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_METADATASTATISTICS'].fields_by_name['mean']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_METADATASTATISTICS'].fields_by_name['twap']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORACLETYPE']._serialized_start=3252 - _globals['_ORACLETYPE']._serialized_end=3411 - _globals['_PARAMS']._serialized_start=140 - _globals['_PARAMS']._serialized_end=195 - _globals['_ORACLEINFO']._serialized_start=197 - _globals['_ORACLEINFO']._serialized_end=284 - _globals['_CHAINLINKPRICESTATE']._serialized_start=287 - _globals['_CHAINLINKPRICESTATE']._serialized_end=462 - _globals['_BANDPRICESTATE']._serialized_start=465 - _globals['_BANDPRICESTATE']._serialized_end=649 - _globals['_PRICEFEEDSTATE']._serialized_start=651 - _globals['_PRICEFEEDSTATE']._serialized_end=773 - _globals['_PROVIDERINFO']._serialized_start=775 - _globals['_PROVIDERINFO']._serialized_end=825 - _globals['_PROVIDERSTATE']._serialized_start=828 - _globals['_PROVIDERSTATE']._serialized_end=983 - _globals['_PROVIDERPRICESTATE']._serialized_start=985 - _globals['_PROVIDERPRICESTATE']._serialized_end=1074 - _globals['_PRICEFEEDINFO']._serialized_start=1076 - _globals['_PRICEFEEDINFO']._serialized_end=1120 - _globals['_PRICEFEEDPRICE']._serialized_start=1122 - _globals['_PRICEFEEDPRICE']._serialized_end=1190 - _globals['_COINBASEPRICESTATE']._serialized_start=1193 - _globals['_COINBASEPRICESTATE']._serialized_end=1339 - _globals['_PRICESTATE']._serialized_start=1342 - _globals['_PRICESTATE']._serialized_end=1488 - _globals['_PYTHPRICESTATE']._serialized_start=1491 - _globals['_PYTHPRICESTATE']._serialized_end=1774 - _globals['_BANDORACLEREQUEST']._serialized_start=1777 - _globals['_BANDORACLEREQUEST']._serialized_end=2061 - _globals['_BANDIBCPARAMS']._serialized_start=2064 - _globals['_BANDIBCPARAMS']._serialized_end=2232 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 - _globals['_PRICERECORDS']._serialized_start=2453 - _globals['_PRICERECORDS']._serialized_end=2609 - _globals['_PRICERECORD']._serialized_start=2611 - _globals['_PRICERECORD']._serialized_end=2695 - _globals['_METADATASTATISTICS']._serialized_start=2698 - _globals['_METADATASTATISTICS']._serialized_end=3090 - _globals['_PRICEATTESTATION']._serialized_start=3093 - _globals['_PRICEATTESTATION']._serialized_end=3249 + _globals['_PRICERECORD'].fields_by_name['price']._options = None + _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['mean']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['twap']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORACLETYPE']._serialized_start=3375 + _globals['_ORACLETYPE']._serialized_end=3534 + _globals['_PARAMS']._serialized_start=121 + _globals['_PARAMS']._serialized_end=158 + _globals['_ORACLEINFO']._serialized_start=160 + _globals['_ORACLEINFO']._serialized_end=247 + _globals['_CHAINLINKPRICESTATE']._serialized_start=250 + _globals['_CHAINLINKPRICESTATE']._serialized_end=436 + _globals['_BANDPRICESTATE']._serialized_start=439 + _globals['_BANDPRICESTATE']._serialized_end=640 + _globals['_PRICEFEEDSTATE']._serialized_start=642 + _globals['_PRICEFEEDSTATE']._serialized_end=764 + _globals['_PROVIDERINFO']._serialized_start=766 + _globals['_PROVIDERINFO']._serialized_end=816 + _globals['_PROVIDERSTATE']._serialized_start=819 + _globals['_PROVIDERSTATE']._serialized_end=974 + _globals['_PROVIDERPRICESTATE']._serialized_start=976 + _globals['_PROVIDERPRICESTATE']._serialized_end=1065 + _globals['_PRICEFEEDINFO']._serialized_start=1067 + _globals['_PRICEFEEDINFO']._serialized_end=1111 + _globals['_PRICEFEEDPRICE']._serialized_start=1113 + _globals['_PRICEFEEDPRICE']._serialized_end=1192 + _globals['_COINBASEPRICESTATE']._serialized_start=1195 + _globals['_COINBASEPRICESTATE']._serialized_end=1341 + _globals['_PRICESTATE']._serialized_start=1344 + _globals['_PRICESTATE']._serialized_end=1512 + _globals['_PYTHPRICESTATE']._serialized_start=1515 + _globals['_PYTHPRICESTATE']._serialized_end=1831 + _globals['_BANDORACLEREQUEST']._serialized_start=1834 + _globals['_BANDORACLEREQUEST']._serialized_end=2118 + _globals['_BANDIBCPARAMS']._serialized_start=2121 + _globals['_BANDIBCPARAMS']._serialized_end=2289 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2291 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2405 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=2407 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=2507 + _globals['_PRICERECORDS']._serialized_start=2510 + _globals['_PRICERECORDS']._serialized_end=2666 + _globals['_PRICERECORD']._serialized_start=2668 + _globals['_PRICERECORD']._serialized_end=2763 + _globals['_METADATASTATISTICS']._serialized_start=2766 + _globals['_METADATASTATISTICS']._serialized_end=3213 + _globals['_PRICEATTESTATION']._serialized_start=3216 + _globals['_PRICEATTESTATION']._serialized_end=3372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index ce151115..a2799067 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,59 +12,58 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x80\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x81\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9e\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x91\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9f\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb4\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xab\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/RevokeBandOraclePrivilegeProposal' - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/GrantPriceFeederPrivilegeProposal' - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*%oracle/GrantProviderPrivilegeProposal' - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/RevokeProviderPrivilegeProposal' - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/RevokePriceFeederPrivilegeProposal' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._loaded_options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._serialized_options = b'\310\336\037\000' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._loaded_options = None - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/AuthorizeBandOracleRequestProposal' - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._loaded_options = None - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/UpdateBandOracleRequestProposal' - _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._loaded_options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._options = None _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' - _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 + _globals['_ENABLEBANDIBCPROPOSAL']._options = None + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=190 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=318 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=321 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=450 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=453 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=611 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=614 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=758 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=761 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=906 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=909 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1068 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1071 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1251 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1254 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1467 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1470 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=1641 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 30a67483..ec26a809 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index 6f1d76bd..533ddda8 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 71c2aa54..3c795ee6 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,73 +12,70 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xa0\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12>\n\x06prices\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayProviderPricesResponse\"\x99\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12=\n\x05price\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayPriceFeedPriceResponse\"}\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:\x0c\x82\xe7\xb0*\x07relayer\"\x1b\n\x19MsgRelayBandRatesResponse\"e\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgRelayCoinbaseMessagesResponse\"Q\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRequestBandIBCRatesResponse\"\x81\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgRelayPythPricesResponse\"\x86\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponseBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None - _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayProviderPrices' - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_MSGRELAYPRICEFEEDPRICE']._loaded_options = None - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayPriceFeedPrice' - _globals['_MSGRELAYBANDRATES']._loaded_options = None - _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' - _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' - _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None - _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' - _globals['_MSGRELAYPYTHPRICES']._loaded_options = None - _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031oracle/MsgRelayPythPrices' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGRELAYPROVIDERPRICES']._options = None + _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGRELAYPRICEFEEDPRICE']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYBANDRATES']._options = None + _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer' + _globals['_MSGRELAYCOINBASEMESSAGES']._options = None + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGREQUESTBANDIBCRATES']._options = None + _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYPYTHPRICES']._options = None + _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\026oracle/MsgUpdateParams' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 - _globals['_MSGRELAYBANDRATES']._serialized_start=629 - _globals['_MSGRELAYBANDRATES']._serialized_end=783 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 - _globals['_MSGUPDATEPARAMS']._serialized_start=1334 - _globals['_MSGUPDATEPARAMS']._serialized_end=1495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 - _globals['_MSG']._serialized_start=1525 - _globals['_MSG']._serialized_end=2416 + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=177 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=337 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=339 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=371 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=374 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=527 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=529 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=561 + _globals['_MSGRELAYBANDRATES']._serialized_start=563 + _globals['_MSGRELAYBANDRATES']._serialized_end=688 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=690 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=717 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=719 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=820 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=822 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=856 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=858 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=939 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=941 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=973 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=976 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1105 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1107 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1135 + _globals['_MSGUPDATEPARAMS']._serialized_start=1138 + _globals['_MSGUPDATEPARAMS']._serialized_end=1272 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1274 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1299 + _globals['_MSG']._serialized_start=1302 + _globals['_MSG']._serialized_end=2186 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index 34286685..da1f6435 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index 4bc045af..4171c980 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index a44e7eb9..b2320be9 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xa2\x01\n\x0fOutgoingTxBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x02 \x01(\x04\x12<\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\r\n\x05\x62lock\x18\x05 \x01(\x04\"\xae\x01\n\x12OutgoingTransferTx\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x14\n\x0c\x64\x65st_address\x18\x03 \x01(\t\x12\x33\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20Token\x12\x31\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index 9beb0aa2..538dc534 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index bbd26b42..374a2817 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index 2a6e7260..fbc92421 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x06\n\x0cGenesisState\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Params\x12\x1b\n\x13last_observed_nonce\x18\x02 \x01(\x04\x12+\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\x12=\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\x12\x34\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\x12;\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\x12\x35\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.Attestation\x12O\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddresses\x12\x39\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenom\x12\x43\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12%\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04\x12\x1e\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04\x12\x1d\n\x15last_outgoing_pool_id\x18\r \x01(\x04\x12>\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12\x65thereum_blacklist\x18\x0f \x03(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index 52ba88cb..528f2253 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,145 +12,128 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"X\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\"%\n#MsgSetOrchestratorAddressesResponse\"r\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgValsetConfirmResponse\"\xa3\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x16\n\x14MsgSendToEthResponse\"I\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgRequestBatchResponse\"\x88\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgConfirmBatchResponse\"\xfd\x01\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12>\n\x06\x61mount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgDepositClaimResponse\"\x93\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"I\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSendToEthResponse\"v\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\x94\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xa6\x0e\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' - _globals['_MSGVALSETCONFIRM']._loaded_options = None - _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgValsetConfirm' - _globals['_MSGSENDTOETH'].fields_by_name['amount']._loaded_options = None + _globals['_MSGVALSETCONFIRM']._options = None + _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGSENDTOETH'].fields_by_name['amount']._options = None _globals['_MSGSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None + _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._options = None _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH']._loaded_options = None - _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022peggy/MsgSendToEth' - _globals['_MSGREQUESTBATCH']._loaded_options = None - _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgRequestBatch' - _globals['_MSGCONFIRMBATCH']._loaded_options = None - _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgConfirmBatch' - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_MSGDEPOSITCLAIM']._loaded_options = None - _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgDepositClaim' - _globals['_MSGWITHDRAWCLAIM']._loaded_options = None - _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgWithdrawClaim' - _globals['_MSGERC20DEPLOYEDCLAIM']._loaded_options = None - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgERC20DeployedClaim' - _globals['_MSGCANCELSENDTOETH']._loaded_options = None - _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\030peggy/MsgCancelSendToEth' - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._loaded_options = None - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender\212\347\260*#peggy/MsgSubmitBadSignatureEvidence' - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._loaded_options = None - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_MSGVALSETUPDATEDCLAIM']._loaded_options = None - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgValsetUpdatedClaim' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGSENDTOETH']._options = None + _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGREQUESTBATCH']._options = None + _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGCONFIRMBATCH']._options = None + _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGDEPOSITCLAIM']._options = None + _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGWITHDRAWCLAIM']._options = None + _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGERC20DEPLOYEDCLAIM']._options = None + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGCANCELSENDTOETH']._options = None + _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._options = None + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._options = None + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGVALSETUPDATEDCLAIM']._options = None + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025peggy/MsgUpdateParams' - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._loaded_options = None - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_options = b'\202\347\260*\006signer\212\347\260*#peggy/MsgBlacklistEthereumAddresses' - _globals['_MSGREVOKEETHEREUMBLACKLIST']._loaded_options = None - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_options = b'\202\347\260*\006signer\212\347\260* peggy/MsgRevokeEthereumBlacklist' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSG'].methods_by_name['ValsetConfirm']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSG'].methods_by_name['ValsetConfirm']._options = None _globals['_MSG'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/valset_confirm' - _globals['_MSG'].methods_by_name['SendToEth']._loaded_options = None + _globals['_MSG'].methods_by_name['SendToEth']._options = None _globals['_MSG'].methods_by_name['SendToEth']._serialized_options = b'\202\323\344\223\002!\"\037/injective/peggy/v1/send_to_eth' - _globals['_MSG'].methods_by_name['RequestBatch']._loaded_options = None + _globals['_MSG'].methods_by_name['RequestBatch']._options = None _globals['_MSG'].methods_by_name['RequestBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/request_batch' - _globals['_MSG'].methods_by_name['ConfirmBatch']._loaded_options = None + _globals['_MSG'].methods_by_name['ConfirmBatch']._options = None _globals['_MSG'].methods_by_name['ConfirmBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/confirm_batch' - _globals['_MSG'].methods_by_name['DepositClaim']._loaded_options = None + _globals['_MSG'].methods_by_name['DepositClaim']._options = None _globals['_MSG'].methods_by_name['DepositClaim']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/deposit_claim' - _globals['_MSG'].methods_by_name['WithdrawClaim']._loaded_options = None + _globals['_MSG'].methods_by_name['WithdrawClaim']._options = None _globals['_MSG'].methods_by_name['WithdrawClaim']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/withdraw_claim' - _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._loaded_options = None + _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._options = None _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/valset_updated_claim' - _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._loaded_options = None + _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._options = None _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/erc20_deployed_claim' - _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._loaded_options = None + _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._options = None _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._serialized_options = b'\202\323\344\223\002.\",/injective/peggy/v1/set_orchestrator_address' - _globals['_MSG'].methods_by_name['CancelSendToEth']._loaded_options = None + _globals['_MSG'].methods_by_name['CancelSendToEth']._options = None _globals['_MSG'].methods_by_name['CancelSendToEth']._serialized_options = b'\202\323\344\223\002(\"&/injective/peggy/v1/cancel_send_to_eth' - _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None + _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 - _globals['_MSGVALSETCONFIRM']._serialized_start=482 - _globals['_MSGVALSETCONFIRM']._serialized_end=623 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 - _globals['_MSGSENDTOETH']._serialized_start=654 - _globals['_MSGSENDTOETH']._serialized_end=840 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 - _globals['_MSGREQUESTBATCH']._serialized_start=866 - _globals['_MSGREQUESTBATCH']._serialized_end=965 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 - _globals['_MSGCONFIRMBATCH']._serialized_start=995 - _globals['_MSGCONFIRMBATCH']._serialized_end=1157 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 - _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 - _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 - _globals['_MSGUPDATEPARAMS']._serialized_start=2616 - _globals['_MSGUPDATEPARAMS']._serialized_end=2770 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 - _globals['_MSG']._serialized_start=3136 - _globals['_MSG']._serialized_end=5246 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=281 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=369 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=371 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=408 + _globals['_MSGVALSETCONFIRM']._serialized_start=410 + _globals['_MSGVALSETCONFIRM']._serialized_end=524 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=526 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=552 + _globals['_MSGSENDTOETH']._serialized_start=555 + _globals['_MSGSENDTOETH']._serialized_end=718 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=720 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=742 + _globals['_MSGREQUESTBATCH']._serialized_start=744 + _globals['_MSGREQUESTBATCH']._serialized_end=817 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=819 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=844 + _globals['_MSGCONFIRMBATCH']._serialized_start=847 + _globals['_MSGCONFIRMBATCH']._serialized_end=983 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=985 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1010 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1013 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1266 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1268 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1293 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1296 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=1443 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1445 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1471 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1474 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1675 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1677 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1708 + _globals['_MSGCANCELSENDTOETH']._serialized_start=1710 + _globals['_MSGCANCELSENDTOETH']._serialized_end=1783 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=1785 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=1813 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=1815 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=1933 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=1935 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=1974 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=1977 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2253 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2255 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2286 + _globals['_MSGUPDATEPARAMS']._serialized_start=2289 + _globals['_MSGUPDATEPARAMS']._serialized_end=2417 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2419 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2444 + _globals['_MSG']._serialized_start=2447 + _globals['_MSG']._serialized_end=4277 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index f17ec381..fa1ec042 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index a439c8a9..55a209ce 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,33 +12,32 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xb7\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12M\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12X\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS'].fields_by_name['valset_reward']._loaded_options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['valset_reward']._options = None _globals['_PARAMS'].fields_by_name['valset_reward']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' - _globals['_PARAMS']._serialized_start=129 - _globals['_PARAMS']._serialized_end=1058 + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\200\334 \000' + _globals['_PARAMS']._serialized_start=110 + _globals['_PARAMS']._serialized_end=1061 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index dc5344aa..a63eb316 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py new file mode 100644 index 00000000..5692f14d --- /dev/null +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py @@ -0,0 +1,35 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: injective/peggy/v1/proposal.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/peggy/v1/proposal.proto\x12\x12injective.peggy.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x01\n\"BlacklistEthereumAddressesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x8a\x01\n\x1fRevokeEthereumBlacklistProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._options = None + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._options = None + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=248 + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_start=251 + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_end=389 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index 558ffa19..a94e2102 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 -from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from pyinjective.proto.injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 +from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"G\n\x13QueryParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryCurrentValsetRequest\"H\n\x1aQueryCurrentValsetResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\"*\n\x19QueryValsetRequestRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"H\n\x1aQueryValsetRequestResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\";\n\x19QueryValsetConfirmRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"S\n\x1aQueryValsetConfirmResponse\x12\x35\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\"2\n!QueryValsetConfirmsByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"\\\n\"QueryValsetConfirmsByNonceResponse\x12\x36\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\" \n\x1eQueryLastValsetRequestsRequest\"N\n\x1fQueryLastValsetRequestsResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"=\n*QueryLastPendingValsetRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"Z\n+QueryLastPendingValsetRequestByAddrResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"\x16\n\x14QueryBatchFeeRequest\"I\n\x15QueryBatchFeeResponse\x12\x30\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFees\"<\n)QueryLastPendingBatchRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"`\n*QueryLastPendingBatchRequestByAddrResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"V\n\x1eQueryOutgoingTxBatchesResponse\x12\x34\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"J\n\x1fQueryBatchRequestByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"V\n QueryBatchRequestByNonceResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"D\n\x19QueryBatchConfirmsRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"S\n\x1aQueryBatchConfirmsResponse\x12\x35\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\".\n\x1bQueryLastEventByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\\\n\x1cQueryLastEventByAddrResponse\x12<\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEvent\")\n\x18QueryERC20ToDenomRequest\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\"E\n\x19QueryERC20ToDenomResponse\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\")\n\x18QueryDenomToERC20Request\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"E\n\x19QueryDenomToERC20Response\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\"@\n#QueryDelegateKeysByValidatorAddress\x12\x19\n\x11validator_address\x18\x01 \x01(\t\"`\n+QueryDelegateKeysByValidatorAddressResponse\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"4\n\x1dQueryDelegateKeysByEthAddress\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\"`\n%QueryDelegateKeysByEthAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"F\n&QueryDelegateKeysByOrchestratorAddress\x12\x1c\n\x14orchestrator_address\x18\x01 \x01(\t\"`\n.QueryDelegateKeysByOrchestratorAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x02 \x01(\t\"/\n\x15QueryPendingSendToEth\x12\x16\n\x0esender_address\x18\x01 \x01(\t\"\xaa\x01\n\x1dQueryPendingSendToEthResponse\x12\x44\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x43\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisState\"\x16\n\x14MissingNoncesRequest\"3\n\x15MissingNoncesResponse\x12\x1a\n\x12operator_addresses\x18\x01 \x03(\t2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index 7baa8dd1..a8887191 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 +from pyinjective.proto.injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 1186e742..4019f4fc 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 75592fa6..29e3dc50 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.protoBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index 7af2b662..9ce92f81 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8f\x01\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x42\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 4ea7248d..2605a01c 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,22 +12,19 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x08\n\x06ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' - _globals['_PARAMS']._serialized_start=177 - _globals['_PARAMS']._serialized_end=247 + _globals['_PARAMS']._serialized_start=158 + _globals['_PARAMS']._serialized_end=166 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index c9bc58e8..5e1d7e10 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf2\x01\n\tNamespace\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x11\n\twasm_hook\x18\x02 \x01(\t\x12\x14\n\x0cmints_paused\x18\x03 \x01(\x08\x12\x14\n\x0csends_paused\x18\x04 \x01(\x08\x12\x14\n\x0c\x62urns_paused\x18\x05 \x01(\x08\x12=\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles\".\n\x0c\x41\x64\x64ressRoles\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05roles\x18\x02 \x03(\t\")\n\x04Role\x12\x0c\n\x04role\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x01(\r\"\x1b\n\x07RoleIDs\x12\x10\n\x08role_ids\x18\x01 \x03(\r\"e\n\x07Voucher\x12Z\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"Z\n\x0e\x41\x64\x64ressVoucher\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x37\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.Voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index ed7c9e2a..1a1d7f4b 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryAllNamespacesRequest\"Z\n\x1aQueryAllNamespacesResponse\x12<\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.Namespace\"D\n\x1cQueryNamespaceByDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x15\n\rinclude_roles\x18\x02 \x01(\x08\"\\\n\x1dQueryNamespaceByDenomResponse\x12;\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.Namespace\":\n\x1bQueryAddressesByRoleRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0c\n\x04role\x18\x02 \x01(\t\"1\n\x1cQueryAddressesByRoleResponse\x12\x11\n\taddresses\x18\x01 \x03(\t\":\n\x18QueryAddressRolesRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"*\n\x19QueryAddressRolesResponse\x12\r\n\x05roles\x18\x01 \x03(\t\"1\n\x1eQueryVouchersForAddressRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x1fQueryVouchersForAddressResponse\x12?\n\x08vouchers\x18\x01 \x03(\x0b\x32-.injective.permissions.v1beta1.AddressVoucher2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index d6468e86..34f74fb6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index 65f19a41..c0b9830f 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,94 +12,91 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x87\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCreateNamespaceResponse\"]\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xe0\x04\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xe5\x01\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xb0\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgRevokeNamespaceRolesResponse\"U\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x19\n\x17MsgClaimVoucherResponse2\x9a\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponseBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\033permissions/MsgUpdateParams' - _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._loaded_options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATENAMESPACE']._loaded_options = None - _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgCreateNamespace' - _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._loaded_options = None + _globals['_MSGCREATENAMESPACE']._options = None + _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._options = None _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGDELETENAMESPACE']._loaded_options = None - _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgDeleteNamespace' - _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._loaded_options = None + _globals['_MSGDELETENAMESPACE']._options = None + _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._options = None _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACE']._loaded_options = None - _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgUpdateNamespace' - _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATENAMESPACE']._options = None + _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._options = None _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACEROLES']._loaded_options = None - _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgUpdateNamespaceRoles' - _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATENAMESPACEROLES']._options = None + _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._options = None _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGREVOKENAMESPACEROLES']._loaded_options = None - _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgRevokeNamespaceRoles' - _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._loaded_options = None + _globals['_MSGREVOKENAMESPACEROLES']._options = None + _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._options = None _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCLAIMVOUCHER']._loaded_options = None - _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033permissions/MsgClaimVoucher' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATEPARAMS']._serialized_start=324 - _globals['_MSGUPDATEPARAMS']._serialized_end=495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 - _globals['_MSGCREATENAMESPACE']._serialized_start=525 - _globals['_MSGCREATENAMESPACE']._serialized_end=695 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 - _globals['_MSGDELETENAMESPACE']._serialized_start=728 - _globals['_MSGDELETENAMESPACE']._serialized_end=856 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 - _globals['_MSGUPDATENAMESPACE']._serialized_start=889 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 - _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 - _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 - _globals['_MSG']._serialized_start=2272 - _globals['_MSG']._serialized_end=3201 + _globals['_MSGCLAIMVOUCHER']._options = None + _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS']._serialized_start=305 + _globals['_MSGUPDATEPARAMS']._serialized_end=444 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=446 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=471 + _globals['_MSGCREATENAMESPACE']._serialized_start=474 + _globals['_MSGCREATENAMESPACE']._serialized_end=609 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=611 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=639 + _globals['_MSGDELETENAMESPACE']._serialized_start=641 + _globals['_MSGDELETENAMESPACE']._serialized_end=734 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=736 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=764 + _globals['_MSGUPDATENAMESPACE']._serialized_start=767 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1375 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1207 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1242 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1244 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1282 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1284 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1322 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1324 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1362 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1377 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1405 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1408 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1637 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1639 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1672 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1675 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=1851 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=1853 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=1886 + _globals['_MSGCLAIMVOUCHER']._serialized_start=1888 + _globals['_MSGCLAIMVOUCHER']._serialized_end=1973 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=1975 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2000 + _globals['_MSG']._serialized_start=2003 + _globals['_MSG']._serialized_end=2925 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index ad3ade84..d2c1c175 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 83829de7..00f69344 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index d8211887..fe20a632 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index 326807e6..1792ac43 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"?\n\x16\x44\x65nomAuthorityMetadata\x12\x1f\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index a0c1804c..7076fc69 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"4\n\x12\x45ventCreateTFDenom\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"^\n\x10\x45ventMintTFDenom\x12\x19\n\x11recipient_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"Y\n\x0e\x45ventBurnDenom\x12\x16\n\x0e\x62urner_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\">\n\x12\x45ventChangeTFAdmin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11new_admin_address\x18\x02 \x01(\t\"_\n\x17\x45ventSetTFDenomMetadata\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x35\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index 200b366f..02d506de 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xb1\x01\n\x0cGenesisState\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"\"\xee\x01\n\x0cGenesisDenom\x12\x1f\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12u\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 5ea0a41f..4321ec5b 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,25 +12,22 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x8f\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None + _globals['_PARAMS'].fields_by_name['denom_creation_fee']._options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' - _globals['_PARAMS']._serialized_start=236 - _globals['_PARAMS']._serialized_end=415 + _globals['_PARAMS']._serialized_start=217 + _globals['_PARAMS']._serialized_end=360 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index 9bd34601..7a99b1c0 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"p\n\"QueryDenomAuthorityMetadataRequest\x12!\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"\"\x9c\x01\n#QueryDenomAuthorityMetadataResponse\x12u\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\"D\n\x1dQueryDenomsFromCreatorRequest\x12#\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"\"C\n\x1eQueryDenomsFromCreatorResponse\x12!\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"\"\x19\n\x17QueryModuleStateRequest\"W\n\x18QueryModuleStateResponse\x12;\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisState2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index 05ddcbdb..e06416a8 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index 16f2049c..b692fae0 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,93 +12,90 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xa9\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x0b\x82\xe7\xb0*\x06sender\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"{\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgMintResponse\"{\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgBurnResponse\"\x8a\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":\x0b\x82\xe7\xb0*\x06sender\"\x18\n\x16MsgChangeAdminResponse\"\x8f\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\x8c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xb8\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponseBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None + _globals['_MSGCREATEDENOM'].fields_by_name['sender']._options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None + _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._options = None _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._serialized_options = b'\362\336\037\017yaml:\"subdenom\"' - _globals['_MSGCREATEDENOM'].fields_by_name['name']._loaded_options = None + _globals['_MSGCREATEDENOM'].fields_by_name['name']._options = None _globals['_MSGCREATEDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None + _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_MSGCREATEDENOM']._loaded_options = None - _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/create-denom' - _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None + _globals['_MSGCREATEDENOM']._options = None + _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._options = None _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._serialized_options = b'\362\336\037\026yaml:\"new_token_denom\"' - _globals['_MSGMINT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGMINT'].fields_by_name['sender']._options = None _globals['_MSGMINT'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGMINT'].fields_by_name['amount']._loaded_options = None + _globals['_MSGMINT'].fields_by_name['amount']._options = None _globals['_MSGMINT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGMINT']._loaded_options = None - _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/mint' - _globals['_MSGBURN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGMINT']._options = None + _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGBURN'].fields_by_name['sender']._options = None _globals['_MSGBURN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGBURN'].fields_by_name['amount']._loaded_options = None + _globals['_MSGBURN'].fields_by_name['amount']._options = None _globals['_MSGBURN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGBURN']._loaded_options = None - _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/burn' - _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGBURN']._options = None + _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._options = None _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._loaded_options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._options = None _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._loaded_options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._options = None _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"' - _globals['_MSGCHANGEADMIN']._loaded_options = None - _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/change-admin' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._loaded_options = None + _globals['_MSGCHANGEADMIN']._options = None + _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"metadata\"' - _globals['_MSGSETDENOMMETADATA']._loaded_options = None - _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender\212\347\260*)injective/tokenfactory/set-denom-metadata' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGSETDENOMMETADATA']._options = None + _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$injective/tokenfactory/update-params' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGCREATEDENOM']._serialized_start=278 - _globals['_MSGCREATEDENOM']._serialized_end=487 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 - _globals['_MSGMINT']._serialized_start=569 - _globals['_MSGMINT']._serialized_end=724 - _globals['_MSGMINTRESPONSE']._serialized_start=726 - _globals['_MSGMINTRESPONSE']._serialized_end=743 - _globals['_MSGBURN']._serialized_start=746 - _globals['_MSGBURN']._serialized_end=901 - _globals['_MSGBURNRESPONSE']._serialized_start=903 - _globals['_MSGBURNRESPONSE']._serialized_end=920 - _globals['_MSGCHANGEADMIN']._serialized_start=923 - _globals['_MSGCHANGEADMIN']._serialized_end=1101 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 - _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 - _globals['_MSGUPDATEPARAMS']._serialized_start=1353 - _globals['_MSGUPDATEPARAMS']._serialized_end=1534 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 - _globals['_MSG']._serialized_start=1564 - _globals['_MSG']._serialized_end=2267 + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGCREATEDENOM']._serialized_start=259 + _globals['_MSGCREATEDENOM']._serialized_end=428 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=430 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=507 + _globals['_MSGMINT']._serialized_start=509 + _globals['_MSGMINT']._serialized_end=632 + _globals['_MSGMINTRESPONSE']._serialized_start=634 + _globals['_MSGMINTRESPONSE']._serialized_end=651 + _globals['_MSGBURN']._serialized_start=653 + _globals['_MSGBURN']._serialized_end=776 + _globals['_MSGBURNRESPONSE']._serialized_start=778 + _globals['_MSGBURNRESPONSE']._serialized_end=795 + _globals['_MSGCHANGEADMIN']._serialized_start=798 + _globals['_MSGCHANGEADMIN']._serialized_end=936 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=938 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=962 + _globals['_MSGSETDENOMMETADATA']._serialized_start=965 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1108 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1110 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1139 + _globals['_MSGUPDATEPARAMS']._serialized_start=1142 + _globals['_MSGUPDATEPARAMS']._serialized_end=1282 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1284 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1309 + _globals['_MSG']._serialized_start=1312 + _globals['_MSG']._serialized_end=2008 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index ba715d00..62ece9b4 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index cf7207e9..abea6cc8 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index 50716853..28eb2b04 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"_\n\x16\x45xtensionOptionsWeb3Tx\x12\x18\n\x10typedDataChainID\x18\x01 \x01(\x04\x12\x10\n\x08\x66\x65\x65Payer\x18\x02 \x01(\t\x12\x13\n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index e2947aad..8547bb11 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"r\n\x16\x45ventContractExecution\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x10\n\x08response\x18\x02 \x01(\x0c\x12\x13\n\x0bother_error\x18\x03 \x01(\t\x12\x17\n\x0f\x65xecution_error\x18\x04 \x01(\t\"\xf9\x01\n\x17\x45ventContractRegistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode\"5\n\x19\x45ventContractDeregistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index e5f75f8c..ac273bb6 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"u\n\x1dRegisteredContractWithAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x43\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract\"\x97\x01\n\x0cGenesisState\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\x12U\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index bf271807..889d16c1 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,46 +12,45 @@ _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x84\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/ContractRegistrationRequestProposal' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._loaded_options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._serialized_options = b'\310\336\037\000' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*.wasmx/BatchContractRegistrationRequestProposal' - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._loaded_options = None - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/BatchContractDeregistrationProposal' - _globals['_CONTRACTREGISTRATIONREQUEST']._loaded_options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._options = None + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_CONTRACTREGISTRATIONREQUEST']._options = None _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._loaded_options = None + _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._options = None _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' - _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None - _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' - _globals['_FUNDINGMODE']._serialized_start=1374 - _globals['_FUNDINGMODE']._serialized_end=1445 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 + _globals['_BATCHSTORECODEPROPOSAL']._options = None + _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_FUNDINGMODE']._serialized_start=1179 + _globals['_FUNDINGMODE']._serialized_end=1250 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=147 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=354 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=357 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=570 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=573 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=705 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=708 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1012 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1015 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1177 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index 0016b539..b206de42 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"L\n\x18QueryWasmxParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisState\"@\n$QueryContractRegistrationInfoRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"a\n%QueryContractRegistrationInfoResponse\x12\x38\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index 3dd00350..94c6456c 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 +from pyinjective.proto.injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 8ccf83be..8216504a 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,69 +12,66 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\"e\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x8d\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1b\n\x19MsgUpdateContractResponse\"L\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgActivateContractResponse\"N\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgDeactivateContractResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x90\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRegisterContractResponse2\xba\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' - _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._options = None _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_MSGUPDATECONTRACT']._loaded_options = None - _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasmx/MsgUpdateContract' - _globals['_MSGACTIVATECONTRACT']._loaded_options = None - _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgActivateContract' - _globals['_MSGDEACTIVATECONTRACT']._loaded_options = None - _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasmx/MsgDeactivateContract' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None + _globals['_MSGUPDATECONTRACT']._options = None + _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGACTIVATECONTRACT']._options = None + _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGDEACTIVATECONTRACT']._options = None + _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025wasmx/MsgUpdateParams' - _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._options = None _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_MSGREGISTERCONTRACT']._loaded_options = None - _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgRegisterContract' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 - _globals['_MSGUPDATECONTRACT']._serialized_start=428 - _globals['_MSGUPDATECONTRACT']._serialized_end=597 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 - _globals['_MSGACTIVATECONTRACT']._serialized_start=628 - _globals['_MSGACTIVATECONTRACT']._serialized_end=734 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 - _globals['_MSGUPDATEPARAMS']._serialized_start=913 - _globals['_MSGUPDATEPARAMS']._serialized_end=1067 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 - _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 - _globals['_MSG']._serialized_start=1305 - _globals['_MSG']._serialized_end=2010 + _globals['_MSGREGISTERCONTRACT']._options = None + _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=219 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=320 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=322 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=370 + _globals['_MSGUPDATECONTRACT']._serialized_start=373 + _globals['_MSGUPDATECONTRACT']._serialized_end=514 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=516 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=543 + _globals['_MSGACTIVATECONTRACT']._serialized_start=545 + _globals['_MSGACTIVATECONTRACT']._serialized_end=621 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=623 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=652 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=654 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=732 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=734 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=765 + _globals['_MSGUPDATEPARAMS']._serialized_start=768 + _globals['_MSGUPDATEPARAMS']._serialized_end=896 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=898 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=923 + _globals['_MSGREGISTERCONTRACT']._serialized_start=926 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1070 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1072 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1101 + _globals['_MSG']._serialized_start=1104 + _globals['_MSG']._serialized_end=1802 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index 448deb8e..1e06cb56 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 +from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index c72c28db..5de12e25 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,34 +12,30 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a!injective/wasmx/v1/proposal.proto\"\x86\x01\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04:\x04\xe8\xa0\x1f\x01\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None - _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' - _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\014wasmx/Params' - _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._loaded_options = None + _globals['_PARAMS']._options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._loaded_options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._loaded_options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT']._loaded_options = None + _globals['_REGISTEREDCONTRACT']._options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' - _globals['_PARAMS']._serialized_start=161 - _globals['_PARAMS']._serialized_end=424 - _globals['_REGISTEREDCONTRACT']._serialized_start=427 - _globals['_REGISTEREDCONTRACT']._serialized_end=649 + _globals['_PARAMS']._serialized_start=112 + _globals['_PARAMS']._serialized_end=246 + _globals['_REGISTEREDCONTRACT']._serialized_start=249 + _globals['_REGISTEREDCONTRACT']._serialized_end=471 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 29285b8e..7bfa3bfd 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/abci/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,188 +12,180 @@ _sym_db = _symbol_database.Default() -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xc1\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x39\n\x0b\x62\x65gin_block\x18\x07 \x01(\x0b\x32\".tendermint.abci.RequestBeginBlockH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x37\n\ndeliver_tx\x18\t \x01(\x0b\x32!.tendermint.abci.RequestDeliverTxH\x00\x12\x35\n\tend_block\x18\n \x01(\x0b\x32 .tendermint.abci.RequestEndBlockH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xd0\x01\n\x11RequestBeginBlock\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12.\n\x06header\x18\x02 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12;\n\x10last_commit_info\x18\x03 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12@\n\x14\x62yzantine_validators\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x1e\n\x10RequestDeliverTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"!\n\x0fRequestEndBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\x8b\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12:\n\x0b\x62\x65gin_block\x18\x08 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlockH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x38\n\ndeliver_tx\x18\n \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxH\x00\x12\x36\n\tend_block\x18\x0b \x01(\x0b\x32!.tendermint.abci.ResponseEndBlockH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\x92\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\x12\x0e\n\x06sender\x18\t \x01(\t\x12\x10\n\x08priority\x18\n \x01(\x03\x12\x15\n\rmempool_error\x18\x0b \x01(\t\"\xdb\x01\n\x11ResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"5\n\x0eResponseCommit\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x15\n\rretain_height\x18\x03 \x01(\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"o\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x38\n\x06result\x18\x04 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"Z\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\"z\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\xfb\n\n\x0f\x41\x42\x43IApplication\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12R\n\tDeliverTx\x12!.tendermint.abci.RequestDeliverTx\x1a\".tendermint.abci.ResponseDeliverTx\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12U\n\nBeginBlock\x12\".tendermint.abci.RequestBeginBlock\x1a#.tendermint.abci.ResponseBeginBlock\x12O\n\x08\x45ndBlock\x12 .tendermint.abci.RequestEndBlock\x1a!.tendermint.abci.ResponseEndBlock\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposalB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' - _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None + _globals['_CHECKTXTYPE'].values_by_name["NEW"]._options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' - _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None + _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._options = None _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._serialized_options = b'\212\235 \007Recheck' - _globals['_REQUESTINITCHAIN'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['time']._options = None _globals['_REQUESTINITCHAIN'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._loaded_options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._options = None _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._loaded_options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._loaded_options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._loaded_options = None - _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._loaded_options = None - _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._loaded_options = None - _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._loaded_options = None - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._loaded_options = None - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._loaded_options = None - _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._loaded_options = None + _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._options = None _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSECHECKTX'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSECHECKTX'].fields_by_name['events']._options = None _globals['_RESPONSECHECKTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._loaded_options = None - _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_COMMITINFO'].fields_by_name['votes']._loaded_options = None + _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._options = None + _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_COMMITINFO'].fields_by_name['votes']._options = None _globals['_COMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._loaded_options = None + _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._options = None _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EVENT'].fields_by_name['attributes']._loaded_options = None + _globals['_EVENT'].fields_by_name['attributes']._options = None _globals['_EVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000\352\336\037\024attributes,omitempty' - _globals['_EXECTXRESULT'].fields_by_name['events']._loaded_options = None - _globals['_EXECTXRESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_TXRESULT'].fields_by_name['result']._loaded_options = None + _globals['_TXRESULT'].fields_by_name['result']._options = None _globals['_TXRESULT'].fields_by_name['result']._serialized_options = b'\310\336\037\000' - _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._loaded_options = None + _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._options = None _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_VOTEINFO'].fields_by_name['validator']._loaded_options = None + _globals['_VOTEINFO'].fields_by_name['validator']._options = None _globals['_VOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._loaded_options = None + _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._options = None _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['validator']._loaded_options = None + _globals['_MISBEHAVIOR'].fields_by_name['validator']._options = None _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None + _globals['_MISBEHAVIOR'].fields_by_name['time']._options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=8001 - _globals['_CHECKTXTYPE']._serialized_end=8058 - _globals['_MISBEHAVIORTYPE']._serialized_start=8060 - _globals['_MISBEHAVIORTYPE']._serialized_end=8135 - _globals['_REQUEST']._serialized_start=230 - _globals['_REQUEST']._serialized_end=1240 - _globals['_REQUESTECHO']._serialized_start=1242 - _globals['_REQUESTECHO']._serialized_end=1272 - _globals['_REQUESTFLUSH']._serialized_start=1274 - _globals['_REQUESTFLUSH']._serialized_end=1288 - _globals['_REQUESTINFO']._serialized_start=1290 - _globals['_REQUESTINFO']._serialized_end=1386 - _globals['_REQUESTINITCHAIN']._serialized_start=1389 - _globals['_REQUESTINITCHAIN']._serialized_end=1647 - _globals['_REQUESTQUERY']._serialized_start=1649 - _globals['_REQUESTQUERY']._serialized_end=1722 - _globals['_REQUESTCHECKTX']._serialized_start=1724 - _globals['_REQUESTCHECKTX']._serialized_end=1796 - _globals['_REQUESTCOMMIT']._serialized_start=1798 - _globals['_REQUESTCOMMIT']._serialized_end=1813 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 - _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 - _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 - _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 - _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 - _globals['_RESPONSE']._serialized_start=3393 - _globals['_RESPONSE']._serialized_end=4477 - _globals['_RESPONSEEXCEPTION']._serialized_start=4479 - _globals['_RESPONSEEXCEPTION']._serialized_end=4513 - _globals['_RESPONSEECHO']._serialized_start=4515 - _globals['_RESPONSEECHO']._serialized_end=4546 - _globals['_RESPONSEFLUSH']._serialized_start=4548 - _globals['_RESPONSEFLUSH']._serialized_end=4563 - _globals['_RESPONSEINFO']._serialized_start=4565 - _globals['_RESPONSEINFO']._serialized_end=4687 - _globals['_RESPONSEINITCHAIN']._serialized_start=4690 - _globals['_RESPONSEINITCHAIN']._serialized_end=4848 - _globals['_RESPONSEQUERY']._serialized_start=4851 - _globals['_RESPONSEQUERY']._serialized_end=5033 - _globals['_RESPONSECHECKTX']._serialized_start=5036 - _globals['_RESPONSECHECKTX']._serialized_end=5292 - _globals['_RESPONSECOMMIT']._serialized_start=5294 - _globals['_RESPONSECOMMIT']._serialized_end=5345 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 - _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 - _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 - _globals['_COMMITINFO']._serialized_start=6590 - _globals['_COMMITINFO']._serialized_end=6665 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 - _globals['_EVENT']._serialized_start=6760 - _globals['_EVENT']._serialized_end=6864 - _globals['_EVENTATTRIBUTE']._serialized_start=6866 - _globals['_EVENTATTRIBUTE']._serialized_end=6925 - _globals['_EXECTXRESULT']._serialized_start=6928 - _globals['_EXECTXRESULT']._serialized_end=7142 - _globals['_TXRESULT']._serialized_start=7144 - _globals['_TXRESULT']._serialized_end=7250 - _globals['_VALIDATOR']._serialized_start=7252 - _globals['_VALIDATOR']._serialized_end=7295 - _globals['_VALIDATORUPDATE']._serialized_start=7297 - _globals['_VALIDATORUPDATE']._serialized_end=7382 - _globals['_VOTEINFO']._serialized_start=7384 - _globals['_VOTEINFO']._serialized_end=7507 - _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 - _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 - _globals['_MISBEHAVIOR']._serialized_start=7697 - _globals['_MISBEHAVIOR']._serialized_end=7907 - _globals['_SNAPSHOT']._serialized_start=7909 - _globals['_SNAPSHOT']._serialized_end=7999 - _globals['_ABCI']._serialized_start=8138 - _globals['_ABCI']._serialized_end=9575 + _globals['_CHECKTXTYPE']._serialized_start=7216 + _globals['_CHECKTXTYPE']._serialized_end=7273 + _globals['_MISBEHAVIORTYPE']._serialized_start=7275 + _globals['_MISBEHAVIORTYPE']._serialized_end=7350 + _globals['_REQUEST']._serialized_start=226 + _globals['_REQUEST']._serialized_end=1187 + _globals['_REQUESTECHO']._serialized_start=1189 + _globals['_REQUESTECHO']._serialized_end=1219 + _globals['_REQUESTFLUSH']._serialized_start=1221 + _globals['_REQUESTFLUSH']._serialized_end=1235 + _globals['_REQUESTINFO']._serialized_start=1237 + _globals['_REQUESTINFO']._serialized_end=1333 + _globals['_REQUESTINITCHAIN']._serialized_start=1336 + _globals['_REQUESTINITCHAIN']._serialized_end=1594 + _globals['_REQUESTQUERY']._serialized_start=1596 + _globals['_REQUESTQUERY']._serialized_end=1669 + _globals['_REQUESTBEGINBLOCK']._serialized_start=1672 + _globals['_REQUESTBEGINBLOCK']._serialized_end=1880 + _globals['_REQUESTCHECKTX']._serialized_start=1882 + _globals['_REQUESTCHECKTX']._serialized_end=1954 + _globals['_REQUESTDELIVERTX']._serialized_start=1956 + _globals['_REQUESTDELIVERTX']._serialized_end=1986 + _globals['_REQUESTENDBLOCK']._serialized_start=1988 + _globals['_REQUESTENDBLOCK']._serialized_end=2021 + _globals['_REQUESTCOMMIT']._serialized_start=2023 + _globals['_REQUESTCOMMIT']._serialized_end=2038 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2040 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2062 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2064 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2149 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2151 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2224 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2226 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2299 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2302 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2612 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2615 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2912 + _globals['_RESPONSE']._serialized_start=2915 + _globals['_RESPONSE']._serialized_end=3950 + _globals['_RESPONSEEXCEPTION']._serialized_start=3952 + _globals['_RESPONSEEXCEPTION']._serialized_end=3986 + _globals['_RESPONSEECHO']._serialized_start=3988 + _globals['_RESPONSEECHO']._serialized_end=4019 + _globals['_RESPONSEFLUSH']._serialized_start=4021 + _globals['_RESPONSEFLUSH']._serialized_end=4036 + _globals['_RESPONSEINFO']._serialized_start=4038 + _globals['_RESPONSEINFO']._serialized_end=4160 + _globals['_RESPONSEINITCHAIN']._serialized_start=4163 + _globals['_RESPONSEINITCHAIN']._serialized_end=4321 + _globals['_RESPONSEQUERY']._serialized_start=4324 + _globals['_RESPONSEQUERY']._serialized_end=4506 + _globals['_RESPONSEBEGINBLOCK']._serialized_start=4508 + _globals['_RESPONSEBEGINBLOCK']._serialized_end=4594 + _globals['_RESPONSECHECKTX']._serialized_start=4597 + _globals['_RESPONSECHECKTX']._serialized_end=4871 + _globals['_RESPONSEDELIVERTX']._serialized_start=4874 + _globals['_RESPONSEDELIVERTX']._serialized_end=5093 + _globals['_RESPONSEENDBLOCK']._serialized_start=5096 + _globals['_RESPONSEENDBLOCK']._serialized_end=5315 + _globals['_RESPONSECOMMIT']._serialized_start=5317 + _globals['_RESPONSECOMMIT']._serialized_end=5370 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5372 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5441 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5444 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5626 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5532 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5626 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5628 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5670 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5673 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5915 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5819 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5915 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5917 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5955 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5958 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6111 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6058 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6111 + _globals['_COMMITINFO']._serialized_start=6113 + _globals['_COMMITINFO']._serialized_end=6188 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=6190 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=6281 + _globals['_EVENT']._serialized_start=6283 + _globals['_EVENT']._serialized_end=6387 + _globals['_EVENTATTRIBUTE']._serialized_start=6389 + _globals['_EVENTATTRIBUTE']._serialized_end=6448 + _globals['_TXRESULT']._serialized_start=6450 + _globals['_TXRESULT']._serialized_end=6561 + _globals['_VALIDATOR']._serialized_start=6563 + _globals['_VALIDATOR']._serialized_end=6606 + _globals['_VALIDATORUPDATE']._serialized_start=6608 + _globals['_VALIDATORUPDATE']._serialized_end=6693 + _globals['_VOTEINFO']._serialized_start=6695 + _globals['_VOTEINFO']._serialized_end=6785 + _globals['_EXTENDEDVOTEINFO']._serialized_start=6787 + _globals['_EXTENDEDVOTEINFO']._serialized_end=6909 + _globals['_MISBEHAVIOR']._serialized_start=6912 + _globals['_MISBEHAVIOR']._serialized_end=7122 + _globals['_SNAPSHOT']._serialized_start=7124 + _globals['_SNAPSHOT']._serialized_end=7214 + _globals['_ABCIAPPLICATION']._serialized_start=7353 + _globals['_ABCIAPPLICATION']._serialized_end=8756 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 08ce6d0b..1cb3a616 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index 3a009785..c3053f03 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 4.25.0 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -12,28 +12,27 @@ _sym_db = _symbol_database.Default() -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"7\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None +if _descriptor._USE_C_DESCRIPTORS == False: + _globals['DESCRIPTOR']._options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' - _globals['_BLOCKREQUEST']._serialized_start=118 - _globals['_BLOCKREQUEST']._serialized_end=148 - _globals['_NOBLOCKRESPONSE']._serialized_start=150 - _globals['_NOBLOCKRESPONSE']._serialized_end=183 - _globals['_BLOCKRESPONSE']._serialized_start=185 - _globals['_BLOCKRESPONSE']._serialized_end=294 - _globals['_STATUSREQUEST']._serialized_start=296 - _globals['_STATUSREQUEST']._serialized_end=311 - _globals['_STATUSRESPONSE']._serialized_start=313 - _globals['_STATUSRESPONSE']._serialized_end=359 - _globals['_MESSAGE']._serialized_start=362 - _globals['_MESSAGE']._serialized_end=698 + _globals['_BLOCKREQUEST']._serialized_start=88 + _globals['_BLOCKREQUEST']._serialized_end=118 + _globals['_NOBLOCKRESPONSE']._serialized_start=120 + _globals['_NOBLOCKRESPONSE']._serialized_end=153 + _globals['_BLOCKRESPONSE']._serialized_start=155 + _globals['_BLOCKRESPONSE']._serialized_end=210 + _globals['_STATUSREQUEST']._serialized_start=212 + _globals['_STATUSREQUEST']._serialized_end=227 + _globals['_STATUSRESPONSE']._serialized_start=229 + _globals['_STATUSRESPONSE']._serialized_end=275 + _globals['_MESSAGE']._serialized_start=278 + _globals['_MESSAGE']._serialized_end=614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py index c5244e28..331095f0 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"x\n\x0cNewRoundStep\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\r\x12 \n\x18seconds_since_start_time\x18\x04 \x01(\x03\x12\x19\n\x11last_commit_round\x18\x05 \x01(\x05\"\xbc\x01\n\rNewValidBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x44\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\x12\x33\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArray\x12\x11\n\tis_commit\x18\x05 \x01(\x08\">\n\x08Proposal\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\"u\n\x0bProposalPOL\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x12proposal_pol_round\x18\x02 \x01(\x05\x12:\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"V\n\tBlockPart\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12*\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00\",\n\x04Vote\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\"f\n\x07HasVote\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\r\n\x05index\x18\x04 \x01(\x05\"\x9a\x01\n\x0cVoteSetMaj23\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\"\xce\x01\n\x0bVoteSetBits\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x33\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"\x8d\x04\n\x07Message\x12<\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00\x12>\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00\x12\x32\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00\x12\x39\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00\x12\x35\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00\x12*\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00\x12\x31\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00\x12<\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00\x12:\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py index 0aa3df5d..789fbc00 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.consensus import types_pb2 as tendermint_dot_consensus_dot_types__pb2 -from tendermint.types import events_pb2 as tendermint_dot_types_dot_events__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.consensus import types_pb2 as tendermint_dot_consensus_dot_types__pb2 +from pyinjective.proto.tendermint.types import events_pb2 as tendermint_dot_types_dot_events__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index 20e32137..83ed29a7 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"D\n\tPublicKey\x12\x11\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00\x12\x13\n\tsecp256k1\x18\x02 \x01(\x0cH\x00:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB6Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index 44cee6ce..b37df502 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"G\n\x05Proof\x12\r\n\x05total\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\x03\x12\x11\n\tleaf_hash\x18\x03 \x01(\x0c\x12\r\n\x05\x61unts\x18\x04 \x03(\x0c\"?\n\x07ValueOp\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\'\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.Proof\"6\n\x08\x44ominoOp\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05input\x18\x02 \x01(\t\x12\x0e\n\x06output\x18\x03 \x01(\t\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"9\n\x08ProofOps\x12-\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00\x42\x36Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py index 638807b0..2cc5bf73 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"R\n\tPacketMsg\x12!\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelID\x12\x14\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OF\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xa6\x01\n\x06Packet\x12\x31\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00\x12\x31\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00\x12/\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00\x42\x05\n\x03sum\"R\n\x0e\x41uthSigMessage\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x0b\n\x03sig\x18\x02 \x01(\x0c\x42\x33Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py index 2953a71c..5ca56f6a 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\";\n\x08PexAddrs\x12/\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00\"r\n\x07Message\x12\x31\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00\x12-\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00\x42\x05\n\x03sumB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index 66b71f53..b9460ae6 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"B\n\nNetAddress\x12\x12\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02ID\x12\x12\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IP\x12\x0c\n\x04port\x18\x03 \x01(\r\"C\n\x0fProtocolVersion\x12\x14\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2P\x12\r\n\x05\x62lock\x18\x02 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x03 \x01(\x04\"\x93\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12?\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00\x12*\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeID\x12\x13\n\x0blisten_addr\x18\x03 \x01(\t\x12\x0f\n\x07network\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x10\n\x08\x63hannels\x18\x06 \x01(\x0c\x12\x0f\n\x07moniker\x18\x07 \x01(\t\x12\x39\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00\"M\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x10\n\x08tx_index\x18\x01 \x01(\t\x12#\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py index 756dc4cf..bd31a3ac 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ b/pyinjective/proto/tendermint/privval/types_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"6\n\x11RemoteSignerError\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x05\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"!\n\rPubKeyRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\"{\n\x0ePubKeyResponse\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"I\n\x0fSignVoteRequest\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"v\n\x12SignedVoteResponse\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"U\n\x13SignProposalRequest\x12,\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.Proposal\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"\x82\x01\n\x16SignedProposalResponse\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xa6\x04\n\x07Message\x12<\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00\x12>\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00\x12@\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00\x12\x46\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00\x12H\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00\x12N\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00\x12\x37\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00\x12\x39\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00\x42\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/privvalb\x06proto3') diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py index 5fbaa43c..7fa499f6 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"{\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x30\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index 59ee04ee..a459b7b1 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 +from pyinjective.proto.tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 8b2a1178..00e7a7ed 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index 0c9690d6..60d96ad7 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -12,9 +12,9 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xca\x01\n\x05\x42lock\x12.\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12*\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00\x12\x36\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py index dfb84bfc..00a2d5a0 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index c293b1ff..2c361ad5 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xb2\x01\n\x08\x45vidence\x12J\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00\x12S\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00\x42\x05\n\x03sum\"\xd5\x01\n\x15\x44uplicateVoteEvidence\x12&\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12&\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\x12\x17\n\x0fvalidator_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\xfb\x01\n\x19LightClientAttackEvidence\x12\x37\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlock\x12\x15\n\rcommon_height\x18\x02 \x01(\x03\x12\x39\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"B\n\x0c\x45videnceList\x12\x32\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index 8054f444..4c470b5e 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 5435e09f..7921fb29 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index d7059a2b..118ec853 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -12,8 +12,8 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index e035eb93..9b5c4594 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -12,7 +12,7 @@ _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\")\n\x03\x41pp\x12\x10\n\x08protocol\x18\x01 \x01(\x04\x12\x10\n\x08software\x18\x02 \x01(\t\"-\n\tConsensus\x12\r\n\x05\x62lock\x18\x01 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/versionb\x06proto3') diff --git a/pyinjective/proto/testpb/bank_pb2.py b/pyinjective/proto/testpb/bank_pb2.py new file mode 100644 index 00000000..1bd314e7 --- /dev/null +++ b/pyinjective/proto/testpb/bank_pb2.py @@ -0,0 +1,33 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: testpb/bank.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11testpb/bank.proto\x12\x06testpb\x1a\x17\x63osmos/orm/v1/orm.proto\"_\n\x07\x42\x61lance\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\x04:$\xf2\x9e\xd3\x8e\x03\x1e\n\x0f\n\raddress,denom\x12\t\n\x05\x64\x65nom\x10\x01\x18\x01\":\n\x06Supply\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x05\x64\x65nom\x18\x02\x62\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + DESCRIPTOR._options = None + _globals['_BALANCE']._options = None + _globals['_BALANCE']._serialized_options = b'\362\236\323\216\003\036\n\017\n\raddress,denom\022\t\n\005denom\020\001\030\001' + _globals['_SUPPLY']._options = None + _globals['_SUPPLY']._serialized_options = b'\362\236\323\216\003\013\n\007\n\005denom\030\002' + _globals['_BALANCE']._serialized_start=54 + _globals['_BALANCE']._serialized_end=149 + _globals['_SUPPLY']._serialized_start=151 + _globals['_SUPPLY']._serialized_end=209 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_query_pb2.py b/pyinjective/proto/testpb/bank_query_pb2.py new file mode 100644 index 00000000..724d1eb0 --- /dev/null +++ b/pyinjective/proto/testpb/bank_query_pb2.py @@ -0,0 +1,58 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: testpb/bank_query.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.testpb import bank_pb2 as testpb_dot_bank__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17testpb/bank_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11testpb/bank.proto\"3\n\x11GetBalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"4\n\x12GetBalanceResponse\x12\x1e\n\x05value\x18\x01 \x01(\x0b\x32\x0f.testpb.Balance\"\xd8\x04\n\x12ListBalanceRequest\x12;\n\x0cprefix_query\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyH\x00\x12<\n\x0brange_query\x18\x02 \x01(\x0b\x32%.testpb.ListBalanceRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\x8f\x02\n\x08IndexKey\x12I\n\raddress_denom\x18\x01 \x01(\x0b\x32\x30.testpb.ListBalanceRequest.IndexKey.AddressDenomH\x00\x12:\n\x05\x64\x65nom\x18\x02 \x01(\x0b\x32).testpb.ListBalanceRequest.IndexKey.DenomH\x00\x1aN\n\x0c\x41\x64\x64ressDenom\x12\x14\n\x07\x61\x64\x64ress\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x12\n\x05\x64\x65nom\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\n\n\x08_addressB\x08\n\x06_denom\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1ap\n\nRangeQuery\x12\x31\n\x04\x66rom\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKey\x12/\n\x02to\x18\x02 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyB\x07\n\x05query\"s\n\x13ListBalanceResponse\x12\x1f\n\x06values\x18\x01 \x03(\x0b\x32\x0f.testpb.Balance\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"!\n\x10GetSupplyRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"2\n\x11GetSupplyResponse\x12\x1d\n\x05value\x18\x01 \x01(\x0b\x32\x0e.testpb.Supply\"\xb6\x03\n\x11ListSupplyRequest\x12:\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyH\x00\x12;\n\x0brange_query\x18\x02 \x01(\x0b\x32$.testpb.ListSupplyRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1as\n\x08IndexKey\x12\x39\n\x05\x64\x65nom\x18\x01 \x01(\x0b\x32(.testpb.ListSupplyRequest.IndexKey.DenomH\x00\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1an\n\nRangeQuery\x12\x30\n\x04\x66rom\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKey\x12.\n\x02to\x18\x02 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyB\x07\n\x05query\"q\n\x12ListSupplyResponse\x12\x1e\n\x06values\x18\x01 \x03(\x0b\x32\x0e.testpb.Supply\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xae\x02\n\x10\x42\x61nkQueryService\x12\x45\n\nGetBalance\x12\x19.testpb.GetBalanceRequest\x1a\x1a.testpb.GetBalanceResponse\"\x00\x12H\n\x0bListBalance\x12\x1a.testpb.ListBalanceRequest\x1a\x1b.testpb.ListBalanceResponse\"\x00\x12\x42\n\tGetSupply\x12\x18.testpb.GetSupplyRequest\x1a\x19.testpb.GetSupplyResponse\"\x00\x12\x45\n\nListSupply\x12\x19.testpb.ListSupplyRequest\x1a\x1a.testpb.ListSupplyResponse\"\x00\x62\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_query_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + DESCRIPTOR._options = None + _globals['_GETBALANCEREQUEST']._serialized_start=98 + _globals['_GETBALANCEREQUEST']._serialized_end=149 + _globals['_GETBALANCERESPONSE']._serialized_start=151 + _globals['_GETBALANCERESPONSE']._serialized_end=203 + _globals['_LISTBALANCEREQUEST']._serialized_start=206 + _globals['_LISTBALANCEREQUEST']._serialized_end=806 + _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_start=412 + _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_end=683 + _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_start=559 + _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_end=637 + _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_start=639 + _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_end=676 + _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_start=685 + _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_end=797 + _globals['_LISTBALANCERESPONSE']._serialized_start=808 + _globals['_LISTBALANCERESPONSE']._serialized_end=923 + _globals['_GETSUPPLYREQUEST']._serialized_start=925 + _globals['_GETSUPPLYREQUEST']._serialized_end=958 + _globals['_GETSUPPLYRESPONSE']._serialized_start=960 + _globals['_GETSUPPLYRESPONSE']._serialized_end=1010 + _globals['_LISTSUPPLYREQUEST']._serialized_start=1013 + _globals['_LISTSUPPLYREQUEST']._serialized_end=1451 + _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_start=1215 + _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_end=1330 + _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_start=639 + _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_end=676 + _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_start=1332 + _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_end=1442 + _globals['_LISTSUPPLYRESPONSE']._serialized_start=1453 + _globals['_LISTSUPPLYRESPONSE']._serialized_end=1566 + _globals['_BANKQUERYSERVICE']._serialized_start=1569 + _globals['_BANKQUERYSERVICE']._serialized_end=1871 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_query_pb2_grpc.py b/pyinjective/proto/testpb/bank_query_pb2_grpc.py new file mode 100644 index 00000000..4b2455bb --- /dev/null +++ b/pyinjective/proto/testpb/bank_query_pb2_grpc.py @@ -0,0 +1,172 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + +from pyinjective.proto.testpb import bank_query_pb2 as testpb_dot_bank__query__pb2 + + +class BankQueryServiceStub(object): + """BankQueryService queries the state of the tables specified by testpb/bank.proto. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.GetBalance = channel.unary_unary( + '/testpb.BankQueryService/GetBalance', + request_serializer=testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, + response_deserializer=testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, + ) + self.ListBalance = channel.unary_unary( + '/testpb.BankQueryService/ListBalance', + request_serializer=testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, + response_deserializer=testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, + ) + self.GetSupply = channel.unary_unary( + '/testpb.BankQueryService/GetSupply', + request_serializer=testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, + response_deserializer=testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, + ) + self.ListSupply = channel.unary_unary( + '/testpb.BankQueryService/ListSupply', + request_serializer=testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, + response_deserializer=testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, + ) + + +class BankQueryServiceServicer(object): + """BankQueryService queries the state of the tables specified by testpb/bank.proto. + """ + + def GetBalance(self, request, context): + """Get queries the Balance table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListBalance(self, request, context): + """ListBalance queries the Balance table using prefix and range queries against defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetSupply(self, request, context): + """Get queries the Supply table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListSupply(self, request, context): + """ListSupply queries the Supply table using prefix and range queries against defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_BankQueryServiceServicer_to_server(servicer, server): + rpc_method_handlers = { + 'GetBalance': grpc.unary_unary_rpc_method_handler( + servicer.GetBalance, + request_deserializer=testpb_dot_bank__query__pb2.GetBalanceRequest.FromString, + response_serializer=testpb_dot_bank__query__pb2.GetBalanceResponse.SerializeToString, + ), + 'ListBalance': grpc.unary_unary_rpc_method_handler( + servicer.ListBalance, + request_deserializer=testpb_dot_bank__query__pb2.ListBalanceRequest.FromString, + response_serializer=testpb_dot_bank__query__pb2.ListBalanceResponse.SerializeToString, + ), + 'GetSupply': grpc.unary_unary_rpc_method_handler( + servicer.GetSupply, + request_deserializer=testpb_dot_bank__query__pb2.GetSupplyRequest.FromString, + response_serializer=testpb_dot_bank__query__pb2.GetSupplyResponse.SerializeToString, + ), + 'ListSupply': grpc.unary_unary_rpc_method_handler( + servicer.ListSupply, + request_deserializer=testpb_dot_bank__query__pb2.ListSupplyRequest.FromString, + response_serializer=testpb_dot_bank__query__pb2.ListSupplyResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'testpb.BankQueryService', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + + + # This class is part of an EXPERIMENTAL API. +class BankQueryService(object): + """BankQueryService queries the state of the tables specified by testpb/bank.proto. + """ + + @staticmethod + def GetBalance(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetBalance', + testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, + testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListBalance(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListBalance', + testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, + testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetSupply(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetSupply', + testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, + testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListSupply(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListSupply', + testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, + testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) diff --git a/pyinjective/proto/testpb/test_schema_pb2.py b/pyinjective/proto/testpb/test_schema_pb2.py new file mode 100644 index 00000000..97047a1b --- /dev/null +++ b/pyinjective/proto/testpb/test_schema_pb2.py @@ -0,0 +1,59 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: testpb/test_schema.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 +from pyinjective.proto.cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18testpb/test_schema.proto\x12\x06testpb\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x17\x63osmos/orm/v1/orm.proto\"\xc0\x04\n\x0c\x45xampleTable\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03u64\x18\x02 \x01(\x04\x12\x0b\n\x03str\x18\x03 \x01(\t\x12\n\n\x02\x62z\x18\x04 \x01(\x0c\x12&\n\x02ts\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.Timestamp\x12&\n\x03\x64ur\x18\x06 \x01(\x0b\x32\x19.google.protobuf.Duration\x12\x0b\n\x03i32\x18\x07 \x01(\x05\x12\x0b\n\x03s32\x18\x08 \x01(\x11\x12\x0c\n\x04sf32\x18\t \x01(\x0f\x12\x0b\n\x03i64\x18\n \x01(\x03\x12\x0b\n\x03s64\x18\x0b \x01(\x12\x12\x0c\n\x04sf64\x18\x0c \x01(\x10\x12\x0b\n\x03\x66\x33\x32\x18\r \x01(\x07\x12\x0b\n\x03\x66\x36\x34\x18\x0e \x01(\x06\x12\t\n\x01\x62\x18\x0f \x01(\x08\x12\x17\n\x01\x65\x18\x10 \x01(\x0e\x32\x0c.testpb.Enum\x12\x10\n\x08repeated\x18\x11 \x03(\r\x12*\n\x03map\x18\x12 \x03(\x0b\x32\x1d.testpb.ExampleTable.MapEntry\x12\x30\n\x03msg\x18\x13 \x01(\x0b\x32#.testpb.ExampleTable.ExampleMessage\x12\x0f\n\x05oneof\x18\x14 \x01(\rH\x00\x1a*\n\x08MapEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\r:\x02\x38\x01\x1a*\n\x0e\x45xampleMessage\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:?\xf2\x9e\xd3\x8e\x03\x39\n\r\n\x0bu32,i64,str\x12\r\n\x07u64,str\x10\x01\x18\x01\x12\x0b\n\x07str,u32\x10\x02\x12\n\n\x06\x62z,str\x10\x03\x18\x01\x42\x05\n\x03sum\"X\n\x19\x45xampleAutoIncrementTable\x12\n\n\x02id\x18\x01 \x01(\x04\x12\t\n\x01x\x18\x02 \x01(\t\x12\t\n\x01y\x18\x03 \x01(\x05:\x19\xf2\x9e\xd3\x8e\x03\x13\n\x06\n\x02id\x10\x01\x12\x07\n\x01x\x10\x01\x18\x01\x18\x03\"6\n\x10\x45xampleSingleton\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:\x08\xfa\x9e\xd3\x8e\x03\x02\x08\x02\"n\n\x10\x45xampleTimestamp\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0c\n\x04name\x18\x02 \x01(\t\x12&\n\x02ts\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.Timestamp:\x18\xf2\x9e\xd3\x8e\x03\x12\n\x06\n\x02id\x10\x01\x12\x06\n\x02ts\x10\x01\x18\x04\"a\n\rSimpleExample\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06unique\x18\x02 \x01(\t\x12\x12\n\nnot_unique\x18\x03 \x01(\t:\x1e\xf2\x9e\xd3\x8e\x03\x18\n\x06\n\x04name\x12\x0c\n\x06unique\x10\x01\x18\x01\x18\x05\"F\n\x17\x45xampleAutoIncFieldName\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x03\x66oo\x10\x01\x18\x06*d\n\x04\x45num\x12\x14\n\x10\x45NUM_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45NUM_ONE\x10\x01\x12\x0c\n\x08\x45NUM_TWO\x10\x02\x12\r\n\tENUM_FIVE\x10\x05\x12\x1b\n\x0e\x45NUM_NEG_THREE\x10\xfd\xff\xff\xff\xff\xff\xff\xff\xff\x01\x62\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + DESCRIPTOR._options = None + _globals['_EXAMPLETABLE_MAPENTRY']._options = None + _globals['_EXAMPLETABLE_MAPENTRY']._serialized_options = b'8\001' + _globals['_EXAMPLETABLE']._options = None + _globals['_EXAMPLETABLE']._serialized_options = b'\362\236\323\216\0039\n\r\n\013u32,i64,str\022\r\n\007u64,str\020\001\030\001\022\013\n\007str,u32\020\002\022\n\n\006bz,str\020\003\030\001' + _globals['_EXAMPLEAUTOINCREMENTTABLE']._options = None + _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_options = b'\362\236\323\216\003\023\n\006\n\002id\020\001\022\007\n\001x\020\001\030\001\030\003' + _globals['_EXAMPLESINGLETON']._options = None + _globals['_EXAMPLESINGLETON']._serialized_options = b'\372\236\323\216\003\002\010\002' + _globals['_EXAMPLETIMESTAMP']._options = None + _globals['_EXAMPLETIMESTAMP']._serialized_options = b'\362\236\323\216\003\022\n\006\n\002id\020\001\022\006\n\002ts\020\001\030\004' + _globals['_SIMPLEEXAMPLE']._options = None + _globals['_SIMPLEEXAMPLE']._serialized_options = b'\362\236\323\216\003\030\n\006\n\004name\022\014\n\006unique\020\001\030\001\030\005' + _globals['_EXAMPLEAUTOINCFIELDNAME']._options = None + _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_options = b'\362\236\323\216\003\013\n\007\n\003foo\020\001\030\006' + _globals['_ENUM']._serialized_start=1134 + _globals['_ENUM']._serialized_end=1234 + _globals['_EXAMPLETABLE']._serialized_start=127 + _globals['_EXAMPLETABLE']._serialized_end=703 + _globals['_EXAMPLETABLE_MAPENTRY']._serialized_start=545 + _globals['_EXAMPLETABLE_MAPENTRY']._serialized_end=587 + _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_start=589 + _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_end=631 + _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_start=705 + _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_end=793 + _globals['_EXAMPLESINGLETON']._serialized_start=795 + _globals['_EXAMPLESINGLETON']._serialized_end=849 + _globals['_EXAMPLETIMESTAMP']._serialized_start=851 + _globals['_EXAMPLETIMESTAMP']._serialized_end=961 + _globals['_SIMPLEEXAMPLE']._serialized_start=963 + _globals['_SIMPLEEXAMPLE']._serialized_end=1060 + _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_start=1062 + _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_end=1132 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2.py b/pyinjective/proto/testpb/test_schema_query_pb2.py new file mode 100644 index 00000000..bdc82efb --- /dev/null +++ b/pyinjective/proto/testpb/test_schema_query_pb2.py @@ -0,0 +1,127 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: testpb/test_schema_query.proto +# Protobuf Python Version: 4.25.0 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from pyinjective.proto.testpb import test_schema_pb2 as testpb_dot_test__schema__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etestpb/test_schema_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x18testpb/test_schema.proto\"?\n\x16GetExampleTableRequest\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03i64\x18\x02 \x01(\x03\x12\x0b\n\x03str\x18\x03 \x01(\t\">\n\x17GetExampleTableResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\":\n\x1eGetExampleTableByU64StrRequest\x12\x0b\n\x03u64\x18\x01 \x01(\x04\x12\x0b\n\x03str\x18\x02 \x01(\t\"F\n\x1fGetExampleTableByU64StrResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\"\x9e\x07\n\x17ListExampleTableRequest\x12@\n\x0cprefix_query\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyH\x00\x12\x41\n\x0brange_query\x18\x02 \x01(\x0b\x32*.testpb.ListExampleTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xbc\x04\n\x08IndexKey\x12K\n\ru_32_i_64_str\x18\x01 \x01(\x0b\x32\x32.testpb.ListExampleTableRequest.IndexKey.U32I64StrH\x00\x12\x43\n\x08u_64_str\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.U64StrH\x00\x12\x43\n\x08str_u_32\x18\x03 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.StrU32H\x00\x12@\n\x06\x62z_str\x18\x04 \x01(\x0b\x32..testpb.ListExampleTableRequest.IndexKey.BzStrH\x00\x1aY\n\tU32I64Str\x12\x10\n\x03u32\x18\x01 \x01(\rH\x00\x88\x01\x01\x12\x10\n\x03i64\x18\x02 \x01(\x03H\x01\x88\x01\x01\x12\x10\n\x03str\x18\x03 \x01(\tH\x02\x88\x01\x01\x42\x06\n\x04_u32B\x06\n\x04_i64B\x06\n\x04_str\x1a<\n\x06U64Str\x12\x10\n\x03u64\x18\x01 \x01(\x04H\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x06\n\x04_u64B\x06\n\x04_str\x1a<\n\x06StrU32\x12\x10\n\x03str\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x10\n\x03u32\x18\x02 \x01(\rH\x01\x88\x01\x01\x42\x06\n\x04_strB\x06\n\x04_u32\x1a\x39\n\x05\x42zStr\x12\x0f\n\x02\x62z\x18\x01 \x01(\x0cH\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x05\n\x03_bzB\x06\n\x04_strB\x05\n\x03key\x1az\n\nRangeQuery\x12\x36\n\x04\x66rom\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKey\x12\x34\n\x02to\x18\x02 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyB\x07\n\x05query\"}\n\x18ListExampleTableResponse\x12$\n\x06values\x18\x01 \x03(\x0b\x32\x14.testpb.ExampleTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"1\n#GetExampleAutoIncrementTableRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"X\n$GetExampleAutoIncrementTableResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"3\n&GetExampleAutoIncrementTableByXRequest\x12\t\n\x01x\x18\x01 \x01(\t\"[\n\'GetExampleAutoIncrementTableByXResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"\xfc\x04\n$ListExampleAutoIncrementTableRequest\x12M\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyH\x00\x12N\n\x0brange_query\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xd8\x01\n\x08IndexKey\x12\x46\n\x02id\x18\x01 \x01(\x0b\x32\x38.testpb.ListExampleAutoIncrementTableRequest.IndexKey.IdH\x00\x12\x44\n\x01x\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.IndexKey.XH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x19\n\x01X\x12\x0e\n\x01x\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x04\n\x02_xB\x05\n\x03key\x1a\x94\x01\n\nRangeQuery\x12\x43\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKey\x12\x41\n\x02to\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyB\x07\n\x05query\"\x97\x01\n%ListExampleAutoIncrementTableResponse\x12\x31\n\x06values\x18\x01 \x03(\x0b\x32!.testpb.ExampleAutoIncrementTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1c\n\x1aGetExampleSingletonRequest\"F\n\x1bGetExampleSingletonResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleSingleton\"(\n\x1aGetExampleTimestampRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"F\n\x1bGetExampleTimestampResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleTimestamp\"\xde\x04\n\x1bListExampleTimestampRequest\x12\x44\n\x0cprefix_query\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyH\x00\x12\x45\n\x0brange_query\x18\x02 \x01(\x0b\x32..testpb.ListExampleTimestampRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe7\x01\n\x08IndexKey\x12=\n\x02id\x18\x01 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.IdH\x00\x12=\n\x02ts\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.TsH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x38\n\x02Ts\x12+\n\x02ts\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x88\x01\x01\x42\x05\n\x03_tsB\x05\n\x03key\x1a\x82\x01\n\nRangeQuery\x12:\n\x04\x66rom\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKey\x12\x38\n\x02to\x18\x02 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyB\x07\n\x05query\"\x85\x01\n\x1cListExampleTimestampResponse\x12(\n\x06values\x18\x01 \x03(\x0b\x32\x18.testpb.ExampleTimestamp\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\'\n\x17GetSimpleExampleRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"@\n\x18GetSimpleExampleResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"1\n\x1fGetSimpleExampleByUniqueRequest\x12\x0e\n\x06unique\x18\x01 \x01(\t\"H\n GetSimpleExampleByUniqueResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"\xca\x04\n\x18ListSimpleExampleRequest\x12\x41\n\x0cprefix_query\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyH\x00\x12\x42\n\x0brange_query\x18\x02 \x01(\x0b\x32+.testpb.ListSimpleExampleRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe3\x01\n\x08IndexKey\x12>\n\x04name\x18\x01 \x01(\x0b\x32..testpb.ListSimpleExampleRequest.IndexKey.NameH\x00\x12\x42\n\x06unique\x18\x02 \x01(\x0b\x32\x30.testpb.ListSimpleExampleRequest.IndexKey.UniqueH\x00\x1a\"\n\x04Name\x12\x11\n\x04name\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x07\n\x05_name\x1a(\n\x06Unique\x12\x13\n\x06unique\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\t\n\x07_uniqueB\x05\n\x03key\x1a|\n\nRangeQuery\x12\x37\n\x04\x66rom\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKey\x12\x35\n\x02to\x18\x02 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyB\x07\n\x05query\"\x7f\n\x19ListSimpleExampleResponse\x12%\n\x06values\x18\x01 \x03(\x0b\x32\x15.testpb.SimpleExample\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"0\n!GetExampleAutoIncFieldNameRequest\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\"T\n\"GetExampleAutoIncFieldNameResponse\x12.\n\x05value\x18\x01 \x01(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\"\x93\x04\n\"ListExampleAutoIncFieldNameRequest\x12K\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyH\x00\x12L\n\x0brange_query\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncFieldNameRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1az\n\x08IndexKey\x12\x46\n\x03\x66oo\x18\x01 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncFieldNameRequest.IndexKey.FooH\x00\x1a\x1f\n\x03\x46oo\x12\x10\n\x03\x66oo\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x06\n\x04_fooB\x05\n\x03key\x1a\x90\x01\n\nRangeQuery\x12\x41\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKey\x12?\n\x02to\x18\x02 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyB\x07\n\x05query\"\x93\x01\n#ListExampleAutoIncFieldNameResponse\x12/\n\x06values\x18\x01 \x03(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf9\x0b\n\x16TestSchemaQueryService\x12T\n\x0fGetExampleTable\x12\x1e.testpb.GetExampleTableRequest\x1a\x1f.testpb.GetExampleTableResponse\"\x00\x12l\n\x17GetExampleTableByU64Str\x12&.testpb.GetExampleTableByU64StrRequest\x1a\'.testpb.GetExampleTableByU64StrResponse\"\x00\x12W\n\x10ListExampleTable\x12\x1f.testpb.ListExampleTableRequest\x1a .testpb.ListExampleTableResponse\"\x00\x12{\n\x1cGetExampleAutoIncrementTable\x12+.testpb.GetExampleAutoIncrementTableRequest\x1a,.testpb.GetExampleAutoIncrementTableResponse\"\x00\x12\x84\x01\n\x1fGetExampleAutoIncrementTableByX\x12..testpb.GetExampleAutoIncrementTableByXRequest\x1a/.testpb.GetExampleAutoIncrementTableByXResponse\"\x00\x12~\n\x1dListExampleAutoIncrementTable\x12,.testpb.ListExampleAutoIncrementTableRequest\x1a-.testpb.ListExampleAutoIncrementTableResponse\"\x00\x12`\n\x13GetExampleSingleton\x12\".testpb.GetExampleSingletonRequest\x1a#.testpb.GetExampleSingletonResponse\"\x00\x12`\n\x13GetExampleTimestamp\x12\".testpb.GetExampleTimestampRequest\x1a#.testpb.GetExampleTimestampResponse\"\x00\x12\x63\n\x14ListExampleTimestamp\x12#.testpb.ListExampleTimestampRequest\x1a$.testpb.ListExampleTimestampResponse\"\x00\x12W\n\x10GetSimpleExample\x12\x1f.testpb.GetSimpleExampleRequest\x1a .testpb.GetSimpleExampleResponse\"\x00\x12o\n\x18GetSimpleExampleByUnique\x12\'.testpb.GetSimpleExampleByUniqueRequest\x1a(.testpb.GetSimpleExampleByUniqueResponse\"\x00\x12Z\n\x11ListSimpleExample\x12 .testpb.ListSimpleExampleRequest\x1a!.testpb.ListSimpleExampleResponse\"\x00\x12u\n\x1aGetExampleAutoIncFieldName\x12).testpb.GetExampleAutoIncFieldNameRequest\x1a*.testpb.GetExampleAutoIncFieldNameResponse\"\x00\x12x\n\x1bListExampleAutoIncFieldName\x12*.testpb.ListExampleAutoIncFieldNameRequest\x1a+.testpb.ListExampleAutoIncFieldNameResponse\"\x00\x62\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_query_pb2', _globals) +if _descriptor._USE_C_DESCRIPTORS == False: + DESCRIPTOR._options = None + _globals['_GETEXAMPLETABLEREQUEST']._serialized_start=145 + _globals['_GETEXAMPLETABLEREQUEST']._serialized_end=208 + _globals['_GETEXAMPLETABLERESPONSE']._serialized_start=210 + _globals['_GETEXAMPLETABLERESPONSE']._serialized_end=272 + _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_start=274 + _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_end=332 + _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_start=334 + _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_end=404 + _globals['_LISTEXAMPLETABLEREQUEST']._serialized_start=407 + _globals['_LISTEXAMPLETABLEREQUEST']._serialized_end=1333 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_start=628 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_end=1200 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_start=921 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_end=1010 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_start=1012 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_end=1072 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_start=1074 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_end=1134 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_start=1136 + _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_end=1193 + _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_start=1202 + _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_end=1324 + _globals['_LISTEXAMPLETABLERESPONSE']._serialized_start=1335 + _globals['_LISTEXAMPLETABLERESPONSE']._serialized_end=1460 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1462 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=1511 + _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=1513 + _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=1601 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_start=1603 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_end=1654 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_start=1656 + _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_end=1747 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1750 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=2386 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_start=2010 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_end=2226 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_start=2164 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_end=2192 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_start=2194 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_end=2219 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_start=2229 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_end=2377 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=2389 + _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=2540 + _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_start=2542 + _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_end=2570 + _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_start=2572 + _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_end=2642 + _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_start=2644 + _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_end=2684 + _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_start=2686 + _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_end=2756 + _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_start=2759 + _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_end=3365 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_start=2992 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_end=3223 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_start=2164 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_end=2192 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_start=3160 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_end=3216 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_start=3226 + _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_end=3356 + _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_start=3368 + _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_end=3501 + _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_start=3503 + _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_end=3542 + _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_start=3544 + _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_end=3608 + _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_start=3610 + _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_end=3659 + _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_start=3661 + _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_end=3733 + _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_start=3736 + _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_end=4322 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_start=3960 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_end=4187 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_start=4104 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_end=4138 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_start=4140 + _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_end=4180 + _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_start=4189 + _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_end=4313 + _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_start=4324 + _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_end=4451 + _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4453 + _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=4501 + _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=4503 + _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=4587 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4590 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=5121 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_start=4843 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_end=4965 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_start=4927 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_end=4958 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_start=4968 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_end=5112 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=5124 + _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=5271 + _globals['_TESTSCHEMAQUERYSERVICE']._serialized_start=5274 + _globals['_TESTSCHEMAQUERYSERVICE']._serialized_end=6803 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py new file mode 100644 index 00000000..23274311 --- /dev/null +++ b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py @@ -0,0 +1,514 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + +from pyinjective.proto.testpb import test_schema_query_pb2 as testpb_dot_test__schema__query__pb2 + + +class TestSchemaQueryServiceStub(object): + """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.GetExampleTable = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleTable', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, + ) + self.GetExampleTableByU64Str = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, + ) + self.ListExampleTable = channel.unary_unary( + '/testpb.TestSchemaQueryService/ListExampleTable', + request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, + ) + self.GetExampleAutoIncrementTable = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, + ) + self.GetExampleAutoIncrementTableByX = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, + ) + self.ListExampleAutoIncrementTable = channel.unary_unary( + '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', + request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, + ) + self.GetExampleSingleton = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleSingleton', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, + ) + self.GetExampleTimestamp = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleTimestamp', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, + ) + self.ListExampleTimestamp = channel.unary_unary( + '/testpb.TestSchemaQueryService/ListExampleTimestamp', + request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, + ) + self.GetSimpleExample = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetSimpleExample', + request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, + ) + self.GetSimpleExampleByUnique = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', + request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, + ) + self.ListSimpleExample = channel.unary_unary( + '/testpb.TestSchemaQueryService/ListSimpleExample', + request_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, + ) + self.GetExampleAutoIncFieldName = channel.unary_unary( + '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', + request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, + ) + self.ListExampleAutoIncFieldName = channel.unary_unary( + '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', + request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, + response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, + ) + + +class TestSchemaQueryServiceServicer(object): + """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. + """ + + def GetExampleTable(self, request, context): + """Get queries the ExampleTable table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleTableByU64Str(self, request, context): + """GetExampleTableByU64Str queries the ExampleTable table by its U64Str index + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListExampleTable(self, request, context): + """ListExampleTable queries the ExampleTable table using prefix and range queries against defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleAutoIncrementTable(self, request, context): + """Get queries the ExampleAutoIncrementTable table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleAutoIncrementTableByX(self, request, context): + """GetExampleAutoIncrementTableByX queries the ExampleAutoIncrementTable table by its X index + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListExampleAutoIncrementTable(self, request, context): + """ListExampleAutoIncrementTable queries the ExampleAutoIncrementTable table using prefix and range queries against + defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleSingleton(self, request, context): + """GetExampleSingleton queries the ExampleSingleton singleton. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleTimestamp(self, request, context): + """Get queries the ExampleTimestamp table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListExampleTimestamp(self, request, context): + """ListExampleTimestamp queries the ExampleTimestamp table using prefix and range queries against defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetSimpleExample(self, request, context): + """Get queries the SimpleExample table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetSimpleExampleByUnique(self, request, context): + """GetSimpleExampleByUnique queries the SimpleExample table by its Unique index + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListSimpleExample(self, request, context): + """ListSimpleExample queries the SimpleExample table using prefix and range queries against defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetExampleAutoIncFieldName(self, request, context): + """Get queries the ExampleAutoIncFieldName table by its primary key. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ListExampleAutoIncFieldName(self, request, context): + """ListExampleAutoIncFieldName queries the ExampleAutoIncFieldName table using prefix and range queries against + defined indexes. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_TestSchemaQueryServiceServicer_to_server(servicer, server): + rpc_method_handlers = { + 'GetExampleTable': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleTable, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.SerializeToString, + ), + 'GetExampleTableByU64Str': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleTableByU64Str, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.SerializeToString, + ), + 'ListExampleTable': grpc.unary_unary_rpc_method_handler( + servicer.ListExampleTable, + request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.SerializeToString, + ), + 'GetExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleAutoIncrementTable, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.SerializeToString, + ), + 'GetExampleAutoIncrementTableByX': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleAutoIncrementTableByX, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.SerializeToString, + ), + 'ListExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( + servicer.ListExampleAutoIncrementTable, + request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.SerializeToString, + ), + 'GetExampleSingleton': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleSingleton, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.SerializeToString, + ), + 'GetExampleTimestamp': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleTimestamp, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.SerializeToString, + ), + 'ListExampleTimestamp': grpc.unary_unary_rpc_method_handler( + servicer.ListExampleTimestamp, + request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.SerializeToString, + ), + 'GetSimpleExample': grpc.unary_unary_rpc_method_handler( + servicer.GetSimpleExample, + request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.SerializeToString, + ), + 'GetSimpleExampleByUnique': grpc.unary_unary_rpc_method_handler( + servicer.GetSimpleExampleByUnique, + request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.SerializeToString, + ), + 'ListSimpleExample': grpc.unary_unary_rpc_method_handler( + servicer.ListSimpleExample, + request_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.SerializeToString, + ), + 'GetExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( + servicer.GetExampleAutoIncFieldName, + request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.SerializeToString, + ), + 'ListExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( + servicer.ListExampleAutoIncFieldName, + request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.FromString, + response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'testpb.TestSchemaQueryService', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + + + # This class is part of an EXPERIMENTAL API. +class TestSchemaQueryService(object): + """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. + """ + + @staticmethod + def GetExampleTable(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTable', + testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleTableByU64Str(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', + testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListExampleTable(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTable', + testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleAutoIncrementTable(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', + testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleAutoIncrementTableByX(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', + testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListExampleAutoIncrementTable(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', + testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleSingleton(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleSingleton', + testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleTimestamp(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTimestamp', + testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListExampleTimestamp(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTimestamp', + testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetSimpleExample(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExample', + testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetSimpleExampleByUnique(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', + testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListSimpleExample(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListSimpleExample', + testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def GetExampleAutoIncFieldName(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', + testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + + @staticmethod + def ListExampleAutoIncFieldName(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', + testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, + testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, + options, channel_credentials, + insecure, call_credentials, compression, wait_for_ready, timeout, metadata) From c11318d595be0649682855bdfd83926468ad7d9b Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Wed, 3 Jul 2024 00:40:29 -0300 Subject: [PATCH 43/63] (fix) Updated version number and CHANGELOG file --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 54016448..9c796079 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -15,6 +15,10 @@ All notable changes to this project will be documented in this file. - Updated all proto definitions based on chain upgrade to v1.13 - Refactored cookies management logic to use all gRPC calls' responses to update the current cookies +## [1.5.4] - 2024-07-03 +### Changed +- Fixed all import statements in pyinjective.proto modules to make them explicit + ## [1.5.3] - 2024-06-12 ### Changed - Changed parameter `key` from the PaginationOption class. From c09c45b43ceeae1dc7326df736e9fe6b9ae9550e Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Wed, 3 Jul 2024 16:18:08 -0300 Subject: [PATCH 44/63] (fix) Updated proto definitions --- .../proto/cosmos/auth/v1beta1/auth_pb2.py | 16 +- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 26 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 44 ++ .../proto/cosmos/bank/v1beta1/authz_pb2.py | 6 +- .../proto/cosmos/bank/v1beta1/bank_pb2.py | 38 +- .../proto/cosmos/bank/v1beta1/events_pb2.py | 8 +- .../cosmos/bank/v1beta1/events_pb2_grpc.py | 29 + .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 12 +- .../proto/cosmos/bank/v1beta1/query_pb2.py | 108 ++-- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 93 +--- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 38 +- .../cosmos/base/abci/v1beta1/abci_pb2.py | 40 +- .../proto/cosmos/base/kv/v1beta1/kv_pb2.py | 8 +- .../cosmos/base/kv/v1beta1/kv_pb2_grpc.py | 29 + .../cosmos/base/node/v1beta1/query_pb2.py | 8 +- .../base/node/v1beta1/query_pb2_grpc.py | 44 -- .../base/snapshots/v1beta1/snapshot_pb2.py | 18 +- .../snapshots/v1beta1/snapshot_pb2_grpc.py | 29 + .../base/store/v1beta1/commit_info_pb2.py | 14 +- .../store/v1beta1/commit_info_pb2_grpc.py | 29 + .../base/store/v1beta1/listening_pb2.py | 6 +- .../base/store/v1beta1/listening_pb2_grpc.py | 29 + .../base/tendermint/v1beta1/query_pb2.py | 4 +- .../base/tendermint/v1beta1/types_pb2.py | 4 +- .../proto/cosmos/base/v1beta1/coin_pb2.py | 24 +- .../cosmos/capability/module/v1/module_pb2.py | 8 +- .../capability/module/v1/module_pb2_grpc.py | 29 + .../capability/v1beta1/capability_pb2.py | 12 +- .../capability/v1beta1/capability_pb2_grpc.py | 29 + .../cosmos/capability/v1beta1/genesis_pb2.py | 10 +- .../capability/v1beta1/genesis_pb2_grpc.py | 29 + .../proto/cosmos/consensus/v1/tx_pb2.py | 10 +- .../distribution/v1beta1/distribution_pb2.py | 72 +-- .../distribution/v1beta1/genesis_pb2.py | 40 +- .../cosmos/distribution/v1beta1/query_pb2.py | 90 ++-- .../cosmos/distribution/v1beta1/tx_pb2.py | 68 +-- .../distribution/v1beta1/tx_pb2_grpc.py | 47 -- .../cosmos/evidence/module/v1/module_pb2.py | 6 +- .../cosmos/evidence/v1beta1/evidence_pb2.py | 8 +- .../cosmos/evidence/v1beta1/genesis_pb2.py | 4 +- .../cosmos/evidence/v1beta1/query_pb2.py | 12 +- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 4 +- .../cosmos/feegrant/module/v1/module_pb2.py | 6 +- .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 24 +- .../cosmos/feegrant/v1beta1/genesis_pb2.py | 4 +- .../cosmos/feegrant/v1beta1/query_pb2.py | 4 +- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 16 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 46 -- pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 54 +- pyinjective/proto/cosmos/gov/v1/query_pb2.py | 76 ++- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 44 +- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 46 -- .../proto/cosmos/gov/v1beta1/gov_pb2.py | 64 +-- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 48 +- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 26 +- .../proto/cosmos/mint/v1beta1/mint_pb2.py | 22 +- .../proto/cosmos/mint/v1beta1/query_pb2.py | 18 +- .../proto/cosmos/nft/module/v1/module_pb2.py | 6 +- .../proto/cosmos/nft/v1beta1/event_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/nft_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/query_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 4 +- .../cosmos/orm/module/v1alpha1/module_pb2.py | 6 +- .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 6 +- .../proto/cosmos/params/v1beta1/params_pb2.py | 12 +- .../cosmos/slashing/v1beta1/genesis_pb2.py | 16 +- .../cosmos/slashing/v1beta1/query_pb2.py | 22 +- .../cosmos/slashing/v1beta1/slashing_pb2.py | 18 +- .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 24 +- .../proto/cosmos/staking/v1beta1/authz_pb2.py | 16 +- .../cosmos/staking/v1beta1/genesis_pb2.py | 10 +- .../proto/cosmos/staking/v1beta1/query_pb2.py | 120 ++--- .../cosmos/staking/v1beta1/staking_pb2.py | 160 +++--- .../proto/cosmos/staking/v1beta1/tx_pb2.py | 86 ++- .../proto/cosmos/tx/v1beta1/service_pb2.py | 86 ++- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 18 +- .../cosmos/upgrade/module/v1/module_pb2.py | 6 +- .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 4 +- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 4 +- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 26 +- .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 34 +- .../cosmos/vesting/v1beta1/vesting_pb2.py | 44 +- .../proto/cosmwasm/wasm/v1/authz_pb2.py | 30 +- .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 26 +- .../proto/cosmwasm/wasm/v1/query_pb2.py | 60 +-- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 182 +++---- .../proto/cosmwasm/wasm/v1/types_pb2.py | 60 +-- .../injective_accounts_rpc_pb2_grpc.py | 44 -- .../injective_explorer_rpc_pb2_grpc.py | 44 -- .../injective_insurance_rpc_pb2_grpc.py | 44 -- .../proto/ibc/applications/fee/v1/ack_pb2.py | 12 +- .../proto/ibc/applications/fee/v1/fee_pb2.py | 22 +- .../ibc/applications/fee/v1/genesis_pb2.py | 44 +- .../ibc/applications/fee/v1/metadata_pb2.py | 10 +- .../ibc/applications/fee/v1/query_pb2.py | 106 ++-- .../proto/ibc/applications/fee/v1/tx_pb2.py | 34 +- .../controller/v1/controller_pb2.py | 8 +- .../controller/v1/query_pb2.py | 12 +- .../controller/v1/tx_pb2.py | 22 +- .../controller/v1/tx_pb2_grpc.py | 44 -- .../genesis/v1/genesis_pb2.py | 48 +- .../interchain_accounts/host/v1/host_pb2.py | 10 +- .../interchain_accounts/host/v1/query_pb2.py | 4 +- .../interchain_accounts/v1/account_pb2.py | 10 +- .../interchain_accounts/v1/metadata_pb2.py | 10 +- .../interchain_accounts/v1/packet_pb2.py | 4 +- .../ibc/applications/transfer/v1/authz_pb2.py | 14 +- .../applications/transfer/v1/genesis_pb2.py | 12 +- .../ibc/applications/transfer/v1/query_pb2.py | 8 +- .../transfer/v1/query_pb2_grpc.py | 44 +- .../applications/transfer/v1/transfer_pb2.py | 10 +- .../ibc/applications/transfer/v1/tx_pb2.py | 18 +- .../applications/transfer/v1/tx_pb2_grpc.py | 44 -- .../applications/transfer/v2/packet_pb2.py | 4 +- .../proto/ibc/core/channel/v1/channel_pb2.py | 78 +-- .../proto/ibc/core/channel/v1/genesis_pb2.py | 24 +- .../proto/ibc/core/channel/v1/query_pb2.py | 58 +- .../ibc/core/channel/v1/query_pb2_grpc.py | 176 ------ .../proto/ibc/core/channel/v1/tx_pb2.py | 124 ++--- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 396 -------------- .../proto/ibc/core/client/v1/client_pb2.py | 38 +- .../proto/ibc/core/client/v1/genesis_pb2.py | 26 +- .../proto/ibc/core/client/v1/query_pb2.py | 34 +- .../ibc/core/client/v1/query_pb2_grpc.py | 44 -- .../proto/ibc/core/client/v1/tx_pb2.py | 36 +- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 132 ----- .../ibc/core/commitment/v1/commitment_pb2.py | 20 +- .../ibc/core/connection/v1/connection_pb2.py | 52 +- .../ibc/core/connection/v1/genesis_pb2.py | 10 +- .../proto/ibc/core/connection/v1/query_pb2.py | 34 +- .../proto/ibc/core/connection/v1/tx_pb2.py | 64 +-- .../ibc/core/connection/v1/tx_pb2_grpc.py | 45 -- .../proto/ibc/core/types/v1/genesis_pb2.py | 12 +- .../localhost/v2/localhost_pb2.py | 4 +- .../solomachine/v2/solomachine_pb2.py | 104 ++-- .../solomachine/v3/solomachine_pb2.py | 54 +- .../tendermint/v1/tendermint_pb2.py | 58 +- .../injective/auction/v1beta1/auction_pb2.py | 20 +- .../injective/auction/v1beta1/query_pb2.py | 24 +- .../auction/v1beta1/query_pb2_grpc.py | 43 -- .../proto/injective/auction/v1beta1/tx_pb2.py | 16 +- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 8 +- .../injective/exchange/v1beta1/authz_pb2.py | 28 +- .../injective/exchange/v1beta1/events_pb2.py | 146 +++-- .../exchange/v1beta1/exchange_pb2.py | 262 ++++----- .../injective/exchange/v1beta1/genesis_pb2.py | 70 ++- .../exchange/v1beta1/proposal_pb2.py | 130 ++--- .../injective/exchange/v1beta1/query_pb2.py | 506 +++++++++--------- .../exchange/v1beta1/query_pb2_grpc.py | 132 ----- .../injective/exchange/v1beta1/tx_pb2.py | 216 ++++---- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 215 +------- .../insurance/v1beta1/insurance_pb2.py | 20 +- .../injective/insurance/v1beta1/tx_pb2.py | 24 +- .../proto/injective/ocr/v1beta1/ocr_pb2.py | 123 +++-- .../proto/injective/ocr/v1beta1/tx_pb2.py | 36 +- .../injective/oracle/v1beta1/events_pb2.py | 52 +- .../injective/oracle/v1beta1/oracle_pb2.py | 46 +- .../injective/oracle/v1beta1/proposal_pb2.py | 28 +- .../injective/oracle/v1beta1/query_pb2.py | 52 +- .../proto/injective/oracle/v1beta1/tx_pb2.py | 28 +- .../injective/peggy/v1/attestation_pb2.py | 10 +- .../proto/injective/peggy/v1/events_pb2.py | 58 +- .../proto/injective/peggy/v1/msgs_pb2.py | 62 +-- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 89 --- .../proto/injective/peggy/v1/params_pb2.py | 20 +- .../proto/injective/peggy/v1/pool_pb2.py | 6 +- .../proto/injective/peggy/v1/proposal_pb2.py | 10 +- .../injective/peggy/v1/proposal_pb2_grpc.py | 29 + .../proto/injective/peggy/v1/types_pb2.py | 18 +- .../permissions/v1beta1/params_pb2.py | 6 +- .../injective/permissions/v1beta1/tx_pb2.py | 38 +- .../injective/stream/v1beta1/query_pb2.py | 72 +-- .../tokenfactory/v1beta1/params_pb2.py | 8 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 50 +- .../injective/types/v1beta1/account_pb2.py | 6 +- .../proto/injective/wasmx/v1/proposal_pb2.py | 22 +- .../proto/injective/wasmx/v1/tx_pb2.py | 26 +- .../proto/injective/wasmx/v1/wasmx_pb2.py | 16 +- .../proto/tendermint/abci/types_pb2.py | 62 +-- .../proto/tendermint/abci/types_pb2_grpc.py | 246 ++++----- .../proto/tendermint/blocksync/types_pb2.py | 6 +- .../proto/tendermint/state/types_pb2.py | 36 +- .../proto/tendermint/types/types_pb2.py | 58 +- .../proto/tendermint/types/validator_pb2.py | 14 +- pyinjective/proto/testpb/bank_pb2.py | 10 +- pyinjective/proto/testpb/bank_pb2_grpc.py | 29 + pyinjective/proto/testpb/bank_query_pb2.py | 6 +- .../proto/testpb/bank_query_pb2_grpc.py | 98 +++- pyinjective/proto/testpb/test_schema_pb2.py | 20 +- .../proto/testpb/test_schema_pb2_grpc.py | 29 + .../proto/testpb/test_schema_query_pb2.py | 6 +- .../testpb/test_schema_query_pb2_grpc.py | 278 ++++++++-- 193 files changed, 3809 insertions(+), 4951 deletions(-) create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py create mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py create mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py create mode 100644 pyinjective/proto/testpb/bank_pb2_grpc.py create mode 100644 pyinjective/proto/testpb/test_schema_pb2_grpc.py diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 309027c3..42a41847 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -18,7 +18,7 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xb9\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:G\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\"@\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -35,9 +35,7 @@ _globals['_MODULEACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_MODULEACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_MODULEACCOUNT']._loaded_options = None - _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount\222\347\260*\016module_account' - _globals['_MODULECREDENTIAL']._loaded_options = None - _globals['_MODULECREDENTIAL']._serialized_options = b'\212\347\260*!cosmos-sdk/GroupAccountCredential' + _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount' _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._serialized_options = b'\342\336\037\024SigVerifyCostED25519' _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._loaded_options = None @@ -47,9 +45,9 @@ _globals['_BASEACCOUNT']._serialized_start=151 _globals['_BASEACCOUNT']._serialized_end=398 _globals['_MODULEACCOUNT']._serialized_start=401 - _globals['_MODULEACCOUNT']._serialized_end=605 - _globals['_MODULECREDENTIAL']._serialized_start=607 - _globals['_MODULECREDENTIAL']._serialized_end=711 - _globals['_PARAMS']._serialized_start=714 - _globals['_PARAMS']._serialized_end=961 + _globals['_MODULEACCOUNT']._serialized_end=586 + _globals['_MODULECREDENTIAL']._serialized_start=588 + _globals['_MODULECREDENTIAL']._serialized_end=652 + _globals['_PARAMS']._serialized_start=655 + _globals['_PARAMS']._serialized_end=902 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 5a2c0d66..a6675df8 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\x12\n\x10MsgGrantResponse\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"(\n\x15MsgExecCompatResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"m\n\rMsgExecCompat\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04msgs\x18\x02 \x03(\t:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -48,20 +48,28 @@ _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECCOMPAT']._loaded_options = None + _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 _globals['_MSGGRANT']._serialized_end=399 - _globals['_MSGGRANTRESPONSE']._serialized_start=401 - _globals['_MSGGRANTRESPONSE']._serialized_end=419 - _globals['_MSGEXEC']._serialized_start=422 - _globals['_MSGEXEC']._serialized_end=576 - _globals['_MSGEXECRESPONSE']._serialized_start=578 - _globals['_MSGEXECRESPONSE']._serialized_end=612 + _globals['_MSGEXECRESPONSE']._serialized_start=401 + _globals['_MSGEXECRESPONSE']._serialized_end=435 + _globals['_MSGEXEC']._serialized_start=438 + _globals['_MSGEXEC']._serialized_end=592 + _globals['_MSGGRANTRESPONSE']._serialized_start=594 + _globals['_MSGGRANTRESPONSE']._serialized_end=612 _globals['_MSGREVOKE']._serialized_start=615 _globals['_MSGREVOKE']._serialized_end=773 _globals['_MSGREVOKERESPONSE']._serialized_start=775 _globals['_MSGREVOKERESPONSE']._serialized_end=794 - _globals['_MSG']._serialized_start=797 - _globals['_MSG']._serialized_end=1052 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=796 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=836 + _globals['_MSGEXECCOMPAT']._serialized_start=838 + _globals['_MSGEXECCOMPAT']._serialized_end=947 + _globals['_MSG']._serialized_start=950 + _globals['_MSG']._serialized_end=1301 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index 86cf53e3..31b61cbe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -55,6 +55,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, _registered_method=True) + self.ExecCompat = channel.unary_unary( + '/cosmos.authz.v1beta1.Msg/ExecCompat', + request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -88,6 +93,13 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ExecCompat(self, request, context): + """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -106,6 +118,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), + 'ExecCompat': grpc.unary_unary_rpc_method_handler( + servicer.ExecCompat, + request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, + response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) @@ -198,3 +215,30 @@ def Revoke(request, timeout, metadata, _registered_method=True) + + @staticmethod + def ExecCompat(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/ExecCompat', + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index 739c27c8..e6377068 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf1\x01\n\x11SendAuthorization\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,11 +27,11 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None - _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=415 + _globals['_SENDAUTHORIZATION']._serialized_end=398 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 776975d9..bb6b853e 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x85\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"7\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa9\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\x9e\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x94\x01\n\x06Supply\x12_\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,23 +30,23 @@ _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/bank/Params' + _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/bank/Params' _globals['_SENDENABLED']._loaded_options = None - _globals['_SENDENABLED']._serialized_options = b'\350\240\037\001' + _globals['_SENDENABLED']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_INPUT'].fields_by_name['address']._loaded_options = None _globals['_INPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_INPUT'].fields_by_name['coins']._loaded_options = None - _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_INPUT']._loaded_options = None _globals['_INPUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\007address' _globals['_OUTPUT'].fields_by_name['address']._loaded_options = None _globals['_OUTPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_OUTPUT'].fields_by_name['coins']._loaded_options = None - _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_OUTPUT']._loaded_options = None _globals['_OUTPUT']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_SUPPLY'].fields_by_name['total']._loaded_options = None - _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\030\001\210\240\037\000\350\240\037\001\312\264-\033cosmos.bank.v1beta1.SupplyI' _globals['_METADATA'].fields_by_name['uri']._loaded_options = None @@ -54,17 +54,17 @@ _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=310 - _globals['_SENDENABLED']._serialized_start=312 - _globals['_SENDENABLED']._serialized_end=363 - _globals['_INPUT']._serialized_start=366 - _globals['_INPUT']._serialized_end=552 - _globals['_OUTPUT']._serialized_start=555 - _globals['_OUTPUT']._serialized_end=730 - _globals['_SUPPLY']._serialized_start=733 - _globals['_SUPPLY']._serialized_end=898 - _globals['_DENOMUNIT']._serialized_start=900 - _globals['_DENOMUNIT']._serialized_end=961 - _globals['_METADATA']._serialized_start=964 - _globals['_METADATA']._serialized_end=1162 + _globals['_PARAMS']._serialized_end=314 + _globals['_SENDENABLED']._serialized_start=316 + _globals['_SENDENABLED']._serialized_end=371 + _globals['_INPUT']._serialized_start=374 + _globals['_INPUT']._serialized_end=543 + _globals['_OUTPUT']._serialized_start=546 + _globals['_OUTPUT']._serialized_end=704 + _globals['_SUPPLY']._serialized_start=707 + _globals['_SUPPLY']._serialized_end=855 + _globals['_DENOMUNIT']._serialized_start=857 + _globals['_DENOMUNIT']._serialized_end=918 + _globals['_METADATA']._serialized_start=921 + _globals['_METADATA']._serialized_end=1119 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py index 565df165..efec78b9 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/bank/v1beta1/events.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,10 +22,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_BALANCEUPDATE'].fields_by_name['amt']._options = None + _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_EVENTSETBALANCES']._serialized_start=125 _globals['_EVENTSETBALANCES']._serialized_end=204 diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py new file mode 100644 index 00000000..bc7ce4a6 --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index d27204aa..d070e276 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe8\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12`\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9f\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,7 +32,7 @@ _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['supply']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['send_enabled']._loaded_options = None @@ -40,11 +40,11 @@ _globals['_BALANCE'].fields_by_name['address']._loaded_options = None _globals['_BALANCE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_BALANCE'].fields_by_name['coins']._loaded_options = None - _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=568 - _globals['_BALANCE']._serialized_start=571 - _globals['_BALANCE']._serialized_end=747 + _globals['_GENESISSTATE']._serialized_end=551 + _globals['_BALANCE']._serialized_start=554 + _globals['_BALANCE']._serialized_end=713 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index 257413f2..7deb2a94 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -22,7 +22,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\x8a\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbb\x01\n\x18QueryAllBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x01\n\x1eQuerySpendableBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x18QueryTotalSupplyResponse\x12`\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xb2\x0e\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -39,13 +39,13 @@ _globals['_QUERYALLBALANCESREQUEST']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None - _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSPENDABLEBALANCESREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None - _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._loaded_options = None @@ -53,7 +53,7 @@ _globals['_QUERYTOTALSUPPLYREQUEST']._loaded_options = None _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._loaded_options = None - _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None @@ -62,8 +62,6 @@ _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._loaded_options = None - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DENOMOWNER'].fields_by_name['address']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DENOMOWNER'].fields_by_name['balance']._loaded_options = None @@ -84,14 +82,10 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/params' _globals['_QUERY'].methods_by_name['DenomMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002.\022,/cosmos/bank/v1beta1/denoms_metadata/{denom}' - _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._loaded_options = None - _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._serialized_options = b'\210\347\260*\001\202\323\344\223\0026\0224/cosmos/bank/v1beta1/denoms_metadata_by_query_string' _globals['_QUERY'].methods_by_name['DenomsMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/denoms_metadata' _globals['_QUERY'].methods_by_name['DenomOwners']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomOwners']._serialized_options = b'\210\347\260*\001\202\323\344\223\002+\022)/cosmos/bank/v1beta1/denom_owners/{denom}' - _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._loaded_options = None - _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._serialized_options = b'\210\347\260*\001\202\323\344\223\002,\022*/cosmos/bank/v1beta1/denom_owners_by_query' _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 @@ -99,55 +93,47 @@ _globals['_QUERYBALANCERESPONSE']._serialized_start=382 _globals['_QUERYBALANCERESPONSE']._serialized_end=448 _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 - _globals['_DENOMOWNER']._serialized_start=2533 - _globals['_DENOMOWNER']._serialized_end=2643 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 - _globals['_QUERY']._serialized_start=3301 - _globals['_QUERY']._serialized_end=5551 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=589 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=592 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=779 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=782 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=926 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=929 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1122 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1124 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1229 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1231 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1313 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1315 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1410 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1413 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1598 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1600 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1637 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1639 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1716 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1718 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1738 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1740 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1817 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1819 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1907 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1910 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2061 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2063 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2105 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2107 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2195 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2197 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2297 + _globals['_DENOMOWNER']._serialized_start=2299 + _globals['_DENOMOWNER']._serialized_end=2409 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2412 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2554 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=2556 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=2657 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=2660 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=2803 + _globals['_QUERY']._serialized_start=2806 + _globals['_QUERY']._serialized_end=4648 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 67a7f249..48c10696 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -80,11 +80,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, _registered_method=True) - self.DenomMetadataByQueryString = channel.unary_unary( - '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', - request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, - response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, - _registered_method=True) self.DenomsMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomsMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, @@ -95,11 +90,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, _registered_method=True) - self.DenomOwnersByQuery = channel.unary_unary( - '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', - request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, - response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, - _registered_method=True) self.SendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, @@ -182,14 +172,7 @@ def Params(self, request, context): raise NotImplementedError('Method not implemented!') def DenomMetadata(self, request, context): - """DenomMetadata queries the client metadata of a given coin denomination. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def DenomMetadataByQueryString(self, request, context): - """DenomMetadataByQueryString queries the client metadata of a given coin denomination. + """DenomsMetadata queries the client metadata of a given coin denomination. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -216,16 +199,6 @@ def DenomOwners(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DenomOwnersByQuery(self, request, context): - """DenomOwnersByQuery queries for all account addresses that own a particular token - denomination. - - Since: cosmos-sdk 0.50.3 - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def SendEnabled(self, request, context): """SendEnabled queries for SendEnabled entries. @@ -282,11 +255,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.SerializeToString, ), - 'DenomMetadataByQueryString': grpc.unary_unary_rpc_method_handler( - servicer.DenomMetadataByQueryString, - request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.FromString, - response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.SerializeToString, - ), 'DenomsMetadata': grpc.unary_unary_rpc_method_handler( servicer.DenomsMetadata, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.FromString, @@ -297,11 +265,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.SerializeToString, ), - 'DenomOwnersByQuery': grpc.unary_unary_rpc_method_handler( - servicer.DenomOwnersByQuery, - request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.FromString, - response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.SerializeToString, - ), 'SendEnabled': grpc.unary_unary_rpc_method_handler( servicer.SendEnabled, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.FromString, @@ -535,33 +498,6 @@ def DenomMetadata(request, metadata, _registered_method=True) - @staticmethod - def DenomMetadataByQueryString(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', - cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, - cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def DenomsMetadata(request, target, @@ -616,33 +552,6 @@ def DenomOwners(request, metadata, _registered_method=True) - @staticmethod - def DenomOwnersByQuery(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', - cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, - cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def SendEnabled(request, target, diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index 9c7844f8..92ee0a8f 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x01\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,7 +33,7 @@ _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['amount']._loaded_options = None - _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\014from_address\212\347\260*\022cosmos-sdk/MsgSend' _globals['_MSGMULTISEND'].fields_by_name['inputs']._loaded_options = None @@ -55,21 +55,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=479 - _globals['_MSGSENDRESPONSE']._serialized_start=481 - _globals['_MSGSENDRESPONSE']._serialized_end=498 - _globals['_MSGMULTISEND']._serialized_start=501 - _globals['_MSGMULTISEND']._serialized_end=672 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 - _globals['_MSGUPDATEPARAMS']._serialized_start=699 - _globals['_MSGUPDATEPARAMS']._serialized_end=871 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 - _globals['_MSGSETSENDENABLED']._serialized_start=901 - _globals['_MSGSETSENDENABLED']._serialized_end=1095 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 - _globals['_MSG']._serialized_start=1127 - _globals['_MSG']._serialized_end=1512 + _globals['_MSGSEND']._serialized_end=462 + _globals['_MSGSENDRESPONSE']._serialized_start=464 + _globals['_MSGSENDRESPONSE']._serialized_end=481 + _globals['_MSGMULTISEND']._serialized_start=484 + _globals['_MSGMULTISEND']._serialized_end=655 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=657 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=679 + _globals['_MSGUPDATEPARAMS']._serialized_start=682 + _globals['_MSGUPDATEPARAMS']._serialized_end=854 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=856 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=881 + _globals['_MSGSETSENDENABLED']._serialized_start=884 + _globals['_MSGSETSENDENABLED']._serialized_end=1078 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1080 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1107 + _globals['_MSG']._serialized_start=1110 + _globals['_MSG']._serialized_end=1495 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 66446a14..d85975a9 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,42 +22,42 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' - _globals['_TXRESPONSE'].fields_by_name['txhash']._options = None + _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' - _globals['_TXRESPONSE'].fields_by_name['logs']._options = None + _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['logs']._serialized_options = b'\310\336\037\000\252\337\037\017ABCIMessageLogs' - _globals['_TXRESPONSE'].fields_by_name['events']._options = None + _globals['_TXRESPONSE'].fields_by_name['events']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_TXRESPONSE']._options = None + _globals['_TXRESPONSE']._loaded_options = None _globals['_TXRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['msg_index']._serialized_options = b'\352\336\037\tmsg_index' - _globals['_ABCIMESSAGELOG'].fields_by_name['events']._options = None + _globals['_ABCIMESSAGELOG'].fields_by_name['events']._loaded_options = None _globals['_ABCIMESSAGELOG'].fields_by_name['events']._serialized_options = b'\310\336\037\000\252\337\037\014StringEvents' - _globals['_ABCIMESSAGELOG']._options = None + _globals['_ABCIMESSAGELOG']._loaded_options = None _globals['_ABCIMESSAGELOG']._serialized_options = b'\200\334 \001' - _globals['_STRINGEVENT'].fields_by_name['attributes']._options = None + _globals['_STRINGEVENT'].fields_by_name['attributes']._loaded_options = None _globals['_STRINGEVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000' - _globals['_STRINGEVENT']._options = None + _globals['_STRINGEVENT']._loaded_options = None _globals['_STRINGEVENT']._serialized_options = b'\200\334 \001' - _globals['_RESULT'].fields_by_name['data']._options = None + _globals['_RESULT'].fields_by_name['data']._loaded_options = None _globals['_RESULT'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_RESULT'].fields_by_name['events']._options = None + _globals['_RESULT'].fields_by_name['events']._loaded_options = None _globals['_RESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000' - _globals['_RESULT']._options = None + _globals['_RESULT']._loaded_options = None _globals['_RESULT']._serialized_options = b'\210\240\037\000' - _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._options = None + _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._loaded_options = None _globals['_SIMULATIONRESPONSE'].fields_by_name['gas_info']._serialized_options = b'\310\336\037\000\320\336\037\001' - _globals['_MSGDATA']._options = None + _globals['_MSGDATA']._loaded_options = None _globals['_MSGDATA']._serialized_options = b'\030\001\200\334 \001' - _globals['_TXMSGDATA'].fields_by_name['data']._options = None + _globals['_TXMSGDATA'].fields_by_name['data']._loaded_options = None _globals['_TXMSGDATA'].fields_by_name['data']._serialized_options = b'\030\001' - _globals['_TXMSGDATA']._options = None + _globals['_TXMSGDATA']._loaded_options = None _globals['_TXMSGDATA']._serialized_options = b'\200\334 \001' - _globals['_SEARCHTXSRESULT']._options = None + _globals['_SEARCHTXSRESULT']._loaded_options = None _globals['_SEARCHTXSRESULT']._serialized_options = b'\200\334 \001' _globals['_TXRESPONSE']._serialized_start=144 _globals['_TXRESPONSE']._serialized_end=502 diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py index 5d4f2467..f4002f4e 100644 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py +++ b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/kv/v1beta1/kv.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.kv.v1beta1.kv_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/kv' - _globals['_PAIRS'].fields_by_name['pairs']._options = None + _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' _globals['_PAIRS']._serialized_start=81 _globals['_PAIRS']._serialized_end=139 diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py new file mode 100644 index 00000000..4ea67c93 --- /dev/null +++ b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/kv/v1beta1/kv_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index ffbf6c59..12286402 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' - _globals['_SERVICE'].methods_by_name['Config']._options = None + _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None _globals['_SERVICE'].methods_by_name['Config']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/config' _globals['_CONFIGREQUEST']._serialized_start=96 _globals['_CONFIGREQUEST']._serialized_end=111 diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index 18a4cb4c..fd0060c2 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -45,11 +45,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, _registered_method=True) - self.Status = channel.unary_unary( - '/cosmos.base.node.v1beta1.Service/Status', - request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, - response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, - _registered_method=True) class ServiceServicer(object): @@ -63,13 +58,6 @@ def Config(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Status(self, request, context): - """Status queries for the node status. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_ServiceServicer_to_server(servicer, server): rpc_method_handlers = { @@ -78,11 +66,6 @@ def add_ServiceServicer_to_server(servicer, server): request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.FromString, response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.SerializeToString, ), - 'Status': grpc.unary_unary_rpc_method_handler( - servicer.Status, - request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.FromString, - response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.node.v1beta1.Service', rpc_method_handlers) @@ -121,30 +104,3 @@ def Config(request, timeout, metadata, _registered_method=True) - - @staticmethod - def Status(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.base.node.v1beta1.Service/Status', - cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, - cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py index 3c37dee2..ffb02add 100644 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py +++ b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/snapshots/v1beta1/snapshot.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,20 +20,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.snapshots.v1beta1.snapshot_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/snapshots/types' - _globals['_SNAPSHOT'].fields_by_name['metadata']._options = None + _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['kv']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['kv']._serialized_options = b'\030\001\342\336\037\002KV' - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._options = None + _globals['_SNAPSHOTITEM'].fields_by_name['schema']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['schema']._serialized_options = b'\030\001' - _globals['_SNAPSHOTKVITEM']._options = None + _globals['_SNAPSHOTKVITEM']._loaded_options = None _globals['_SNAPSHOTKVITEM']._serialized_options = b'\030\001' - _globals['_SNAPSHOTSCHEMA']._options = None + _globals['_SNAPSHOTSCHEMA']._loaded_options = None _globals['_SNAPSHOTSCHEMA']._serialized_options = b'\030\001' _globals['_SNAPSHOT']._serialized_start=102 _globals['_SNAPSHOT']._serialized_end=239 diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py new file mode 100644 index 00000000..77a629dc --- /dev/null +++ b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py index 23f7aee5..7405c114 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/store/v1beta1/commit_info.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,16 +21,16 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.commit_info_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_COMMITINFO'].fields_by_name['store_infos']._options = None + _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' - _globals['_COMMITINFO'].fields_by_name['timestamp']._options = None + _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STOREINFO'].fields_by_name['commit_id']._options = None + _globals['_STOREINFO'].fields_by_name['commit_id']._loaded_options = None _globals['_STOREINFO'].fields_by_name['commit_id']._serialized_options = b'\310\336\037\000' - _globals['_COMMITID']._options = None + _globals['_COMMITID']._loaded_options = None _globals['_COMMITID']._serialized_options = b'\230\240\037\000' _globals['_COMMITINFO']._serialized_start=130 _globals['_COMMITINFO']._serialized_end=281 diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py new file mode 100644 index 00000000..a1911214 --- /dev/null +++ b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/store/v1beta1/commit_info_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py index efde6ffa..68f17551 100644 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py +++ b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/base/store/v1beta1/listening.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.listening_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' _globals['_STOREKVPAIR']._serialized_start=101 _globals['_STOREKVPAIR']._serialized_end=177 diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py new file mode 100644 index 00000000..a28dc540 --- /dev/null +++ b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/store/v1beta1/listening_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index ee157e12..1f9bc620 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -24,14 +24,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index 1cd118c8..cac9ea51 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -20,14 +20,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index c02fde25..68f9d704 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"K\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12.\n\x06\x61mount\x18\x02 \x01(\tB\x1e\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"I\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12)\n\x06\x61mount\x18\x02 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"2\n\x08IntProto\x12&\n\x03int\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\"2\n\x08\x44\x65\x63Proto\x12&\n\x03\x64\x65\x63\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,23 +26,23 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' _globals['_COIN'].fields_by_name['amount']._loaded_options = None - _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_COIN']._loaded_options = None _globals['_COIN']._serialized_options = b'\350\240\037\001' _globals['_DECCOIN'].fields_by_name['amount']._loaded_options = None - _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' _globals['_DECCOIN']._loaded_options = None _globals['_DECCOIN']._serialized_options = b'\350\240\037\001' _globals['_INTPROTO'].fields_by_name['int']._loaded_options = None - _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int' _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None - _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=216 - _globals['_DECCOIN']._serialized_start=218 - _globals['_DECCOIN']._serialized_end=315 - _globals['_INTPROTO']._serialized_start=317 - _globals['_INTPROTO']._serialized_end=385 - _globals['_DECPROTO']._serialized_start=387 - _globals['_DECPROTO']._serialized_end=461 + _globals['_COIN']._serialized_end=198 + _globals['_DECCOIN']._serialized_start=200 + _globals['_DECCOIN']._serialized_end=273 + _globals['_INTPROTO']._serialized_start=275 + _globals['_INTPROTO']._serialized_end=325 + _globals['_DECPROTO']._serialized_start=327 + _globals['_DECPROTO']._serialized_end=377 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py index 99ad4fff..ad16397e 100644 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/module/v1/module.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,9 +20,9 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.module.v1.module_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_MODULE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001+\n)github.com/cosmos/cosmos-sdk/x/capability' _globals['_MODULE']._serialized_start=107 _globals['_MODULE']._serialized_end=187 diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py new file mode 100644 index 00000000..e4adda23 --- /dev/null +++ b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py index fb13cedc..00339cae 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/v1beta1/capability.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,14 +21,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.capability_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_CAPABILITY']._options = None + _globals['_CAPABILITY']._loaded_options = None _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' - _globals['_OWNER']._options = None + _globals['_OWNER']._loaded_options = None _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._options = None + _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CAPABILITY']._serialized_start=114 _globals['_CAPABILITY']._serialized_end=147 diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py new file mode 100644 index 00000000..6ad249a6 --- /dev/null +++ b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/v1beta1/capability_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py index 71b9eadb..1cdb2a6f 100644 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/capability/v1beta1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._options = None + _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['owners']._options = None + _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISOWNERS']._serialized_start=155 _globals['_GENESISOWNERS']._serialized_end=263 diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py new file mode 100644 index 00000000..06387c35 --- /dev/null +++ b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/capability/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index 2df0b8cc..969c6eeb 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,12 +22,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGUPDATEPARAMS']._serialized_start=137 _globals['_MSGUPDATEPARAMS']._serialized_end=367 diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index cf3c4219..c8d8248e 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x02\n\x06Params\x12S\n\rcommunity_tax\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\\\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12]\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:)\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x7f\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12N\n\x08\x66raction\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"y\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xe3\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12`\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xbb\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12K\n\x05stake\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc2\x01\n\x19\x44\x65legationDelegatorReward\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xa7\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:&\x88\xa0\x1f\x00\x98\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,13 +27,13 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None - _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None - _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._loaded_options = None - _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\212\347\260* cosmos-sdk/x/distribution/Params' + _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260* cosmos-sdk/x/distribution/Params' _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._loaded_options = None @@ -43,49 +43,51 @@ _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._loaded_options = None - _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_VALIDATORSLASHEVENTS']._loaded_options = None + _globals['_VALIDATORSLASHEVENTS']._serialized_options = b'\230\240\037\000' _globals['_FEEPOOL'].fields_by_name['community_pool']._loaded_options = None _globals['_FEEPOOL'].fields_by_name['community_pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_COMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._loaded_options = None - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._loaded_options = None _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._serialized_options = b'\352\336\037\017creation_height\242\347\260*\017creation_height\250\347\260*\001' _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_DELEGATIONDELEGATORREWARD']._loaded_options = None - _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000' + _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000\230\240\037\001' _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=514 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 - _globals['_FEEPOOL']._serialized_start=1357 - _globals['_FEEPOOL']._serialized_end=1478 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 + _globals['_PARAMS']._serialized_end=536 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=539 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=713 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=716 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=862 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=865 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1005 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1008 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1142 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1144 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1271 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1273 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1394 + _globals['_FEEPOOL']._serialized_start=1396 + _globals['_FEEPOOL']._serialized_end=1517 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1520 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1747 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1750 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=1937 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1940 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2134 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2137 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2304 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 42b040e8..5e3c85af 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd7\x01\n!ValidatorOutstandingRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n$ValidatorAccumulatedCommissionRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc6\x01\n ValidatorHistoricalRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb0\x01\n\x1dValidatorCurrentRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n\x19ValidatorSlashEventRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -34,25 +34,25 @@ _globals['_DELEGATORWITHDRAWINFO']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORHISTORICALREWARDSRECORD']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORCURRENTREWARDSRECORD']._loaded_options = None @@ -60,13 +60,13 @@ _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATORSTARTINGINFORECORD']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORSLASHEVENTRECORD']._loaded_options = None @@ -96,17 +96,17 @@ _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 - _globals['_GENESISSTATE']._serialized_start=1664 - _globals['_GENESISSTATE']._serialized_end=2614 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=579 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=582 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=776 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=779 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=977 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=980 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1156 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1159 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1390 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1393 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1607 + _globals['_GENESISSTATE']._serialized_start=1610 + _globals['_GENESISSTATE']._serialized_end=2560 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 4a5f7aca..98c092cf 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -21,7 +21,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\\\n%QueryValidatorDistributionInfoRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb6\x02\n&QueryValidatorDistributionInfoResponse\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"^\n\'QueryValidatorOutstandingRewardsRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x1fQueryValidatorCommissionRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc9\x01\n\x1cQueryValidatorSlashesRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x93\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,31 +32,31 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._loaded_options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins' _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORSLASHESREQUEST']._loaded_options = None - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000' + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000\230\240\037\001' _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._loaded_options = None _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None @@ -110,41 +110,41 @@ _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 - _globals['_QUERY']._serialized_start=2831 - _globals['_QUERY']._serialized_end=5075 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=495 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=498 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=808 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=810 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=904 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=907 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1035 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1037 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1123 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1125 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1251 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1254 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1455 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1458 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1628 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1631 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1778 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1781 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1918 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1920 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2019 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2022 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2246 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2248 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2344 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2346 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2410 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2412 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2513 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2515 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2616 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2618 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2645 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2648 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2778 + _globals['_QUERY']._serialized_start=2781 + _globals['_QUERY']._serialized_end=5025 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index 9ae6d35c..9e51e0e3 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xd1\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x86\x01\n\"MsgWithdrawDelegatorRewardResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\x9d\x01\n\x1eMsgWithdrawValidatorCommission\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x8a\x01\n&MsgWithdrawValidatorCommissionResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\xe1\x01\n\x14MsgFundCommunityPool\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xf4\x01\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse2\xca\x06\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,19 +37,19 @@ _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGWITHDRAWDELEGATORREWARD']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*&cosmos-sdk/MsgWithdrawDelegationReward' _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*#cosmos-sdk/MsgWithdrawValCommission' _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._loaded_options = None - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGFUNDCOMMUNITYPOOL']._loaded_options = None @@ -63,17 +63,9 @@ _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGCOMMUNITYPOOLSPEND']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/distr/MsgCommunityPoolSpend' - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._loaded_options = None - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._loaded_options = None - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tdepositor\212\347\260*%cosmos-sdk/distr/MsgDepositValRewards' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 @@ -81,29 +73,25 @@ _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 - _globals['_MSGUPDATEPARAMS']._serialized_start=1458 - _globals['_MSGUPDATEPARAMS']._serialized_end=1644 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 - _globals['_MSG']._serialized_start=2336 - _globals['_MSG']._serialized_end=3340 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=688 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=691 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=825 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=828 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=985 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=988 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1126 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1129 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1354 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1356 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1386 + _globals['_MSGUPDATEPARAMS']._serialized_start=1389 + _globals['_MSGUPDATEPARAMS']._serialized_end=1575 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1577 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1602 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1605 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1849 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1851 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1882 + _globals['_MSG']._serialized_start=1885 + _globals['_MSG']._serialized_end=2727 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index ed2046ed..40e62bea 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -70,11 +70,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, _registered_method=True) - self.DepositValidatorRewardsPool = channel.unary_unary( - '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', - request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, - response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -135,16 +130,6 @@ def CommunityPoolSpend(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DepositValidatorRewardsPool(self, request, context): - """DepositValidatorRewardsPool defines a method to provide additional rewards - to delegators to a specific validator. - - Since: cosmos-sdk 0.50 - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -178,11 +163,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.FromString, response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.SerializeToString, ), - 'DepositValidatorRewardsPool': grpc.unary_unary_rpc_method_handler( - servicer.DepositValidatorRewardsPool, - request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.FromString, - response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Msg', rpc_method_handlers) @@ -356,30 +336,3 @@ def CommunityPoolSpend(request, timeout, metadata, _registered_method=True) - - @staticmethod - def DepositValidatorRewardsPool(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', - cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, - cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index f1eccd4c..1c5c1665 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/evidenceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/evidence' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=144 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 9bbcac50..275c39cc 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -18,20 +18,20 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc5\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB3Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EQUIVOCATION']._loaded_options = None - _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' + _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=362 + _globals['_EQUIVOCATION']._serialized_end=366 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 73a37669..57e5efbc 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' _globals['_GENESISSTATE']._serialized_start=93 _globals['_GENESISSTATE']._serialized_end=147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 50ddba0a..015900ec 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,14 +23,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._options = None + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_QUERY'].methods_by_name['Evidence']._options = None + _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None _globals['_QUERY'].methods_by_name['Evidence']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/evidence/v1beta1/evidence/{hash}' - _globals['_QUERY'].methods_by_name['AllEvidence']._options = None + _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' _globals['_QUERYEVIDENCEREQUEST']._serialized_start=187 _globals['_QUERYEVIDENCEREQUEST']._serialized_end=302 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index acd88a38..86cbf75e 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -19,14 +19,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 36ebf888..1d67ee80 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=144 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index db07ba44..d2430907 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -21,16 +21,16 @@ from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xf6\x01\n\x0e\x42\x61sicAllowance\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xf7\x03\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12l\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12j\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None - _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_BASICALLOWANCE']._loaded_options = None @@ -40,9 +40,9 @@ _globals['_PERIODICALLOWANCE'].fields_by_name['period']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._loaded_options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._loaded_options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PERIODICALLOWANCE']._loaded_options = None @@ -58,11 +58,11 @@ _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=523 - _globals['_PERIODICALLOWANCE']._serialized_start=526 - _globals['_PERIODICALLOWANCE']._serialized_end=1063 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 - _globals['_GRANT']._serialized_start=1282 - _globals['_GRANT']._serialized_end=1459 + _globals['_BASICALLOWANCE']._serialized_end=506 + _globals['_PERIODICALLOWANCE']._serialized_start=509 + _globals['_PERIODICALLOWANCE']._serialized_end=1012 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1015 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1228 + _globals['_GRANT']._serialized_start=1231 + _globals['_GRANT']._serialized_end=1408 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 961be678..0887e8cd 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -17,14 +17,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 1fea969d..19c08006 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -18,14 +18,14 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 6ecf6810..bfcfa6a4 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -18,14 +18,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse2\xf3\x01\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x1a\x05\x80\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None @@ -40,10 +40,6 @@ _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKEALLOWANCE']._loaded_options = None _globals['_MSGREVOKEALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\035cosmos-sdk/MsgRevokeAllowance' - _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._loaded_options = None - _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGPRUNEALLOWANCES']._loaded_options = None - _globals['_MSGPRUNEALLOWANCES']._serialized_options = b'\202\347\260*\006pruner' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 @@ -54,10 +50,6 @@ _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 - _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 - _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 - _globals['_MSG']._serialized_start=722 - _globals['_MSG']._serialized_end=1082 + _globals['_MSG']._serialized_start=615 + _globals['_MSG']._serialized_end=858 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 10097e0b..b76f5c7f 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -50,11 +50,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, _registered_method=True) - self.PruneAllowances = channel.unary_unary( - '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', - request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, - response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -77,15 +72,6 @@ def RevokeAllowance(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def PruneAllowances(self, request, context): - """PruneAllowances prunes expired fee allowances, currently up to 75 at a time. - - Since cosmos-sdk 0.50 - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -99,11 +85,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.FromString, response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.SerializeToString, ), - 'PruneAllowances': grpc.unary_unary_rpc_method_handler( - servicer.PruneAllowances, - request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.FromString, - response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) @@ -169,30 +150,3 @@ def RevokeAllowance(request, timeout, metadata, _registered_method=True) - - @staticmethod - def PruneAllowances(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', - cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, - cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index 93a8eed0..73dd538e 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -21,7 +21,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xab\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbb\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"F\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\"x\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\xaf\x03\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -61,20 +61,14 @@ _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty' _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\352\336\037\034max_deposit_period,omitempty\230\337\037\001' - _globals['_DEPOSITPARAMS']._loaded_options = None - _globals['_DEPOSITPARAMS']._serialized_options = b'\030\001' _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' - _globals['_VOTINGPARAMS']._loaded_options = None - _globals['_VOTINGPARAMS']._serialized_options = b'\030\001' _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_TALLYPARAMS']._loaded_options = None - _globals['_TALLYPARAMS']._serialized_options = b'\030\001' _globals['_PARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMS'].fields_by_name['max_deposit_period']._loaded_options = None @@ -89,38 +83,26 @@ _globals['_PARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._loaded_options = None - _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_PARAMS'].fields_by_name['expedited_voting_period']._loaded_options = None - _globals['_PARAMS'].fields_by_name['expedited_voting_period']._serialized_options = b'\230\337\037\001' - _globals['_PARAMS'].fields_by_name['expedited_threshold']._loaded_options = None - _globals['_PARAMS'].fields_by_name['expedited_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._loaded_options = None - _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2535 - _globals['_VOTEOPTION']._serialized_end=2672 - _globals['_PROPOSALSTATUS']._serialized_start=2675 - _globals['_PROPOSALSTATUS']._serialized_end=2881 + _globals['_VOTEOPTION']._serialized_start=2155 + _globals['_VOTEOPTION']._serialized_end=2292 + _globals['_PROPOSALSTATUS']._serialized_start=2295 + _globals['_PROPOSALSTATUS']._serialized_end=2501 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 _globals['_DEPOSIT']._serialized_start=332 _globals['_DEPOSIT']._serialized_end=461 _globals['_PROPOSAL']._serialized_start=464 - _globals['_PROPOSAL']._serialized_end=1061 - _globals['_TALLYRESULT']._serialized_start=1064 - _globals['_TALLYRESULT']._serialized_end=1229 - _globals['_VOTE']._serialized_start=1232 - _globals['_VOTE']._serialized_end=1376 - _globals['_DEPOSITPARAMS']._serialized_start=1379 - _globals['_DEPOSITPARAMS']._serialized_end=1570 - _globals['_VOTINGPARAMS']._serialized_start=1572 - _globals['_VOTINGPARAMS']._serialized_end=1646 - _globals['_TALLYPARAMS']._serialized_start=1648 - _globals['_TALLYPARAMS']._serialized_end=1772 - _globals['_PARAMS']._serialized_start=1775 - _globals['_PARAMS']._serialized_end=2532 + _globals['_PROPOSAL']._serialized_end=1019 + _globals['_TALLYRESULT']._serialized_start=1022 + _globals['_TALLYRESULT']._serialized_end=1187 + _globals['_VOTE']._serialized_start=1190 + _globals['_VOTE']._serialized_end=1334 + _globals['_DEPOSITPARAMS']._serialized_start=1337 + _globals['_DEPOSITPARAMS']._serialized_end=1524 + _globals['_VOTINGPARAMS']._serialized_start=1526 + _globals['_VOTINGPARAMS']._serialized_end=1596 + _globals['_TALLYPARAMS']._serialized_start=1598 + _globals['_TALLYPARAMS']._serialized_end=1718 + _globals['_PARAMS']._serialized_start=1721 + _globals['_PARAMS']._serialized_end=2152 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index 7fcdfb07..783c2f0a 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xda\x08\n\x05Query\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,8 +40,6 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERY'].methods_by_name['Constitution']._loaded_options = None - _globals['_QUERY'].methods_by_name['Constitution']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/gov/v1/constitution' _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/gov/v1/proposals/{proposal_id}' _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None @@ -58,42 +56,38 @@ _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0021\022//cosmos/gov/v1/proposals/{proposal_id}/deposits' _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/tally' - _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 - _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 - _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 - _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 - _globals['_QUERYVOTEREQUEST']._serialized_start=722 - _globals['_QUERYVOTEREQUEST']._serialized_end=802 - _globals['_QUERYVOTERESPONSE']._serialized_start=804 - _globals['_QUERYVOTERESPONSE']._serialized_end=858 - _globals['_QUERYVOTESREQUEST']._serialized_start=860 - _globals['_QUERYVOTESREQUEST']._serialized_end=960 - _globals['_QUERYVOTESRESPONSE']._serialized_start=962 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 - _globals['_QUERY']._serialized_start=1862 - _globals['_QUERY']._serialized_end=3113 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=170 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=213 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=215 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=281 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=284 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=509 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=512 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=641 + _globals['_QUERYVOTEREQUEST']._serialized_start=643 + _globals['_QUERYVOTEREQUEST']._serialized_end=723 + _globals['_QUERYVOTERESPONSE']._serialized_start=725 + _globals['_QUERYVOTERESPONSE']._serialized_end=779 + _globals['_QUERYVOTESREQUEST']._serialized_start=781 + _globals['_QUERYVOTESREQUEST']._serialized_end=881 + _globals['_QUERYVOTESRESPONSE']._serialized_start=883 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1000 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1002 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1043 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1046 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1274 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1276 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1363 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1365 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1428 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1430 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1533 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1535 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1661 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1663 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1709 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1711 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1780 + _globals['_QUERY']._serialized_start=1783 + _globals['_QUERY']._serialized_end=2897 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 471e0756..143ad2b7 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,46 +26,46 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._options = None + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUBMITPROPOSAL']._options = None + _globals['_MSGSUBMITPROPOSAL']._loaded_options = None _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\202\347\260*\010proposer\212\347\260*\037cosmos-sdk/v1/MsgSubmitProposal' - _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._options = None + _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MSGEXECLEGACYCONTENT']._options = None + _globals['_MSGEXECLEGACYCONTENT']._loaded_options = None _globals['_MSGEXECLEGACYCONTENT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\"cosmos-sdk/v1/MsgExecLegacyContent' - _globals['_MSGVOTE'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTE'].fields_by_name['voter']._options = None + _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTE']._options = None + _globals['_MSGVOTE']._loaded_options = None _globals['_MSGVOTE']._serialized_options = b'\202\347\260*\005voter\212\347\260*\025cosmos-sdk/v1/MsgVote' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._options = None + _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGVOTEWEIGHTED']._options = None + _globals['_MSGVOTEWEIGHTED']._loaded_options = None _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\202\347\260*\005voter\212\347\260*\035cosmos-sdk/v1/MsgVoteWeighted' - _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' - _globals['_MSGDEPOSIT'].fields_by_name['depositor']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\202\347\260*\tdepositor\212\347\260*\030cosmos-sdk/v1/MsgDeposit' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/gov/v1/MsgUpdateParams' - _globals['_MSG']._options = None + _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=219 _globals['_MSGSUBMITPROPOSAL']._serialized_end=486 diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index 0c59dc21..7167542d 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -70,11 +70,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) - self.CancelProposal = channel.unary_unary( - '/cosmos.gov.v1.Msg/CancelProposal', - request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, - response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -127,15 +122,6 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def CancelProposal(self, request, context): - """CancelProposal defines a method to cancel governance proposal - - Since: cosmos-sdk 0.50 - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -169,11 +155,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), - 'CancelProposal': grpc.unary_unary_rpc_method_handler( - servicer.CancelProposal, - request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.FromString, - response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Msg', rpc_method_handlers) @@ -347,30 +328,3 @@ def UpdateParams(request, timeout, metadata, _registered_method=True) - - @staticmethod - def CancelProposal(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.gov.v1.Msg/CancelProposal', - cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, - cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 799d398c..e4f9ce49 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -21,14 +21,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12L\n\x06weight\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xcb\x02\n\x0bTallyResult\x12I\n\x03yes\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x61\x62stain\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12H\n\x02no\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12R\n\x0cno_with_veto\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\x9f\x02\n\x0bTallyParams\x12R\n\x06quorum\x18\x01 \x01(\x0c\x42\x42\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x10quorum,omitempty\x12X\n\tthreshold\x18\x02 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x13threshold,omitempty\x12\x62\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42J\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x18veto_threshold,omitempty*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42>Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000\330\341\036\000\200\342\036\000' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None @@ -56,7 +56,7 @@ _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._serialized_options = b'\212\235 \014StatusFailed' _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_TEXTPROPOSAL']._loaded_options = None _globals['_TEXTPROPOSAL']._serialized_options = b'\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027cosmos-sdk/TextProposal' _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None @@ -82,13 +82,13 @@ _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\350\240\037\001' _globals['_TALLYRESULT'].fields_by_name['yes']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['abstain']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['no']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\350\240\037\001' _globals['_VOTE'].fields_by_name['proposal_id']._loaded_options = None @@ -100,7 +100,7 @@ _globals['_VOTE'].fields_by_name['options']._loaded_options = None _globals['_VOTE'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VOTE']._loaded_options = None - _globals['_VOTE']._serialized_options = b'\350\240\037\000' + _globals['_VOTE']._serialized_options = b'\230\240\037\000\350\240\037\000' _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None @@ -108,31 +108,31 @@ _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\352\336\037\027voting_period,omitempty\230\337\037\001' _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\020quorum,omitempty\322\264-\ncosmos.Dec' + _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\020quorum,omitempty' _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' + _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\023threshold,omitempty' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2424 - _globals['_VOTEOPTION']._serialized_end=2654 - _globals['_PROPOSALSTATUS']._serialized_start=2657 - _globals['_PROPOSALSTATUS']._serialized_end=2989 + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\030veto_threshold,omitempty' + _globals['_VOTEOPTION']._serialized_start=2493 + _globals['_VOTEOPTION']._serialized_end=2723 + _globals['_PROPOSALSTATUS']._serialized_start=2726 + _globals['_PROPOSALSTATUS']._serialized_end=3058 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 - _globals['_TEXTPROPOSAL']._serialized_start=387 - _globals['_TEXTPROPOSAL']._serialized_end=501 - _globals['_DEPOSIT']._serialized_start=504 - _globals['_DEPOSIT']._serialized_end=687 - _globals['_PROPOSAL']._serialized_start=690 - _globals['_PROPOSAL']._serialized_end=1298 - _globals['_TALLYRESULT']._serialized_start=1301 - _globals['_TALLYRESULT']._serialized_end=1564 - _globals['_VOTE']._serialized_start=1567 - _globals['_VOTE']._serialized_end=1781 - _globals['_DEPOSITPARAMS']._serialized_start=1784 - _globals['_DEPOSITPARAMS']._serialized_end=2019 - _globals['_VOTINGPARAMS']._serialized_start=2021 - _globals['_VOTINGPARAMS']._serialized_end=2122 - _globals['_TALLYPARAMS']._serialized_start=2125 - _globals['_TALLYPARAMS']._serialized_end=2421 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=391 + _globals['_TEXTPROPOSAL']._serialized_start=393 + _globals['_TEXTPROPOSAL']._serialized_end=507 + _globals['_DEPOSIT']._serialized_start=510 + _globals['_DEPOSIT']._serialized_end=693 + _globals['_PROPOSAL']._serialized_start=696 + _globals['_PROPOSAL']._serialized_end=1304 + _globals['_TALLYRESULT']._serialized_start=1307 + _globals['_TALLYRESULT']._serialized_end=1638 + _globals['_VOTE']._serialized_start=1641 + _globals['_VOTE']._serialized_end=1859 + _globals['_DEPOSITPARAMS']._serialized_start=1862 + _globals['_DEPOSITPARAMS']._serialized_end=2097 + _globals['_VOTINGPARAMS']._serialized_start=2099 + _globals['_VOTINGPARAMS']._serialized_end=2200 + _globals['_TALLYPARAMS']._serialized_start=2203 + _globals['_TALLYPARAMS']._serialized_end=2490 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 4991db50..aedbb1a9 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -21,7 +21,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12i\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:>\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xaa\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:1\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xe4\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x80\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:8\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,17 +32,17 @@ _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITPROPOSAL']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' + _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGVOTE']._loaded_options = None - _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' + _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None @@ -50,33 +50,33 @@ _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGVOTEWEIGHTED']._loaded_options = None - _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' + _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGDEPOSIT']._loaded_options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 - _globals['_MSGVOTE']._serialized_start=623 - _globals['_MSGVOTE']._serialized_end=785 - _globals['_MSGVOTERESPONSE']._serialized_start=787 - _globals['_MSGVOTERESPONSE']._serialized_end=804 - _globals['_MSGVOTEWEIGHTED']._serialized_start=807 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 - _globals['_MSGDEPOSIT']._serialized_start=1057 - _globals['_MSGDEPOSIT']._serialized_end=1326 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 - _globals['_MSG']._serialized_start=1351 - _globals['_MSG']._serialized_end=1722 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=539 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=541 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=611 + _globals['_MSGVOTE']._serialized_start=614 + _globals['_MSGVOTE']._serialized_end=784 + _globals['_MSGVOTERESPONSE']._serialized_start=786 + _globals['_MSGVOTERESPONSE']._serialized_end=803 + _globals['_MSGVOTEWEIGHTED']._serialized_start=806 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1034 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1036 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1061 + _globals['_MSGDEPOSIT']._serialized_start=1064 + _globals['_MSGDEPOSIT']._serialized_end=1320 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1322 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1342 + _globals['_MSG']._serialized_start=1345 + _globals['_MSG']._serialized_end=1716 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index a991e065..3d89b81d 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"t\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -105,15 +105,15 @@ _globals['_MSGEXEC'].fields_by_name['executor']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['executor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXEC']._loaded_options = None - _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\010executor\212\347\260*\030cosmos-sdk/group/MsgExec' + _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\006signer\212\347\260*\030cosmos-sdk/group/MsgExec' _globals['_MSGLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_MSGLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGLEAVEGROUP']._loaded_options = None _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=3743 - _globals['_EXEC']._serialized_end=3785 + _globals['_EXEC']._serialized_start=3741 + _globals['_EXEC']._serialized_end=3783 _globals['_MSGCREATEGROUP']._serialized_start=195 _globals['_MSGCREATEGROUP']._serialized_end=372 _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 @@ -163,13 +163,13 @@ _globals['_MSGVOTERESPONSE']._serialized_start=3376 _globals['_MSGVOTERESPONSE']._serialized_end=3393 _globals['_MSGEXEC']._serialized_start=3395 - _globals['_MSGEXEC']._serialized_end=3513 - _globals['_MSGEXECRESPONSE']._serialized_start=3515 - _globals['_MSGEXECRESPONSE']._serialized_end=3589 - _globals['_MSGLEAVEGROUP']._serialized_start=3591 - _globals['_MSGLEAVEGROUP']._serialized_end=3716 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 - _globals['_MSG']._serialized_start=3788 - _globals['_MSG']._serialized_end=5270 + _globals['_MSGEXEC']._serialized_end=3511 + _globals['_MSGEXECRESPONSE']._serialized_start=3513 + _globals['_MSGEXECRESPONSE']._serialized_end=3587 + _globals['_MSGLEAVEGROUP']._serialized_start=3589 + _globals['_MSGLEAVEGROUP']._serialized_end=3714 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3716 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3739 + _globals['_MSG']._serialized_start=3786 + _globals['_MSG']._serialized_end=5268 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index 8e9d633e..49d3c815 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb2\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12W\n\x11\x61nnual_provisions\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"\xb2\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12[\n\x15inflation_rate_change\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_max\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_min\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12Q\n\x0bgoal_bonded\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,21 +26,21 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None - _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None - _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['inflation_rate_change']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['inflation_max']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['inflation_min']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['goal_bonded']._loaded_options = None - _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' + _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=280 - _globals['_PARAMS']._serialized_start=283 - _globals['_PARAMS']._serialized_end=689 + _globals['_MINTER']._serialized_end=302 + _globals['_PARAMS']._serialized_start=305 + _globals['_PARAMS']._serialized_end=739 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index a2913ba0..0b4c0daf 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,20 +23,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._options = None + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._options = None + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._loaded_options = None _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/mint/v1beta1/params' - _globals['_QUERY'].methods_by_name['Inflation']._options = None + _globals['_QUERY'].methods_by_name['Inflation']._loaded_options = None _globals['_QUERY'].methods_by_name['Inflation']._serialized_options = b'\202\323\344\223\002 \022\036/cosmos/mint/v1beta1/inflation' - _globals['_QUERY'].methods_by_name['AnnualProvisions']._options = None + _globals['_QUERY'].methods_by_name['AnnualProvisions']._loaded_options = None _globals['_QUERY'].methods_by_name['AnnualProvisions']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/mint/v1beta1/annual_provisions' _globals['_QUERYPARAMSREQUEST']._serialized_start=159 _globals['_QUERYPARAMSREQUEST']._serialized_end=179 diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index 2d258863..dd86e0fc 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"4\n\x06Module:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=129 + _globals['_MODULE']._serialized_end=145 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 86d74c90..721fa443 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_EVENTSEND']._serialized_start=54 _globals['_EVENTSEND']._serialized_end=129 _globals['_EVENTMINT']._serialized_start=131 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index 3cd7775b..624f085b 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -15,14 +15,14 @@ from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_GENESISSTATE']._serialized_start=86 _globals['_GENESISSTATE']._serialized_end=188 _globals['_ENTRY']._serialized_start=190 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 0ea652f4..75541dec 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_CLASS']._serialized_start=80 _globals['_CLASS']._serialized_end=217 _globals['_NFT']._serialized_start=219 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index 1833db77..49f3bd40 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -17,14 +17,14 @@ from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 7bba41df..02edb4a1 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 47b4f025..a8ef3723 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"2\n\x06Module:(\xba\xc0\x96\xda\x01\"\n github.com/cosmos/cosmos-sdk/ormb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\"\n github.com/cosmos/cosmos-sdk/orm' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=139 + _globals['_MODULE']._serialized_end=155 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 3e072baf..a5cf001e 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -15,15 +15,15 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*\x9d\x01\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02\x12\x16\n\x12STORAGE_TYPE_INDEX\x10\x03\x12\x1b\n\x17STORAGE_TYPE_COMMITMENT\x10\x04:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None - _globals['_STORAGETYPE']._serialized_start=316 - _globals['_STORAGETYPE']._serialized_end=420 + _globals['_STORAGETYPE']._serialized_start=317 + _globals['_STORAGETYPE']._serialized_end=474 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 8826b367..e348413c 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xcc\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:M\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"A\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\t:\x04\x98\xa0\x1f\x00\x42:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,9 +28,11 @@ _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' + _globals['_PARAMCHANGE']._loaded_options = None + _globals['_PARAMCHANGE']._serialized_options = b'\230\240\037\000' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 - _globals['_PARAMCHANGE']._serialized_start=332 - _globals['_PARAMCHANGE']._serialized_end=391 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=334 + _globals['_PARAMCHANGE']._serialized_start=336 + _globals['_PARAMCHANGE']._serialized_end=401 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index 3c3b7f3a..fde88e59 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x92\x01\n\x0bSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x01\n\x15ValidatorMissedBlocks\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,19 +33,19 @@ _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_SIGNINGINFO'].fields_by_name['address']._loaded_options = None - _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._loaded_options = None _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._loaded_options = None - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 _globals['_GENESISSTATE']._serialized_end=403 _globals['_SIGNINGINFO']._serialized_start=406 - _globals['_SIGNINGINFO']._serialized_end=561 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 - _globals['_MISSEDBLOCK']._serialized_start=713 - _globals['_MISSEDBLOCK']._serialized_end=757 + _globals['_SIGNINGINFO']._serialized_end=552 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=555 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=693 + _globals['_MISSEDBLOCK']._serialized_start=695 + _globals['_MISSEDBLOCK']._serialized_end=739 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index a9ae1fce..87483528 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"I\n\x17QuerySigningInfoRequest\x12.\n\x0c\x63ons_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -31,7 +31,7 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None - _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._loaded_options = None _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._loaded_options = None @@ -47,13 +47,13 @@ _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 - _globals['_QUERY']._serialized_start=799 - _globals['_QUERY']._serialized_end=1297 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=424 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=426 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=536 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=538 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=624 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=627 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=787 + _globals['_QUERY']._serialized_start=790 + _globals['_QUERY']._serialized_end=1288 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 44cb63c1..bdc7487f 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xeb\x01\n\x14ValidatorSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x96\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12R\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12W\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12T\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,23 +28,23 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_VALIDATORSIGNINGINFO']._loaded_options = None - _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\350\240\037\001' + _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_PARAMS'].fields_by_name['min_signed_per_window']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 - _globals['_PARAMS']._serialized_start=444 - _globals['_PARAMS']._serialized_end=859 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=436 + _globals['_PARAMS']._serialized_start=439 + _globals['_PARAMS']._serialized_end=845 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index 301b19a3..e9cefcba 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8f\x01\n\tMsgUnjail\x12L\n\x0evalidator_addr\x18\x01 \x01(\tB4\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x14\x63osmos.AddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\x98\xa0\x1f\x01\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,9 +28,9 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None - _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' + _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\024cosmos.AddressString\242\347\260*\007address\250\347\260*\001' _globals['_MSGUNJAIL']._loaded_options = None - _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' + _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\230\240\037\001\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -40,13 +40,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=343 - _globals['_MSGUNJAILRESPONSE']._serialized_start=345 - _globals['_MSGUNJAILRESPONSE']._serialized_end=364 - _globals['_MSGUPDATEPARAMS']._serialized_start=367 - _globals['_MSGUPDATEPARAMS']._serialized_end=547 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 - _globals['_MSG']._serialized_start=577 - _globals['_MSG']._serialized_end=787 + _globals['_MSGUNJAIL']._serialized_end=338 + _globals['_MSGUNJAILRESPONSE']._serialized_start=340 + _globals['_MSGUNJAILRESPONSE']._serialized_end=359 + _globals['_MSGUPDATEPARAMS']._serialized_start=362 + _globals['_MSGUPDATEPARAMS']._serialized_end=542 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=544 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=569 + _globals['_MSG']._serialized_start=572 + _globals['_MSG']._serialized_end=782 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 0a57f943..2de912c9 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xe1\x03\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12K\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12J\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\x9e\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,16 +30,12 @@ _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._serialized_options = b'\252\337\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None - _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\262\347\260*\'cosmos-sdk/StakeAuthorization/AllowList' - _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._loaded_options = None - _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=738 - _globals['_AUTHORIZATIONTYPE']._serialized_end=948 + _globals['_AUTHORIZATIONTYPE']._serialized_start=647 + _globals['_AUTHORIZATIONTYPE']._serialized_end=805 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=735 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 + _globals['_STAKEAUTHORIZATION']._serialized_end=644 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=501 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=556 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index f5beaaea..6f5792cd 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa5\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,7 +29,7 @@ _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['validators']._loaded_options = None @@ -45,7 +45,7 @@ _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=717 - _globals['_LASTVALIDATORPOWER']._serialized_start=719 - _globals['_LASTVALIDATORPOWER']._serialized_end=807 + _globals['_GENESISSTATE']._serialized_end=720 + _globals['_LASTVALIDATORPOWER']._serialized_start=722 + _globals['_LASTVALIDATORPOWER']._serialized_end=810 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index 3c5ec26b..b025bdb8 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -21,7 +21,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"I\n\x15QueryValidatorRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x90\x01\n QueryValidatorDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x86\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x8f\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,27 +32,27 @@ _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\252\337\037\023DelegationResponses\250\347\260*\001' _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._loaded_options = None @@ -88,7 +88,7 @@ _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATORVALIDATORREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None @@ -130,57 +130,57 @@ _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 - _globals['_QUERYPOOLREQUEST']._serialized_start=3777 - _globals['_QUERYPOOLREQUEST']._serialized_end=3795 - _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 - _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 - _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 - _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 - _globals['_QUERY']._serialized_start=3978 - _globals['_QUERY']._serialized_end=6842 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=601 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=603 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=692 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=695 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=839 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=842 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1046 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1049 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1202 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1205 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1395 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1398 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1532 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1534 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1632 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1635 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1778 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1780 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1886 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1889 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2043 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2046 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2227 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2230 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2393 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2396 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2586 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2589 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2844 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2847 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3025 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3028 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3181 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3184 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3345 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3348 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3490 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3492 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3590 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3592 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3636 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3638 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3721 + _globals['_QUERYPOOLREQUEST']._serialized_start=3723 + _globals['_QUERYPOOLREQUEST']._serialized_end=3741 + _globals['_QUERYPOOLRESPONSE']._serialized_start=3743 + _globals['_QUERYPOOLRESPONSE']._serialized_end=3817 + _globals['_QUERYPARAMSREQUEST']._serialized_start=3819 + _globals['_QUERYPARAMSREQUEST']._serialized_end=3839 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=3841 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=3921 + _globals['_QUERY']._serialized_start=3924 + _globals['_QUERY']._serialized_end=6788 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 5ad70aef..8e4104f8 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -23,7 +23,7 @@ from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12N\n\x08max_rate\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x0fmax_change_rate\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa8\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"v\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfd\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12L\n\x06tokens\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12V\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x0b \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"E\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x98\xa0\x1f\x00\x80\xdc \x01\"\x80\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc1\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd2\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x06shares\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdb\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xde\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12P\n\nshares_dst\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x8a\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12i\n\x13min_commission_rate\x18\x06 \x01(\tBL\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\":(\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x98\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xee\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBV\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12i\n\rbonded_tokens\x18\x02 \x01(\tBR\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -46,29 +46,29 @@ _globals['_HISTORICALINFO'].fields_by_name['valset']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['valset']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_COMMISSIONRATES'].fields_by_name['rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_COMMISSIONRATES']._loaded_options = None - _globals['_COMMISSIONRATES']._serialized_options = b'\350\240\037\001' + _globals['_COMMISSIONRATES']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_COMMISSION'].fields_by_name['commission_rates']._loaded_options = None _globals['_COMMISSION'].fields_by_name['commission_rates']._serialized_options = b'\310\336\037\000\320\336\037\001\250\347\260*\001' _globals['_COMMISSION'].fields_by_name['update_time']._loaded_options = None _globals['_COMMISSION'].fields_by_name['update_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_COMMISSION']._loaded_options = None - _globals['_COMMISSION']._serialized_options = b'\350\240\037\001' + _globals['_COMMISSION']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_DESCRIPTION']._loaded_options = None - _globals['_DESCRIPTION']._serialized_options = b'\350\240\037\001' + _globals['_DESCRIPTION']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_VALIDATOR'].fields_by_name['operator_address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' _globals['_VALIDATOR'].fields_by_name['tokens']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_VALIDATOR'].fields_by_name['delegator_shares']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_VALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATOR'].fields_by_name['unbonding_time']._loaded_options = None @@ -76,87 +76,89 @@ _globals['_VALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_VALIDATOR']._loaded_options = None - _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_VALADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_VALADDRESSES'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALADDRESSES']._loaded_options = None + _globals['_VALADDRESSES']._serialized_options = b'\230\240\037\000\200\334 \001' _globals['_DVPAIR'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVPAIR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVPAIR'].fields_by_name['validator_address']._loaded_options = None - _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVPAIR']._loaded_options = None - _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_DVPAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_DVPAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVVTRIPLET']._loaded_options = None - _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_DVVTRIPLETS'].fields_by_name['triplets']._loaded_options = None _globals['_DVVTRIPLETS'].fields_by_name['triplets']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATION'].fields_by_name['shares']._loaded_options = None - _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_DELEGATION']._loaded_options = None - _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_UNBONDINGDELEGATION']._loaded_options = None - _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_UNBONDINGDELEGATIONENTRY']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._loaded_options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_REDELEGATIONENTRY']._loaded_options = None - _globals['_REDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' + _globals['_REDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' _globals['_REDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_REDELEGATION'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_REDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_REDELEGATION']._loaded_options = None - _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' _globals['_PARAMS'].fields_by_name['unbonding_time']._loaded_options = None _globals['_PARAMS'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PARAMS'].fields_by_name['min_commission_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\362\336\037\032yaml:\"min_commission_rate\"\322\264-\ncosmos.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\362\336\037\032yaml:\"min_commission_rate\"' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' + _globals['_PARAMS']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATIONRESPONSE']._loaded_options = None - _globals['_DELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' + _globals['_DELEGATIONRESPONSE']._serialized_options = b'\230\240\037\000\350\240\037\000' _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._loaded_options = None - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_REDELEGATIONENTRYRESPONSE']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE']._serialized_options = b'\350\240\037\001' _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._loaded_options = None @@ -166,57 +168,57 @@ _globals['_REDELEGATIONRESPONSE']._loaded_options = None _globals['_REDELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' _globals['_POOL'].fields_by_name['not_bonded_tokens']._loaded_options = None - _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' _globals['_POOL'].fields_by_name['bonded_tokens']._loaded_options = None - _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' _globals['_POOL']._loaded_options = None _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=4740 - _globals['_BONDSTATUS']._serialized_end=4922 - _globals['_INFRACTION']._serialized_start=4924 - _globals['_INFRACTION']._serialized_end=5017 + _globals['_BONDSTATUS']._serialized_start=4918 + _globals['_BONDSTATUS']._serialized_end=5100 + _globals['_INFRACTION']._serialized_start=5102 + _globals['_INFRACTION']._serialized_end=5195 _globals['_HISTORICALINFO']._serialized_start=316 _globals['_HISTORICALINFO']._serialized_end=447 _globals['_COMMISSIONRATES']._serialized_start=450 - _globals['_COMMISSIONRATES']._serialized_end=698 - _globals['_COMMISSION']._serialized_start=701 - _globals['_COMMISSION']._serialized_end=865 - _globals['_DESCRIPTION']._serialized_start=867 - _globals['_DESCRIPTION']._serialized_end=981 - _globals['_VALIDATOR']._serialized_start=984 - _globals['_VALIDATOR']._serialized_end=1700 - _globals['_VALADDRESSES']._serialized_start=1702 - _globals['_VALADDRESSES']._serialized_end=1761 - _globals['_DVPAIR']._serialized_start=1764 - _globals['_DVPAIR']._serialized_end=1897 - _globals['_DVPAIRS']._serialized_start=1899 - _globals['_DVPAIRS']._serialized_end=1966 - _globals['_DVVTRIPLET']._serialized_start=1969 - _globals['_DVVTRIPLET']._serialized_end=2176 - _globals['_DVVTRIPLETS']._serialized_start=2178 - _globals['_DVVTRIPLETS']._serialized_end=2256 - _globals['_DELEGATION']._serialized_start=2259 - _globals['_DELEGATION']._serialized_end=2463 - _globals['_UNBONDINGDELEGATION']._serialized_start=2466 - _globals['_UNBONDINGDELEGATION']._serialized_end=2690 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 - _globals['_REDELEGATIONENTRY']._serialized_start=3012 - _globals['_REDELEGATIONENTRY']._serialized_end=3330 - _globals['_REDELEGATION']._serialized_start=3333 - _globals['_REDELEGATION']._serialized_end=3613 - _globals['_PARAMS']._serialized_start=3616 - _globals['_PARAMS']._serialized_end=3936 - _globals['_DELEGATIONRESPONSE']._serialized_start=3939 - _globals['_DELEGATIONRESPONSE']._serialized_end=4087 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 - _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 - _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 - _globals['_POOL']._serialized_start=4451 - _globals['_POOL']._serialized_end=4655 - _globals['_VALIDATORUPDATES']._serialized_start=4657 - _globals['_VALIDATORUPDATES']._serialized_end=4737 + _globals['_COMMISSIONRATES']._serialized_end=720 + _globals['_COMMISSION']._serialized_start=723 + _globals['_COMMISSION']._serialized_end=891 + _globals['_DESCRIPTION']._serialized_start=893 + _globals['_DESCRIPTION']._serialized_end=1011 + _globals['_VALIDATOR']._serialized_start=1014 + _globals['_VALIDATOR']._serialized_end=1779 + _globals['_VALADDRESSES']._serialized_start=1781 + _globals['_VALADDRESSES']._serialized_end=1850 + _globals['_DVPAIR']._serialized_start=1853 + _globals['_DVPAIR']._serialized_end=1981 + _globals['_DVPAIRS']._serialized_start=1983 + _globals['_DVPAIRS']._serialized_end=2050 + _globals['_DVVTRIPLET']._serialized_start=2053 + _globals['_DVVTRIPLET']._serialized_end=2246 + _globals['_DVVTRIPLETS']._serialized_start=2248 + _globals['_DVVTRIPLETS']._serialized_end=2326 + _globals['_DELEGATION']._serialized_start=2329 + _globals['_DELEGATION']._serialized_end=2539 + _globals['_UNBONDINGDELEGATION']._serialized_start=2542 + _globals['_UNBONDINGDELEGATION']._serialized_end=2761 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2764 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3118 + _globals['_REDELEGATIONENTRY']._serialized_start=3121 + _globals['_REDELEGATIONENTRY']._serialized_end=3471 + _globals['_REDELEGATION']._serialized_start=3474 + _globals['_REDELEGATION']._serialized_end=3740 + _globals['_PARAMS']._serialized_start=3743 + _globals['_PARAMS']._serialized_end=4059 + _globals['_DELEGATIONRESPONSE']._serialized_start=4062 + _globals['_DELEGATIONRESPONSE']._serialized_end=4214 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4217 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4411 + _globals['_REDELEGATIONRESPONSE']._serialized_start=4414 + _globals['_REDELEGATIONRESPONSE']._serialized_end=4592 + _globals['_POOL']._serialized_start=4595 + _globals['_POOL']._serialized_end=4833 + _globals['_VALIDATORUPDATES']._serialized_start=4835 + _globals['_VALIDATORUPDATES']._serialized_end=4915 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index 580199e6..2c031060 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -22,7 +22,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb3\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x33\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x05 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xf6\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x63ommission_rate\x18\x03 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x13min_self_delegation\x18\x04 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xe8\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xb3\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xec\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"[\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xa3\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -35,31 +35,31 @@ _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\030\001\322\264-\024cosmos.AddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR']._loaded_options = None - _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' + _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' + _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' + _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' _globals['_MSGEDITVALIDATOR']._loaded_options = None _globals['_MSGEDITVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\033cosmos-sdk/MsgEditValidator' _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGDELEGATE'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGDELEGATE']._loaded_options = None @@ -67,9 +67,9 @@ _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGBEGINREDELEGATE']._loaded_options = None @@ -79,19 +79,17 @@ _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUNDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGUNDELEGATE']._loaded_options = None _globals['_MSGUNDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\030cosmos-sdk/MsgUndelegate' _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCANCELUNBONDINGDELEGATION']._loaded_options = None @@ -105,33 +103,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=823 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 - _globals['_MSGEDITVALIDATOR']._serialized_start=856 - _globals['_MSGEDITVALIDATOR']._serialized_end=1211 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 - _globals['_MSGDELEGATE']._serialized_start=1242 - _globals['_MSGDELEGATE']._serialized_end=1483 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 - _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 - _globals['_MSGUNDELEGATE']._serialized_start=1935 - _globals['_MSGUNDELEGATE']._serialized_end=2180 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 - _globals['_MSGUPDATEPARAMS']._serialized_start=2674 - _globals['_MSGUPDATEPARAMS']._serialized_end=2852 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 - _globals['_MSG']._serialized_start=2882 - _globals['_MSG']._serialized_end=3679 + _globals['_MSGCREATEVALIDATOR']._serialized_end=846 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=848 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=876 + _globals['_MSGEDITVALIDATOR']._serialized_start=879 + _globals['_MSGEDITVALIDATOR']._serialized_end=1253 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1255 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1281 + _globals['_MSGDELEGATE']._serialized_start=1284 + _globals['_MSGDELEGATE']._serialized_end=1516 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1518 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1539 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1542 + _globals['_MSGBEGINREDELEGATE']._serialized_end=1849 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1851 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1947 + _globals['_MSGUNDELEGATE']._serialized_start=1950 + _globals['_MSGUNDELEGATE']._serialized_end=2186 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2188 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2279 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2282 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2573 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2575 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2613 + _globals['_MSGUPDATEPARAMS']._serialized_start=2616 + _globals['_MSGUPDATEPARAMS']._serialized_end=2794 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2796 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2821 + _globals['_MSG']._serialized_start=2824 + _globals['_MSG']._serialized_end=3621 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 8c07cb9d..7cf9cc45 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xaf\x01\n\x12GetTxsEventRequest\x12\x0e\n\x06\x65vents\x18\x01 \x03(\t\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,8 +30,6 @@ _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' - _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None - _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._serialized_options = b'\030\001' _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._serialized_options = b'\030\001' _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._loaded_options = None @@ -56,46 +54,46 @@ _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=1838 - _globals['_ORDERBY']._serialized_end=1910 - _globals['_BROADCASTMODE']._serialized_start=1913 - _globals['_BROADCASTMODE']._serialized_end=2041 + _globals['_ORDERBY']._serialized_start=1819 + _globals['_ORDERBY']._serialized_end=1891 + _globals['_BROADCASTMODE']._serialized_start=1894 + _globals['_BROADCASTMODE']._serialized_end=2022 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=448 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 - _globals['_BROADCASTTXREQUEST']._serialized_start=650 - _globals['_BROADCASTTXREQUEST']._serialized_end=736 - _globals['_BROADCASTTXRESPONSE']._serialized_start=738 - _globals['_BROADCASTTXRESPONSE']._serialized_end=818 - _globals['_SIMULATEREQUEST']._serialized_start=820 - _globals['_SIMULATEREQUEST']._serialized_end=894 - _globals['_SIMULATERESPONSE']._serialized_start=896 - _globals['_SIMULATERESPONSE']._serialized_end=1017 - _globals['_GETTXREQUEST']._serialized_start=1019 - _globals['_GETTXREQUEST']._serialized_end=1047 - _globals['_GETTXRESPONSE']._serialized_start=1049 - _globals['_GETTXRESPONSE']._serialized_end=1158 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 - _globals['_TXDECODEREQUEST']._serialized_start=1472 - _globals['_TXDECODEREQUEST']._serialized_end=1507 - _globals['_TXDECODERESPONSE']._serialized_start=1509 - _globals['_TXDECODERESPONSE']._serialized_end=1562 - _globals['_TXENCODEREQUEST']._serialized_start=1564 - _globals['_TXENCODEREQUEST']._serialized_end=1616 - _globals['_TXENCODERESPONSE']._serialized_start=1618 - _globals['_TXENCODERESPONSE']._serialized_end=1654 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 - _globals['_SERVICE']._serialized_start=2044 - _globals['_SERVICE']._serialized_end=3238 + _globals['_GETTXSEVENTREQUEST']._serialized_end=429 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=432 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=629 + _globals['_BROADCASTTXREQUEST']._serialized_start=631 + _globals['_BROADCASTTXREQUEST']._serialized_end=717 + _globals['_BROADCASTTXRESPONSE']._serialized_start=719 + _globals['_BROADCASTTXRESPONSE']._serialized_end=799 + _globals['_SIMULATEREQUEST']._serialized_start=801 + _globals['_SIMULATEREQUEST']._serialized_end=875 + _globals['_SIMULATERESPONSE']._serialized_start=877 + _globals['_SIMULATERESPONSE']._serialized_end=998 + _globals['_GETTXREQUEST']._serialized_start=1000 + _globals['_GETTXREQUEST']._serialized_end=1028 + _globals['_GETTXRESPONSE']._serialized_start=1030 + _globals['_GETTXRESPONSE']._serialized_end=1139 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1141 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1241 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1244 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1451 + _globals['_TXDECODEREQUEST']._serialized_start=1453 + _globals['_TXDECODEREQUEST']._serialized_end=1488 + _globals['_TXDECODERESPONSE']._serialized_start=1490 + _globals['_TXDECODERESPONSE']._serialized_end=1543 + _globals['_TXENCODEREQUEST']._serialized_start=1545 + _globals['_TXENCODEREQUEST']._serialized_end=1597 + _globals['_TXENCODERESPONSE']._serialized_start=1599 + _globals['_TXENCODERESPONSE']._serialized_end=1635 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1637 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1679 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1681 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=1726 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=1728 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=1772 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=1774 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=1817 + _globals['_SERVICE']._serialized_start=2025 + _globals['_SERVICE']._serialized_end=3219 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 9fea9c00..7d40dcf1 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,20 +25,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' - _globals['_FEE'].fields_by_name['amount']._options = None + _globals['_FEE'].fields_by_name['amount']._loaded_options = None _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['payer']._options = None + _globals['_FEE'].fields_by_name['payer']._loaded_options = None _globals['_FEE'].fields_by_name['payer']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_FEE'].fields_by_name['granter']._options = None + _globals['_FEE'].fields_by_name['granter']._loaded_options = None _globals['_FEE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TIP'].fields_by_name['amount']._options = None + _globals['_TIP'].fields_by_name['amount']._loaded_options = None _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TIP'].fields_by_name['tipper']._options = None + _globals['_TIP'].fields_by_name['tipper']._loaded_options = None _globals['_TIP'].fields_by_name['tipper']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_AUXSIGNERDATA'].fields_by_name['address']._options = None + _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_TX']._serialized_start=245 _globals['_TX']._serialized_end=358 diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index df361b5f..895ec676 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"K\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/upgradeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=176 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index 0e675166..a74c0a2a 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 3c05fcb7..495300d8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -19,14 +19,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 44b5bc6d..3fe64f43 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -19,34 +19,34 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc4\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x1c\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc5\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:O\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x9a\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:U\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"8\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x08\x98\xa0\x1f\x01\xe8\xa0\x1f\x01\x42\x32Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\310\341\036\000' _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_PLAN'].fields_by_name['upgraded_client_state']._serialized_options = b'\030\001' _globals['_PLAN']._loaded_options = None - _globals['_PLAN']._serialized_options = b'\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' + _globals['_PLAN']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_SOFTWAREUPGRADEPROPOSAL']._loaded_options = None - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._loaded_options = None - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' _globals['_MODULEVERSION']._loaded_options = None - _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' + _globals['_MODULEVERSION']._serialized_options = b'\230\240\037\001\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=385 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 - _globals['_MODULEVERSION']._serialized_start=736 - _globals['_MODULEVERSION']._serialized_end=788 + _globals['_PLAN']._serialized_end=389 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=392 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=589 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=592 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=746 + _globals['_MODULEVERSION']._serialized_start=748 + _globals['_MODULEVERSION']._serialized_end=804 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 79a44dc4..d03bc6b9 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\x9e\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe9\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:D\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0**cosmos-sdk/MsgCreatePeriodicVestingAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,7 +33,7 @@ _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*\"cosmos-sdk/MsgCreateVestingAccount' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._loaded_options = None @@ -41,27 +41,27 @@ _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._serialized_options = b'\362\336\037\021yaml:\"to_address\"' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePermLockedAccount' _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._loaded_options = None - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePeriodVestAccount' + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260**cosmos-sdk/MsgCreatePeriodicVestingAccount' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 - _globals['_MSG']._serialized_start=1215 - _globals['_MSG']._serialized_end=1668 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=537 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=539 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=572 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=575 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=861 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=863 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=904 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=907 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1140 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1142 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1183 + _globals['_MSG']._serialized_start=1186 + _globals['_MSG']._serialized_end=1639 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index e45679c4..c063be82 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xd3\x03\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12j\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12h\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12k\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xb0\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:0\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x96\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:-\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x80\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12`\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"\xf0\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x98\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,43 +29,45 @@ _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT']._loaded_options = None - _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' + _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_CONTINUOUSVESTINGACCOUNT']._loaded_options = None - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_DELAYEDVESTINGACCOUNT']._loaded_options = None - _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' + _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' _globals['_PERIOD'].fields_by_name['amount']._loaded_options = None - _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_PERIOD']._loaded_options = None + _globals['_PERIOD']._serialized_options = b'\230\240\037\000' _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PERIODICVESTINGACCOUNT']._loaded_options = None - _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' + _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=684 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 - _globals['_PERIOD']._serialized_start=1011 - _globals['_PERIOD']._serialized_end=1150 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 + _globals['_BASEVESTINGACCOUNT']._serialized_end=637 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=640 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=816 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=819 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=969 + _globals['_PERIOD']._serialized_start=972 + _globals['_PERIOD']._serialized_end=1100 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1103 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1343 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1346 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1498 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index 275500ae..dad537ab 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xc1\x01\n\rContractGrant\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,8 +40,6 @@ _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CONTRACTMIGRATIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractMigrationAuthorization' - _globals['_CONTRACTGRANT'].fields_by_name['contract']._loaded_options = None - _globals['_CONTRACTGRANT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CONTRACTGRANT'].fields_by_name['limit']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['limit']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX' _globals['_CONTRACTGRANT'].fields_by_name['filter']._loaded_options = None @@ -73,17 +71,17 @@ _globals['_CODEGRANT']._serialized_start=712 _globals['_CODEGRANT']._serialized_end=806 _globals['_CONTRACTGRANT']._serialized_start=809 - _globals['_CONTRACTGRANT']._serialized_end=1028 - _globals['_MAXCALLSLIMIT']._serialized_start=1030 - _globals['_MAXCALLSLIMIT']._serialized_end=1129 - _globals['_MAXFUNDSLIMIT']._serialized_start=1132 - _globals['_MAXFUNDSLIMIT']._serialized_end=1311 - _globals['_COMBINEDLIMIT']._serialized_start=1314 - _globals['_COMBINEDLIMIT']._serialized_end=1518 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 + _globals['_CONTRACTGRANT']._serialized_end=1002 + _globals['_MAXCALLSLIMIT']._serialized_start=1004 + _globals['_MAXCALLSLIMIT']._serialized_end=1103 + _globals['_MAXFUNDSLIMIT']._serialized_start=1106 + _globals['_MAXFUNDSLIMIT']._serialized_end=1285 + _globals['_COMBINEDLIMIT']._serialized_start=1288 + _globals['_COMBINEDLIMIT']._serialized_end=1492 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1494 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1593 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1595 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1714 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1717 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1858 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index f312d839..bab7538f 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,28 +22,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' - _globals['_GENESISSTATE'].fields_by_name['params']._options = None + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['codes']._options = None + _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['codes']._serialized_options = b'\310\336\037\000\352\336\037\017codes,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['contracts']._options = None + _globals['_GENESISSTATE'].fields_by_name['contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['contracts']._serialized_options = b'\310\336\037\000\352\336\037\023contracts,omitempty\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['sequences']._options = None + _globals['_GENESISSTATE'].fields_by_name['sequences']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['sequences']._serialized_options = b'\310\336\037\000\352\336\037\023sequences,omitempty\250\347\260*\001' - _globals['_CODE'].fields_by_name['code_id']._options = None + _globals['_CODE'].fields_by_name['code_id']._loaded_options = None _globals['_CODE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CODE'].fields_by_name['code_info']._options = None + _globals['_CODE'].fields_by_name['code_info']._loaded_options = None _globals['_CODE'].fields_by_name['code_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_info']._options = None + _globals['_CONTRACT'].fields_by_name['contract_info']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_state']._options = None + _globals['_CONTRACT'].fields_by_name['contract_state']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_state']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CONTRACT'].fields_by_name['contract_code_history']._options = None + _globals['_CONTRACT'].fields_by_name['contract_code_history']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_code_history']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_SEQUENCE'].fields_by_name['id_key']._options = None + _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' _globals['_GENESISSTATE']._serialized_start=124 _globals['_GENESISSTATE']._serialized_end=422 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 0865237f..9173c39c 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,62 +24,62 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' - _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._options = None + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\320\336\037\001\352\336\037\000\250\347\260*\001' - _globals['_QUERYCONTRACTINFORESPONSE']._options = None + _globals['_QUERYCONTRACTINFORESPONSE']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._options = None + _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._options = None + _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._loaded_options = None _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._options = None + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' - _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' - _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._options = None + _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CODEINFORESPONSE']._options = None + _globals['_CODEINFORESPONSE']._loaded_options = None _globals['_CODEINFORESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['code_info']._serialized_options = b'\320\336\037\001\352\336\037\000' - _globals['_QUERYCODERESPONSE'].fields_by_name['data']._options = None + _globals['_QUERYCODERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYCODERESPONSE'].fields_by_name['data']._serialized_options = b'\352\336\037\004data' - _globals['_QUERYCODERESPONSE']._options = None + _globals['_QUERYCODERESPONSE']._loaded_options = None _globals['_QUERYCODERESPONSE']._serialized_options = b'\350\240\037\001' - _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._options = None + _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._loaded_options = None _globals['_QUERYCODESRESPONSE'].fields_by_name['code_infos']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._options = None + _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._loaded_options = None _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs' - _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._options = None + _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_QUERY'].methods_by_name['ContractInfo']._options = None + _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' - _globals['_QUERY'].methods_by_name['ContractHistory']._options = None + _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractHistory']._serialized_options = b'\202\323\344\223\002.\022,/cosmwasm/wasm/v1/contract/{address}/history' - _globals['_QUERY'].methods_by_name['ContractsByCode']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCode']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCode']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/code/{code_id}/contracts' - _globals['_QUERY'].methods_by_name['AllContractState']._options = None + _globals['_QUERY'].methods_by_name['AllContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['AllContractState']._serialized_options = b'\202\323\344\223\002,\022*/cosmwasm/wasm/v1/contract/{address}/state' - _globals['_QUERY'].methods_by_name['RawContractState']._options = None + _globals['_QUERY'].methods_by_name['RawContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['RawContractState']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}' - _globals['_QUERY'].methods_by_name['SmartContractState']._options = None + _globals['_QUERY'].methods_by_name['SmartContractState']._loaded_options = None _globals['_QUERY'].methods_by_name['SmartContractState']._serialized_options = b'\202\323\344\223\0029\0227/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}' - _globals['_QUERY'].methods_by_name['Code']._options = None + _globals['_QUERY'].methods_by_name['Code']._loaded_options = None _globals['_QUERY'].methods_by_name['Code']._serialized_options = b'\202\323\344\223\002\"\022 /cosmwasm/wasm/v1/code/{code_id}' - _globals['_QUERY'].methods_by_name['Codes']._options = None + _globals['_QUERY'].methods_by_name['Codes']._loaded_options = None _globals['_QUERY'].methods_by_name['Codes']._serialized_options = b'\202\323\344\223\002\030\022\026/cosmwasm/wasm/v1/code' - _globals['_QUERY'].methods_by_name['PinnedCodes']._options = None + _globals['_QUERY'].methods_by_name['PinnedCodes']._loaded_options = None _globals['_QUERY'].methods_by_name['PinnedCodes']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/pinned' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' - _globals['_QUERY'].methods_by_name['ContractsByCreator']._options = None + _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=195 _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=238 diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index a734b3d1..32bd71b3 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -20,7 +20,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x0cMsgStoreCode\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\x96\x02\n\x16MsgInstantiateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"?\n\x1eMsgInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb7\x02\n\x17MsgInstantiateContract2\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"@\n\x1fMsgInstantiateContract2Response\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xe5\x01\n\x12MsgExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa1\x01\n\x12MsgMigrateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"j\n\x0eMsgUpdateAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"U\n\rMsgClearAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xbe\x01\n\x1aMsgUpdateInstantiateConfig\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9e\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xdb\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x06 \x01(\t\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"G\n&MsgStoreAndInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xce\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponseB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,18 +28,12 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' - _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None - _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_MSGSTORECODE']._loaded_options = None _globals['_MSGSTORECODE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\021wasm/MsgStoreCode' _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None @@ -48,12 +42,6 @@ _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' - _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None @@ -62,44 +50,22 @@ _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' - _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None - _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._loaded_options = None - _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' - _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None - _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._loaded_options = None - _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._loaded_options = None - _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEADMIN']._loaded_options = None _globals['_MSGUPDATEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\023wasm/MsgUpdateAdmin' - _globals['_MSGCLEARADMIN'].fields_by_name['sender']._loaded_options = None - _globals['_MSGCLEARADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGCLEARADMIN'].fields_by_name['contract']._loaded_options = None - _globals['_MSGCLEARADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCLEARADMIN']._loaded_options = None _globals['_MSGCLEARADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022wasm/MsgClearAdmin' - _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._loaded_options = None - _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGUPDATEINSTANTIATECONFIG']._loaded_options = None @@ -112,8 +78,6 @@ _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgUpdateParams' _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None - _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSUDOCONTRACT']._loaded_options = None @@ -134,16 +98,12 @@ _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None @@ -172,76 +132,74 @@ _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATECONTRACTLABEL']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgUpdateContractLabel' - _globals['_MSG']._loaded_options = None - _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=412 - _globals['_MSGSTORECODERESPONSE']._serialized_start=414 - _globals['_MSGSTORECODERESPONSE']._serialized_end=483 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 - _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 - _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 - _globals['_MSGUPDATEADMIN']._serialized_start=1956 - _globals['_MSGUPDATEADMIN']._serialized_end=2140 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 - _globals['_MSGCLEARADMIN']._serialized_start=2169 - _globals['_MSGCLEARADMIN']._serialized_end=2306 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 - _globals['_MSGUPDATEPARAMS']._serialized_start=2591 - _globals['_MSGUPDATEPARAMS']._serialized_end=2747 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 - _globals['_MSGSUDOCONTRACT']._serialized_start=2777 - _globals['_MSGSUDOCONTRACT']._serialized_end=2961 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 - _globals['_MSGPINCODES']._serialized_start=3005 - _globals['_MSGPINCODES']._serialized_end=3150 - _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 - _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 - _globals['_MSGUNPINCODES']._serialized_start=3176 - _globals['_MSGUNPINCODES']._serialized_end=3325 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 - _globals['_MSG']._serialized_start=5008 - _globals['_MSG']._serialized_end=6885 + _globals['_MSGSTORECODE']._serialized_end=386 + _globals['_MSGSTORECODERESPONSE']._serialized_start=388 + _globals['_MSGSTORECODERESPONSE']._serialized_end=457 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=460 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=738 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=740 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=803 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=806 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1117 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1119 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1183 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1186 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1415 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1417 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1459 + _globals['_MSGMIGRATECONTRACT']._serialized_start=1462 + _globals['_MSGMIGRATECONTRACT']._serialized_end=1623 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1625 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1667 + _globals['_MSGUPDATEADMIN']._serialized_start=1669 + _globals['_MSGUPDATEADMIN']._serialized_end=1775 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=1777 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=1801 + _globals['_MSGCLEARADMIN']._serialized_start=1803 + _globals['_MSGCLEARADMIN']._serialized_end=1888 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=1890 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=1913 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=1916 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2106 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2108 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2144 + _globals['_MSGUPDATEPARAMS']._serialized_start=2147 + _globals['_MSGUPDATEPARAMS']._serialized_end=2303 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2305 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2330 + _globals['_MSGSUDOCONTRACT']._serialized_start=2333 + _globals['_MSGSUDOCONTRACT']._serialized_end=2491 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2493 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=2532 + _globals['_MSGPINCODES']._serialized_start=2535 + _globals['_MSGPINCODES']._serialized_end=2680 + _globals['_MSGPINCODESRESPONSE']._serialized_start=2682 + _globals['_MSGPINCODESRESPONSE']._serialized_end=2703 + _globals['_MSGUNPINCODES']._serialized_start=2706 + _globals['_MSGUNPINCODES']._serialized_end=2855 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=2857 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=2880 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=2883 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3358 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3360 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3431 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3434 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=3610 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3612 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3653 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=3656 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=3838 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3840 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3884 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=3887 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4173 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4175 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4272 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4275 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4449 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4451 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=4483 + _globals['_MSG']._serialized_start=4486 + _globals['_MSG']._serialized_end=6356 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index 84dc2204..6457d5df 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x8c\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12\'\n\taddresses\x18\x03 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x81\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x90\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\r\n\x05\x61\x64min\x18\x03 \x01(\t\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -54,7 +54,7 @@ _globals['_ACCESSCONFIG'].fields_by_name['permission']._loaded_options = None _globals['_ACCESSCONFIG'].fields_by_name['permission']._serialized_options = b'\362\336\037\021yaml:\"permission\"' _globals['_ACCESSCONFIG'].fields_by_name['addresses']._loaded_options = None - _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' _globals['_ACCESSCONFIG']._loaded_options = None _globals['_ACCESSCONFIG']._serialized_options = b'\230\240\037\001' _globals['_PARAMS'].fields_by_name['code_upload_access']._loaded_options = None @@ -63,16 +63,10 @@ _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._serialized_options = b'\362\336\037%yaml:\"instantiate_default_permission\"' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000' - _globals['_CODEINFO'].fields_by_name['creator']._loaded_options = None - _globals['_CODEINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CODEINFO'].fields_by_name['instantiate_config']._loaded_options = None _globals['_CODEINFO'].fields_by_name['instantiate_config']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CONTRACTINFO'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' - _globals['_CONTRACTINFO'].fields_by_name['creator']._loaded_options = None - _globals['_CONTRACTINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_CONTRACTINFO'].fields_by_name['admin']._loaded_options = None - _globals['_CONTRACTINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._serialized_options = b'\342\336\037\tIBCPortID' _globals['_CONTRACTINFO'].fields_by_name['extension']._loaded_options = None @@ -97,32 +91,32 @@ _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2089 - _globals['_ACCESSTYPE']._serialized_end=2335 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 + _globals['_ACCESSTYPE']._serialized_start=2007 + _globals['_ACCESSTYPE']._serialized_end=2253 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2256 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2678 _globals['_ACCESSTYPEPARAM']._serialized_start=177 _globals['_ACCESSTYPEPARAM']._serialized_end=263 _globals['_ACCESSCONFIG']._serialized_start=266 - _globals['_ACCESSCONFIG']._serialized_end=410 - _globals['_PARAMS']._serialized_start=413 - _globals['_PARAMS']._serialized_end=640 - _globals['_CODEINFO']._serialized_start=643 - _globals['_CODEINFO']._serialized_end=798 - _globals['_CONTRACTINFO']._serialized_start=801 - _globals['_CONTRACTINFO']._serialized_end=1125 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 - _globals['_MODEL']._serialized_start=1410 - _globals['_MODEL']._serialized_end=1499 - _globals['_EVENTCODESTORED']._serialized_start=1502 - _globals['_EVENTCODESTORED']._serialized_end=1638 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 + _globals['_ACCESSCONFIG']._serialized_end=406 + _globals['_PARAMS']._serialized_start=409 + _globals['_PARAMS']._serialized_end=636 + _globals['_CODEINFO']._serialized_start=639 + _globals['_CODEINFO']._serialized_end=768 + _globals['_CONTRACTINFO']._serialized_start=771 + _globals['_CONTRACTINFO']._serialized_end=1043 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1046 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1264 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1266 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1326 + _globals['_MODEL']._serialized_start=1328 + _globals['_MODEL']._serialized_end=1417 + _globals['_EVENTCODESTORED']._serialized_start=1420 + _globals['_EVENTCODESTORED']._serialized_end=1556 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1559 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1817 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1819 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=1934 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=1936 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2004 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 1f56a37a..b0132f20 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -85,11 +85,6 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, _registered_method=True) - self.StreamAccountData = channel.unary_stream( - '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', - request_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, - response_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, - _registered_method=True) class InjectiveAccountsRPCServicer(object): @@ -161,13 +156,6 @@ def Rewards(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def StreamAccountData(self, request, context): - """Stream live data for an account and respective data - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_InjectiveAccountsRPCServicer_to_server(servicer, server): rpc_method_handlers = { @@ -216,11 +204,6 @@ def add_InjectiveAccountsRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.FromString, response_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.SerializeToString, ), - 'StreamAccountData': grpc.unary_stream_rpc_method_handler( - servicer.StreamAccountData, - request_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.FromString, - response_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) @@ -475,30 +458,3 @@ def Rewards(request, timeout, metadata, _registered_method=True) - - @staticmethod - def StreamAccountData(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_stream( - request, - target, - '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', - exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, - exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index fd748ea4..c4b38643 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -50,11 +50,6 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, _registered_method=True) - self.GetContractTxsV2 = channel.unary_unary( - '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', - request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, - response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, - _registered_method=True) self.GetBlocks = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, @@ -170,13 +165,6 @@ def GetContractTxs(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def GetContractTxsV2(self, request, context): - """GetContractTxs returns contract-related transactions - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def GetBlocks(self, request, context): """GetBlocks returns blocks based upon the request params """ @@ -327,11 +315,6 @@ def add_InjectiveExplorerRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.FromString, response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.SerializeToString, ), - 'GetContractTxsV2': grpc.unary_unary_rpc_method_handler( - servicer.GetContractTxsV2, - request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.FromString, - response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.SerializeToString, - ), 'GetBlocks': grpc.unary_unary_rpc_method_handler( servicer.GetBlocks, request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.FromString, @@ -493,33 +476,6 @@ def GetContractTxs(request, metadata, _registered_method=True) - @staticmethod - def GetContractTxsV2(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', - exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, - exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def GetBlocks(request, target, diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index 87a6c3ca..166958ee 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -45,11 +45,6 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, _registered_method=True) - self.Fund = channel.unary_unary( - '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', - request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, - response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, - _registered_method=True) self.Redemptions = channel.unary_unary( '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', request_serializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, @@ -68,13 +63,6 @@ def Funds(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Fund(self, request, context): - """Funds returns an insurance fund for a given insurance fund token denom. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def Redemptions(self, request, context): """PendingRedemptions lists all pending redemptions according to a filter """ @@ -90,11 +78,6 @@ def add_InjectiveInsuranceRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.FromString, response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.SerializeToString, ), - 'Fund': grpc.unary_unary_rpc_method_handler( - servicer.Fund, - request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.FromString, - response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.SerializeToString, - ), 'Redemptions': grpc.unary_unary_rpc_method_handler( servicer.Redemptions, request_deserializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.FromString, @@ -139,33 +122,6 @@ def Funds(request, metadata, _registered_method=True) - @staticmethod - def Fund(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', - exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, - exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def Redemptions(request, target, diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index 4d936af4..716437f5 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,14 +20,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._serialized_options = b'\362\336\037\032yaml:\"app_acknowledgement\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._serialized_options = b'\362\336\037\036yaml:\"forward_relayer_address\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._options = None + _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._loaded_options = None _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._serialized_options = b'\362\336\037\036yaml:\"underlying_app_successl\"' _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=85 _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=312 diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index a4c40ba3..47cc73b1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,24 +22,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_FEE'].fields_by_name['recv_fee']._options = None + _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"recv_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['ack_fee']._options = None + _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\362\336\037\016yaml:\"ack_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEE'].fields_by_name['timeout_fee']._options = None + _globals['_FEE'].fields_by_name['timeout_fee']._loaded_options = None _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"timeout_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PACKETFEE'].fields_by_name['fee']._options = None + _globals['_PACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_PACKETFEE'].fields_by_name['refund_address']._options = None + _globals['_PACKETFEE'].fields_by_name['refund_address']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['refund_address']._serialized_options = b'\362\336\037\025yaml:\"refund_address\"' - _globals['_PACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_PACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._options = None + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' _globals['_FEE']._serialized_start=152 _globals['_FEE']._serialized_end=503 diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index c14d0c20..c4135930 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -17,34 +17,44 @@ from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xc5\x04\n\x0cGenesisState\x12\x66\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"identified_fees\"\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\x12\x65\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB \xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"registered_payees\"\x12\x8b\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB-\xc8\xde\x1f\x00\xf2\xde\x1f%yaml:\"registered_counterparty_payees\"\x12i\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"forward_relayers\"\"c\n\x11\x46\x65\x65\x45nabledChannel\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\\\n\x0fRegisteredPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"\x94\x01\n\x1bRegisteredCounterpartyPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"t\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12J\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"identified_fees\"' _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' _globals['_GENESISSTATE'].fields_by_name['registered_payees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"registered_payees\"' _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000\362\336\037%yaml:\"registered_counterparty_payees\"' _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"forward_relayers\"' + _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._loaded_options = None + _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._loaded_options = None + _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._loaded_options = None + _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None + _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None - _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' + _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=586 - _globals['_FEEENABLEDCHANNEL']._serialized_start=588 - _globals['_FEEENABLEDCHANNEL']._serialized_end=644 - _globals['_REGISTEREDPAYEE']._serialized_start=646 - _globals['_REGISTEREDPAYEE']._serialized_end=715 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 + _globals['_GENESISSTATE']._serialized_end=740 + _globals['_FEEENABLEDCHANNEL']._serialized_start=742 + _globals['_FEEENABLEDCHANNEL']._serialized_end=841 + _globals['_REGISTEREDPAYEE']._serialized_start=843 + _globals['_REGISTEREDPAYEE']._serialized_end=935 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=938 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=1086 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=1088 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=1204 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index b031ebda..be9ddb68 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_METADATA'].fields_by_name['fee_version']._options = None + _globals['_METADATA'].fields_by_name['fee_version']._loaded_options = None _globals['_METADATA'].fields_by_name['fee_version']._serialized_options = b'\362\336\037\022yaml:\"fee_version\"' - _globals['_METADATA'].fields_by_name['app_version']._options = None + _globals['_METADATA'].fields_by_name['app_version']._loaded_options = None _globals['_METADATA'].fields_by_name['app_version']._serialized_options = b'\362\336\037\022yaml:\"app_version\"' _globals['_METADATA']._serialized_start=89 _globals['_METADATA']._serialized_end=189 diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 88af62db..1ee50821 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -21,14 +21,14 @@ from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"u\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"y\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x90\x01\n\x1aQueryTotalRecvFeesResponse\x12r\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBD\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"recv_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x19QueryTotalAckFeesResponse\x12p\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"ack_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x99\x01\n\x1dQueryTotalTimeoutFeesResponse\x12x\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBG\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"timeout_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"O\n\x11QueryPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"E\n\x12QueryPayeeResponse\x12/\n\rpayee_address\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"payee_address\"\"[\n\x1dQueryCounterpartyPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"[\n\x1eQueryCounterpartyPayeeResponse\x12\x39\n\x12\x63ounterparty_payee\x18\x01 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\x90\x01\n\x1fQueryFeeEnabledChannelsResponse\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\"o\n\x1dQueryFeeEnabledChannelRequest\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"M\n\x1eQueryFeeEnabledChannelResponse\x12+\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x42\x16\xf2\xde\x1f\x12yaml:\"fee_enabled\"2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None @@ -38,17 +38,31 @@ _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._loaded_options = None - _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"recv_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._loaded_options = None - _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"ack_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._loaded_options = None - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"timeout_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None + _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._loaded_options = None + _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._serialized_options = b'\362\336\037\024yaml:\"payee_address\"' + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._loaded_options = None + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._loaded_options = None - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._loaded_options = None + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._loaded_options = None + _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._loaded_options = None + _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._serialized_options = b'\362\336\037\022yaml:\"fee_enabled\"' _globals['_QUERY'].methods_by_name['IncentivizedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPackets']._serialized_options = b'\202\323\344\223\002\'\022%/ibc/apps/fee/v1/incentivized_packets' _globals['_QUERY'].methods_by_name['IncentivizedPacket']._loaded_options = None @@ -71,44 +85,44 @@ _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 - _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 - _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 - _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 - _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 - _globals['_QUERY']._serialized_start=2472 - _globals['_QUERY']._serialized_end=4750 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=418 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=535 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=537 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=647 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=649 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=764 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=767 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=929 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=931 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1052 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1054 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1137 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1140 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1284 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1286 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1368 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1371 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1512 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1514 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1600 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1603 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1756 + _globals['_QUERYPAYEEREQUEST']._serialized_start=1758 + _globals['_QUERYPAYEEREQUEST']._serialized_end=1837 + _globals['_QUERYPAYEERESPONSE']._serialized_start=1839 + _globals['_QUERYPAYEERESPONSE']._serialized_end=1908 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1910 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2001 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2003 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2094 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2096 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2210 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2213 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2357 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2359 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2470 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2472 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2549 + _globals['_QUERY']._serialized_start=2552 + _globals['_QUERY']._serialized_end=4830 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index cf910aaf..2ffbafd4 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,36 +22,36 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERPAYEE']._options = None + _globals['_MSGREGISTERPAYEE']._loaded_options = None _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._options = None + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._serialized_options = b'\362\336\037\025yaml:\"source_port_id\"' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._options = None + _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._loaded_options = None _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._serialized_options = b'\362\336\037\030yaml:\"source_channel_id\"' - _globals['_MSGPAYPACKETFEE']._options = None + _globals['_MSGPAYPACKETFEE']._loaded_options = None _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._options = None + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\362\336\037\021yaml:\"packet_fee\"' - _globals['_MSGPAYPACKETFEEASYNC']._options = None + _globals['_MSGPAYPACKETFEEASYNC']._loaded_options = None _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGREGISTERPAYEE']._serialized_start=154 _globals['_MSGREGISTERPAYEE']._serialized_end=294 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index c072dc94..0dd918be 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_PARAMS'].fields_by_name['controller_enabled']._options = None + _globals['_PARAMS'].fields_by_name['controller_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['controller_enabled']._serialized_options = b'\362\336\037\031yaml:\"controller_enabled\"' _globals['_PARAMS']._serialized_start=145 _globals['_PARAMS']._serialized_end=212 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index 634242d6..c7eef6d2 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,14 +22,14 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._options = None + _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._loaded_options = None _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_QUERY'].methods_by_name['InterchainAccount']._options = None + _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' - _globals['_QUERY'].methods_by_name['Params']._options = None + _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=239 _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=334 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index 6bd827f9..3ac394fc 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,24 +21,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGSENDTX'].fields_by_name['connection_id']._options = None + _globals['_MSGSENDTX'].fields_by_name['connection_id']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_MSGSENDTX'].fields_by_name['packet_data']._options = None + _globals['_MSGSENDTX'].fields_by_name['packet_data']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_data\"' - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._options = None + _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._loaded_options = None _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._serialized_options = b'\362\336\037\027yaml:\"relative_timeout\"' - _globals['_MSGSENDTX']._options = None + _globals['_MSGSENDTX']._loaded_options = None _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=191 _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=312 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index 567142f8..34c3ec10 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -50,11 +50,6 @@ def __init__(self, channel): request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, _registered_method=True) - self.UpdateParams = channel.unary_unary( - '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', - request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -75,13 +70,6 @@ def SendTx(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def UpdateParams(self, request, context): - """UpdateParams defines a rpc handler for MsgUpdateParams. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -95,11 +83,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.FromString, response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.SerializeToString, ), - 'UpdateParams': grpc.unary_unary_rpc_method_handler( - servicer.UpdateParams, - request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, - response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) @@ -165,30 +148,3 @@ def SendTx(request, timeout, metadata, _registered_method=True) - - @staticmethod - def UpdateParams(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', - ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 7a4dd48b..5da34ff8 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -17,38 +17,52 @@ from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xa6\x02\n\x0cGenesisState\x12\x92\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\'\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"controller_genesis_state\"\x12\x80\x01\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"host_genesis_state\"\"\x82\x03\n\x16\x43ontrollerGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xf5\x02\n\x10HostGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\rActiveChannel\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x03 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12?\n\x15is_middleware_enabled\x18\x04 \x01(\x08\x42 \xf2\xde\x1f\x1cyaml:\"is_middleware_enabled\"\"\xa8\x01\n\x1bRegisteredInterchainAccount\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"account_address\"BOZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/types' _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"controller_genesis_state\"' _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"host_genesis_state\"' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' + _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' + _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._loaded_options = None + _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._loaded_options = None + _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._loaded_options = None + _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._loaded_options = None + _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._serialized_options = b'\362\336\037\034yaml:\"is_middleware_enabled\"' + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._loaded_options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._loaded_options = None + _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._serialized_options = b'\362\336\037\026yaml:\"account_address\"' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=491 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 - _globals['_HOSTGENESISSTATE']._serialized_start=826 - _globals['_HOSTGENESISSTATE']._serialized_end=1142 - _globals['_ACTIVECHANNEL']._serialized_start=1144 - _globals['_ACTIVECHANNEL']._serialized_end=1250 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 + _globals['_GENESISSTATE']._serialized_end=557 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=560 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=946 + _globals['_HOSTGENESISSTATE']._serialized_start=949 + _globals['_HOSTGENESISSTATE']._serialized_end=1322 + _globals['_ACTIVECHANNEL']._serialized_start=1325 + _globals['_ACTIVECHANNEL']._serialized_end=1534 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1537 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1705 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index 91cde4ce..9547496b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_PARAMS'].fields_by_name['host_enabled']._options = None + _globals['_PARAMS'].fields_by_name['host_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['host_enabled']._serialized_options = b'\362\336\037\023yaml:\"host_enabled\"' - _globals['_PARAMS'].fields_by_name['allow_messages']._options = None + _globals['_PARAMS'].fields_by_name['allow_messages']._loaded_options = None _globals['_PARAMS'].fields_by_name['allow_messages']._serialized_options = b'\362\336\037\025yaml:\"allow_messages\"' _globals['_PARAMS']._serialized_start=127 _globals['_PARAMS']._serialized_end=233 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index d2392c57..bb6c2eda 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 84ff23c8..8e89faba 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -17,18 +17,20 @@ from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xe1\x01\n\x11InterchainAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12/\n\raccount_owner\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"account_owner\":F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None - _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' + _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' + _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._loaded_options = None + _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._serialized_options = b'\362\336\037\024yaml:\"account_owner\"' _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=356 + _globals['_INTERCHAINACCOUNT']._serialized_end=405 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index 33d55d0a..e8ec96c3 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_METADATA'].fields_by_name['controller_connection_id']._options = None + _globals['_METADATA'].fields_by_name['controller_connection_id']._loaded_options = None _globals['_METADATA'].fields_by_name['controller_connection_id']._serialized_options = b'\362\336\037\037yaml:\"controller_connection_id\"' - _globals['_METADATA'].fields_by_name['host_connection_id']._options = None + _globals['_METADATA'].fields_by_name['host_connection_id']._loaded_options = None _globals['_METADATA'].fields_by_name['host_connection_id']._serialized_options = b'\362\336\037\031yaml:\"host_connection_id\"' _globals['_METADATA']._serialized_start=122 _globals['_METADATA']._serialized_end=331 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index 01b18e3b..b7ee70c4 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index e371a484..95a7f09c 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -17,14 +17,18 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xe2\x01\n\nAllocation\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['_ALLOCATION'].fields_by_name['source_port']._loaded_options = None + _globals['_ALLOCATION'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' + _globals['_ALLOCATION'].fields_by_name['source_channel']._loaded_options = None + _globals['_ALLOCATION'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None @@ -32,7 +36,7 @@ _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=360 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 + _globals['_ALLOCATION']._serialized_end=382 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=385 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=517 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 83bf1291..47eb5258 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -17,20 +17,22 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xd4\x02\n\x0cGenesisState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x65\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB%\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"denom_traces\"\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12|\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"total_escrowed\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['_GENESISSTATE'].fields_by_name['port_id']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' + _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"denom_traces\"\252\337\037\006Traces' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"total_escrowed\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=448 + _globals['_GENESISSTATE']._serialized_end=516 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index ecbc9061..8f603729 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -19,22 +19,22 @@ from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['DenomTraces']._loaded_options = None - _globals['_QUERY'].methods_by_name['DenomTraces']._serialized_options = b'\202\323\344\223\002$\022\"/ibc/apps/transfer/v1/denom_traces' _globals['_QUERY'].methods_by_name['DenomTrace']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' + _globals['_QUERY'].methods_by_name['DenomTraces']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomTraces']._serialized_options = b'\202\323\344\223\002$\022\"/ibc/apps/transfer/v1/denom_traces' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/transfer/v1/params' _globals['_QUERY'].methods_by_name['DenomHash']._loaded_options = None diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 6c224acb..727c6cf1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -40,16 +40,16 @@ def __init__(self, channel): Args: channel: A grpc.Channel. """ - self.DenomTraces = channel.unary_unary( - '/ibc.applications.transfer.v1.Query/DenomTraces', - request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, - response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, - _registered_method=True) self.DenomTrace = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomTrace', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, _registered_method=True) + self.DenomTraces = channel.unary_unary( + '/ibc.applications.transfer.v1.Query/DenomTraces', + request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, + response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.transfer.v1.Query/Params', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, @@ -76,15 +76,15 @@ class QueryServicer(object): """Query provides defines the gRPC querier service. """ - def DenomTraces(self, request, context): - """DenomTraces queries all denomination traces. + def DenomTrace(self, request, context): + """DenomTrace queries a denomination trace information. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DenomTrace(self, request, context): - """DenomTrace queries a denomination trace information. + def DenomTraces(self, request, context): + """DenomTraces queries all denomination traces. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -121,16 +121,16 @@ def TotalEscrowForDenom(self, request, context): def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { - 'DenomTraces': grpc.unary_unary_rpc_method_handler( - servicer.DenomTraces, - request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.FromString, - response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.SerializeToString, - ), 'DenomTrace': grpc.unary_unary_rpc_method_handler( servicer.DenomTrace, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.SerializeToString, ), + 'DenomTraces': grpc.unary_unary_rpc_method_handler( + servicer.DenomTraces, + request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.FromString, + response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.SerializeToString, + ), 'Params': grpc.unary_unary_rpc_method_handler( servicer.Params, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.FromString, @@ -164,7 +164,7 @@ class Query(object): """ @staticmethod - def DenomTraces(request, + def DenomTrace(request, target, options=(), channel_credentials=None, @@ -177,9 +177,9 @@ def DenomTraces(request, return grpc.experimental.unary_unary( request, target, - '/ibc.applications.transfer.v1.Query/DenomTraces', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, + '/ibc.applications.transfer.v1.Query/DenomTrace', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, options, channel_credentials, insecure, @@ -191,7 +191,7 @@ def DenomTraces(request, _registered_method=True) @staticmethod - def DenomTrace(request, + def DenomTraces(request, target, options=(), channel_credentials=None, @@ -204,9 +204,9 @@ def DenomTrace(request, return grpc.experimental.unary_unary( request, target, - '/ibc.applications.transfer.v1.Query/DenomTrace', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, + '/ibc.applications.transfer.v1.Query/DenomTraces', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 77abb392..893034fa 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,12 +20,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._options = None + _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\362\336\037\023yaml:\"send_enabled\"' - _globals['_PARAMS'].fields_by_name['receive_enabled']._options = None + _globals['_PARAMS'].fields_by_name['receive_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['receive_enabled']._serialized_options = b'\362\336\037\026yaml:\"receive_enabled\"' _globals['_DENOMTRACE']._serialized_start=99 _globals['_DENOMTRACE']._serialized_end=145 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index 6d903e96..df47310d 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,20 +22,20 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_MSGTRANSFER'].fields_by_name['source_port']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_port']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._options = None + _globals['_MSGTRANSFER'].fields_by_name['source_channel']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_MSGTRANSFER'].fields_by_name['token']._options = None + _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000' - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._options = None + _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' - _globals['_MSGTRANSFER']._options = None + _globals['_MSGTRANSFER']._loaded_options = None _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGTRANSFER']._serialized_start=159 _globals['_MSGTRANSFER']._serialized_end=514 diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index c525807a..ea78e04e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -45,11 +45,6 @@ def __init__(self, channel): request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, _registered_method=True) - self.UpdateParams = channel.unary_unary( - '/ibc.applications.transfer.v1.Msg/UpdateParams', - request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -63,13 +58,6 @@ def Transfer(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def UpdateParams(self, request, context): - """UpdateParams defines a rpc handler for MsgUpdateParams. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -78,11 +66,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.SerializeToString, ), - 'UpdateParams': grpc.unary_unary_rpc_method_handler( - servicer.UpdateParams, - request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, - response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Msg', rpc_method_handlers) @@ -121,30 +104,3 @@ def Transfer(request, timeout, metadata, _registered_method=True) - - @staticmethod - def UpdateParams(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.applications.transfer.v1.Msg/UpdateParams', - ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index 78efc002..f47b4a6a 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index 4284f801..0dd85190 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xed\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\x9c\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t:\x04\x88\xa0\x1f\x00\"d\n\x0c\x43ounterparty\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\":\x04\x88\xa0\x1f\x00\"\x8e\x03\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12+\n\x0bsource_port\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x03 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x35\n\x10\x64\x65stination_port\x18\x04 \x01(\tB\x1b\xf2\xde\x1f\x17yaml:\"destination_port\"\x12;\n\x13\x64\x65stination_channel\x18\x05 \x01(\tB\x1e\xf2\xde\x1f\x1ayaml:\"destination_channel\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12Q\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x08 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\":\x04\x88\xa0\x1f\x00\"\x83\x01\n\x0bPacketState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x08PacketId\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response*\xb7\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -36,10 +36,6 @@ _globals['_STATE'].values_by_name["STATE_OPEN"]._serialized_options = b'\212\235 \004OPEN' _globals['_STATE'].values_by_name["STATE_CLOSED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_CLOSED"]._serialized_options = b'\212\235 \006CLOSED' - _globals['_STATE'].values_by_name["STATE_FLUSHING"]._loaded_options = None - _globals['_STATE'].values_by_name["STATE_FLUSHING"]._serialized_options = b'\212\235 \010FLUSHING' - _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._loaded_options = None - _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._serialized_options = b'\212\235 \rFLUSHCOMPLETE' _globals['_ORDER']._loaded_options = None _globals['_ORDER']._serialized_options = b'\210\243\036\000' _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._loaded_options = None @@ -50,46 +46,64 @@ _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._serialized_options = b'\212\235 \007ORDERED' _globals['_CHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_CHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' + _globals['_CHANNEL'].fields_by_name['connection_hops']._loaded_options = None + _globals['_CHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' _globals['_CHANNEL']._loaded_options = None _globals['_CHANNEL']._serialized_options = b'\210\240\037\000' _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' + _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._loaded_options = None + _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' _globals['_IDENTIFIEDCHANNEL']._loaded_options = None _globals['_IDENTIFIEDCHANNEL']._serialized_options = b'\210\240\037\000' + _globals['_COUNTERPARTY'].fields_by_name['port_id']._loaded_options = None + _globals['_COUNTERPARTY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_COUNTERPARTY'].fields_by_name['channel_id']._loaded_options = None + _globals['_COUNTERPARTY'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_COUNTERPARTY']._loaded_options = None _globals['_COUNTERPARTY']._serialized_options = b'\210\240\037\000' + _globals['_PACKET'].fields_by_name['source_port']._loaded_options = None + _globals['_PACKET'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' + _globals['_PACKET'].fields_by_name['source_channel']._loaded_options = None + _globals['_PACKET'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' + _globals['_PACKET'].fields_by_name['destination_port']._loaded_options = None + _globals['_PACKET'].fields_by_name['destination_port']._serialized_options = b'\362\336\037\027yaml:\"destination_port\"' + _globals['_PACKET'].fields_by_name['destination_channel']._loaded_options = None + _globals['_PACKET'].fields_by_name['destination_channel']._serialized_options = b'\362\336\037\032yaml:\"destination_channel\"' _globals['_PACKET'].fields_by_name['timeout_height']._loaded_options = None - _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000' + _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' + _globals['_PACKET'].fields_by_name['timeout_timestamp']._loaded_options = None + _globals['_PACKET'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' _globals['_PACKET']._loaded_options = None _globals['_PACKET']._serialized_options = b'\210\240\037\000' + _globals['_PACKETSTATE'].fields_by_name['port_id']._loaded_options = None + _globals['_PACKETSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_PACKETSTATE'].fields_by_name['channel_id']._loaded_options = None + _globals['_PACKETSTATE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_PACKETSTATE']._loaded_options = None _globals['_PACKETSTATE']._serialized_options = b'\210\240\037\000' + _globals['_PACKETID'].fields_by_name['port_id']._loaded_options = None + _globals['_PACKETID'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_PACKETID'].fields_by_name['channel_id']._loaded_options = None + _globals['_PACKETID'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_PACKETID']._loaded_options = None _globals['_PACKETID']._serialized_options = b'\210\240\037\000' - _globals['_TIMEOUT'].fields_by_name['height']._loaded_options = None - _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None - _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' - _globals['_STATE']._serialized_start=1310 - _globals['_STATE']._serialized_end=1571 - _globals['_ORDER']._serialized_start=1573 - _globals['_ORDER']._serialized_end=1692 + _globals['_STATE']._serialized_start=1460 + _globals['_STATE']._serialized_end=1643 + _globals['_ORDER']._serialized_start=1645 + _globals['_ORDER']._serialized_end=1764 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=349 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 - _globals['_COUNTERPARTY']._serialized_start=636 - _globals['_COUNTERPARTY']._serialized_end=693 - _globals['_PACKET']._serialized_start=696 - _globals['_PACKET']._serialized_end=927 - _globals['_PACKETSTATE']._serialized_start=929 - _globals['_PACKETSTATE']._serialized_end=1017 - _globals['_PACKETID']._serialized_start=1019 - _globals['_PACKETID']._serialized_end=1090 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 - _globals['_TIMEOUT']._serialized_start=1158 - _globals['_TIMEOUT']._serialized_end=1236 - _globals['_PARAMS']._serialized_start=1238 - _globals['_PARAMS']._serialized_end=1307 + _globals['_CHANNEL']._serialized_end=351 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=354 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=638 + _globals['_COUNTERPARTY']._serialized_start=640 + _globals['_COUNTERPARTY']._serialized_end=740 + _globals['_PACKET']._serialized_start=743 + _globals['_PACKET']._serialized_end=1141 + _globals['_PACKETSTATE']._serialized_start=1144 + _globals['_PACKETSTATE']._serialized_end=1275 + _globals['_PACKETID']._serialized_start=1277 + _globals['_PACKETID']._serialized_end=1391 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1393 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1457 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 9ed1ec1b..6cbbebf9 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xef\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12Z\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"send_sequences\"\x12Z\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"recv_sequences\"\x12X\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"ack_sequences\"\x12?\n\x15next_channel_sequence\x18\x08 \x01(\x04\x42 \xf2\xde\x1f\x1cyaml:\"next_channel_sequence\"\"r\n\x0ePacketSequence\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None @@ -33,15 +33,19 @@ _globals['_GENESISSTATE'].fields_by_name['receipts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['receipts']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['send_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"send_sequences\"' _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"recv_sequences\"' _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000' - _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"ack_sequences\"' + _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._serialized_options = b'\362\336\037\034yaml:\"next_channel_sequence\"' + _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._loaded_options = None + _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._loaded_options = None + _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=682 - _globals['_PACKETSEQUENCE']._serialized_start=684 - _globals['_PACKETSEQUENCE']._serialized_end=755 + _globals['_GENESISSTATE']._serialized_end=739 + _globals['_PACKETSEQUENCE']._serialized_start=741 + _globals['_PACKETSEQUENCE']._serialized_end=855 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index a0befd77..a6968659 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,60 +25,60 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYCONNECTIONCHANNELSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETCOMMITMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETRECEIPTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDPACKETSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._options = None + _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._loaded_options = None _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['Channel']._options = None + _globals['_QUERY'].methods_by_name['Channel']._loaded_options = None _globals['_QUERY'].methods_by_name['Channel']._serialized_options = b'\202\323\344\223\002<\022:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}' - _globals['_QUERY'].methods_by_name['Channels']._options = None + _globals['_QUERY'].methods_by_name['Channels']._loaded_options = None _globals['_QUERY'].methods_by_name['Channels']._serialized_options = b'\202\323\344\223\002\037\022\035/ibc/core/channel/v1/channels' - _globals['_QUERY'].methods_by_name['ConnectionChannels']._options = None + _globals['_QUERY'].methods_by_name['ConnectionChannels']._loaded_options = None _globals['_QUERY'].methods_by_name['ConnectionChannels']._serialized_options = b'\202\323\344\223\0028\0226/ibc/core/channel/v1/connections/{connection}/channels' - _globals['_QUERY'].methods_by_name['ChannelClientState']._options = None + _globals['_QUERY'].methods_by_name['ChannelClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelClientState']._serialized_options = b'\202\323\344\223\002I\022G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state' - _globals['_QUERY'].methods_by_name['ChannelConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ChannelConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelConsensusState']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['PacketCommitment']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitment']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitment']._serialized_options = b'\202\323\344\223\002Z\022X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}' - _globals['_QUERY'].methods_by_name['PacketCommitments']._options = None + _globals['_QUERY'].methods_by_name['PacketCommitments']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketCommitments']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments' - _globals['_QUERY'].methods_by_name['PacketReceipt']._options = None + _globals['_QUERY'].methods_by_name['PacketReceipt']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketReceipt']._serialized_options = b'\202\323\344\223\002W\022U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgement']._serialized_options = b'\202\323\344\223\002S\022Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}' - _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._options = None + _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._loaded_options = None _globals['_QUERY'].methods_by_name['PacketAcknowledgements']._serialized_options = b'\202\323\344\223\002T\022R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements' - _globals['_QUERY'].methods_by_name['UnreceivedPackets']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedPackets']._serialized_options = b'\202\323\344\223\002\200\001\022~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets' - _globals['_QUERY'].methods_by_name['UnreceivedAcks']._options = None + _globals['_QUERY'].methods_by_name['UnreceivedAcks']._loaded_options = None _globals['_QUERY'].methods_by_name['UnreceivedAcks']._serialized_options = b'\202\323\344\223\002v\022t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks' - _globals['_QUERY'].methods_by_name['NextSequenceReceive']._options = None + _globals['_QUERY'].methods_by_name['NextSequenceReceive']._loaded_options = None _globals['_QUERY'].methods_by_name['NextSequenceReceive']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence' _globals['_QUERYCHANNELREQUEST']._serialized_start=247 _globals['_QUERYCHANNELREQUEST']._serialized_end=305 diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index e9520c38..828f9d8f 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -105,26 +105,6 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, _registered_method=True) - self.NextSequenceSend = channel.unary_unary( - '/ibc.core.channel.v1.Query/NextSequenceSend', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, - _registered_method=True) - self.UpgradeError = channel.unary_unary( - '/ibc.core.channel.v1.Query/UpgradeError', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, - _registered_method=True) - self.Upgrade = channel.unary_unary( - '/ibc.core.channel.v1.Query/Upgrade', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, - _registered_method=True) - self.ChannelParams = channel.unary_unary( - '/ibc.core.channel.v1.Query/ChannelParams', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, - _registered_method=True) class QueryServicer(object): @@ -230,34 +210,6 @@ def NextSequenceReceive(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def NextSequenceSend(self, request, context): - """NextSequenceSend returns the next send sequence for a given channel. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def UpgradeError(self, request, context): - """UpgradeError returns the error receipt if the upgrade handshake failed. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def Upgrade(self, request, context): - """Upgrade returns the upgrade for a given port and channel id. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelParams(self, request, context): - """ChannelParams queries all parameters of the ibc channel submodule. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -326,26 +278,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.SerializeToString, ), - 'NextSequenceSend': grpc.unary_unary_rpc_method_handler( - servicer.NextSequenceSend, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.SerializeToString, - ), - 'UpgradeError': grpc.unary_unary_rpc_method_handler( - servicer.UpgradeError, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.SerializeToString, - ), - 'Upgrade': grpc.unary_unary_rpc_method_handler( - servicer.Upgrade, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.SerializeToString, - ), - 'ChannelParams': grpc.unary_unary_rpc_method_handler( - servicer.ChannelParams, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Query', rpc_method_handlers) @@ -708,111 +640,3 @@ def NextSequenceReceive(request, timeout, metadata, _registered_method=True) - - @staticmethod - def NextSequenceSend(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Query/NextSequenceSend', - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def UpgradeError(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Query/UpgradeError', - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def Upgrade(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Query/Upgrade', - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelParams(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Query/ChannelParams', - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index 0129484f..9f1864ad 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,126 +22,126 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' - _globals['_RESPONSERESULTTYPE']._options = None + _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._serialized_options = b'\212\235 \004NOOP' - _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._serialized_options = b'\212\235 \007SUCCESS' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._options = None + _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENINIT']._options = None + _globals['_MSGCHANNELOPENINIT']._loaded_options = None _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001\362\336\037\032yaml:\"previous_channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENTRY']._options = None + _globals['_MSGCHANNELOPENTRY']._loaded_options = None _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._serialized_options = b'\362\336\037\036yaml:\"counterparty_channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._serialized_options = b'\362\336\037\020yaml:\"proof_try\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENACK']._options = None + _globals['_MSGCHANNELOPENACK']._loaded_options = None _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._serialized_options = b'\362\336\037\020yaml:\"proof_ack\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELOPENCONFIRM']._options = None + _globals['_MSGCHANNELOPENCONFIRM']._loaded_options = None _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSEINIT']._options = None + _globals['_MSGCHANNELCLOSEINIT']._loaded_options = None _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._options = None + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGCHANNELCLOSECONFIRM']._options = None + _globals['_MSGCHANNELCLOSECONFIRM']._loaded_options = None _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['packet']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['packet']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._serialized_options = b'\362\336\037\027yaml:\"proof_commitment\"' - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._options = None + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGRECVPACKET']._options = None + _globals['_MSGRECVPACKET']._loaded_options = None _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGRECVPACKETRESPONSE']._options = None + _globals['_MSGRECVPACKETRESPONSE']._loaded_options = None _globals['_MSGRECVPACKETRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUT']._options = None + _globals['_MSGTIMEOUT']._loaded_options = None _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTRESPONSE']._options = None + _globals['_MSGTIMEOUTRESPONSE']._loaded_options = None _globals['_MSGTIMEOUTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._serialized_options = b'\362\336\037\022yaml:\"proof_close\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._options = None + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' - _globals['_MSGTIMEOUTONCLOSE']._options = None + _globals['_MSGTIMEOUTONCLOSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTIMEOUTONCLOSERESPONSE']._options = None + _globals['_MSGTIMEOUTONCLOSERESPONSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._serialized_options = b'\362\336\037\022yaml:\"proof_acked\"' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._options = None + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGACKNOWLEDGEMENT']._options = None + _globals['_MSGACKNOWLEDGEMENT']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._options = None + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._loaded_options = None _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_RESPONSERESULTTYPE']._serialized_start=3449 _globals['_RESPONSERESULTTYPE']._serialized_end=3618 diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index e90549c0..b89d7633 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -90,51 +90,6 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, _registered_method=True) - self.ChannelUpgradeInit = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, - _registered_method=True) - self.ChannelUpgradeTry = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, - _registered_method=True) - self.ChannelUpgradeAck = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, - _registered_method=True) - self.ChannelUpgradeConfirm = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, - _registered_method=True) - self.ChannelUpgradeOpen = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, - _registered_method=True) - self.ChannelUpgradeTimeout = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, - _registered_method=True) - self.ChannelUpgradeCancel = channel.unary_unary( - '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, - _registered_method=True) - self.UpdateChannelParams = channel.unary_unary( - '/ibc.core.channel.v1.Msg/UpdateChannelParams', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - _registered_method=True) - self.PruneAcknowledgements = channel.unary_unary( - '/ibc.core.channel.v1.Msg/PruneAcknowledgements', - request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, - response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -212,69 +167,6 @@ def Acknowledgement(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ChannelUpgradeInit(self, request, context): - """ChannelUpgradeInit defines a rpc handler method for MsgChannelUpgradeInit. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeTry(self, request, context): - """ChannelUpgradeTry defines a rpc handler method for MsgChannelUpgradeTry. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeAck(self, request, context): - """ChannelUpgradeAck defines a rpc handler method for MsgChannelUpgradeAck. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeConfirm(self, request, context): - """ChannelUpgradeConfirm defines a rpc handler method for MsgChannelUpgradeConfirm. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeOpen(self, request, context): - """ChannelUpgradeOpen defines a rpc handler method for MsgChannelUpgradeOpen. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeTimeout(self, request, context): - """ChannelUpgradeTimeout defines a rpc handler method for MsgChannelUpgradeTimeout. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ChannelUpgradeCancel(self, request, context): - """ChannelUpgradeCancel defines a rpc handler method for MsgChannelUpgradeCancel. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def UpdateChannelParams(self, request, context): - """UpdateChannelParams defines a rpc handler method for MsgUpdateParams. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def PruneAcknowledgements(self, request, context): - """PruneAcknowledgements defines a rpc handler method for MsgPruneAcknowledgements. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -328,51 +220,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.SerializeToString, ), - 'ChannelUpgradeInit': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeInit, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.SerializeToString, - ), - 'ChannelUpgradeTry': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeTry, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.SerializeToString, - ), - 'ChannelUpgradeAck': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeAck, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.SerializeToString, - ), - 'ChannelUpgradeConfirm': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeConfirm, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.SerializeToString, - ), - 'ChannelUpgradeOpen': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeOpen, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.SerializeToString, - ), - 'ChannelUpgradeTimeout': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeTimeout, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.SerializeToString, - ), - 'ChannelUpgradeCancel': grpc.unary_unary_rpc_method_handler( - servicer.ChannelUpgradeCancel, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.SerializeToString, - ), - 'UpdateChannelParams': grpc.unary_unary_rpc_method_handler( - servicer.UpdateChannelParams, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, - ), - 'PruneAcknowledgements': grpc.unary_unary_rpc_method_handler( - servicer.PruneAcknowledgements, - request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.FromString, - response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Msg', rpc_method_handlers) @@ -654,246 +501,3 @@ def Acknowledgement(request, timeout, metadata, _registered_method=True) - - @staticmethod - def ChannelUpgradeInit(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeTry(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeAck(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeConfirm(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeOpen(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeTimeout(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ChannelUpgradeCancel(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def UpdateChannelParams(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/UpdateChannelParams', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def PruneAcknowledgements(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.channel.v1.Msg/PruneAcknowledgements', - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, - ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 4dd18ad5..0d6f0682 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,40 +23,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._loaded_options = None _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._options = None + _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._loaded_options = None _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._options = None + _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._loaded_options = None _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._options = None + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"consensus_states\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._serialized_options = b'\362\336\037\030yaml:\"subject_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._options = None + _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._serialized_options = b'\362\336\037\033yaml:\"substitute_client_id\"' - _globals['_CLIENTUPDATEPROPOSAL']._options = None + _globals['_CLIENTUPDATEPROPOSAL']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' - _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._options = None + _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._serialized_options = b'\362\336\037\034yaml:\"upgraded_client_state\"' - _globals['_UPGRADEPROPOSAL']._options = None + _globals['_UPGRADEPROPOSAL']._loaded_options = None _globals['_UPGRADEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_HEIGHT'].fields_by_name['revision_number']._options = None + _globals['_HEIGHT'].fields_by_name['revision_number']._loaded_options = None _globals['_HEIGHT'].fields_by_name['revision_number']._serialized_options = b'\362\336\037\026yaml:\"revision_number\"' - _globals['_HEIGHT'].fields_by_name['revision_height']._options = None + _globals['_HEIGHT'].fields_by_name['revision_height']._loaded_options = None _globals['_HEIGHT'].fields_by_name['revision_height']._serialized_options = b'\362\336\037\026yaml:\"revision_height\"' - _globals['_HEIGHT']._options = None + _globals['_HEIGHT']._loaded_options = None _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_PARAMS'].fields_by_name['allowed_clients']._options = None + _globals['_PARAMS'].fields_by_name['allowed_clients']._loaded_options = None _globals['_PARAMS'].fields_by_name['allowed_clients']._serialized_options = b'\362\336\037\026yaml:\"allowed_clients\"' _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=170 _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=303 diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index a0af4ec5..c268ef14 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -16,32 +16,36 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xff\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x80\x01\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB:\xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"clients_consensus\"\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12h\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"clients_metadata\"\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x35\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x1b\xf2\xde\x1f\x17yaml:\"create_localhost\"\x12=\n\x14next_client_sequence\x18\x06 \x01(\x04\x42\x1f\xf2\xde\x1f\x1byaml:\"next_client_sequence\"\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\xa2\x01\n\x19IdentifiedGenesisMetadata\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\\\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"client_metadata\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\252\337\037\026ClientsConsensusStates' + _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"clients_consensus\"\252\337\037\026ClientsConsensusStates' _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"clients_metadata\"' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['create_localhost']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\030\001' + _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\362\336\037\027yaml:\"create_localhost\"' + _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._serialized_options = b'\362\336\037\033yaml:\"next_client_sequence\"' _globals['_GENESISMETADATA']._loaded_options = None _globals['_GENESISMETADATA']._serialized_options = b'\210\240\037\000' + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._loaded_options = None + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"client_metadata\"' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=509 - _globals['_GENESISMETADATA']._serialized_start=511 - _globals['_GENESISMETADATA']._serialized_end=562 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 + _globals['_GENESISSTATE']._serialized_end=623 + _globals['_GENESISMETADATA']._serialized_start=625 + _globals['_GENESISMETADATA']._serialized_end=676 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=679 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=841 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index 587c57a2..34385227 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,36 +24,36 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._options = None + _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' - _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._options = None + _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCONSENSUSSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._options = None + _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._loaded_options = None _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._options = None + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._loaded_options = None _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['ClientState']._options = None + _globals['_QUERY'].methods_by_name['ClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_states/{client_id}' - _globals['_QUERY'].methods_by_name['ClientStates']._options = None + _globals['_QUERY'].methods_by_name['ClientStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStates']._serialized_options = b'\202\323\344\223\002#\022!/ibc/core/client/v1/client_states' - _globals['_QUERY'].methods_by_name['ConsensusState']._options = None + _globals['_QUERY'].methods_by_name['ConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusState']._serialized_options = b'\202\323\344\223\002f\022d/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}' - _globals['_QUERY'].methods_by_name['ConsensusStates']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStates']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStates']._serialized_options = b'\202\323\344\223\0022\0220/ibc/core/client/v1/consensus_states/{client_id}' - _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._options = None + _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._loaded_options = None _globals['_QUERY'].methods_by_name['ConsensusStateHeights']._serialized_options = b'\202\323\344\223\002:\0228/ibc/core/client/v1/consensus_states/{client_id}/heights' - _globals['_QUERY'].methods_by_name['ClientStatus']._options = None + _globals['_QUERY'].methods_by_name['ClientStatus']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientStatus']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_status/{client_id}' - _globals['_QUERY'].methods_by_name['ClientParams']._options = None + _globals['_QUERY'].methods_by_name['ClientParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientParams']._serialized_options = b'\202\323\344\223\002\034\022\032/ibc/core/client/v1/params' - _globals['_QUERY'].methods_by_name['UpgradedClientState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedClientState']._serialized_options = b'\202\323\344\223\002,\022*/ibc/core/client/v1/upgraded_client_states' - _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._options = None + _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/upgraded_consensus_states' _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=210 _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=254 diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index f63c4afc..cce67d58 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -85,11 +85,6 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, _registered_method=True) - self.VerifyMembership = channel.unary_unary( - '/ibc.core.client.v1.Query/VerifyMembership', - request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, - response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, - _registered_method=True) class QueryServicer(object): @@ -161,13 +156,6 @@ def UpgradedConsensusState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def VerifyMembership(self, request, context): - """VerifyMembership queries an IBC light client for proof verification of a value at a given key path. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -216,11 +204,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.SerializeToString, ), - 'VerifyMembership': grpc.unary_unary_rpc_method_handler( - servicer.VerifyMembership, - request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.FromString, - response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Query', rpc_method_handlers) @@ -475,30 +458,3 @@ def UpgradedConsensusState(request, timeout, metadata, _registered_method=True) - - @staticmethod - def VerifyMembership(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.client.v1.Query/VerifyMembership', - ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, - ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index ad4ee384..92baa2bb 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,38 +21,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._loaded_options = None _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._loaded_options = None _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGCREATECLIENT']._options = None + _globals['_MSGCREATECLIENT']._loaded_options = None _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._loaded_options = None _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPDATECLIENT']._options = None + _globals['_MSGUPDATECLIENT']._loaded_options = None _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._serialized_options = b'\362\336\037\033yaml:\"proof_upgrade_client\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._options = None + _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._loaded_options = None _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._serialized_options = b'\362\336\037$yaml:\"proof_upgrade_consensus_state\"' - _globals['_MSGUPGRADECLIENT']._options = None + _globals['_MSGUPGRADECLIENT']._loaded_options = None _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR']._options = None + _globals['_MSGSUBMITMISBEHAVIOUR']._loaded_options = None _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATECLIENT']._serialized_start=101 _globals['_MSGCREATECLIENT']._serialized_end=288 diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index c28efc69..d51bf3f3 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -60,21 +60,6 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, _registered_method=True) - self.RecoverClient = channel.unary_unary( - '/ibc.core.client.v1.Msg/RecoverClient', - request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, - response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, - _registered_method=True) - self.IBCSoftwareUpgrade = channel.unary_unary( - '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', - request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, - response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, - _registered_method=True) - self.UpdateClientParams = channel.unary_unary( - '/ibc.core.client.v1.Msg/UpdateClientParams', - request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -109,27 +94,6 @@ def SubmitMisbehaviour(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def RecoverClient(self, request, context): - """RecoverClient defines a rpc handler method for MsgRecoverClient. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def IBCSoftwareUpgrade(self, request, context): - """IBCSoftwareUpgrade defines a rpc handler method for MsgIBCSoftwareUpgrade. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def UpdateClientParams(self, request, context): - """UpdateClientParams defines a rpc handler method for MsgUpdateParams. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -153,21 +117,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.SerializeToString, ), - 'RecoverClient': grpc.unary_unary_rpc_method_handler( - servicer.RecoverClient, - request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.FromString, - response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.SerializeToString, - ), - 'IBCSoftwareUpgrade': grpc.unary_unary_rpc_method_handler( - servicer.IBCSoftwareUpgrade, - request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.FromString, - response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.SerializeToString, - ), - 'UpdateClientParams': grpc.unary_unary_rpc_method_handler( - servicer.UpdateClientParams, - request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, - response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Msg', rpc_method_handlers) @@ -287,84 +236,3 @@ def SubmitMisbehaviour(request, timeout, metadata, _registered_method=True) - - @staticmethod - def RecoverClient(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.client.v1.Msg/RecoverClient', - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def IBCSoftwareUpgrade(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def UpdateClientParams(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/ibc.core.client.v1.Msg/UpdateClientParams', - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index be74dfcf..30bff10d 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -16,22 +16,28 @@ from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\x0cMerklePrefix\x12\x12\n\nkey_prefix\x18\x01 \x01(\x0c\"\x1e\n\nMerklePath\x12\x10\n\x08key_path\x18\x01 \x03(\t\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>ZZZZZZ\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\xa8\x02\n\x0cGenesisState\x12W\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"client_genesis\"\x12\x63\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"connection_genesis\"\x12Z\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"channel_genesis\"B0Z.github.com/cosmos/ibc-go/v7/modules/core/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v7/modules/core/types' _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"client_genesis\"' _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"connection_genesis\"' _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"channel_genesis\"' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=400 + _globals['_GENESISSTATE']._serialized_end=480 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 4eb65312..ee872ac2 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -16,14 +16,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhostb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' + _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhost' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._loaded_options = None diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 06983ead..9f1d32df 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -18,14 +18,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x81\x02\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12K\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08\x42&\xf2\xde\x1f\"yaml:\"allow_update_after_proposal\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xc4\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12G\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x05 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\x97\x02\n\x0cMisbehaviour\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x62\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"\xa0\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12R\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xad\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12R\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"j\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\":\x04\x88\xa0\x1f\x00\"s\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\"U\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12/\n\rnext_seq_recv\x18\x02 \x01(\x04\x42\x18\xf2\xde\x1f\x14yaml:\"next_seq_recv\"*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' + _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7' _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -48,62 +48,96 @@ _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._serialized_options = b'\212\235 \020NEXTSEQUENCERECV' _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._serialized_options = b'\212\235 \006HEADER' + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._serialized_options = b'\362\336\037\"yaml:\"allow_update_after_proposal\"' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' + _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None + _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' + _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None + _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' + _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._loaded_options = None + _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' + _globals['_SIGNBYTES'].fields_by_name['data_type']._loaded_options = None + _globals['_SIGNBYTES'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' + _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._loaded_options = None + _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' _globals['_CLIENTSTATEDATA']._loaded_options = None _globals['_CLIENTSTATEDATA']._serialized_options = b'\210\240\037\000' + _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._loaded_options = None + _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' _globals['_CONSENSUSSTATEDATA']._loaded_options = None _globals['_CONSENSUSSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CONNECTIONSTATEDATA']._loaded_options = None _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_DATATYPE']._serialized_start=1890 - _globals['_DATATYPE']._serialized_end=2414 + _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._loaded_options = None + _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._serialized_options = b'\362\336\037\024yaml:\"next_seq_recv\"' + _globals['_DATATYPE']._serialized_start=2335 + _globals['_DATATYPE']._serialized_end=2859 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=379 - _globals['_CONSENSUSSTATE']._serialized_start=381 - _globals['_CONSENSUSSTATE']._serialized_end=485 - _globals['_HEADER']._serialized_start=488 - _globals['_HEADER']._serialized_end=629 - _globals['_MISBEHAVIOUR']._serialized_start=632 - _globals['_MISBEHAVIOUR']._serialized_end=837 - _globals['_SIGNATUREANDDATA']._serialized_start=840 - _globals['_SIGNATUREANDDATA']._serialized_end=978 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 - _globals['_SIGNBYTES']._serialized_start=1058 - _globals['_SIGNBYTES']._serialized_end=1209 - _globals['_HEADERDATA']._serialized_start=1211 - _globals['_HEADERDATA']._serialized_end=1297 - _globals['_CLIENTSTATEDATA']._serialized_start=1299 - _globals['_CLIENTSTATEDATA']._serialized_end=1380 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 - _globals['_CHANNELSTATEDATA']._serialized_start=1573 - _globals['_CHANNELSTATEDATA']._serialized_end=1658 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 + _globals['_CLIENTSTATE']._serialized_end=469 + _globals['_CONSENSUSSTATE']._serialized_start=471 + _globals['_CONSENSUSSTATE']._serialized_end=598 + _globals['_HEADER']._serialized_start=601 + _globals['_HEADER']._serialized_end=797 + _globals['_MISBEHAVIOUR']._serialized_start=800 + _globals['_MISBEHAVIOUR']._serialized_end=1079 + _globals['_SIGNATUREANDDATA']._serialized_start=1082 + _globals['_SIGNATUREANDDATA']._serialized_end=1242 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1244 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1346 + _globals['_SIGNBYTES']._serialized_start=1349 + _globals['_SIGNBYTES']._serialized_end=1522 + _globals['_HEADERDATA']._serialized_start=1525 + _globals['_HEADERDATA']._serialized_end=1663 + _globals['_CLIENTSTATEDATA']._serialized_start=1665 + _globals['_CLIENTSTATEDATA']._serialized_end=1771 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1773 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1888 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1890 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1990 + _globals['_CHANNELSTATEDATA']._serialized_start=1992 + _globals['_CHANNELSTATEDATA']._serialized_end=2077 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=2079 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=2135 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2137 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2203 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2205 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2245 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2247 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index e5353531..6ac6b34f 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -16,44 +16,64 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xb4\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xb2\x01\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12G\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x04 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\xee\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x62\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachineb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachine' + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None + _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' + _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None + _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' + _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None + _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None + _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None + _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None + _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None + _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=266 - _globals['_CONSENSUSSTATE']._serialized_start=268 - _globals['_CONSENSUSSTATE']._serialized_end=372 - _globals['_HEADER']._serialized_start=374 - _globals['_HEADER']._serialized_end=497 - _globals['_MISBEHAVIOUR']._serialized_start=500 - _globals['_MISBEHAVIOUR']._serialized_end=686 - _globals['_SIGNATUREANDDATA']._serialized_start=688 - _globals['_SIGNATUREANDDATA']._serialized_end=778 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 - _globals['_SIGNBYTES']._serialized_start=857 - _globals['_SIGNBYTES']._serialized_end=960 - _globals['_HEADERDATA']._serialized_start=962 - _globals['_HEADERDATA']._serialized_end=1048 + _globals['_CLIENTSTATE']._serialized_end=316 + _globals['_CONSENSUSSTATE']._serialized_start=318 + _globals['_CONSENSUSSTATE']._serialized_end=445 + _globals['_HEADER']._serialized_start=448 + _globals['_HEADER']._serialized_end=626 + _globals['_MISBEHAVIOUR']._serialized_start=629 + _globals['_MISBEHAVIOUR']._serialized_end=867 + _globals['_SIGNATUREANDDATA']._serialized_start=869 + _globals['_SIGNATUREANDDATA']._serialized_end=959 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=961 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1063 + _globals['_SIGNBYTES']._serialized_start=1065 + _globals['_SIGNBYTES']._serialized_end=1168 + _globals['_HEADERDATA']._serialized_start=1171 + _globals['_HEADERDATA']._serialized_end=1309 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index cb55d086..d0f2048d 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -22,30 +22,34 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xc6\x06\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12Y\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"trust_level\"\x12V\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"trusting_period\"\x98\xdf\x1f\x01\x12X\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"unbonding_period\"\x98\xdf\x1f\x01\x12V\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"max_clock_drift\"\x98\xdf\x1f\x01\x12O\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"frozen_height\"\x12O\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"latest_height\"\x12G\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecB\x16\xf2\xde\x1f\x12yaml:\"proof_specs\"\x12-\n\x0cupgrade_path\x18\t \x03(\tB\x17\xf2\xde\x1f\x13yaml:\"upgrade_path\"\x12I\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42&\x18\x01\xf2\xde\x1f yaml:\"allow_update_after_expiry\"\x12U\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42,\x18\x01\xf2\xde\x1f&yaml:\"allow_update_after_misbehaviour\":\x04\x88\xa0\x1f\x00\"\xfa\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12q\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42S\xf2\xde\x1f\x1byaml:\"next_validators_hash\"\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xf3\x01\n\x0cMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12X\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header1\xf2\xde\x1f\x0fyaml:\"header_1\"\x12X\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header2\xf2\xde\x1f\x0fyaml:\"header_2\":\x04\x88\xa0\x1f\x00\"\xdc\x02\n\x06Header\x12S\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x1c\xd0\xde\x1f\x01\xf2\xde\x1f\x14yaml:\"signed_header\"\x12O\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x18\xf2\xde\x1f\x14yaml:\"validator_set\"\x12Q\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"trusted_height\"\x12Y\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x1d\xf2\xde\x1f\x19yaml:\"trusted_validators\"\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermintb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermint' _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"trust_level\"' _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"trusting_period\"\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"unbonding_period\"\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"max_clock_drift\"\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"frozen_height\"' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"latest_height\"' + _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._serialized_options = b'\362\336\037\022yaml:\"proof_specs\"' + _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._loaded_options = None + _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._serialized_options = b'\362\336\037\023yaml:\"upgrade_path\"' _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001\362\336\037 yaml:\"allow_update_after_expiry\"' _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001\362\336\037&yaml:\"allow_update_after_misbehaviour\"' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._loaded_options = None @@ -53,29 +57,33 @@ _globals['_CONSENSUSSTATE'].fields_by_name['root']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['root']._serialized_options = b'\310\336\037\000' _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._loaded_options = None - _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' + _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\362\336\037\033yaml:\"next_validators_hash\"\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001' + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1' + _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1\362\336\037\017yaml:\"header_1\"' _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2' + _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2\362\336\037\017yaml:\"header_2\"' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' _globals['_HEADER'].fields_by_name['signed_header']._loaded_options = None - _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001' + _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001\362\336\037\024yaml:\"signed_header\"' + _globals['_HEADER'].fields_by_name['validator_set']._loaded_options = None + _globals['_HEADER'].fields_by_name['validator_set']._serialized_options = b'\362\336\037\024yaml:\"validator_set\"' _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None - _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' + _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"trusted_height\"' + _globals['_HEADER'].fields_by_name['trusted_validators']._loaded_options = None + _globals['_HEADER'].fields_by_name['trusted_validators']._serialized_options = b'\362\336\037\031yaml:\"trusted_validators\"' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=901 - _globals['_CONSENSUSSTATE']._serialized_start=904 - _globals['_CONSENSUSSTATE']._serialized_end=1123 - _globals['_MISBEHAVIOUR']._serialized_start=1126 - _globals['_MISBEHAVIOUR']._serialized_end=1311 - _globals['_HEADER']._serialized_start=1314 - _globals['_HEADER']._serialized_end=1556 - _globals['_FRACTION']._serialized_start=1558 - _globals['_FRACTION']._serialized_end=1608 + _globals['_CLIENTSTATE']._serialized_end=1177 + _globals['_CONSENSUSSTATE']._serialized_start=1180 + _globals['_CONSENSUSSTATE']._serialized_end=1430 + _globals['_MISBEHAVIOUR']._serialized_start=1433 + _globals['_MISBEHAVIOUR']._serialized_end=1676 + _globals['_HEADER']._serialized_start=1679 + _globals['_HEADER']._serialized_end=2027 + _globals['_FRACTION']._serialized_start=2029 + _globals['_FRACTION']._serialized_end=2079 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index 87d5d94e..b619d8d3 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._options = None + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_BID'].fields_by_name['bidder']._options = None + _globals['_BID'].fields_by_name['bidder']._loaded_options = None _globals['_BID'].fields_by_name['bidder']._serialized_options = b'\352\336\037\006bidder\362\336\037\ryaml:\"bidder\"' - _globals['_BID'].fields_by_name['amount']._options = None + _globals['_BID'].fields_by_name['amount']._loaded_options = None _globals['_BID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTBID'].fields_by_name['amount']._options = None + _globals['_EVENTBID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._options = None + _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' - _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._options = None + _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=124 _globals['_PARAMS']._serialized_end=247 diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 2e27a7ae..43ba3961 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x93\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12H\n\x10highestBidAmount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState2\xa1\x04\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_stateBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,15 +32,13 @@ _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._loaded_options = None - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_QUERY'].methods_by_name['AuctionParams']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionParams']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/params' _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/basket' _globals['_QUERY'].methods_by_name['AuctionModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionModuleState']._serialized_options = b'\202\323\344\223\002)\022\'/injective/auction/v1beta1/module_state' - _globals['_QUERY'].methods_by_name['LastAuctionResult']._loaded_options = None - _globals['_QUERY'].methods_by_name['LastAuctionResult']._serialized_options = b'\202\323\344\223\0020\022./injective/auction/v1beta1/last_auction_result' _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 @@ -48,15 +46,11 @@ _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 - _globals['_QUERY']._serialized_start=901 - _globals['_QUERY']._serialized_end=1641 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=662 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=664 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=689 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=691 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=773 + _globals['_QUERY']._serialized_start=776 + _globals['_QUERY']._serialized_end=1321 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 5d235e61..8bb4ae1a 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -55,11 +55,6 @@ def __init__(self, channel): request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, _registered_method=True) - self.LastAuctionResult = channel.unary_unary( - '/injective.auction.v1beta1.Query/LastAuctionResult', - request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, - response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, - _registered_method=True) class QueryServicer(object): @@ -87,12 +82,6 @@ def AuctionModuleState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def LastAuctionResult(self, request, context): - """Missing associated documentation comment in .proto file.""" - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -111,11 +100,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.FromString, response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.SerializeToString, ), - 'LastAuctionResult': grpc.unary_unary_rpc_method_handler( - servicer.LastAuctionResult, - request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.FromString, - response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Query', rpc_method_handlers) @@ -208,30 +192,3 @@ def AuctionModuleState(request, timeout, metadata, _registered_method=True) - - @staticmethod - def LastAuctionResult(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.auction.v1beta1.Query/LastAuctionResult', - injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, - injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index db39a84d..cdb2b3c9 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,18 +24,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' - _globals['_MSGBID'].fields_by_name['bid_amount']._options = None + _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGBID']._options = None + _globals['_MSGBID']._loaded_options = None _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGBID']._serialized_start=212 _globals['_MSGBID']._serialized_end=325 diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 99faa370..2e824092 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,10 +20,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' - _globals['_PUBKEY']._options = None + _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000' _globals['_PUBKEY']._serialized_start=113 _globals['_PUBKEY']._serialized_end=140 diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index b929038b..fb52f2a9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,30 +20,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_CREATESPOTLIMITORDERAUTHZ']._options = None + _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATESPOTMARKETORDERAUTHZ']._options = None + _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._loaded_options = None _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELSPOTORDERAUTHZ']._options = None + _globals['_CANCELSPOTORDERAUTHZ']._loaded_options = None _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._options = None + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._loaded_options = None _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._loaded_options = None _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._options = None + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._loaded_options = None _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._options = None + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._loaded_options = None _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CANCELDERIVATIVEORDERAUTHZ']._options = None + _globals['_CANCELDERIVATIVEORDERAUTHZ']._loaded_options = None _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._options = None + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._loaded_options = None _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_BATCHUPDATEORDERSAUTHZ']._options = None + _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=97 _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=186 diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 725f34d2..9d7fde68 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\xa8\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12J\n\x12\x63umulative_funding\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\x81\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12_\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12U\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\xa6\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x44\n\x0c\x66unding_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmark_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xb5\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12G\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\x8c\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\"@\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,11 +27,11 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None - _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._loaded_options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._loaded_options = None @@ -51,9 +51,9 @@ _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\000' _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._loaded_options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._loaded_options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._loaded_options = None @@ -63,7 +63,7 @@ _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._loaded_options = None _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._loaded_options = None @@ -72,78 +72,68 @@ _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' - _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None - _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 - _globals['_EVENTORDERFAIL']._serialized_start=4597 - _globals['_EVENTORDERFAIL']._serialized_end=4675 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 - _globals['_ORDERBOOKUPDATE']._serialized_start=4970 - _globals['_ORDERBOOKUPDATE']._serialized_end=5058 - _globals['_ORDERBOOK']._serialized_start=5061 - _globals['_ORDERBOOK']._serialized_end=5202 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 - _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 - _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 - _globals['_EVENTINVALIDGRANT']._serialized_start=5418 - _globals['_EVENTINVALIDGRANT']._serialized_end=5471 - _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 - _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=687 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=690 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=947 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=949 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1065 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1067 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1194 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1196 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1296 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1298 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1393 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1395 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1498 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1501 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=1669 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1672 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1858 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=1860 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=1966 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1968 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2053 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2056 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2313 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2316 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2511 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2514 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2808 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2810 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2927 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2929 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3047 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3050 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3185 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3187 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3280 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3283 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3464 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3467 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3706 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3708 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3801 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3804 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3995 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3997 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4098 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4101 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4249 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4252 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4489 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4492 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4632 + _globals['_EVENTORDERFAIL']._serialized_start=4634 + _globals['_EVENTORDERFAIL']._serialized_end=4698 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4700 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4826 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4829 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4991 + _globals['_ORDERBOOKUPDATE']._serialized_start=4993 + _globals['_ORDERBOOKUPDATE']._serialized_end=5081 + _globals['_ORDERBOOK']._serialized_start=5084 + _globals['_ORDERBOOK']._serialized_end=5225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index a3b9ea02..f59c5f47 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,264 +22,264 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._options = None + _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' - _globals['_ORDERTYPE'].values_by_name["BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY"]._serialized_options = b'\212\235 \003BUY' - _globals['_ORDERTYPE'].values_by_name["SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL"]._serialized_options = b'\212\235 \004SELL' - _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_BUY"]._serialized_options = b'\212\235 \010STOP_BUY' - _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["STOP_SELL"]._serialized_options = b'\212\235 \tSTOP_SELL' - _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_BUY"]._serialized_options = b'\212\235 \010TAKE_BUY' - _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._options = None + _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["TAKE_SELL"]._serialized_options = b'\212\235 \tTAKE_SELL' - _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_PO"]._serialized_options = b'\212\235 \006BUY_PO' - _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_PO"]._serialized_options = b'\212\235 \007SELL_PO' - _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["BUY_ATOMIC"]._serialized_options = b'\212\235 \nBUY_ATOMIC' - _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._options = None + _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["SELL_ATOMIC"]._serialized_options = b'\212\235 \013SELL_ATOMIC' - _globals['_ORDERMASK'].values_by_name["UNUSED"]._options = None + _globals['_ORDERMASK'].values_by_name["UNUSED"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["UNUSED"]._serialized_options = b'\212\235 \006UNUSED' - _globals['_ORDERMASK'].values_by_name["ANY"]._options = None + _globals['_ORDERMASK'].values_by_name["ANY"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["ANY"]._serialized_options = b'\212\235 \003ANY' - _globals['_ORDERMASK'].values_by_name["REGULAR"]._options = None + _globals['_ORDERMASK'].values_by_name["REGULAR"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["REGULAR"]._serialized_options = b'\212\235 \007REGULAR' - _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._options = None + _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["CONDITIONAL"]._serialized_options = b'\212\235 \013CONDITIONAL' - _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_BUY_OR_HIGHER"]._serialized_options = b'\212\235 \rBUY_OR_HIGHER' - _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._options = None + _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["DIRECTION_SELL_OR_LOWER"]._serialized_options = b'\212\235 \rSELL_OR_LOWER' - _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_MARKET"]._serialized_options = b'\212\235 \006MARKET' - _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._options = None + _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._loaded_options = None _globals['_ORDERMASK'].values_by_name["TYPE_LIMIT"]._serialized_options = b'\212\235 \005LIMIT' - _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['spot_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._options = None + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._options = None + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._options = None + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._loaded_options = None _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._options = None + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._options = None + _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._options = None + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._options = None + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._options = None + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFEEMULTIPLIER']._options = None + _globals['_MARKETFEEMULTIPLIER']._loaded_options = None _globals['_MARKETFEEMULTIPLIER']._serialized_options = b'\210\240\037\000' - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKET']._options = None + _globals['_DERIVATIVEMARKET']._loaded_options = None _globals['_DERIVATIVEMARKET']._serialized_options = b'\210\240\037\000' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKET']._options = None + _globals['_BINARYOPTIONSMARKET']._loaded_options = None _globals['_BINARYOPTIONSMARKET']._serialized_options = b'\210\240\037\000' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._loaded_options = None _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._options = None + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._loaded_options = None _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._loaded_options = None _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._options = None + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._loaded_options = None _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._options = None + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._loaded_options = None _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._options = None + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._loaded_options = None _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._options = None + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._loaded_options = None _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['available_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['available_balance']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DEPOSIT'].fields_by_name['total_balance']._options = None + _globals['_DEPOSIT'].fields_by_name['total_balance']._loaded_options = None _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['price']._options = None + _globals['_ORDERINFO'].fields_by_name['price']._loaded_options = None _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORDERINFO'].fields_by_name['quantity']._options = None + _globals['_ORDERINFO'].fields_by_name['quantity']._loaded_options = None _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._loaded_options = None _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._options = None + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._loaded_options = None _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._loaded_options = None _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._options = None + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._loaded_options = None _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._options = None + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['quantity']._options = None + _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['entry_price']._options = None + _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['margin']._options = None + _globals['_POSITION'].fields_by_name['margin']._loaded_options = None _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._options = None + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['quantity']._options = None + _globals['_TRADELOG'].fields_by_name['quantity']._loaded_options = None _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['price']._options = None + _globals['_TRADELOG'].fields_by_name['price']._loaded_options = None _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee']._options = None + _globals['_TRADELOG'].fields_by_name['fee']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._options = None + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._loaded_options = None _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._loaded_options = None _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._options = None + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._loaded_options = None _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._options = None + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._serialized_options = b'\310\336\037\000' - _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._options = None + _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._loaded_options = None _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._options = None + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._loaded_options = None _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._loaded_options = None _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._options = None + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._loaded_options = None _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._options = None + _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_TRADERECORD'].fields_by_name['price']._options = None + _globals['_TRADERECORD'].fields_by_name['price']._loaded_options = None _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADERECORD'].fields_by_name['quantity']._options = None + _globals['_TRADERECORD'].fields_by_name['quantity']._loaded_options = None _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['p']._options = None + _globals['_LEVEL'].fields_by_name['p']._loaded_options = None _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_LEVEL'].fields_by_name['q']._options = None + _globals['_LEVEL'].fields_by_name['q']._loaded_options = None _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETVOLUME'].fields_by_name['volume']._options = None + _globals['_MARKETVOLUME'].fields_by_name['volume']._loaded_options = None _globals['_MARKETVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12505 _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12621 diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index 2463f0b1..0ce25dcc 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\x91\x15\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"`\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06points\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -48,9 +48,9 @@ _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._loaded_options = None - _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SPOTORDERBOOK']._loaded_options = None _globals['_SPOTORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DERIVATIVEORDERBOOK']._loaded_options = None @@ -65,40 +65,34 @@ _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._serialized_options = b'\310\336\037\000' _globals['_SUBACCOUNTNONCE']._loaded_options = None _globals['_SUBACCOUNTNONCE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None - _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=3031 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 - _globals['_ACCOUNTVOLUME']._serialized_start=3338 - _globals['_ACCOUNTVOLUME']._serialized_end=3423 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 - _globals['_SPOTORDERBOOK']._serialized_start=3704 - _globals['_SPOTORDERBOOK']._serialized_end=3827 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 - _globals['_BALANCE']._serialized_start=4341 - _globals['_BALANCE']._serialized_end=4453 - _globals['_DERIVATIVEPOSITION']._serialized_start=4456 - _globals['_DERIVATIVEPOSITION']._serialized_end=4584 - _globals['_SUBACCOUNTNONCE']._serialized_start=4587 - _globals['_SUBACCOUNTNONCE']._serialized_end=4725 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 - _globals['_FULLACTIVEGRANT']._serialized_start=5178 - _globals['_FULLACTIVEGRANT']._serialized_end=5275 + _globals['_GENESISSTATE']._serialized_end=2880 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=2882 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=2938 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=2940 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3050 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3053 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3185 + _globals['_ACCOUNTVOLUME']._serialized_start=3187 + _globals['_ACCOUNTVOLUME']._serialized_end=3283 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3285 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3402 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3405 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3573 + _globals['_SPOTORDERBOOK']._serialized_start=3575 + _globals['_SPOTORDERBOOK']._serialized_end=3698 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=3701 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=3836 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3839 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4210 + _globals['_BALANCE']._serialized_start=4212 + _globals['_BALANCE']._serialized_end=4324 + _globals['_DERIVATIVEPOSITION']._serialized_start=4327 + _globals['_DERIVATIVEPOSITION']._serialized_end=4455 + _globals['_SUBACCOUNTNONCE']._serialized_start=4458 + _globals['_SUBACCOUNTNONCE']._serialized_end=4596 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4598 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4721 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4723 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4840 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 51bcc459..4bcc35f7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,132 +26,132 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' - _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._serialized_options = b'\212\235 \004SPOT' - _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._options = None + _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._serialized_options = b'\212\235 \013DERIVATIVES' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXCHANGEENABLEPROPOSAL']._options = None + _globals['_EXCHANGEENABLEPROPOSAL']._loaded_options = None _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._options = None + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._loaded_options = None _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETLAUNCHPROPOSAL']._options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._loaded_options = None _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._options = None + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._loaded_options = None _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._options = None + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._loaded_options = None _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._loaded_options = None _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._options = None + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._loaded_options = None _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._options = None + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._loaded_options = None _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FEEDISCOUNTPROPOSAL']._options = None + _globals['_FEEDISCOUNTPROPOSAL']._loaded_options = None _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._options = None + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._options = None + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_EXCHANGETYPE']._serialized_start=8872 _globals['_EXCHANGETYPE']._serialized_end=8992 diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index 2c838b57..92268c7d 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x9e\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12Q\n\x19limit_cumulative_notional\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xfd\x01\n\x15TrimmedSpotLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xf5\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xfb\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x96\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12Q\n\x19limit_cumulative_notional\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xf2\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x43\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cquote_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb3\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x44\n\x0cquote_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xce\x02\n\x1bTrimmedDerivativeLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"\x8d\x01\n\nPriceLevel\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\x86\x03\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x42\n\nmark_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xf5\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"u\n\x1eQueryTradeRewardPointsResponse\x12S\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xf3\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Q\n\x19total_trade_reward_points\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Y\n!pending_total_trade_reward_points\x18\x05 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\x8a\x03\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x65xpected_total\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\ndifference\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x84\x02\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xe5\x01\n\x1dQueryMarketVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xf6\x02\n!TrimmedDerivativeConditionalOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctriggerPrice\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"u\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x42\n\nmultiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd`\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplierBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,57 +40,57 @@ _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._loaded_options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' _globals['_PRICELEVEL'].fields_by_name['price']._loaded_options = None - _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICELEVEL'].fields_by_name['quantity']._loaded_options = None - _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._loaded_options = None - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None @@ -98,11 +98,11 @@ _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None @@ -116,47 +116,43 @@ _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEMISMATCH'].fields_by_name['available']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEMISMATCH'].fields_by_name['total']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEMISMATCH'].fields_by_name['difference']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None - _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._serialized_options = b'\352\336\037\007isLimit' _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._loaded_options = None - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._loaded_options = None - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERY'].methods_by_name['QueryExchangeParams']._loaded_options = None _globals['_QUERY'].methods_by_name['QueryExchangeParams']._serialized_options = b'\202\323\344\223\002,\022*/injective/exchange/v1beta1/exchangeParams' _globals['_QUERY'].methods_by_name['SubaccountDeposits']._loaded_options = None @@ -271,16 +267,10 @@ _globals['_QUERY'].methods_by_name['TraderDerivativeConditionalOrders']._serialized_options = b'\202\323\344\223\002W\022U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}' _globals['_QUERY'].methods_by_name['MarketAtomicExecutionFeeMultiplier']._loaded_options = None _globals['_QUERY'].methods_by_name['MarketAtomicExecutionFeeMultiplier']._serialized_options = b'\202\323\344\223\0029\0227/injective/exchange/v1beta1/atomic_order_fee_multiplier' - _globals['_QUERY'].methods_by_name['ActiveStakeGrant']._loaded_options = None - _globals['_QUERY'].methods_by_name['ActiveStakeGrant']._serialized_options = b'\202\323\344\223\002:\0228/injective/exchange/v1beta1/active_stake_grant/{grantee}' - _globals['_QUERY'].methods_by_name['GrantAuthorization']._loaded_options = None - _globals['_QUERY'].methods_by_name['GrantAuthorization']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}' - _globals['_QUERY'].methods_by_name['GrantAuthorizations']._loaded_options = None - _globals['_QUERY'].methods_by_name['GrantAuthorizations']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/grant_authorizations/{granter}' - _globals['_ORDERSIDE']._serialized_start=14580 - _globals['_ORDERSIDE']._serialized_end=14632 - _globals['_CANCELLATIONSTRATEGY']._serialized_start=14634 - _globals['_CANCELLATIONSTRATEGY']._serialized_end=14720 + _globals['_ORDERSIDE']._serialized_start=14456 + _globals['_ORDERSIDE']._serialized_end=14508 + _globals['_CANCELLATIONSTRATEGY']._serialized_start=14510 + _globals['_CANCELLATIONSTRATEGY']._serialized_end=14596 _globals['_SUBACCOUNT']._serialized_start=246 _globals['_SUBACCOUNT']._serialized_end=300 _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=302 @@ -340,209 +330,197 @@ _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=2609 _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=2690 _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=2693 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2957 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2960 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3111 - _globals['_FULLSPOTMARKET']._serialized_start=3114 - _globals['_FULLSPOTMARKET']._serialized_end=3263 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3265 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3362 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3364 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3455 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3457 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3536 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3538 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3627 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3629 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3725 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3727 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3827 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3829 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3901 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3903 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=3985 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=3988 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4221 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4223 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4321 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4323 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4429 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4431 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4482 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4485 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4697 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4699 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4756 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4759 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=4977 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=4980 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5119 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5122 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5279 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5282 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5619 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5622 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5907 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=5909 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=5987 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=5989 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6077 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6080 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6383 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6385 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6495 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6497 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6615 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6617 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6719 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6721 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=6833 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=6835 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=6934 - _globals['_PRICELEVEL']._serialized_start=6936 - _globals['_PRICELEVEL']._serialized_end=7055 - _globals['_PERPETUALMARKETSTATE']._serialized_start=7058 - _globals['_PERPETUALMARKETSTATE']._serialized_end=7224 - _globals['_FULLDERIVATIVEMARKET']._serialized_start=7227 - _globals['_FULLDERIVATIVEMARKET']._serialized_end=7606 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7608 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7707 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7709 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7758 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7760 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=7857 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=7859 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=7915 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=7917 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=7995 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=7997 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8054 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8056 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8112 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8114 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8196 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8198 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8289 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8291 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8351 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8353 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8456 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8458 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8558 - _globals['_EFFECTIVEPOSITION']._serialized_start=8561 - _globals['_EFFECTIVEPOSITION']._serialized_end=8773 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=8775 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=8893 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=8895 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=8947 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=8949 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9052 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9054 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9110 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9112 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9223 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9225 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9280 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9282 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9392 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9395 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9524 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9526 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9576 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9578 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9603 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9605 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9688 - _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9690 - _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9713 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9715 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=9808 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=9810 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=9891 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=9893 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=9999 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10001 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10034 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10037 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10514 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10516 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10566 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10568 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10624 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10626 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10665 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10667 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=10725 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=10727 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=10780 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=10783 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=10980 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=10982 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11015 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11017 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11131 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11133 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11185 - _globals['_BALANCEMISMATCH']._serialized_start=11188 - _globals['_BALANCEMISMATCH']._serialized_end=11527 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11529 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11634 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11636 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=11673 - _globals['_BALANCEWITHMARGINHOLD']._serialized_start=11676 - _globals['_BALANCEWITHMARGINHOLD']._serialized_end=11903 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=11905 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12030 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12032 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12071 - _globals['_TIERSTATISTIC']._serialized_start=12073 - _globals['_TIERSTATISTIC']._serialized_end=12117 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12119 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12222 - _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12224 - _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12247 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12250 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12378 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12380 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12434 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12436 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12487 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12489 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12544 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12546 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=12648 - _globals['_TRADEHISTORYOPTIONS']._serialized_start=12650 - _globals['_TRADEHISTORYOPTIONS']._serialized_end=12771 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=12774 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=12903 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=12906 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13124 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13126 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13169 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13171 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13265 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13267 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13356 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13359 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=13702 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=13704 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=13831 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=13833 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=13900 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=13902 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14008 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=14010 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=14057 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=14060 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=14216 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=14218 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=14284 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=14286 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=14366 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=14368 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=14418 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=14421 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=14578 - _globals['_QUERY']._serialized_start=14723 - _globals['_QUERY']._serialized_end=27728 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2979 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2982 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3133 + _globals['_FULLSPOTMARKET']._serialized_start=3136 + _globals['_FULLSPOTMARKET']._serialized_end=3285 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3287 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3384 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3386 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3477 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3479 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3558 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3560 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3649 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3651 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3747 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3749 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3849 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3851 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3923 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3925 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=4007 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=4010 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4263 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4265 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4363 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4365 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4471 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4473 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4524 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4527 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4772 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4774 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4831 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4834 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=5085 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=5088 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5238 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5241 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5398 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5401 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5771 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5774 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=6081 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=6083 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=6161 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=6163 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6251 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6254 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6588 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6590 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6700 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6702 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6820 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6822 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6924 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6926 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=7038 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=7040 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=7139 + _globals['_PRICELEVEL']._serialized_start=7142 + _globals['_PRICELEVEL']._serialized_end=7283 + _globals['_PERPETUALMARKETSTATE']._serialized_start=7286 + _globals['_PERPETUALMARKETSTATE']._serialized_end=7452 + _globals['_FULLDERIVATIVEMARKET']._serialized_start=7455 + _globals['_FULLDERIVATIVEMARKET']._serialized_end=7845 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7847 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7946 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7948 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7997 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7999 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=8096 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=8098 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=8154 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=8156 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=8234 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=8236 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8293 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8295 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8351 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8353 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8435 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8437 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8528 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8530 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8590 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8592 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8695 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8697 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8797 + _globals['_EFFECTIVEPOSITION']._serialized_start=8800 + _globals['_EFFECTIVEPOSITION']._serialized_end=9045 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=9047 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=9165 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=9167 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=9219 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=9221 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9324 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9326 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9382 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9384 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9495 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9497 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9552 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9554 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9664 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9667 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9796 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9798 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9848 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9850 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9875 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9877 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9960 + _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9962 + _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9985 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9987 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=10080 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=10082 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=10163 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=10165 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=10282 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10284 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10317 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10320 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10819 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10821 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10871 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10873 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10929 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10931 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10970 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10972 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=11030 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=11032 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=11085 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=11088 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=11285 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=11287 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11320 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11322 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11436 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11438 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11490 + _globals['_BALANCEMISMATCH']._serialized_start=11493 + _globals['_BALANCEMISMATCH']._serialized_end=11887 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11889 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11994 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11996 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=12033 + _globals['_BALANCEWITHMARGINHOLD']._serialized_start=12036 + _globals['_BALANCEWITHMARGINHOLD']._serialized_end=12296 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=12298 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12423 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12425 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12464 + _globals['_TIERSTATISTIC']._serialized_start=12466 + _globals['_TIERSTATISTIC']._serialized_end=12510 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12512 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12615 + _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12617 + _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12640 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12643 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12771 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12773 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12827 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12829 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12880 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12882 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12937 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12939 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=13041 + _globals['_TRADEHISTORYOPTIONS']._serialized_start=13043 + _globals['_TRADEHISTORYOPTIONS']._serialized_end=13164 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=13167 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=13296 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=13299 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13528 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13530 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13573 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13575 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13669 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13671 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13760 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13763 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=14137 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=14139 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=14266 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=14268 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=14335 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=14337 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14454 + _globals['_QUERY']._serialized_start=14599 + _globals['_QUERY']._serialized_end=26964 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index 2c94b222..3c00b9b7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -325,21 +325,6 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, _registered_method=True) - self.ActiveStakeGrant = channel.unary_unary( - '/injective.exchange.v1beta1.Query/ActiveStakeGrant', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, - _registered_method=True) - self.GrantAuthorization = channel.unary_unary( - '/injective.exchange.v1beta1.Query/GrantAuthorization', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, - _registered_method=True) - self.GrantAuthorizations = channel.unary_unary( - '/injective.exchange.v1beta1.Query/GrantAuthorizations', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, - _registered_method=True) class QueryServicer(object): @@ -749,27 +734,6 @@ def MarketAtomicExecutionFeeMultiplier(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ActiveStakeGrant(self, request, context): - """Retrieves the active stake grant for a grantee - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GrantAuthorization(self, request, context): - """Retrieves the grant authorization amount for a granter and grantee - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GrantAuthorizations(self, request, context): - """Retrieves the grant authorization amount for a granter and grantee - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -1058,21 +1022,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.SerializeToString, ), - 'ActiveStakeGrant': grpc.unary_unary_rpc_method_handler( - servicer.ActiveStakeGrant, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.SerializeToString, - ), - 'GrantAuthorization': grpc.unary_unary_rpc_method_handler( - servicer.GrantAuthorization, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.SerializeToString, - ), - 'GrantAuthorizations': grpc.unary_unary_rpc_method_handler( - servicer.GrantAuthorizations, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Query', rpc_method_handlers) @@ -2623,84 +2572,3 @@ def MarketAtomicExecutionFeeMultiplier(request, timeout, metadata, _registered_method=True) - - @staticmethod - def ActiveStakeGrant(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Query/ActiveStakeGrant', - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GrantAuthorization(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Query/GrantAuthorization', - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GrantAuthorizations(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Query/GrantAuthorizations', - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 554f3c6c..fbad95e7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,218 +26,218 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGDEPOSIT'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGDEPOSIT']._options = None + _globals['_MSGDEPOSIT']._loaded_options = None _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAW'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAW']._options = None + _globals['_MSGWITHDRAW']._loaded_options = None _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTLIMITORDER']._options = None + _globals['_MSGCREATESPOTLIMITORDER']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._loaded_options = None _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATESPOTMARKETORDER']._options = None + _globals['_MSGCREATESPOTMARKETORDER']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_SPOTMARKETORDERRESULTS']._options = None + _globals['_SPOTMARKETORDERRESULTS']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVELIMITORDER']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDER']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._options = None + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELSPOTORDER']._options = None + _globals['_MSGCANCELSPOTORDER']._loaded_options = None _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELSPOTORDERS']._options = None + _globals['_MSGBATCHCANCELSPOTORDERS']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['derivative_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_cancel']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._options = None + _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._serialized_options = b'\310\336\037\001' - _globals['_MSGBATCHUPDATEORDERS']._options = None + _globals['_MSGBATCHUPDATEORDERS']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._options = None + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._serialized_options = b'\310\336\037\000' - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_DERIVATIVEMARKETORDERRESULTS']._options = None + _globals['_DERIVATIVEMARKETORDERRESULTS']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._options = None + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCANCELDERIVATIVEORDER']._options = None + _globals['_MSGCANCELDERIVATIVEORDER']._loaded_options = None _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGCANCELBINARYOPTIONSORDER']._options = None + _globals['_MSGCANCELBINARYOPTIONSORDER']._loaded_options = None _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._options = None + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSUBACCOUNTTRANSFER']._options = None + _globals['_MSGSUBACCOUNTTRANSFER']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._options = None + _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGEXTERNALTRANSFER']._options = None + _globals['_MSGEXTERNALTRANSFER']._loaded_options = None _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._options = None + _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._serialized_options = b'\310\336\037\001' - _globals['_MSGLIQUIDATEPOSITION']._options = None + _globals['_MSGLIQUIDATEPOSITION']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEMERGENCYSETTLEMARKET']._options = None + _globals['_MSGEMERGENCYSETTLEMARKET']._loaded_options = None _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGINCREASEPOSITIONMARGIN']._options = None + _globals['_MSGINCREASEPOSITIONMARGIN']._loaded_options = None _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._options = None + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRECLAIMLOCKEDFUNDS']._options = None + _globals['_MSGRECLAIMLOCKEDFUNDS']._loaded_options = None _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSIGNDATA'].fields_by_name['Signer']._options = None + _globals['_MSGSIGNDATA'].fields_by_name['Signer']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Signer']._serialized_options = b'\352\336\037\006signer\372\336\037-github.com/cosmos/cosmos-sdk/types.AccAddress' - _globals['_MSGSIGNDATA'].fields_by_name['Data']._options = None + _globals['_MSGSIGNDATA'].fields_by_name['Data']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Data']._serialized_options = b'\352\336\037\004data' - _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['sign_type']._serialized_options = b'\352\336\037\004type' - _globals['_MSGSIGNDOC'].fields_by_name['value']._options = None + _globals['_MSGSIGNDOC'].fields_by_name['value']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['value']._serialized_options = b'\310\336\037\000' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._options = None + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._loaded_options = None _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGUPDATEPARAMS']._serialized_start=304 _globals['_MSGUPDATEPARAMS']._serialized_end=440 diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index dcba65de..ee9dd1d8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -175,11 +175,6 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, _registered_method=True) - self.DecreasePositionMargin = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, - _registered_method=True) self.RewardsOptOut = channel.unary_unary( '/injective.exchange.v1beta1.Msg/RewardsOptOut', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, @@ -190,31 +185,16 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, _registered_method=True) + self.ReclaimLockedFunds = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, + _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.exchange.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) - self.UpdateSpotMarket = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, - _registered_method=True) - self.UpdateDerivativeMarket = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, - _registered_method=True) - self.AuthorizeStakeGrants = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, - _registered_method=True) - self.ActivateStakeGrant = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -429,13 +409,6 @@ def IncreasePositionMargin(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DecreasePositionMargin(self, request, context): - """DecreasePositionMargin defines a method for decreasing margin of a position - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def RewardsOptOut(self, request, context): """RewardsOptOut defines a method for opting out of rewards """ @@ -451,34 +424,14 @@ def AdminUpdateBinaryOptionsMarket(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def UpdateParams(self, request, context): - """Missing associated documentation comment in .proto file.""" - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def UpdateSpotMarket(self, request, context): - """UpdateSpotMarket modifies certain spot market fields (admin only) + def ReclaimLockedFunds(self, request, context): """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def UpdateDerivativeMarket(self, request, context): - """UpdateDerivativeMarket modifies certain derivative market fields (admin - only) """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def AuthorizeStakeGrants(self, request, context): - """Missing associated documentation comment in .proto file.""" - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ActivateStakeGrant(self, request, context): + def UpdateParams(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -622,11 +575,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.SerializeToString, ), - 'DecreasePositionMargin': grpc.unary_unary_rpc_method_handler( - servicer.DecreasePositionMargin, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.SerializeToString, - ), 'RewardsOptOut': grpc.unary_unary_rpc_method_handler( servicer.RewardsOptOut, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.FromString, @@ -637,31 +585,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.SerializeToString, ), + 'ReclaimLockedFunds': grpc.unary_unary_rpc_method_handler( + servicer.ReclaimLockedFunds, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.SerializeToString, + ), 'UpdateParams': grpc.unary_unary_rpc_method_handler( servicer.UpdateParams, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), - 'UpdateSpotMarket': grpc.unary_unary_rpc_method_handler( - servicer.UpdateSpotMarket, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.SerializeToString, - ), - 'UpdateDerivativeMarket': grpc.unary_unary_rpc_method_handler( - servicer.UpdateDerivativeMarket, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.SerializeToString, - ), - 'AuthorizeStakeGrants': grpc.unary_unary_rpc_method_handler( - servicer.AuthorizeStakeGrants, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.SerializeToString, - ), - 'ActivateStakeGrant': grpc.unary_unary_rpc_method_handler( - servicer.ActivateStakeGrant, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Msg', rpc_method_handlers) @@ -1403,33 +1336,6 @@ def IncreasePositionMargin(request, metadata, _registered_method=True) - @staticmethod - def DecreasePositionMargin(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def RewardsOptOut(request, target, @@ -1485,7 +1391,7 @@ def AdminUpdateBinaryOptionsMarket(request, _registered_method=True) @staticmethod - def UpdateParams(request, + def ReclaimLockedFunds(request, target, options=(), channel_credentials=None, @@ -1498,9 +1404,9 @@ def UpdateParams(request, return grpc.experimental.unary_unary( request, target, - '/injective.exchange.v1beta1.Msg/UpdateParams', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, options, channel_credentials, insecure, @@ -1512,88 +1418,7 @@ def UpdateParams(request, _registered_method=True) @staticmethod - def UpdateSpotMarket(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def UpdateDerivativeMarket(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def AuthorizeStakeGrants(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ActivateStakeGrant(request, + def UpdateParams(request, target, options=(), channel_credentials=None, @@ -1606,9 +1431,9 @@ def ActivateStakeGrant(request, return grpc.experimental.unary_unary( request, target, - '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, + '/injective.exchange.v1beta1.Msg/UpdateParams', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index da00ec79..e7c3b4f3 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,22 +24,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._options = None + _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._options = None + _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\037(yaml:\"redemption_notice_period_duration\"\230\337\037\001' - _globals['_INSURANCEFUND'].fields_by_name['balance']._options = None + _globals['_INSURANCEFUND'].fields_by_name['balance']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_INSURANCEFUND'].fields_by_name['total_share']._options = None + _globals['_INSURANCEFUND'].fields_by_name['total_share']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._serialized_options = b'\310\336\037\000\362\336\037 yaml:\"claimable_redemption_time\"\220\337\037\001' - _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._options = None + _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._serialized_start=235 _globals['_PARAMS']._serialized_end=390 diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 19a70878..67fa3770 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,26 +25,26 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' - _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._options = None + _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATEINSURANCEFUND']._options = None + _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._options = None + _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' - _globals['_MSGUNDERWRITE']._options = None + _globals['_MSGUNDERWRITE']._loaded_options = None _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._options = None + _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._loaded_options = None _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGREQUESTREDEMPTION']._options = None + _globals['_MSGREQUESTREDEMPTION']._loaded_options = None _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEINSURANCEFUND']._serialized_start=260 _globals['_MSGCREATEINSURANCEFUND']._serialized_end=534 diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 1baf53d0..0234cebb 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -16,10 +16,9 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"W\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xb0\x03\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x42\n\nmin_answer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\x92\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd0\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x42\n\nmin_answer\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xdf\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x8e\x01\n\x0cTransmission\x12>\n\x06\x61nswer\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"\x81\x01\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x44\n\x0cobservations\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\x12\x45ventAnswerUpdated\x12?\n\x07\x63urrent\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12@\n\x08round_id\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x9f\x01\n\rEventNewRound\x12@\n\x08round_id\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xe8\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12>\n\x06\x61nswer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x44\n\x0cobservations\x18\x06 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,87 +27,87 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001' _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_MODULEPARAMS'].fields_by_name['max_answer']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_SETCONFIGPROPOSAL']._loaded_options = None - _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\025ocr/SetConfigProposal' + _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_SETBATCHCONFIGPROPOSAL']._loaded_options = None - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\032ocr/SetBatchConfigProposal' + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_TRANSMISSION'].fields_by_name['answer']._loaded_options = None - _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_REPORT'].fields_by_name['observations']._loaded_options = None - _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTORACLEPAID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTORACLEPAID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._loaded_options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._loaded_options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_EVENTNEWROUND'].fields_by_name['round_id']._loaded_options = None - _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTNEWROUND'].fields_by_name['started_at']._loaded_options = None _globals['_EVENTNEWROUND'].fields_by_name['started_at']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._loaded_options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._serialized_start=191 - _globals['_PARAMS']._serialized_end=293 - _globals['_FEEDCONFIG']._serialized_start=296 - _globals['_FEEDCONFIG']._serialized_end=500 - _globals['_FEEDCONFIGINFO']._serialized_start=502 - _globals['_FEEDCONFIGINFO']._serialized_end=628 - _globals['_MODULEPARAMS']._serialized_start=631 - _globals['_MODULEPARAMS']._serialized_end=1007 - _globals['_CONTRACTCONFIG']._serialized_start=1010 - _globals['_CONTRACTCONFIG']._serialized_end=1180 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 - _globals['_FEEDPROPERTIES']._serialized_start=1358 - _globals['_FEEDPROPERTIES']._serialized_end=1766 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 - _globals['_GASREIMBURSEMENTS']._serialized_start=2069 - _globals['_GASREIMBURSEMENTS']._serialized_end=2139 - _globals['_PAYEE']._serialized_start=2141 - _globals['_PAYEE']._serialized_end=2196 - _globals['_TRANSMISSION']._serialized_start=2199 - _globals['_TRANSMISSION']._serialized_end=2330 - _globals['_EPOCHANDROUND']._serialized_start=2332 - _globals['_EPOCHANDROUND']._serialized_end=2377 - _globals['_REPORT']._serialized_start=2379 - _globals['_REPORT']._serialized_end=2497 - _globals['_REPORTTOSIGN']._serialized_start=2499 - _globals['_REPORTTOSIGN']._serialized_end=2602 - _globals['_EVENTORACLEPAID']._serialized_start=2604 - _globals['_EVENTORACLEPAID']._serialized_end=2716 - _globals['_EVENTANSWERUPDATED']._serialized_start=2719 - _globals['_EVENTANSWERUPDATED']._serialized_end=2894 - _globals['_EVENTNEWROUND']._serialized_start=2897 - _globals['_EVENTNEWROUND']._serialized_end=3039 - _globals['_EVENTTRANSMITTED']._serialized_start=3041 - _globals['_EVENTTRANSMITTED']._serialized_end=3097 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 - _globals['_EVENTCONFIGSET']._serialized_start=3441 - _globals['_EVENTCONFIGSET']._serialized_end=3629 + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS']._serialized_start=172 + _globals['_PARAMS']._serialized_end=259 + _globals['_FEEDCONFIG']._serialized_start=262 + _globals['_FEEDCONFIG']._serialized_end=466 + _globals['_FEEDCONFIGINFO']._serialized_start=468 + _globals['_FEEDCONFIGINFO']._serialized_end=594 + _globals['_MODULEPARAMS']._serialized_start=597 + _globals['_MODULEPARAMS']._serialized_end=1029 + _globals['_CONTRACTCONFIG']._serialized_start=1032 + _globals['_CONTRACTCONFIG']._serialized_end=1202 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1205 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1351 + _globals['_FEEDPROPERTIES']._serialized_start=1354 + _globals['_FEEDPROPERTIES']._serialized_end=1818 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1821 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2044 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2046 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2088 + _globals['_GASREIMBURSEMENTS']._serialized_start=2090 + _globals['_GASREIMBURSEMENTS']._serialized_end=2160 + _globals['_PAYEE']._serialized_start=2162 + _globals['_PAYEE']._serialized_end=2217 + _globals['_TRANSMISSION']._serialized_start=2220 + _globals['_TRANSMISSION']._serialized_end=2362 + _globals['_EPOCHANDROUND']._serialized_start=2364 + _globals['_EPOCHANDROUND']._serialized_end=2409 + _globals['_REPORT']._serialized_start=2412 + _globals['_REPORT']._serialized_end=2541 + _globals['_REPORTTOSIGN']._serialized_start=2543 + _globals['_REPORTTOSIGN']._serialized_end=2646 + _globals['_EVENTORACLEPAID']._serialized_start=2648 + _globals['_EVENTORACLEPAID']._serialized_end=2760 + _globals['_EVENTANSWERUPDATED']._serialized_start=2763 + _globals['_EVENTANSWERUPDATED']._serialized_end=2972 + _globals['_EVENTNEWROUND']._serialized_start=2975 + _globals['_EVENTNEWROUND']._serialized_end=3134 + _globals['_EVENTTRANSMITTED']._serialized_start=3136 + _globals['_EVENTTRANSMITTED']._serialized_end=3192 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=3195 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=3555 + _globals['_EVENTCONFIGSET']._serialized_start=3558 + _globals['_EVENTCONFIGSET']._serialized_end=3746 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index 3872e2c2..581b21e9 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/ocr/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -24,38 +24,38 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' - _globals['_MSGCREATEFEED']._options = None + _globals['_MSGCREATEFEED']._loaded_options = None _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._options = None + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._loaded_options = None _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGUPDATEFEED']._options = None + _globals['_MSGUPDATEFEED']._loaded_options = None _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSMIT']._options = None + _globals['_MSGTRANSMIT']._loaded_options = None _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGFUNDFEEDREWARDPOOL']._options = None + _globals['_MSGFUNDFEEDREWARDPOOL']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._options = None + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGSETPAYEES']._options = None + _globals['_MSGSETPAYEES']._loaded_options = None _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGTRANSFERPAYEESHIP']._options = None + _globals['_MSGTRANSFERPAYEESHIP']._loaded_options = None _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGACCEPTPAYEESHIP']._options = None + _globals['_MSGACCEPTPAYEESHIP']._loaded_options = None _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEFEED']._serialized_start=196 _globals['_MSGCREATEFEED']._serialized_end=299 diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index aeefca01..27828a0a 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"q\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x92\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xaa\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\x33\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"z\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"~\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"n\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"|\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12>\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x9d\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xb5\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12>\n\x06prices\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"\x85\x01\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x89\x01\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"y\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,35 +26,35 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None - _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._loaded_options = None - _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 - _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=273 - _globals['_SETBANDPRICEEVENT']._serialized_start=276 - _globals['_SETBANDPRICEEVENT']._serialized_end=422 - _globals['_SETBANDIBCPRICEEVENT']._serialized_start=425 - _globals['_SETBANDIBCPRICEEVENT']._serialized_end=595 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=597 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=660 - _globals['_EVENTBANDIBCACKERROR']._serialized_start=662 - _globals['_EVENTBANDIBCACKERROR']._serialized_end=722 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=724 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=772 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=774 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=896 - _globals['_SETPROVIDERPRICEEVENT']._serialized_start=898 - _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1024 - _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1026 - _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1136 - _globals['_EVENTSETPYTHPRICES']._serialized_start=1138 - _globals['_EVENTSETPYTHPRICES']._serialized_end=1216 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=284 + _globals['_SETBANDPRICEEVENT']._serialized_start=287 + _globals['_SETBANDPRICEEVENT']._serialized_end=444 + _globals['_SETBANDIBCPRICEEVENT']._serialized_start=447 + _globals['_SETBANDIBCPRICEEVENT']._serialized_end=628 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=630 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=693 + _globals['_EVENTBANDIBCACKERROR']._serialized_start=695 + _globals['_EVENTBANDIBCACKERROR']._serialized_end=755 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=757 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=805 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=808 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=941 + _globals['_SETPROVIDERPRICEEVENT']._serialized_start=944 + _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1081 + _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1083 + _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1204 + _globals['_EVENTSETPYTHPRICES']._serialized_start=1206 + _globals['_EVENTSETPYTHPRICES']._serialized_end=1284 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 89ffe898..e49d92da 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,48 +21,48 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDPRICESTATE'].fields_by_name['rate']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['rate']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_BANDPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_BANDPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_PRICESTATE'].fields_by_name['price']._options = None + _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._options = None + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._options = None + _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._options = None + _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._loaded_options = None _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PRICERECORD'].fields_by_name['price']._options = None + _globals['_PRICERECORD'].fields_by_name['price']._loaded_options = None _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['mean']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['mean']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['twap']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['twap']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._options = None + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_ORACLETYPE']._serialized_start=3375 _globals['_ORACLETYPE']._serialized_end=3534 diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index a2799067..c018fc50 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,30 +23,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._options = None + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._serialized_options = b'\310\336\037\000' - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._options = None + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._loaded_options = None _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._options = None + _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' - _globals['_ENABLEBANDIBCPROPOSAL']._options = None + _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=190 _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=318 diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index ec26a809..961271a7 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xe3\x01\n\x1dQueryOracleVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"q\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\"\xad\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nbase_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bquote_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12M\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16quote_cumulative_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,19 +29,17 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None - _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._loaded_options = None - _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._serialized_options = b'\310\336\037\001' + _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\"\022 /injective/oracle/v1beta1/params' _globals['_QUERY'].methods_by_name['BandRelayers']._loaded_options = None @@ -121,23 +119,21 @@ _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 - _globals['_SCALINGOPTIONS']._serialized_start=2481 - _globals['_SCALINGOPTIONS']._serialized_end=2544 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 - _globals['_PRICEPAIRSTATE']._serialized_start=2736 - _globals['_PRICEPAIRSTATE']._serialized_end=3110 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 - _globals['_QUERY']._serialized_start=3209 - _globals['_QUERY']._serialized_end=5987 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2205 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2207 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2240 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2242 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2335 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2337 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2389 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2391 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2490 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2492 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2605 + _globals['_PRICEPAIRSTATE']._serialized_start=2608 + _globals['_PRICEPAIRSTATE']._serialized_end=3037 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3039 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3133 + _globals['_QUERY']._serialized_start=3136 + _globals['_QUERY']._serialized_end=5914 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 3c795ee6..8531932d 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,30 +23,30 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._options = None + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPROVIDERPRICES']._options = None + _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_MSGRELAYPRICEFEEDPRICE']._options = None + _globals['_MSGRELAYPRICEFEEDPRICE']._loaded_options = None _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYBANDRATES']._options = None + _globals['_MSGRELAYBANDRATES']._loaded_options = None _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer' - _globals['_MSGRELAYCOINBASEMESSAGES']._options = None + _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGREQUESTBANDIBCRATES']._options = None + _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGRELAYPYTHPRICES']._options = None + _globals['_MSGRELAYPYTHPRICES']._loaded_options = None _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=177 _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=337 diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index 4171c980..ad6a8047 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -16,7 +16,7 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"^\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12>\n\x06\x61mount\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,11 +37,11 @@ _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None - _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_CLAIMTYPE']._serialized_start=290 - _globals['_CLAIMTYPE']._serialized_end=577 + _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_CLAIMTYPE']._serialized_start=307 + _globals['_CLAIMTYPE']._serialized_end=594 _globals['_ATTESTATION']._serialized_start=109 _globals['_ATTESTATION']._serialized_end=208 _globals['_ERC20TOKEN']._serialized_start=210 - _globals['_ERC20TOKEN']._serialized_end=287 + _globals['_ERC20TOKEN']._serialized_end=304 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index 374a2817..a565b6b0 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xe1\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\x8c\x02\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12>\n\x06\x61mount\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\xa9\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,15 +26,15 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None - _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None - _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None - _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 @@ -44,29 +44,29 @@ _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 - _globals['_EVENTVALSETCONFIRM']._serialized_start=981 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 - _globals['_EVENTSENDTOETH']._serialized_start=1056 - _globals['_EVENTSENDTOETH']._serialized_end=1264 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 - _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 - _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=876 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=878 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=996 + _globals['_EVENTVALSETCONFIRM']._serialized_start=998 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1070 + _globals['_EVENTSENDTOETH']._serialized_start=1073 + _globals['_EVENTSENDTOETH']._serialized_end=1281 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1283 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1353 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1355 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1437 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1440 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=1708 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1711 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1873 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1876 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2092 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2095 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2392 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=2394 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=2440 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2442 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2537 + _globals['_EVENTVALIDATORSLASH']._serialized_start=2539 + _globals['_EVENTVALIDATORSLASH']._serialized_end=2661 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index 528f2253..fa00cdb5 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -27,64 +27,64 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_MSGVALSETCONFIRM']._options = None + _globals['_MSGVALSETCONFIRM']._loaded_options = None _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGSENDTOETH'].fields_by_name['amount']._options = None + _globals['_MSGSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._options = None + _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGSENDTOETH']._options = None + _globals['_MSGSENDTOETH']._loaded_options = None _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREQUESTBATCH']._options = None + _globals['_MSGREQUESTBATCH']._loaded_options = None _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCONFIRMBATCH']._options = None + _globals['_MSGCONFIRMBATCH']._loaded_options = None _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._options = None + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGDEPOSITCLAIM']._options = None + _globals['_MSGDEPOSITCLAIM']._loaded_options = None _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGWITHDRAWCLAIM']._options = None + _globals['_MSGWITHDRAWCLAIM']._loaded_options = None _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGERC20DEPLOYEDCLAIM']._options = None + _globals['_MSGERC20DEPLOYEDCLAIM']._loaded_options = None _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGCANCELSENDTOETH']._options = None + _globals['_MSGCANCELSENDTOETH']._loaded_options = None _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._options = None + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._loaded_options = None _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._options = None + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_MSGVALSETUPDATEDCLAIM']._options = None + _globals['_MSGVALSETUPDATEDCLAIM']._loaded_options = None _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSG'].methods_by_name['ValsetConfirm']._options = None + _globals['_MSG'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/valset_confirm' - _globals['_MSG'].methods_by_name['SendToEth']._options = None + _globals['_MSG'].methods_by_name['SendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['SendToEth']._serialized_options = b'\202\323\344\223\002!\"\037/injective/peggy/v1/send_to_eth' - _globals['_MSG'].methods_by_name['RequestBatch']._options = None + _globals['_MSG'].methods_by_name['RequestBatch']._loaded_options = None _globals['_MSG'].methods_by_name['RequestBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/request_batch' - _globals['_MSG'].methods_by_name['ConfirmBatch']._options = None + _globals['_MSG'].methods_by_name['ConfirmBatch']._loaded_options = None _globals['_MSG'].methods_by_name['ConfirmBatch']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/confirm_batch' - _globals['_MSG'].methods_by_name['DepositClaim']._options = None + _globals['_MSG'].methods_by_name['DepositClaim']._loaded_options = None _globals['_MSG'].methods_by_name['DepositClaim']._serialized_options = b'\202\323\344\223\002#\"!/injective/peggy/v1/deposit_claim' - _globals['_MSG'].methods_by_name['WithdrawClaim']._options = None + _globals['_MSG'].methods_by_name['WithdrawClaim']._loaded_options = None _globals['_MSG'].methods_by_name['WithdrawClaim']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/withdraw_claim' - _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._options = None + _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetUpdateClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/valset_updated_claim' - _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._options = None + _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._loaded_options = None _globals['_MSG'].methods_by_name['ERC20DeployedClaim']._serialized_options = b'\202\323\344\223\002*\"(/injective/peggy/v1/erc20_deployed_claim' - _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._options = None + _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._loaded_options = None _globals['_MSG'].methods_by_name['SetOrchestratorAddresses']._serialized_options = b'\202\323\344\223\002.\",/injective/peggy/v1/set_orchestrator_address' - _globals['_MSG'].methods_by_name['CancelSendToEth']._options = None + _globals['_MSG'].methods_by_name['CancelSendToEth']._loaded_options = None _globals['_MSG'].methods_by_name['CancelSendToEth']._serialized_options = b'\202\323\344\223\002(\"&/injective/peggy/v1/cancel_send_to_eth' - _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._options = None + _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=281 _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=369 diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index fa1ec042..7860bac1 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -99,16 +99,6 @@ def __init__(self, channel): request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) - self.BlacklistEthereumAddresses = channel.unary_unary( - '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', - request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, - response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, - _registered_method=True) - self.RevokeEthereumBlacklist = channel.unary_unary( - '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', - request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, - response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -186,21 +176,6 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def BlacklistEthereumAddresses(self, request, context): - """BlacklistEthereumAddresses adds Ethereum addresses to the peggy blacklist. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def RevokeEthereumBlacklist(self, request, context): - """RevokeEthereumBlacklist removes Ethereum addresses from the peggy - blacklist. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -264,16 +239,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.SerializeToString, ), - 'BlacklistEthereumAddresses': grpc.unary_unary_rpc_method_handler( - servicer.BlacklistEthereumAddresses, - request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.FromString, - response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.SerializeToString, - ), - 'RevokeEthereumBlacklist': grpc.unary_unary_rpc_method_handler( - servicer.RevokeEthereumBlacklist, - request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.FromString, - response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Msg', rpc_method_handlers) @@ -608,57 +573,3 @@ def UpdateParams(request, timeout, metadata, _registered_method=True) - - @staticmethod - def BlacklistEthereumAddresses(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', - injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, - injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def RevokeEthereumBlacklist(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', - injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, - injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index 55a209ce..a70647d1 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,22 +21,22 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._options = None + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS'].fields_by_name['valset_reward']._options = None + _globals['_PARAMS'].fields_by_name['valset_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['valset_reward']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\200\334 \000' _globals['_PARAMS']._serialized_start=110 _globals['_PARAMS']._serialized_end=1061 diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index a63eb316..2d0fbf82 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"^\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x42\n\ntotal_fees\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,9 +24,9 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None - _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_IDSET']._serialized_start=75 _globals['_IDSET']._serialized_end=95 _globals['_BATCHFEES']._serialized_start=97 - _globals['_BATCHFEES']._serialized_end=174 + _globals['_BATCHFEES']._serialized_end=191 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py index 5692f14d..bfcf4b13 100644 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/peggy/v1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,12 +21,12 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._options = None + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._loaded_options = None _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._options = None + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._loaded_options = None _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=248 diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py new file mode 100644 index 00000000..64f11e45 --- /dev/null +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 4019f4fc..3641cb92 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -15,7 +15,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xba\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,15 +24,15 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None - _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 _globals['_BRIDGEVALIDATOR']._serialized_end=134 _globals['_VALSET']._serialized_start=137 - _globals['_VALSET']._serialized_end=306 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 - _globals['_LASTCLAIMEVENT']._serialized_start=403 - _globals['_LASTCLAIMEVENT']._serialized_end=480 - _globals['_ERC20TODENOM']._serialized_start=482 - _globals['_ERC20TODENOM']._serialized_end=526 + _globals['_VALSET']._serialized_end=323 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=325 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=418 + _globals['_LASTCLAIMEVENT']._serialized_start=420 + _globals['_LASTCLAIMEVENT']._serialized_end=497 + _globals['_ERC20TODENOM']._serialized_start=499 + _globals['_ERC20TODENOM']._serialized_end=543 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 2605a01c..96981d40 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_PARAMS']._serialized_start=158 _globals['_PARAMS']._serialized_end=166 diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index c0b9830f..b93827bd 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -26,40 +26,40 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._options = None + _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._serialized_options = b'\310\336\037\000' - _globals['_MSGCREATENAMESPACE']._options = None + _globals['_MSGCREATENAMESPACE']._loaded_options = None _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGDELETENAMESPACE']._options = None + _globals['_MSGDELETENAMESPACE']._loaded_options = None _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACE']._options = None + _globals['_MSGUPDATENAMESPACE']._loaded_options = None _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGUPDATENAMESPACEROLES']._options = None + _globals['_MSGUPDATENAMESPACEROLES']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._options = None + _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGREVOKENAMESPACEROLES']._options = None + _globals['_MSGREVOKENAMESPACEROLES']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._options = None + _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._loaded_options = None _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCLAIMVOUCHER']._options = None + _globals['_MSGCLAIMVOUCHER']._loaded_options = None _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGUPDATEPARAMS']._serialized_start=305 _globals['_MSGUPDATEPARAMS']._serialized_end=444 diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 00f69344..fe02abbd 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -18,7 +18,7 @@ from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xdd\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"j\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xf2\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xfa\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -57,31 +57,31 @@ _globals['_DERIVATIVEORDER'].fields_by_name['order']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_POSITION'].fields_by_name['margin']._loaded_options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_ORACLEPRICE'].fields_by_name['price']._loaded_options = None - _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SPOTTRADE'].fields_by_name['quantity']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SPOTTRADE'].fields_by_name['price']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SPOTTRADE'].fields_by_name['fee']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' _globals['_DERIVATIVETRADE'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_DERIVATIVETRADE'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=4361 - _globals['_ORDERUPDATESTATUS']._serialized_end=4437 + _globals['_ORDERUPDATESTATUS']._serialized_start=4471 + _globals['_ORDERUPDATESTATUS']._serialized_end=4547 _globals['_STREAMREQUEST']._serialized_start=205 _globals['_STREAMREQUEST']._serialized_end=1027 _globals['_STREAMRESPONSE']._serialized_start=1030 @@ -105,27 +105,27 @@ _globals['_DERIVATIVEORDER']._serialized_start=2778 _globals['_DERIVATIVEORDER']._serialized_end=2904 _globals['_POSITION']._serialized_start=2907 - _globals['_POSITION']._serialized_end=3212 - _globals['_ORACLEPRICE']._serialized_start=3214 - _globals['_ORACLEPRICE']._serialized_end=3309 - _globals['_SPOTTRADE']._serialized_start=3312 - _globals['_SPOTTRADE']._serialized_end=3649 - _globals['_DERIVATIVETRADE']._serialized_start=3652 - _globals['_DERIVATIVETRADE']._serialized_end=4008 - _globals['_TRADESFILTER']._serialized_start=4010 - _globals['_TRADESFILTER']._serialized_end=4068 - _globals['_POSITIONSFILTER']._serialized_start=4070 - _globals['_POSITIONSFILTER']._serialized_end=4131 - _globals['_ORDERSFILTER']._serialized_start=4133 - _globals['_ORDERSFILTER']._serialized_end=4191 - _globals['_ORDERBOOKFILTER']._serialized_start=4193 - _globals['_ORDERBOOKFILTER']._serialized_end=4230 - _globals['_BANKBALANCESFILTER']._serialized_start=4232 - _globals['_BANKBALANCESFILTER']._serialized_end=4270 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 - _globals['_ORACLEPRICEFILTER']._serialized_start=4324 - _globals['_ORACLEPRICEFILTER']._serialized_end=4359 - _globals['_STREAM']._serialized_start=4439 - _globals['_STREAM']._serialized_end=4542 + _globals['_POSITION']._serialized_end=3256 + _globals['_ORACLEPRICE']._serialized_start=3258 + _globals['_ORACLEPRICE']._serialized_end=3364 + _globals['_SPOTTRADE']._serialized_start=3367 + _globals['_SPOTTRADE']._serialized_end=3737 + _globals['_DERIVATIVETRADE']._serialized_start=3740 + _globals['_DERIVATIVETRADE']._serialized_end=4118 + _globals['_TRADESFILTER']._serialized_start=4120 + _globals['_TRADESFILTER']._serialized_end=4178 + _globals['_POSITIONSFILTER']._serialized_start=4180 + _globals['_POSITIONSFILTER']._serialized_end=4241 + _globals['_ORDERSFILTER']._serialized_start=4243 + _globals['_ORDERSFILTER']._serialized_end=4301 + _globals['_ORDERBOOKFILTER']._serialized_start=4303 + _globals['_ORDERBOOKFILTER']._serialized_end=4340 + _globals['_BANKBALANCESFILTER']._serialized_start=4342 + _globals['_BANKBALANCESFILTER']._serialized_end=4380 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4382 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4432 + _globals['_ORACLEPRICEFILTER']._serialized_start=4434 + _globals['_ORACLEPRICEFILTER']._serialized_end=4469 + _globals['_STREAM']._serialized_start=4549 + _globals['_STREAM']._serialized_end=4652 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 4321ec5b..53bf6d21 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -23,10 +23,10 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_PARAMS'].fields_by_name['denom_creation_fee']._options = None + _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=217 _globals['_PARAMS']._serialized_end=360 diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index b692fae0..85ce4e44 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,52 +25,52 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_MSGCREATEDENOM'].fields_by_name['sender']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._serialized_options = b'\362\336\037\017yaml:\"subdenom\"' - _globals['_MSGCREATEDENOM'].fields_by_name['name']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['name']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' - _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._options = None + _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' - _globals['_MSGCREATEDENOM']._options = None + _globals['_MSGCREATEDENOM']._loaded_options = None _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._options = None + _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._serialized_options = b'\362\336\037\026yaml:\"new_token_denom\"' - _globals['_MSGMINT'].fields_by_name['sender']._options = None + _globals['_MSGMINT'].fields_by_name['sender']._loaded_options = None _globals['_MSGMINT'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGMINT'].fields_by_name['amount']._options = None + _globals['_MSGMINT'].fields_by_name['amount']._loaded_options = None _globals['_MSGMINT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGMINT']._options = None + _globals['_MSGMINT']._loaded_options = None _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGBURN'].fields_by_name['sender']._options = None + _globals['_MSGBURN'].fields_by_name['sender']._loaded_options = None _globals['_MSGBURN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGBURN'].fields_by_name['amount']._options = None + _globals['_MSGBURN'].fields_by_name['amount']._loaded_options = None _globals['_MSGBURN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' - _globals['_MSGBURN']._options = None + _globals['_MSGBURN']._loaded_options = None _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._serialized_options = b'\362\336\037\014yaml:\"denom\"' - _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._options = None + _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"' - _globals['_MSGCHANGEADMIN']._options = None + _globals['_MSGCHANGEADMIN']._loaded_options = None _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' - _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._options = None + _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"metadata\"' - _globals['_MSGSETDENOMMETADATA']._options = None + _globals['_MSGSETDENOMMETADATA']._loaded_options = None _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' _globals['_MSGCREATEDENOM']._serialized_start=259 _globals['_MSGCREATEDENOM']._serialized_end=428 diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index abea6cc8..e39278fa 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -17,7 +17,7 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xce\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":B\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,7 +30,7 @@ _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['code_hash']._serialized_options = b'\362\336\037\020yaml:\"code_hash\"' _globals['_ETHACCOUNT']._loaded_options = None - _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' + _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=332 + _globals['_ETHACCOUNT']._serialized_end=354 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index 889d16c1..ab012f95 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,24 +22,24 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._serialized_options = b'\310\336\037\000' - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._options = None + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._options = None + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._loaded_options = None _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_CONTRACTREGISTRATIONREQUEST']._options = None + _globals['_CONTRACTREGISTRATIONREQUEST']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._options = None + _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' - _globals['_BATCHSTORECODEPROPOSAL']._options = None + _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_FUNDINGMODE']._serialized_start=1179 _globals['_FUNDINGMODE']._serialized_end=1250 diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 8216504a..cba288c1 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,28 +25,28 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_MSGEXECUTECONTRACTCOMPAT']._options = None + _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._options = None + _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_MSGUPDATECONTRACT']._options = None + _globals['_MSGUPDATECONTRACT']._loaded_options = None _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGACTIVATECONTRACT']._options = None + _globals['_MSGACTIVATECONTRACT']._loaded_options = None _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGDEACTIVATECONTRACT']._options = None + _globals['_MSGDEACTIVATECONTRACT']._loaded_options = None _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_MSGUPDATEPARAMS']._options = None + _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._options = None + _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' - _globals['_MSGREGISTERCONTRACT']._options = None + _globals['_MSGREGISTERCONTRACT']._loaded_options = None _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender' _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=219 _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=320 diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index 5de12e25..fb83cbcd 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,18 +21,18 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_PARAMS']._options = None + _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._options = None + _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._serialized_options = b'\310\336\037\001' - _globals['_REGISTEREDCONTRACT']._options = None + _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' _globals['_PARAMS']._serialized_start=112 _globals['_PARAMS']._serialized_end=246 diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 7bfa3bfd..b87d3092 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/abci/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -25,64 +25,64 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' - _globals['_CHECKTXTYPE'].values_by_name["NEW"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' - _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._options = None + _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._serialized_options = b'\212\235 \007Recheck' - _globals['_REQUESTINITCHAIN'].fields_by_name['time']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['time']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._options = None + _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._options = None + _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._loaded_options = None _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._options = None + _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._options = None + _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSECHECKTX'].fields_by_name['events']._options = None + _globals['_RESPONSECHECKTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSECHECKTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._options = None + _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_COMMITINFO'].fields_by_name['votes']._options = None + _globals['_COMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._options = None + _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_EVENT'].fields_by_name['attributes']._options = None + _globals['_EVENT'].fields_by_name['attributes']._loaded_options = None _globals['_EVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000\352\336\037\024attributes,omitempty' - _globals['_TXRESULT'].fields_by_name['result']._options = None + _globals['_TXRESULT'].fields_by_name['result']._loaded_options = None _globals['_TXRESULT'].fields_by_name['result']._serialized_options = b'\310\336\037\000' - _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._options = None + _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_VOTEINFO'].fields_by_name['validator']._options = None + _globals['_VOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_VOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._options = None + _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._loaded_options = None _globals['_EXTENDEDVOTEINFO'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['validator']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['validator']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' - _globals['_MISBEHAVIOR'].fields_by_name['time']._options = None + _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_CHECKTXTYPE']._serialized_start=7216 _globals['_CHECKTXTYPE']._serialized_end=7273 diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 1cb3a616..1a64e902 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -30,9 +30,9 @@ ) -class ABCIStub(object): - """NOTE: When using custom types, mind the warnings. - https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues +class ABCIApplicationStub(object): + """---------------------------------------- + Service Definition """ @@ -43,90 +43,90 @@ def __init__(self, channel): channel: A grpc.Channel. """ self.Echo = channel.unary_unary( - '/tendermint.abci.ABCI/Echo', + '/tendermint.abci.ABCIApplication/Echo', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, _registered_method=True) self.Flush = channel.unary_unary( - '/tendermint.abci.ABCI/Flush', + '/tendermint.abci.ABCIApplication/Flush', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, _registered_method=True) self.Info = channel.unary_unary( - '/tendermint.abci.ABCI/Info', + '/tendermint.abci.ABCIApplication/Info', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, _registered_method=True) + self.DeliverTx = channel.unary_unary( + '/tendermint.abci.ABCIApplication/DeliverTx', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, + _registered_method=True) self.CheckTx = channel.unary_unary( - '/tendermint.abci.ABCI/CheckTx', + '/tendermint.abci.ABCIApplication/CheckTx', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, _registered_method=True) self.Query = channel.unary_unary( - '/tendermint.abci.ABCI/Query', + '/tendermint.abci.ABCIApplication/Query', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, _registered_method=True) self.Commit = channel.unary_unary( - '/tendermint.abci.ABCI/Commit', + '/tendermint.abci.ABCIApplication/Commit', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, _registered_method=True) self.InitChain = channel.unary_unary( - '/tendermint.abci.ABCI/InitChain', + '/tendermint.abci.ABCIApplication/InitChain', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, _registered_method=True) + self.BeginBlock = channel.unary_unary( + '/tendermint.abci.ABCIApplication/BeginBlock', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, + _registered_method=True) + self.EndBlock = channel.unary_unary( + '/tendermint.abci.ABCIApplication/EndBlock', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, + _registered_method=True) self.ListSnapshots = channel.unary_unary( - '/tendermint.abci.ABCI/ListSnapshots', + '/tendermint.abci.ABCIApplication/ListSnapshots', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, _registered_method=True) self.OfferSnapshot = channel.unary_unary( - '/tendermint.abci.ABCI/OfferSnapshot', + '/tendermint.abci.ABCIApplication/OfferSnapshot', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, _registered_method=True) self.LoadSnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCI/LoadSnapshotChunk', + '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, _registered_method=True) self.ApplySnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCI/ApplySnapshotChunk', + '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, _registered_method=True) self.PrepareProposal = channel.unary_unary( - '/tendermint.abci.ABCI/PrepareProposal', + '/tendermint.abci.ABCIApplication/PrepareProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, _registered_method=True) self.ProcessProposal = channel.unary_unary( - '/tendermint.abci.ABCI/ProcessProposal', + '/tendermint.abci.ABCIApplication/ProcessProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, _registered_method=True) - self.ExtendVote = channel.unary_unary( - '/tendermint.abci.ABCI/ExtendVote', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, - _registered_method=True) - self.VerifyVoteExtension = channel.unary_unary( - '/tendermint.abci.ABCI/VerifyVoteExtension', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, - _registered_method=True) - self.FinalizeBlock = channel.unary_unary( - '/tendermint.abci.ABCI/FinalizeBlock', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, - _registered_method=True) -class ABCIServicer(object): - """NOTE: When using custom types, mind the warnings. - https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues +class ABCIApplicationServicer(object): + """---------------------------------------- + Service Definition """ @@ -148,86 +148,86 @@ def Info(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def CheckTx(self, request, context): + def DeliverTx(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Query(self, request, context): + def CheckTx(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Commit(self, request, context): + def Query(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def InitChain(self, request, context): + def Commit(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ListSnapshots(self, request, context): + def InitChain(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def OfferSnapshot(self, request, context): + def BeginBlock(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def LoadSnapshotChunk(self, request, context): + def EndBlock(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ApplySnapshotChunk(self, request, context): + def ListSnapshots(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def PrepareProposal(self, request, context): + def OfferSnapshot(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ProcessProposal(self, request, context): + def LoadSnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ExtendVote(self, request, context): + def ApplySnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def VerifyVoteExtension(self, request, context): + def PrepareProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def FinalizeBlock(self, request, context): + def ProcessProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') -def add_ABCIServicer_to_server(servicer, server): +def add_ABCIApplicationServicer_to_server(servicer, server): rpc_method_handlers = { 'Echo': grpc.unary_unary_rpc_method_handler( servicer.Echo, @@ -244,6 +244,11 @@ def add_ABCIServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.SerializeToString, ), + 'DeliverTx': grpc.unary_unary_rpc_method_handler( + servicer.DeliverTx, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.SerializeToString, + ), 'CheckTx': grpc.unary_unary_rpc_method_handler( servicer.CheckTx, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.FromString, @@ -264,6 +269,16 @@ def add_ABCIServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.SerializeToString, ), + 'BeginBlock': grpc.unary_unary_rpc_method_handler( + servicer.BeginBlock, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.SerializeToString, + ), + 'EndBlock': grpc.unary_unary_rpc_method_handler( + servicer.EndBlock, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.SerializeToString, + ), 'ListSnapshots': grpc.unary_unary_rpc_method_handler( servicer.ListSnapshots, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.FromString, @@ -294,32 +309,17 @@ def add_ABCIServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.SerializeToString, ), - 'ExtendVote': grpc.unary_unary_rpc_method_handler( - servicer.ExtendVote, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.SerializeToString, - ), - 'VerifyVoteExtension': grpc.unary_unary_rpc_method_handler( - servicer.VerifyVoteExtension, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.SerializeToString, - ), - 'FinalizeBlock': grpc.unary_unary_rpc_method_handler( - servicer.FinalizeBlock, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( - 'tendermint.abci.ABCI', rpc_method_handlers) + 'tendermint.abci.ABCIApplication', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) - server.add_registered_method_handlers('tendermint.abci.ABCI', rpc_method_handlers) + server.add_registered_method_handlers('tendermint.abci.ABCIApplication', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. -class ABCI(object): - """NOTE: When using custom types, mind the warnings. - https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues +class ABCIApplication(object): + """---------------------------------------- + Service Definition """ @@ -337,7 +337,7 @@ def Echo(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/Echo', + '/tendermint.abci.ABCIApplication/Echo', tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, options, @@ -364,7 +364,7 @@ def Flush(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/Flush', + '/tendermint.abci.ABCIApplication/Flush', tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, options, @@ -391,7 +391,7 @@ def Info(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/Info', + '/tendermint.abci.ABCIApplication/Info', tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, options, @@ -405,7 +405,7 @@ def Info(request, _registered_method=True) @staticmethod - def CheckTx(request, + def DeliverTx(request, target, options=(), channel_credentials=None, @@ -418,9 +418,9 @@ def CheckTx(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/CheckTx', - tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, + '/tendermint.abci.ABCIApplication/DeliverTx', + tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, options, channel_credentials, insecure, @@ -432,7 +432,7 @@ def CheckTx(request, _registered_method=True) @staticmethod - def Query(request, + def CheckTx(request, target, options=(), channel_credentials=None, @@ -445,9 +445,9 @@ def Query(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/Query', - tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, + '/tendermint.abci.ABCIApplication/CheckTx', + tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, options, channel_credentials, insecure, @@ -459,7 +459,7 @@ def Query(request, _registered_method=True) @staticmethod - def Commit(request, + def Query(request, target, options=(), channel_credentials=None, @@ -472,9 +472,9 @@ def Commit(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/Commit', - tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, + '/tendermint.abci.ABCIApplication/Query', + tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, options, channel_credentials, insecure, @@ -486,7 +486,7 @@ def Commit(request, _registered_method=True) @staticmethod - def InitChain(request, + def Commit(request, target, options=(), channel_credentials=None, @@ -499,9 +499,9 @@ def InitChain(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/InitChain', - tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, + '/tendermint.abci.ABCIApplication/Commit', + tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, options, channel_credentials, insecure, @@ -513,7 +513,7 @@ def InitChain(request, _registered_method=True) @staticmethod - def ListSnapshots(request, + def InitChain(request, target, options=(), channel_credentials=None, @@ -526,9 +526,9 @@ def ListSnapshots(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/ListSnapshots', - tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, + '/tendermint.abci.ABCIApplication/InitChain', + tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, options, channel_credentials, insecure, @@ -540,7 +540,7 @@ def ListSnapshots(request, _registered_method=True) @staticmethod - def OfferSnapshot(request, + def BeginBlock(request, target, options=(), channel_credentials=None, @@ -553,9 +553,9 @@ def OfferSnapshot(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/OfferSnapshot', - tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, + '/tendermint.abci.ABCIApplication/BeginBlock', + tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, options, channel_credentials, insecure, @@ -567,7 +567,7 @@ def OfferSnapshot(request, _registered_method=True) @staticmethod - def LoadSnapshotChunk(request, + def EndBlock(request, target, options=(), channel_credentials=None, @@ -580,9 +580,9 @@ def LoadSnapshotChunk(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/LoadSnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, + '/tendermint.abci.ABCIApplication/EndBlock', + tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, options, channel_credentials, insecure, @@ -594,7 +594,7 @@ def LoadSnapshotChunk(request, _registered_method=True) @staticmethod - def ApplySnapshotChunk(request, + def ListSnapshots(request, target, options=(), channel_credentials=None, @@ -607,9 +607,9 @@ def ApplySnapshotChunk(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/ApplySnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, + '/tendermint.abci.ABCIApplication/ListSnapshots', + tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, options, channel_credentials, insecure, @@ -621,7 +621,7 @@ def ApplySnapshotChunk(request, _registered_method=True) @staticmethod - def PrepareProposal(request, + def OfferSnapshot(request, target, options=(), channel_credentials=None, @@ -634,9 +634,9 @@ def PrepareProposal(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/PrepareProposal', - tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, + '/tendermint.abci.ABCIApplication/OfferSnapshot', + tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, options, channel_credentials, insecure, @@ -648,7 +648,7 @@ def PrepareProposal(request, _registered_method=True) @staticmethod - def ProcessProposal(request, + def LoadSnapshotChunk(request, target, options=(), channel_credentials=None, @@ -661,9 +661,9 @@ def ProcessProposal(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/ProcessProposal', - tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, + '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, options, channel_credentials, insecure, @@ -675,7 +675,7 @@ def ProcessProposal(request, _registered_method=True) @staticmethod - def ExtendVote(request, + def ApplySnapshotChunk(request, target, options=(), channel_credentials=None, @@ -688,9 +688,9 @@ def ExtendVote(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/ExtendVote', - tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, + '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, options, channel_credentials, insecure, @@ -702,7 +702,7 @@ def ExtendVote(request, _registered_method=True) @staticmethod - def VerifyVoteExtension(request, + def PrepareProposal(request, target, options=(), channel_credentials=None, @@ -715,9 +715,9 @@ def VerifyVoteExtension(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/VerifyVoteExtension', - tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, + '/tendermint.abci.ABCIApplication/PrepareProposal', + tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, options, channel_credentials, insecure, @@ -729,7 +729,7 @@ def VerifyVoteExtension(request, _registered_method=True) @staticmethod - def FinalizeBlock(request, + def ProcessProposal(request, target, options=(), channel_credentials=None, @@ -742,9 +742,9 @@ def FinalizeBlock(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCI/FinalizeBlock', - tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, + '/tendermint.abci.ABCIApplication/ProcessProposal', + tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index c3053f03..122a58ba 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,8 +20,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - _globals['DESCRIPTOR']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' _globals['_BLOCKREQUEST']._serialized_start=88 _globals['_BLOCKREQUEST']._serialized_end=118 diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 00e7a7ed..0c0b63c0 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -21,7 +21,7 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb8\x01\n\rABCIResponses\x12\x37\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\".tendermint.abci.ResponseDeliverTx\x12\x34\n\tend_block\x18\x02 \x01(\x0b\x32!.tendermint.abci.ResponseEndBlock\x12\x38\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlock\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\\\n\x11\x41\x42\x43IResponsesInfo\x12\x37\n\x0e\x61\x62\x63i_responses\x18\x01 \x01(\x0b\x32\x1f.tendermint.state.ABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,12 +29,6 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._loaded_options = None _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' _globals['_VERSION'].fields_by_name['consensus']._loaded_options = None @@ -49,20 +43,16 @@ _globals['_STATE'].fields_by_name['last_block_time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_LEGACYABCIRESPONSES']._serialized_start=262 - _globals['_LEGACYABCIRESPONSES']._serialized_end=449 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 - _globals['_RESPONSEENDBLOCK']._serialized_start=540 - _globals['_RESPONSEENDBLOCK']._serialized_end=759 - _globals['_VALIDATORSINFO']._serialized_start=761 - _globals['_VALIDATORSINFO']._serialized_end=861 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 - _globals['_ABCIRESPONSESINFO']._serialized_start=983 - _globals['_ABCIRESPONSESINFO']._serialized_end=1161 - _globals['_VERSION']._serialized_start=1163 - _globals['_VERSION']._serialized_end=1246 - _globals['_STATE']._serialized_start=1249 - _globals['_STATE']._serialized_end=1886 + _globals['_ABCIRESPONSES']._serialized_start=262 + _globals['_ABCIRESPONSES']._serialized_end=446 + _globals['_VALIDATORSINFO']._serialized_start=448 + _globals['_VALIDATORSINFO']._serialized_end=548 + _globals['_CONSENSUSPARAMSINFO']._serialized_start=550 + _globals['_CONSENSUSPARAMSINFO']._serialized_end=667 + _globals['_ABCIRESPONSESINFO']._serialized_start=669 + _globals['_ABCIRESPONSESINFO']._serialized_end=761 + _globals['_VERSION']._serialized_start=763 + _globals['_VERSION']._serialized_end=846 + _globals['_STATE']._serialized_start=849 + _globals['_STATE']._serialized_end=1486 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 7921fb29..406608d4 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -19,7 +19,7 @@ from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x92\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,6 +27,16 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['_BLOCKIDFLAG']._loaded_options = None + _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None @@ -59,12 +69,6 @@ _globals['_COMMIT'].fields_by_name['signatures']._serialized_options = b'\310\336\037\000' _globals['_COMMITSIG'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._loaded_options = None - _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._loaded_options = None - _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._serialized_options = b'\310\336\037\000' - _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._loaded_options = None - _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_PROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_PROPOSAL'].fields_by_name['timestamp']._loaded_options = None @@ -73,8 +77,10 @@ _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDMSGTYPE']._serialized_start=2666 - _globals['_SIGNEDMSGTYPE']._serialized_end=2881 + _globals['_BLOCKIDFLAG']._serialized_start=2207 + _globals['_BLOCKIDFLAG']._serialized_end=2422 + _globals['_SIGNEDMSGTYPE']._serialized_start=2425 + _globals['_SIGNEDMSGTYPE']._serialized_end=2640 _globals['_PARTSETHEADER']._serialized_start=202 _globals['_PARTSETHEADER']._serialized_end=246 _globals['_PART']._serialized_start=248 @@ -86,23 +92,19 @@ _globals['_DATA']._serialized_start=860 _globals['_DATA']._serialized_end=879 _globals['_VOTE']._serialized_start=882 - _globals['_VOTE']._serialized_end=1204 - _globals['_COMMIT']._serialized_start=1207 - _globals['_COMMIT']._serialized_end=1363 - _globals['_COMMITSIG']._serialized_start=1366 - _globals['_COMMITSIG']._serialized_end=1534 - _globals['_EXTENDEDCOMMIT']._serialized_start=1537 - _globals['_EXTENDEDCOMMIT']._serialized_end=1718 - _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 - _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 - _globals['_PROPOSAL']._serialized_start=1948 - _globals['_PROPOSAL']._serialized_end=2193 - _globals['_SIGNEDHEADER']._serialized_start=2195 - _globals['_SIGNEDHEADER']._serialized_end=2293 - _globals['_LIGHTBLOCK']._serialized_start=2295 - _globals['_LIGHTBLOCK']._serialized_end=2417 - _globals['_BLOCKMETA']._serialized_start=2420 - _globals['_BLOCKMETA']._serialized_end=2578 - _globals['_TXPROOF']._serialized_start=2580 - _globals['_TXPROOF']._serialized_end=2663 + _globals['_VOTE']._serialized_end=1156 + _globals['_COMMIT']._serialized_start=1159 + _globals['_COMMIT']._serialized_end=1315 + _globals['_COMMITSIG']._serialized_start=1318 + _globals['_COMMITSIG']._serialized_end=1486 + _globals['_PROPOSAL']._serialized_start=1489 + _globals['_PROPOSAL']._serialized_end=1734 + _globals['_SIGNEDHEADER']._serialized_start=1736 + _globals['_SIGNEDHEADER']._serialized_end=1834 + _globals['_LIGHTBLOCK']._serialized_start=1836 + _globals['_LIGHTBLOCK']._serialized_end=1958 + _globals['_BLOCKMETA']._serialized_start=1961 + _globals['_BLOCKMETA']._serialized_end=2119 + _globals['_TXPROOF']._serialized_start=2121 + _globals['_TXPROOF']._serialized_end=2204 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index 118ec853..c19f385f 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -16,7 +16,7 @@ from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,20 +24,8 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCKIDFLAG']._loaded_options = None - _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=469 - _globals['_BLOCKIDFLAG']._serialized_end=684 _globals['_VALIDATORSET']._serialized_start=107 _globals['_VALIDATORSET']._serialized_end=245 _globals['_VALIDATOR']._serialized_start=248 diff --git a/pyinjective/proto/testpb/bank_pb2.py b/pyinjective/proto/testpb/bank_pb2.py index 1bd314e7..cf644333 100644 --- a/pyinjective/proto/testpb/bank_pb2.py +++ b/pyinjective/proto/testpb/bank_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/bank.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -20,11 +20,11 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_BALANCE']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\362\236\323\216\003\036\n\017\n\raddress,denom\022\t\n\005denom\020\001\030\001' - _globals['_SUPPLY']._options = None + _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\362\236\323\216\003\013\n\007\n\005denom\030\002' _globals['_BALANCE']._serialized_start=54 _globals['_BALANCE']._serialized_end=149 diff --git a/pyinjective/proto/testpb/bank_pb2_grpc.py b/pyinjective/proto/testpb/bank_pb2_grpc.py new file mode 100644 index 00000000..f314a36e --- /dev/null +++ b/pyinjective/proto/testpb/bank_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/bank_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/bank_query_pb2.py b/pyinjective/proto/testpb/bank_query_pb2.py index 724d1eb0..c51d22d9 100644 --- a/pyinjective/proto/testpb/bank_query_pb2.py +++ b/pyinjective/proto/testpb/bank_query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/bank_query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -21,8 +21,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETBALANCEREQUEST']._serialized_start=98 _globals['_GETBALANCEREQUEST']._serialized_end=149 _globals['_GETBALANCERESPONSE']._serialized_start=151 diff --git a/pyinjective/proto/testpb/bank_query_pb2_grpc.py b/pyinjective/proto/testpb/bank_query_pb2_grpc.py index 4b2455bb..863cec82 100644 --- a/pyinjective/proto/testpb/bank_query_pb2_grpc.py +++ b/pyinjective/proto/testpb/bank_query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.testpb import bank_query_pb2 as testpb_dot_bank__query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/bank_query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class BankQueryServiceStub(object): """BankQueryService queries the state of the tables specified by testpb/bank.proto. @@ -19,22 +44,22 @@ def __init__(self, channel): '/testpb.BankQueryService/GetBalance', request_serializer=testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - ) + _registered_method=True) self.ListBalance = channel.unary_unary( '/testpb.BankQueryService/ListBalance', request_serializer=testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - ) + _registered_method=True) self.GetSupply = channel.unary_unary( '/testpb.BankQueryService/GetSupply', request_serializer=testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - ) + _registered_method=True) self.ListSupply = channel.unary_unary( '/testpb.BankQueryService/ListSupply', request_serializer=testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, response_deserializer=testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - ) + _registered_method=True) class BankQueryServiceServicer(object): @@ -96,6 +121,7 @@ def add_BankQueryServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'testpb.BankQueryService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('testpb.BankQueryService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -114,11 +140,21 @@ def GetBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetBalance', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/GetBalance', testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListBalance(request, @@ -131,11 +167,21 @@ def ListBalance(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListBalance', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/ListBalance', testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSupply(request, @@ -148,11 +194,21 @@ def GetSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/GetSupply', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/GetSupply', testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListSupply(request, @@ -165,8 +221,18 @@ def ListSupply(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.BankQueryService/ListSupply', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.BankQueryService/ListSupply', testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/testpb/test_schema_pb2.py b/pyinjective/proto/testpb/test_schema_pb2.py index 97047a1b..5e1e9ce7 100644 --- a/pyinjective/proto/testpb/test_schema_pb2.py +++ b/pyinjective/proto/testpb/test_schema_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/test_schema.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,21 +22,21 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None - _globals['_EXAMPLETABLE_MAPENTRY']._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None + _globals['_EXAMPLETABLE_MAPENTRY']._loaded_options = None _globals['_EXAMPLETABLE_MAPENTRY']._serialized_options = b'8\001' - _globals['_EXAMPLETABLE']._options = None + _globals['_EXAMPLETABLE']._loaded_options = None _globals['_EXAMPLETABLE']._serialized_options = b'\362\236\323\216\0039\n\r\n\013u32,i64,str\022\r\n\007u64,str\020\001\030\001\022\013\n\007str,u32\020\002\022\n\n\006bz,str\020\003\030\001' - _globals['_EXAMPLEAUTOINCREMENTTABLE']._options = None + _globals['_EXAMPLEAUTOINCREMENTTABLE']._loaded_options = None _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_options = b'\362\236\323\216\003\023\n\006\n\002id\020\001\022\007\n\001x\020\001\030\001\030\003' - _globals['_EXAMPLESINGLETON']._options = None + _globals['_EXAMPLESINGLETON']._loaded_options = None _globals['_EXAMPLESINGLETON']._serialized_options = b'\372\236\323\216\003\002\010\002' - _globals['_EXAMPLETIMESTAMP']._options = None + _globals['_EXAMPLETIMESTAMP']._loaded_options = None _globals['_EXAMPLETIMESTAMP']._serialized_options = b'\362\236\323\216\003\022\n\006\n\002id\020\001\022\006\n\002ts\020\001\030\004' - _globals['_SIMPLEEXAMPLE']._options = None + _globals['_SIMPLEEXAMPLE']._loaded_options = None _globals['_SIMPLEEXAMPLE']._serialized_options = b'\362\236\323\216\003\030\n\006\n\004name\022\014\n\006unique\020\001\030\001\030\005' - _globals['_EXAMPLEAUTOINCFIELDNAME']._options = None + _globals['_EXAMPLEAUTOINCFIELDNAME']._loaded_options = None _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_options = b'\362\236\323\216\003\013\n\007\n\003foo\020\001\030\006' _globals['_ENUM']._serialized_start=1134 _globals['_ENUM']._serialized_end=1234 diff --git a/pyinjective/proto/testpb/test_schema_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_pb2_grpc.py new file mode 100644 index 00000000..bfb91985 --- /dev/null +++ b/pyinjective/proto/testpb/test_schema_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/test_schema_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2.py b/pyinjective/proto/testpb/test_schema_query_pb2.py index bdc82efb..17361594 100644 --- a/pyinjective/proto/testpb/test_schema_query_pb2.py +++ b/pyinjective/proto/testpb/test_schema_query_pb2.py @@ -1,7 +1,7 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! # source: testpb/test_schema_query.proto -# Protobuf Python Version: 4.25.0 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool @@ -22,8 +22,8 @@ _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_query_pb2', _globals) -if _descriptor._USE_C_DESCRIPTORS == False: - DESCRIPTOR._options = None +if not _descriptor._USE_C_DESCRIPTORS: + DESCRIPTOR._loaded_options = None _globals['_GETEXAMPLETABLEREQUEST']._serialized_start=145 _globals['_GETEXAMPLETABLEREQUEST']._serialized_end=208 _globals['_GETEXAMPLETABLERESPONSE']._serialized_start=210 diff --git a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py index 23274311..8d2bacf1 100644 --- a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py +++ b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.testpb import test_schema_query_pb2 as testpb_dot_test__schema__query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in testpb/test_schema_query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class TestSchemaQueryServiceStub(object): """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. @@ -19,72 +44,72 @@ def __init__(self, channel): '/testpb.TestSchemaQueryService/GetExampleTable', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - ) + _registered_method=True) self.GetExampleTableByU64Str = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - ) + _registered_method=True) self.ListExampleTable = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleTable', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncrementTable = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncrementTableByX = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - ) + _registered_method=True) self.ListExampleAutoIncrementTable = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - ) + _registered_method=True) self.GetExampleSingleton = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleSingleton', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - ) + _registered_method=True) self.GetExampleTimestamp = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleTimestamp', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - ) + _registered_method=True) self.ListExampleTimestamp = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleTimestamp', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - ) + _registered_method=True) self.GetSimpleExample = channel.unary_unary( '/testpb.TestSchemaQueryService/GetSimpleExample', request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - ) + _registered_method=True) self.GetSimpleExampleByUnique = channel.unary_unary( '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - ) + _registered_method=True) self.ListSimpleExample = channel.unary_unary( '/testpb.TestSchemaQueryService/ListSimpleExample', request_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - ) + _registered_method=True) self.GetExampleAutoIncFieldName = channel.unary_unary( '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - ) + _registered_method=True) self.ListExampleAutoIncFieldName = channel.unary_unary( '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - ) + _registered_method=True) class TestSchemaQueryServiceServicer(object): @@ -268,6 +293,7 @@ def add_TestSchemaQueryServiceServicer_to_server(servicer, server): generic_handler = grpc.method_handlers_generic_handler( 'testpb.TestSchemaQueryService', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('testpb.TestSchemaQueryService', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. @@ -286,11 +312,21 @@ def GetExampleTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTable', testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleTableByU64Str(request, @@ -303,11 +339,21 @@ def GetExampleTableByU64Str(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleTable(request, @@ -320,11 +366,21 @@ def ListExampleTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleTable', testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncrementTable(request, @@ -337,11 +393,21 @@ def GetExampleAutoIncrementTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncrementTableByX(request, @@ -354,11 +420,21 @@ def GetExampleAutoIncrementTableByX(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleAutoIncrementTable(request, @@ -371,11 +447,21 @@ def ListExampleAutoIncrementTable(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleSingleton(request, @@ -388,11 +474,21 @@ def GetExampleSingleton(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleSingleton', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleSingleton', testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleTimestamp(request, @@ -405,11 +501,21 @@ def GetExampleTimestamp(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleTimestamp', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleTimestamp', testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleTimestamp(request, @@ -422,11 +528,21 @@ def ListExampleTimestamp(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleTimestamp', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleTimestamp', testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSimpleExample(request, @@ -439,11 +555,21 @@ def GetSimpleExample(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExample', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetSimpleExample', testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetSimpleExampleByUnique(request, @@ -456,11 +582,21 @@ def GetSimpleExampleByUnique(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListSimpleExample(request, @@ -473,11 +609,21 @@ def ListSimpleExample(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListSimpleExample', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListSimpleExample', testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def GetExampleAutoIncFieldName(request, @@ -490,11 +636,21 @@ def GetExampleAutoIncFieldName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) @staticmethod def ListExampleAutoIncFieldName(request, @@ -507,8 +663,18 @@ def ListExampleAutoIncFieldName(request, wait_for_ready=None, timeout=None, metadata=None): - return grpc.experimental.unary_unary(request, target, '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', + return grpc.experimental.unary_unary( + request, + target, + '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - options, channel_credentials, - insecure, call_credentials, compression, wait_for_ready, timeout, metadata) + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) From 42e2629c7351e68f37924fc2739f773264e9c364 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Fri, 5 Jul 2024 00:03:11 -0300 Subject: [PATCH 45/63] (feat) Refactored composer unit tests to always compare the constructed message in JSON representation --- tests/test_composer.py | 120 +++++++++++++++++++++++++++++++---------- 1 file changed, 91 insertions(+), 29 deletions(-) diff --git a/tests/test_composer.py b/tests/test_composer.py index 025ea67f..513dd01e 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -69,10 +69,18 @@ def test_msg_create_denom(self, basic_composer: Composer): symbol=symbol, ) - assert message.sender == sender - assert message.subdenom == subdenom - assert message.name == name - assert message.symbol == symbol + expected_message = { + "sender": sender, + "subdenom": subdenom, + "name": name, + "symbol": symbol, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_mint(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -86,8 +94,19 @@ def test_msg_mint(self, basic_composer: Composer): amount=amount, ) - assert message.sender == sender - assert message.amount == amount + expected_message = { + "sender": sender, + "amount": { + "amount": str(amount.amount), + "denom": amount.denom, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_burn(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -101,8 +120,19 @@ def test_msg_burn(self, basic_composer: Composer): amount=amount, ) - assert message.sender == sender - assert message.amount == amount + expected_message = { + "sender": sender, + "amount": { + "amount": str(amount.amount), + "denom": amount.denom, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_set_denom_metadata(self, basic_composer: Composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -127,20 +157,36 @@ def test_msg_set_denom_metadata(self, basic_composer: Composer): uri_hash=uri_hash, ) - assert message.sender == sender - assert message.metadata.description == description - assert message.metadata.denom_units[0].denom == denom - assert message.metadata.denom_units[0].exponent == 0 - assert message.metadata.denom_units[0].aliases == [f"micro{subdenom}"] - assert message.metadata.denom_units[1].denom == subdenom - assert message.metadata.denom_units[1].exponent == token_decimals - assert message.metadata.denom_units[1].aliases == [subdenom] - assert message.metadata.base == denom - assert message.metadata.display == subdenom - assert message.metadata.name == name - assert message.metadata.symbol == symbol - assert message.metadata.uri == uri - assert message.metadata.uri_hash == uri_hash + expected_message = { + "sender": sender, + "metadata": { + "base": denom, + "denomUnits": [ + { + "denom": denom, + "exponent": 0, + "aliases": [f"micro{subdenom}"], + }, + { + "denom": subdenom, + "exponent": token_decimals, + "aliases": [subdenom], + }, + ], + "description": description, + "name": name, + "symbol": symbol, + "display": subdenom, + "uri": uri, + "uriHash": uri_hash, + }, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_change_admin(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -153,9 +199,17 @@ def test_msg_change_admin(self, basic_composer): new_admin=new_admin, ) - assert message.sender == sender - assert message.denom == denom - assert message.new_admin == new_admin + expected_message = { + "sender": sender, + "denom": denom, + "newAdmin": new_admin, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_execute_contract_compat(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" @@ -170,10 +224,18 @@ def test_msg_execute_contract_compat(self, basic_composer): funds=funds, ) - assert message.sender == sender - assert message.contract == contract - assert message.msg == msg - assert message.funds == funds + expected_message = { + "sender": sender, + "contract": contract, + "msg": msg, + "funds": funds, + } + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + + assert dict_message == expected_message def test_msg_deposit(self, basic_composer): sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" From 78c813d890b87e2e10bfd4d63c85befba4675a76 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 10 Jun 2024 11:30:24 -0300 Subject: [PATCH 46/63] (feat) Updated proto definitions from injective-core with the candidate version for v1.13 upgrade --- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 24 + .../proto/cosmos/auth/v1beta1/auth_pb2.py | 22 +- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/authz/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/authz/v1beta1/tx_pb2.py | 36 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 46 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 24 + .../proto/cosmos/bank/v1beta1/authz_pb2.py | 14 +- .../proto/cosmos/bank/v1beta1/bank_pb2.py | 48 +- .../proto/cosmos/bank/v1beta1/events_pb2.py | 34 - .../cosmos/bank/v1beta1/events_pb2_grpc.py | 29 - .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 22 +- .../proto/cosmos/bank/v1beta1/query_pb2.py | 124 ++-- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 95 ++- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 50 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/base/abci/v1beta1/abci_pb2.py | 51 +- .../proto/cosmos/base/kv/v1beta1/kv_pb2.py | 32 - .../cosmos/base/kv/v1beta1/kv_pb2_grpc.py | 29 - .../cosmos/base/node/v1beta1/query_pb2.py | 26 +- .../base/node/v1beta1/query_pb2_grpc.py | 46 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 24 + .../v2alpha1/reflection_pb2_grpc.py | 24 + .../base/snapshots/v1beta1/snapshot_pb2.py | 56 -- .../snapshots/v1beta1/snapshot_pb2_grpc.py | 29 - .../base/store/v1beta1/commit_info_pb2.py | 41 -- .../store/v1beta1/commit_info_pb2_grpc.py | 29 - .../base/store/v1beta1/listening_pb2.py | 32 - .../base/store/v1beta1/listening_pb2_grpc.py | 29 - .../base/tendermint/v1beta1/query_pb2.py | 22 +- .../base/tendermint/v1beta1/query_pb2_grpc.py | 24 + .../base/tendermint/v1beta1/types_pb2.py | 14 +- .../proto/cosmos/base/v1beta1/coin_pb2.py | 30 +- .../cosmos/capability/module/v1/module_pb2.py | 29 - .../capability/module/v1/module_pb2_grpc.py | 29 - .../capability/v1beta1/capability_pb2.py | 39 - .../capability/v1beta1/capability_pb2_grpc.py | 29 - .../cosmos/capability/v1beta1/genesis_pb2.py | 36 - .../capability/v1beta1/genesis_pb2_grpc.py | 29 - .../cosmos/consensus/v1/query_pb2_grpc.py | 24 + .../proto/cosmos/consensus/v1/tx_pb2.py | 25 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 24 + .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 24 + .../distribution/v1beta1/distribution_pb2.py | 80 +-- .../distribution/v1beta1/genesis_pb2.py | 50 +- .../cosmos/distribution/v1beta1/query_pb2.py | 104 +-- .../distribution/v1beta1/query_pb2_grpc.py | 24 + .../cosmos/distribution/v1beta1/tx_pb2.py | 80 ++- .../distribution/v1beta1/tx_pb2_grpc.py | 49 +- .../cosmos/evidence/module/v1/module_pb2.py | 8 +- .../cosmos/evidence/v1beta1/evidence_pb2.py | 14 +- .../cosmos/evidence/v1beta1/genesis_pb2.py | 4 +- .../cosmos/evidence/v1beta1/query_pb2.py | 31 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 12 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/feegrant/module/v1/module_pb2.py | 8 +- .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 32 +- .../cosmos/feegrant/v1beta1/genesis_pb2.py | 10 +- .../cosmos/feegrant/v1beta1/query_pb2.py | 12 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 22 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 48 +- pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 62 +- pyinjective/proto/cosmos/gov/v1/query_pb2.py | 84 ++- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 24 + pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 83 ++- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 48 +- .../proto/cosmos/gov/v1beta1/gov_pb2.py | 72 +- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/gov/v1beta1/tx_pb2.py | 60 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 24 + .../proto/cosmos/group/v1/query_pb2_grpc.py | 24 + pyinjective/proto/cosmos/group/v1/tx_pb2.py | 36 +- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 24 + .../proto/cosmos/mint/v1beta1/mint_pb2.py | 28 +- .../proto/cosmos/mint/v1beta1/query_pb2.py | 43 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 24 + .../proto/cosmos/nft/module/v1/module_pb2.py | 8 +- .../proto/cosmos/nft/v1beta1/event_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 6 +- .../proto/cosmos/nft/v1beta1/nft_pb2.py | 4 +- .../proto/cosmos/nft/v1beta1/query_pb2.py | 10 +- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/nft/v1beta1/tx_pb2.py | 8 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/orm/module/v1alpha1/module_pb2.py | 8 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 24 + .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 6 +- .../proto/cosmos/params/v1beta1/params_pb2.py | 18 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 24 + .../reflection/v1/reflection_pb2_grpc.py | 24 + .../cosmos/slashing/v1beta1/genesis_pb2.py | 24 +- .../cosmos/slashing/v1beta1/query_pb2.py | 34 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 24 + .../cosmos/slashing/v1beta1/slashing_pb2.py | 24 +- .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 34 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 24 + .../proto/cosmos/staking/v1beta1/authz_pb2.py | 24 +- .../cosmos/staking/v1beta1/genesis_pb2.py | 18 +- .../proto/cosmos/staking/v1beta1/query_pb2.py | 134 ++-- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 24 + .../cosmos/staking/v1beta1/staking_pb2.py | 172 +++-- .../proto/cosmos/staking/v1beta1/tx_pb2.py | 98 +-- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 24 + .../proto/cosmos/tx/v1beta1/service_pb2.py | 98 +-- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 24 + pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 75 +- .../cosmos/upgrade/module/v1/module_pb2.py | 8 +- .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 8 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 24 + .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 14 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 32 +- .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 46 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 24 + .../cosmos/vesting/v1beta1/vesting_pb2.py | 52 +- .../proto/cosmwasm/wasm/v1/authz_pb2.py | 40 +- .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 27 +- .../proto/cosmwasm/wasm/v1/query_pb2.py | 129 ++-- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 24 + pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 194 +++-- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 24 + .../proto/cosmwasm/wasm/v1/types_pb2.py | 68 +- .../exchange/event_provider_api_pb2_grpc.py | 24 + pyinjective/proto/exchange/health_pb2_grpc.py | 24 + .../injective_accounts_rpc_pb2_grpc.py | 46 +- .../injective_auction_rpc_pb2_grpc.py | 24 + .../injective_campaign_rpc_pb2_grpc.py | 24 + ...ective_derivative_exchange_rpc_pb2_grpc.py | 24 + .../injective_exchange_rpc_pb2_grpc.py | 24 + .../injective_explorer_rpc_pb2_grpc.py | 46 +- .../injective_insurance_rpc_pb2_grpc.py | 46 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 24 + .../exchange/injective_oracle_rpc_pb2_grpc.py | 24 + .../injective_portfolio_rpc_pb2_grpc.py | 24 + .../injective_spot_exchange_rpc_pb2_grpc.py | 24 + .../injective_trading_rpc_pb2_grpc.py | 24 + .../proto/ibc/applications/fee/v1/ack_pb2.py | 15 +- .../proto/ibc/applications/fee/v1/fee_pb2.py | 44 +- .../ibc/applications/fee/v1/genesis_pb2.py | 50 +- .../ibc/applications/fee/v1/metadata_pb2.py | 13 +- .../ibc/applications/fee/v1/query_pb2.py | 120 ++-- .../ibc/applications/fee/v1/query_pb2_grpc.py | 24 + .../proto/ibc/applications/fee/v1/tx_pb2.py | 78 +- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 24 + .../controller/v1/controller_pb2.py | 11 +- .../controller/v1/query_pb2.py | 31 +- .../controller/v1/query_pb2_grpc.py | 24 + .../controller/v1/tx_pb2.py | 61 +- .../controller/v1/tx_pb2_grpc.py | 46 +- .../genesis/v1/genesis_pb2.py | 54 +- .../interchain_accounts/host/v1/host_pb2.py | 15 +- .../interchain_accounts/host/v1/query_pb2.py | 8 +- .../host/v1/query_pb2_grpc.py | 24 + .../interchain_accounts/v1/account_pb2.py | 16 +- .../interchain_accounts/v1/metadata_pb2.py | 13 +- .../interchain_accounts/v1/packet_pb2.py | 6 +- .../ibc/applications/transfer/v1/authz_pb2.py | 20 +- .../applications/transfer/v1/genesis_pb2.py | 18 +- .../ibc/applications/transfer/v1/query_pb2.py | 18 +- .../transfer/v1/query_pb2_grpc.py | 46 +- .../applications/transfer/v1/transfer_pb2.py | 17 +- .../ibc/applications/transfer/v1/tx_pb2.py | 49 +- .../applications/transfer/v1/tx_pb2_grpc.py | 46 +- .../applications/transfer/v2/packet_pb2.py | 4 +- .../proto/ibc/core/channel/v1/channel_pb2.py | 82 +-- .../proto/ibc/core/channel/v1/genesis_pb2.py | 28 +- .../proto/ibc/core/channel/v1/query_pb2.py | 157 ++-- .../ibc/core/channel/v1/query_pb2_grpc.py | 178 ++++- .../proto/ibc/core/channel/v1/tx_pb2.py | 290 ++++---- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 398 +++++++++- .../proto/ibc/core/client/v1/client_pb2.py | 62 +- .../proto/ibc/core/client/v1/genesis_pb2.py | 30 +- .../proto/ibc/core/client/v1/query_pb2.py | 100 +-- .../ibc/core/client/v1/query_pb2_grpc.py | 46 +- .../proto/ibc/core/client/v1/tx_pb2.py | 99 +-- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 134 +++- .../ibc/core/commitment/v1/commitment_pb2.py | 24 +- .../ibc/core/connection/v1/connection_pb2.py | 56 +- .../ibc/core/connection/v1/genesis_pb2.py | 14 +- .../proto/ibc/core/connection/v1/query_pb2.py | 44 +- .../ibc/core/connection/v1/query_pb2_grpc.py | 24 + .../proto/ibc/core/connection/v1/tx_pb2.py | 111 ++- .../ibc/core/connection/v1/tx_pb2_grpc.py | 47 +- .../proto/ibc/core/types/v1/genesis_pb2.py | 20 +- .../localhost/v2/localhost_pb2.py | 8 +- .../solomachine/v2/solomachine_pb2.py | 110 +-- .../solomachine/v3/solomachine_pb2.py | 56 +- .../tendermint/v1/tendermint_pb2.py | 70 +- .../injective/auction/v1beta1/auction_pb2.py | 35 +- .../injective/auction/v1beta1/query_pb2.py | 34 +- .../auction/v1beta1/query_pb2_grpc.py | 45 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 39 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 24 + .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 17 +- .../injective/exchange/v1beta1/authz_pb2.py | 71 +- .../injective/exchange/v1beta1/events_pb2.py | 154 ++-- .../exchange/v1beta1/exchange_pb2.py | 421 +++++------ .../injective/exchange/v1beta1/genesis_pb2.py | 76 +- .../exchange/v1beta1/proposal_pb2.py | 241 ++++--- .../injective/exchange/v1beta1/query_pb2.py | 516 ++++++------- .../exchange/v1beta1/query_pb2_grpc.py | 134 +++- .../injective/exchange/v1beta1/tx_pb2.py | 463 ++++++------ .../injective/exchange/v1beta1/tx_pb2_grpc.py | 217 +++++- .../insurance/v1beta1/insurance_pb2.py | 27 +- .../insurance/v1beta1/query_pb2_grpc.py | 24 + .../injective/insurance/v1beta1/tx_pb2.py | 61 +- .../insurance/v1beta1/tx_pb2_grpc.py | 24 + .../proto/injective/ocr/v1beta1/ocr_pb2.py | 129 ++-- .../injective/ocr/v1beta1/query_pb2_grpc.py | 24 + .../proto/injective/ocr/v1beta1/tx_pb2.py | 113 +-- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 24 + .../injective/oracle/v1beta1/events_pb2.py | 58 +- .../injective/oracle/v1beta1/oracle_pb2.py | 125 ++-- .../injective/oracle/v1beta1/proposal_pb2.py | 65 +- .../injective/oracle/v1beta1/query_pb2.py | 60 +- .../oracle/v1beta1/query_pb2_grpc.py | 24 + .../proto/injective/oracle/v1beta1/tx_pb2.py | 91 +-- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 24 + .../injective/peggy/v1/attestation_pb2.py | 12 +- .../proto/injective/peggy/v1/events_pb2.py | 64 +- .../proto/injective/peggy/v1/msgs_pb2.py | 159 ++-- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 91 ++- .../proto/injective/peggy/v1/params_pb2.py | 23 +- .../proto/injective/peggy/v1/pool_pb2.py | 8 +- .../proto/injective/peggy/v1/proposal_pb2.py | 35 - .../injective/peggy/v1/proposal_pb2_grpc.py | 29 - .../injective/peggy/v1/query_pb2_grpc.py | 24 + .../proto/injective/peggy/v1/types_pb2.py | 20 +- .../permissions/v1beta1/params_pb2.py | 15 +- .../permissions/v1beta1/query_pb2_grpc.py | 24 + .../injective/permissions/v1beta1/tx_pb2.py | 109 +-- .../permissions/v1beta1/tx_pb2_grpc.py | 24 + .../injective/stream/v1beta1/query_pb2.py | 80 +-- .../stream/v1beta1/query_pb2_grpc.py | 24 + .../tokenfactory/v1beta1/params_pb2.py | 17 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 24 + .../injective/tokenfactory/v1beta1/tx_pb2.py | 81 ++- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 24 + .../injective/types/v1beta1/account_pb2.py | 12 +- .../proto/injective/wasmx/v1/proposal_pb2.py | 41 +- .../injective/wasmx/v1/query_pb2_grpc.py | 24 + .../proto/injective/wasmx/v1/tx_pb2.py | 79 +- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 24 + .../proto/injective/wasmx/v1/wasmx_pb2.py | 20 +- .../proto/tendermint/abci/types_pb2.py | 256 +++---- .../proto/tendermint/abci/types_pb2_grpc.py | 248 +++---- .../proto/tendermint/blocksync/types_pb2.py | 29 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 24 + .../proto/tendermint/state/types_pb2.py | 48 +- .../proto/tendermint/types/types_pb2.py | 66 +- .../proto/tendermint/types/validator_pb2.py | 18 +- pyinjective/proto/testpb/bank_pb2.py | 33 - pyinjective/proto/testpb/bank_pb2_grpc.py | 29 - pyinjective/proto/testpb/bank_query_pb2.py | 58 -- .../proto/testpb/bank_query_pb2_grpc.py | 238 ------ pyinjective/proto/testpb/test_schema_pb2.py | 59 -- .../proto/testpb/test_schema_pb2_grpc.py | 29 - .../proto/testpb/test_schema_query_pb2.py | 127 ---- .../testpb/test_schema_query_pb2_grpc.py | 680 ------------------ 263 files changed, 8150 insertions(+), 6343 deletions(-) delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py delete mode 100644 pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py delete mode 100644 pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/bank_pb2.py delete mode 100644 pyinjective/proto/testpb/bank_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/bank_query_pb2.py delete mode 100644 pyinjective/proto/testpb/bank_query_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/test_schema_pb2.py delete mode 100644 pyinjective/proto/testpb/test_schema_pb2_grpc.py delete mode 100644 pyinjective/proto/testpb/test_schema_query_pb2.py delete mode 100644 pyinjective/proto/testpb/test_schema_query_pb2_grpc.py diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 936c1120..5b482be8 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 42a41847..559174a3 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xb9\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:G\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\"@\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -35,7 +35,9 @@ _globals['_MODULEACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_MODULEACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_MODULEACCOUNT']._loaded_options = None - _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount' + _globals['_MODULEACCOUNT']._serialized_options = b'\210\240\037\000\312\264-\"cosmos.auth.v1beta1.ModuleAccountI\212\347\260*\030cosmos-sdk/ModuleAccount\222\347\260*\016module_account' + _globals['_MODULECREDENTIAL']._loaded_options = None + _globals['_MODULECREDENTIAL']._serialized_options = b'\212\347\260*!cosmos-sdk/GroupAccountCredential' _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._loaded_options = None _globals['_PARAMS'].fields_by_name['sig_verify_cost_ed25519']._serialized_options = b'\342\336\037\024SigVerifyCostED25519' _globals['_PARAMS'].fields_by_name['sig_verify_cost_secp256k1']._loaded_options = None @@ -45,9 +47,9 @@ _globals['_BASEACCOUNT']._serialized_start=151 _globals['_BASEACCOUNT']._serialized_end=398 _globals['_MODULEACCOUNT']._serialized_start=401 - _globals['_MODULEACCOUNT']._serialized_end=586 - _globals['_MODULECREDENTIAL']._serialized_start=588 - _globals['_MODULECREDENTIAL']._serialized_end=652 - _globals['_PARAMS']._serialized_start=655 - _globals['_PARAMS']._serialized_end=902 + _globals['_MODULEACCOUNT']._serialized_end=605 + _globals['_MODULECREDENTIAL']._serialized_start=607 + _globals['_MODULECREDENTIAL']._serialized_end=711 + _globals['_PARAMS']._serialized_start=714 + _globals['_PARAMS']._serialized_end=961 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index 7100f432..f124f184 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 6b3c2312..e2f2882a 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index 5ed73a42..be0d8872 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index a6675df8..1dbe6b49 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\x12\n\x10MsgGrantResponse\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"(\n\x15MsgExecCompatResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"m\n\rMsgExecCompat\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04msgs\x18\x02 \x03(\t:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -48,28 +48,20 @@ _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECCOMPAT']._loaded_options = None - _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 _globals['_MSGGRANT']._serialized_end=399 - _globals['_MSGEXECRESPONSE']._serialized_start=401 - _globals['_MSGEXECRESPONSE']._serialized_end=435 - _globals['_MSGEXEC']._serialized_start=438 - _globals['_MSGEXEC']._serialized_end=592 - _globals['_MSGGRANTRESPONSE']._serialized_start=594 - _globals['_MSGGRANTRESPONSE']._serialized_end=612 + _globals['_MSGGRANTRESPONSE']._serialized_start=401 + _globals['_MSGGRANTRESPONSE']._serialized_end=419 + _globals['_MSGEXEC']._serialized_start=422 + _globals['_MSGEXEC']._serialized_end=576 + _globals['_MSGEXECRESPONSE']._serialized_start=578 + _globals['_MSGEXECRESPONSE']._serialized_end=612 _globals['_MSGREVOKE']._serialized_start=615 _globals['_MSGREVOKE']._serialized_end=773 _globals['_MSGREVOKERESPONSE']._serialized_start=775 _globals['_MSGREVOKERESPONSE']._serialized_end=794 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=796 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=836 - _globals['_MSGEXECCOMPAT']._serialized_start=838 - _globals['_MSGEXECCOMPAT']._serialized_end=947 - _globals['_MSG']._serialized_start=950 - _globals['_MSG']._serialized_end=1301 + _globals['_MSG']._serialized_start=797 + _globals['_MSG']._serialized_end=1052 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index 31b61cbe..dc51176c 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 +from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -55,11 +55,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, _registered_method=True) - self.ExecCompat = channel.unary_unary( - '/cosmos.authz.v1beta1.Msg/ExecCompat', - request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -93,13 +88,6 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ExecCompat(self, request, context): - """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -118,11 +106,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), - 'ExecCompat': grpc.unary_unary_rpc_method_handler( - servicer.ExecCompat, - request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, - response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) @@ -215,30 +198,3 @@ def Revoke(request, timeout, metadata, _registered_method=True) - - @staticmethod - def ExecCompat(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.authz.v1beta1.Msg/ExecCompat', - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index d9b18db7..679a4273 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index e6377068..e55328b2 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf1\x01\n\x11SendAuthorization\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,11 +27,11 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None - _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=398 + _globals['_SENDAUTHORIZATION']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index bb6b853e..41519048 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x85\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"7\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa9\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\x9e\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x94\x01\n\x06Supply\x12_\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,23 +30,23 @@ _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/bank/Params' + _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/bank/Params' _globals['_SENDENABLED']._loaded_options = None - _globals['_SENDENABLED']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_SENDENABLED']._serialized_options = b'\350\240\037\001' _globals['_INPUT'].fields_by_name['address']._loaded_options = None _globals['_INPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_INPUT'].fields_by_name['coins']._loaded_options = None - _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_INPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_INPUT']._loaded_options = None _globals['_INPUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\007address' _globals['_OUTPUT'].fields_by_name['address']._loaded_options = None _globals['_OUTPUT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_OUTPUT'].fields_by_name['coins']._loaded_options = None - _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_OUTPUT'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_OUTPUT']._loaded_options = None _globals['_OUTPUT']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_SUPPLY'].fields_by_name['total']._loaded_options = None - _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_SUPPLY'].fields_by_name['total']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_SUPPLY']._loaded_options = None _globals['_SUPPLY']._serialized_options = b'\030\001\210\240\037\000\350\240\037\001\312\264-\033cosmos.bank.v1beta1.SupplyI' _globals['_METADATA'].fields_by_name['uri']._loaded_options = None @@ -54,17 +54,17 @@ _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=314 - _globals['_SENDENABLED']._serialized_start=316 - _globals['_SENDENABLED']._serialized_end=371 - _globals['_INPUT']._serialized_start=374 - _globals['_INPUT']._serialized_end=543 - _globals['_OUTPUT']._serialized_start=546 - _globals['_OUTPUT']._serialized_end=704 - _globals['_SUPPLY']._serialized_start=707 - _globals['_SUPPLY']._serialized_end=855 - _globals['_DENOMUNIT']._serialized_start=857 - _globals['_DENOMUNIT']._serialized_end=918 - _globals['_METADATA']._serialized_start=921 - _globals['_METADATA']._serialized_end=1119 + _globals['_PARAMS']._serialized_end=310 + _globals['_SENDENABLED']._serialized_start=312 + _globals['_SENDENABLED']._serialized_end=363 + _globals['_INPUT']._serialized_start=366 + _globals['_INPUT']._serialized_end=552 + _globals['_OUTPUT']._serialized_start=555 + _globals['_OUTPUT']._serialized_end=730 + _globals['_SUPPLY']._serialized_start=733 + _globals['_SUPPLY']._serialized_end=898 + _globals['_DENOMUNIT']._serialized_start=900 + _globals['_DENOMUNIT']._serialized_end=961 + _globals['_METADATA']._serialized_start=964 + _globals['_METADATA']._serialized_end=1162 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py deleted file mode 100644 index efec78b9..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py +++ /dev/null @@ -1,34 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/bank/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x10\x45ventSetBalances\x12;\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdate\"|\n\rBalanceUpdate\x12\x0c\n\x04\x61\x64\x64r\x18\x01 \x01(\x0c\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\x0c\x12N\n\x03\x61mt\x18\x03 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' - _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None - _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_EVENTSETBALANCES']._serialized_start=125 - _globals['_EVENTSETBALANCES']._serialized_end=204 - _globals['_BALANCEUPDATE']._serialized_start=206 - _globals['_BALANCEUPDATE']._serialized_end=330 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py deleted file mode 100644 index bc7ce4a6..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index d070e276..ec6558c5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe8\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12`\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9f\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12_\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,7 +32,7 @@ _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['supply']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['send_enabled']._loaded_options = None @@ -40,11 +40,11 @@ _globals['_BALANCE'].fields_by_name['address']._loaded_options = None _globals['_BALANCE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_BALANCE'].fields_by_name['coins']._loaded_options = None - _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_BALANCE'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=551 - _globals['_BALANCE']._serialized_start=554 - _globals['_BALANCE']._serialized_end=713 + _globals['_GENESISSTATE']._serialized_end=568 + _globals['_BALANCE']._serialized_start=571 + _globals['_BALANCE']._serialized_end=747 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index 7deb2a94..d800c7eb 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -12,17 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\x8a\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbb\x01\n\x18QueryAllBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x01\n\x1eQuerySpendableBalancesResponse\x12\x62\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x18QueryTotalSupplyResponse\x12`\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xb2\x0e\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -39,13 +39,13 @@ _globals['_QUERYALLBALANCESREQUEST']._loaded_options = None _globals['_QUERYALLBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None - _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_QUERYALLBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSPENDABLEBALANCESREQUEST']._loaded_options = None _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._loaded_options = None - _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_QUERYSPENDABLEBALANCESRESPONSE'].fields_by_name['balances']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._loaded_options = None @@ -53,7 +53,7 @@ _globals['_QUERYTOTALSUPPLYREQUEST']._loaded_options = None _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._loaded_options = None - _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_QUERYTOTALSUPPLYRESPONSE'].fields_by_name['supply']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYSUPPLYOFRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None @@ -62,6 +62,8 @@ _globals['_QUERYDENOMSMETADATARESPONSE'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._loaded_options = None _globals['_QUERYDENOMMETADATARESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._loaded_options = None + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DENOMOWNER'].fields_by_name['address']._loaded_options = None _globals['_DENOMOWNER'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DENOMOWNER'].fields_by_name['balance']._loaded_options = None @@ -82,10 +84,14 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\035\022\033/cosmos/bank/v1beta1/params' _globals['_QUERY'].methods_by_name['DenomMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002.\022,/cosmos/bank/v1beta1/denoms_metadata/{denom}' + _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomMetadataByQueryString']._serialized_options = b'\210\347\260*\001\202\323\344\223\0026\0224/cosmos/bank/v1beta1/denoms_metadata_by_query_string' _globals['_QUERY'].methods_by_name['DenomsMetadata']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomsMetadata']._serialized_options = b'\210\347\260*\001\202\323\344\223\002&\022$/cosmos/bank/v1beta1/denoms_metadata' _globals['_QUERY'].methods_by_name['DenomOwners']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomOwners']._serialized_options = b'\210\347\260*\001\202\323\344\223\002+\022)/cosmos/bank/v1beta1/denom_owners/{denom}' + _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomOwnersByQuery']._serialized_options = b'\210\347\260*\001\202\323\344\223\002,\022*/cosmos/bank/v1beta1/denom_owners_by_query' _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 @@ -93,47 +99,55 @@ _globals['_QUERYBALANCERESPONSE']._serialized_start=382 _globals['_QUERYBALANCERESPONSE']._serialized_end=448 _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=589 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=592 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=779 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=782 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=926 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=929 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1122 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1124 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1229 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1231 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1313 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1315 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1410 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1413 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1598 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1600 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1637 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1639 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1716 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1718 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1738 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1740 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1817 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1819 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1907 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1910 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2061 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2063 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2105 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2107 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2195 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2197 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2297 - _globals['_DENOMOWNER']._serialized_start=2299 - _globals['_DENOMOWNER']._serialized_end=2409 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2412 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2554 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=2556 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=2657 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=2660 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=2803 - _globals['_QUERY']._serialized_start=2806 - _globals['_QUERY']._serialized_end=4648 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 + _globals['_DENOMOWNER']._serialized_start=2533 + _globals['_DENOMOWNER']._serialized_end=2643 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 + _globals['_QUERY']._serialized_start=3301 + _globals['_QUERY']._serialized_end=5551 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 48c10696..f7781ec4 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 +from cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -80,6 +80,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.FromString, _registered_method=True) + self.DenomMetadataByQueryString = channel.unary_unary( + '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', + request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, + response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, + _registered_method=True) self.DenomsMetadata = channel.unary_unary( '/cosmos.bank.v1beta1.Query/DenomsMetadata', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.SerializeToString, @@ -90,6 +95,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.SerializeToString, response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.FromString, _registered_method=True) + self.DenomOwnersByQuery = channel.unary_unary( + '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', + request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, + response_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, + _registered_method=True) self.SendEnabled = channel.unary_unary( '/cosmos.bank.v1beta1.Query/SendEnabled', request_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.SerializeToString, @@ -172,7 +182,14 @@ def Params(self, request, context): raise NotImplementedError('Method not implemented!') def DenomMetadata(self, request, context): - """DenomsMetadata queries the client metadata of a given coin denomination. + """DenomMetadata queries the client metadata of a given coin denomination. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def DenomMetadataByQueryString(self, request, context): + """DenomMetadataByQueryString queries the client metadata of a given coin denomination. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -199,6 +216,16 @@ def DenomOwners(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DenomOwnersByQuery(self, request, context): + """DenomOwnersByQuery queries for all account addresses that own a particular token + denomination. + + Since: cosmos-sdk 0.50.3 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def SendEnabled(self, request, context): """SendEnabled queries for SendEnabled entries. @@ -255,6 +282,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataResponse.SerializeToString, ), + 'DenomMetadataByQueryString': grpc.unary_unary_rpc_method_handler( + servicer.DenomMetadataByQueryString, + request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.FromString, + response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.SerializeToString, + ), 'DenomsMetadata': grpc.unary_unary_rpc_method_handler( servicer.DenomsMetadata, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomsMetadataRequest.FromString, @@ -265,6 +297,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersRequest.FromString, response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersResponse.SerializeToString, ), + 'DenomOwnersByQuery': grpc.unary_unary_rpc_method_handler( + servicer.DenomOwnersByQuery, + request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.FromString, + response_serializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.SerializeToString, + ), 'SendEnabled': grpc.unary_unary_rpc_method_handler( servicer.SendEnabled, request_deserializer=cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QuerySendEnabledRequest.FromString, @@ -498,6 +535,33 @@ def DenomMetadata(request, metadata, _registered_method=True) + @staticmethod + def DenomMetadataByQueryString(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomMetadataByQueryString', + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringRequest.SerializeToString, + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomMetadataByQueryStringResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def DenomsMetadata(request, target, @@ -552,6 +616,33 @@ def DenomOwners(request, metadata, _registered_method=True) + @staticmethod + def DenomOwnersByQuery(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.bank.v1beta1.Query/DenomOwnersByQuery', + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryRequest.SerializeToString, + cosmos_dot_bank_dot_v1beta1_dot_query__pb2.QueryDenomOwnersByQueryResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def SendEnabled(request, target, diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index 92ee0a8f..ca3ac536 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x01\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,7 +33,7 @@ _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['amount']._loaded_options = None - _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGSEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSEND']._loaded_options = None _globals['_MSGSEND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\014from_address\212\347\260*\022cosmos-sdk/MsgSend' _globals['_MSGMULTISEND'].fields_by_name['inputs']._loaded_options = None @@ -55,21 +55,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=462 - _globals['_MSGSENDRESPONSE']._serialized_start=464 - _globals['_MSGSENDRESPONSE']._serialized_end=481 - _globals['_MSGMULTISEND']._serialized_start=484 - _globals['_MSGMULTISEND']._serialized_end=655 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=657 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=679 - _globals['_MSGUPDATEPARAMS']._serialized_start=682 - _globals['_MSGUPDATEPARAMS']._serialized_end=854 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=856 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=881 - _globals['_MSGSETSENDENABLED']._serialized_start=884 - _globals['_MSGSETSENDENABLED']._serialized_end=1078 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1080 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1107 - _globals['_MSG']._serialized_start=1110 - _globals['_MSG']._serialized_end=1495 + _globals['_MSGSEND']._serialized_end=479 + _globals['_MSGSENDRESPONSE']._serialized_start=481 + _globals['_MSGSENDRESPONSE']._serialized_end=498 + _globals['_MSGMULTISEND']._serialized_start=501 + _globals['_MSGMULTISEND']._serialized_end=672 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 + _globals['_MSGUPDATEPARAMS']._serialized_start=699 + _globals['_MSGUPDATEPARAMS']._serialized_end=871 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 + _globals['_MSGSETSENDENABLED']._serialized_start=901 + _globals['_MSGSETSENDENABLED']._serialized_end=1095 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 + _globals['_MSG']._serialized_start=1127 + _globals['_MSG']._serialized_end=1512 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index a0b3f7fe..c66f0dc9 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index d85975a9..3736a45f 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -59,24 +60,28 @@ _globals['_TXMSGDATA']._serialized_options = b'\200\334 \001' _globals['_SEARCHTXSRESULT']._loaded_options = None _globals['_SEARCHTXSRESULT']._serialized_options = b'\200\334 \001' - _globals['_TXRESPONSE']._serialized_start=144 - _globals['_TXRESPONSE']._serialized_end=502 - _globals['_ABCIMESSAGELOG']._serialized_start=505 - _globals['_ABCIMESSAGELOG']._serialized_end=651 - _globals['_STRINGEVENT']._serialized_start=653 - _globals['_STRINGEVENT']._serialized_end=749 - _globals['_ATTRIBUTE']._serialized_start=751 - _globals['_ATTRIBUTE']._serialized_end=790 - _globals['_GASINFO']._serialized_start=792 - _globals['_GASINFO']._serialized_end=839 - _globals['_RESULT']._serialized_start=842 - _globals['_RESULT']._serialized_end=978 - _globals['_SIMULATIONRESPONSE']._serialized_start=981 - _globals['_SIMULATIONRESPONSE']._serialized_end=1114 - _globals['_MSGDATA']._serialized_start=1116 - _globals['_MSGDATA']._serialized_end=1165 - _globals['_TXMSGDATA']._serialized_start=1167 - _globals['_TXMSGDATA']._serialized_end=1282 - _globals['_SEARCHTXSRESULT']._serialized_start=1285 - _globals['_SEARCHTXSRESULT']._serialized_end=1451 + _globals['_SEARCHBLOCKSRESULT']._loaded_options = None + _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' + _globals['_TXRESPONSE']._serialized_start=174 + _globals['_TXRESPONSE']._serialized_end=532 + _globals['_ABCIMESSAGELOG']._serialized_start=535 + _globals['_ABCIMESSAGELOG']._serialized_end=681 + _globals['_STRINGEVENT']._serialized_start=683 + _globals['_STRINGEVENT']._serialized_end=779 + _globals['_ATTRIBUTE']._serialized_start=781 + _globals['_ATTRIBUTE']._serialized_end=820 + _globals['_GASINFO']._serialized_start=822 + _globals['_GASINFO']._serialized_end=869 + _globals['_RESULT']._serialized_start=872 + _globals['_RESULT']._serialized_end=1008 + _globals['_SIMULATIONRESPONSE']._serialized_start=1011 + _globals['_SIMULATIONRESPONSE']._serialized_end=1144 + _globals['_MSGDATA']._serialized_start=1146 + _globals['_MSGDATA']._serialized_end=1195 + _globals['_TXMSGDATA']._serialized_start=1197 + _globals['_TXMSGDATA']._serialized_end=1312 + _globals['_SEARCHTXSRESULT']._serialized_start=1315 + _globals['_SEARCHTXSRESULT']._serialized_end=1481 + _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 + _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py deleted file mode 100644 index f4002f4e..00000000 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/kv/v1beta1/kv.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/base/kv/v1beta1/kv.proto\x12\x16\x63osmos.base.kv.v1beta1\x1a\x14gogoproto/gogo.proto\":\n\x05Pairs\x12\x31\n\x05pairs\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/kvb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.kv.v1beta1.kv_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/kv' - _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None - _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' - _globals['_PAIRS']._serialized_start=81 - _globals['_PAIRS']._serialized_end=139 - _globals['_PAIR']._serialized_start=141 - _globals['_PAIR']._serialized_end=175 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py deleted file mode 100644 index 4ea67c93..00000000 --- a/pyinjective/proto/cosmos/base/kv/v1beta1/kv_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/kv/v1beta1/kv_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 12286402..8e59bccc 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -12,10 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x0f\n\rConfigRequest\"+\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t2\x91\x01\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/configB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,12 +25,20 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' + _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None + _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None _globals['_SERVICE'].methods_by_name['Config']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/config' - _globals['_CONFIGREQUEST']._serialized_start=96 - _globals['_CONFIGREQUEST']._serialized_end=111 - _globals['_CONFIGRESPONSE']._serialized_start=113 - _globals['_CONFIGRESPONSE']._serialized_end=156 - _globals['_SERVICE']._serialized_start=159 - _globals['_SERVICE']._serialized_end=304 + _globals['_SERVICE'].methods_by_name['Status']._loaded_options = None + _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' + _globals['_CONFIGREQUEST']._serialized_start=151 + _globals['_CONFIGREQUEST']._serialized_end=166 + _globals['_CONFIGRESPONSE']._serialized_start=168 + _globals['_CONFIGRESPONSE']._serialized_end=287 + _globals['_STATUSREQUEST']._serialized_start=289 + _globals['_STATUSREQUEST']._serialized_end=304 + _globals['_STATUSRESPONSE']._serialized_start=307 + _globals['_STATUSRESPONSE']._serialized_end=465 + _globals['_SERVICE']._serialized_start=468 + _globals['_SERVICE']._serialized_end=749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index fd0060c2..d3dc674a 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 +from cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -45,6 +45,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.SerializeToString, response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.FromString, _registered_method=True) + self.Status = channel.unary_unary( + '/cosmos.base.node.v1beta1.Service/Status', + request_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, + response_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, + _registered_method=True) class ServiceServicer(object): @@ -58,6 +63,13 @@ def Config(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def Status(self, request, context): + """Status queries for the node status. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_ServiceServicer_to_server(servicer, server): rpc_method_handlers = { @@ -66,6 +78,11 @@ def add_ServiceServicer_to_server(servicer, server): request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigRequest.FromString, response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.ConfigResponse.SerializeToString, ), + 'Status': grpc.unary_unary_rpc_method_handler( + servicer.Status, + request_deserializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.FromString, + response_serializer=cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.base.node.v1beta1.Service', rpc_method_handlers) @@ -104,3 +121,30 @@ def Config(request, timeout, metadata, _registered_method=True) + + @staticmethod + def Status(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.base.node.v1beta1.Service/Status', + cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusRequest.SerializeToString, + cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2.StatusResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 640012be..0090ece6 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py index b44c8eb5..aae4b8b6 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py deleted file mode 100644 index ffb02add..00000000 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2.py +++ /dev/null @@ -1,56 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/snapshots/v1beta1/snapshot.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,cosmos/base/snapshots/v1beta1/snapshot.proto\x12\x1d\x63osmos.base.snapshots.v1beta1\x1a\x14gogoproto/gogo.proto\"\x89\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12?\n\x08metadata\x18\x05 \x01(\x0b\x32\'.cosmos.base.snapshots.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xd1\x03\n\x0cSnapshotItem\x12\x41\n\x05store\x18\x01 \x01(\x0b\x32\x30.cosmos.base.snapshots.v1beta1.SnapshotStoreItemH\x00\x12I\n\x04iavl\x18\x02 \x01(\x0b\x32/.cosmos.base.snapshots.v1beta1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12I\n\textension\x18\x03 \x01(\x0b\x32\x34.cosmos.base.snapshots.v1beta1.SnapshotExtensionMetaH\x00\x12T\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x37.cosmos.base.snapshots.v1beta1.SnapshotExtensionPayloadH\x00\x12\x45\n\x02kv\x18\x05 \x01(\x0b\x32-.cosmos.base.snapshots.v1beta1.SnapshotKVItemB\x08\x18\x01\xe2\xde\x1f\x02KVH\x00\x12\x43\n\x06schema\x18\x06 \x01(\x0b\x32-.cosmos.base.snapshots.v1beta1.SnapshotSchemaB\x02\x18\x01H\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\"0\n\x0eSnapshotKVItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x18\x01\"\"\n\x0eSnapshotSchema\x12\x0c\n\x04keys\x18\x01 \x03(\x0c:\x02\x18\x01\x42.Z,github.com/cosmos/cosmos-sdk/snapshots/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.snapshots.v1beta1.snapshot_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/snapshots/types' - _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None - _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None - _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._loaded_options = None - _globals['_SNAPSHOTITEM'].fields_by_name['kv']._serialized_options = b'\030\001\342\336\037\002KV' - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._loaded_options = None - _globals['_SNAPSHOTITEM'].fields_by_name['schema']._serialized_options = b'\030\001' - _globals['_SNAPSHOTKVITEM']._loaded_options = None - _globals['_SNAPSHOTKVITEM']._serialized_options = b'\030\001' - _globals['_SNAPSHOTSCHEMA']._loaded_options = None - _globals['_SNAPSHOTSCHEMA']._serialized_options = b'\030\001' - _globals['_SNAPSHOT']._serialized_start=102 - _globals['_SNAPSHOT']._serialized_end=239 - _globals['_METADATA']._serialized_start=241 - _globals['_METADATA']._serialized_end=273 - _globals['_SNAPSHOTITEM']._serialized_start=276 - _globals['_SNAPSHOTITEM']._serialized_end=741 - _globals['_SNAPSHOTSTOREITEM']._serialized_start=743 - _globals['_SNAPSHOTSTOREITEM']._serialized_end=776 - _globals['_SNAPSHOTIAVLITEM']._serialized_start=778 - _globals['_SNAPSHOTIAVLITEM']._serialized_end=857 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=859 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=912 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=914 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=957 - _globals['_SNAPSHOTKVITEM']._serialized_start=959 - _globals['_SNAPSHOTKVITEM']._serialized_end=1007 - _globals['_SNAPSHOTSCHEMA']._serialized_start=1009 - _globals['_SNAPSHOTSCHEMA']._serialized_end=1043 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py deleted file mode 100644 index 77a629dc..00000000 --- a/pyinjective/proto/cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py deleted file mode 100644 index 7405c114..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2.py +++ /dev/null @@ -1,41 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/store/v1beta1/commit_info.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+cosmos/base/store/v1beta1/commit_info.proto\x12\x19\x63osmos.base.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x97\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12?\n\x0bstore_infos\x18\x02 \x03(\x0b\x32$.cosmos.base.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"W\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12<\n\tcommit_id\x18\x02 \x01(\x0b\x32#.cosmos.base.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42*Z(github.com/cosmos/cosmos-sdk/store/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.commit_info_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None - _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' - _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None - _globals['_COMMITINFO'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STOREINFO'].fields_by_name['commit_id']._loaded_options = None - _globals['_STOREINFO'].fields_by_name['commit_id']._serialized_options = b'\310\336\037\000' - _globals['_COMMITID']._loaded_options = None - _globals['_COMMITID']._serialized_options = b'\230\240\037\000' - _globals['_COMMITINFO']._serialized_start=130 - _globals['_COMMITINFO']._serialized_end=281 - _globals['_STOREINFO']._serialized_start=283 - _globals['_STOREINFO']._serialized_end=370 - _globals['_COMMITID']._serialized_start=372 - _globals['_COMMITID']._serialized_end=419 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py deleted file mode 100644 index a1911214..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/commit_info_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/store/v1beta1/commit_info_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py deleted file mode 100644 index 68f17551..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2.py +++ /dev/null @@ -1,32 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/base/store/v1beta1/listening.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/base/store/v1beta1/listening.proto\x12\x19\x63osmos.base.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\x89\x04\n\rBlockMetadata\x12?\n\x13request_begin_block\x18\x01 \x01(\x0b\x32\".tendermint.abci.RequestBeginBlock\x12\x41\n\x14response_begin_block\x18\x02 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlock\x12G\n\x0b\x64\x65liver_txs\x18\x03 \x03(\x0b\x32\x32.cosmos.base.store.v1beta1.BlockMetadata.DeliverTx\x12;\n\x11request_end_block\x18\x04 \x01(\x0b\x32 .tendermint.abci.RequestEndBlock\x12=\n\x12response_end_block\x18\x05 \x01(\x0b\x32!.tendermint.abci.ResponseEndBlock\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x1au\n\tDeliverTx\x12\x32\n\x07request\x18\x01 \x01(\x0b\x32!.tendermint.abci.RequestDeliverTx\x12\x34\n\x08response\x18\x02 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxB*Z(github.com/cosmos/cosmos-sdk/store/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.store.v1beta1.listening_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/store/types' - _globals['_STOREKVPAIR']._serialized_start=101 - _globals['_STOREKVPAIR']._serialized_end=177 - _globals['_BLOCKMETADATA']._serialized_start=180 - _globals['_BLOCKMETADATA']._serialized_end=701 - _globals['_BLOCKMETADATA_DELIVERTX']._serialized_start=584 - _globals['_BLOCKMETADATA_DELIVERTX']._serialized_end=701 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py deleted file mode 100644 index a28dc540..00000000 --- a/pyinjective/proto/cosmos/base/store/v1beta1/listening_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/store/v1beta1/listening_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index 1f9bc620..a3387612 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -12,26 +12,26 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 286a4655..91eed9a6 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index cac9ea51..d4101985 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -12,22 +12,22 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB4Z2github.com/cosmos/cosmos-sdk/client/grpc/tmserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/client/grpc/tmservice' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index 68f9d704..a1a647a8 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"K\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12.\n\x06\x61mount\x18\x02 \x01(\tB\x1e\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"I\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12)\n\x06\x61mount\x18\x02 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"2\n\x08IntProto\x12&\n\x03int\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03Int\xd2\xb4-\ncosmos.Int\"2\n\x08\x44\x65\x63Proto\x12&\n\x03\x64\x65\x63\x18\x01 \x01(\tB\x19\xc8\xde\x1f\x00\xda\xde\x1f\x03\x44\x65\x63\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,23 +26,23 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' _globals['_COIN'].fields_by_name['amount']._loaded_options = None - _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_COIN']._loaded_options = None _globals['_COIN']._serialized_options = b'\350\240\037\001' _globals['_DECCOIN'].fields_by_name['amount']._loaded_options = None - _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' + _globals['_DECCOIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_DECCOIN']._loaded_options = None _globals['_DECCOIN']._serialized_options = b'\350\240\037\001' _globals['_INTPROTO'].fields_by_name['int']._loaded_options = None - _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\003Int\322\264-\ncosmos.Int' + _globals['_INTPROTO'].fields_by_name['int']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None - _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\003Dec\322\264-\ncosmos.Dec' + _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=198 - _globals['_DECCOIN']._serialized_start=200 - _globals['_DECCOIN']._serialized_end=273 - _globals['_INTPROTO']._serialized_start=275 - _globals['_INTPROTO']._serialized_end=325 - _globals['_DECPROTO']._serialized_start=327 - _globals['_DECPROTO']._serialized_end=377 + _globals['_COIN']._serialized_end=216 + _globals['_DECCOIN']._serialized_start=218 + _globals['_DECCOIN']._serialized_end=315 + _globals['_INTPROTO']._serialized_start=317 + _globals['_INTPROTO']._serialized_end=385 + _globals['_DECPROTO']._serialized_start=387 + _globals['_DECPROTO']._serialized_end=461 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py deleted file mode 100644 index ad16397e..00000000 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2.py +++ /dev/null @@ -1,29 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/module/v1/module.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/capability/module/v1/module.proto\x12\x1b\x63osmos.capability.module.v1\x1a cosmos/app/v1alpha1/module.proto\"P\n\x06Module\x12\x13\n\x0bseal_keeper\x18\x01 \x01(\x08:1\xba\xc0\x96\xda\x01+\n)github.com/cosmos/cosmos-sdk/x/capabilityb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.module.v1.module_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001+\n)github.com/cosmos/cosmos-sdk/x/capability' - _globals['_MODULE']._serialized_start=107 - _globals['_MODULE']._serialized_end=187 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py deleted file mode 100644 index e4adda23..00000000 --- a/pyinjective/proto/cosmos/capability/module/v1/module_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py deleted file mode 100644 index 00339cae..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2.py +++ /dev/null @@ -1,39 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/v1beta1/capability.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/capability/v1beta1/capability.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"O\n\x10\x43\x61pabilityOwners\x12;\n\x06owners\x18\x01 \x03(\x0b\x32 .cosmos.capability.v1beta1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.capability_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_CAPABILITY']._loaded_options = None - _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' - _globals['_OWNER']._loaded_options = None - _globals['_OWNER']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None - _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_CAPABILITY']._serialized_start=114 - _globals['_CAPABILITY']._serialized_end=147 - _globals['_OWNER']._serialized_start=149 - _globals['_OWNER']._serialized_end=196 - _globals['_CAPABILITYOWNERS']._serialized_start=198 - _globals['_CAPABILITYOWNERS']._serialized_end=277 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py deleted file mode 100644 index 6ad249a6..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/capability_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/v1beta1/capability_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py deleted file mode 100644 index 1cdb2a6f..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2.py +++ /dev/null @@ -1,36 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: cosmos/capability/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.capability.v1beta1 import capability_pb2 as cosmos_dot_capability_dot_v1beta1_dot_capability__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/capability/v1beta1/genesis.proto\x12\x19\x63osmos.capability.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/capability/v1beta1/capability.proto\x1a\x11\x61mino/amino.proto\"l\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12L\n\x0cindex_owners\x18\x02 \x01(\x0b\x32+.cosmos.capability.v1beta1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"b\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x43\n\x06owners\x18\x02 \x03(\x0b\x32(.cosmos.capability.v1beta1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x31Z/github.com/cosmos/cosmos-sdk/x/capability/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.capability.v1beta1.genesis_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z/github.com/cosmos/cosmos-sdk/x/capability/types' - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None - _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISOWNERS']._serialized_start=155 - _globals['_GENESISOWNERS']._serialized_end=263 - _globals['_GENESISSTATE']._serialized_start=265 - _globals['_GENESISSTATE']._serialized_end=363 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py deleted file mode 100644 index 06387c35..00000000 --- a/pyinjective/proto/cosmos/capability/v1beta1/genesis_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index 050636c6..f23bef0e 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index 969c6eeb..a1d1452c 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xe6\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2i\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponseB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,11 +29,13 @@ _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGUPDATEPARAMS']._serialized_start=137 - _globals['_MSGUPDATEPARAMS']._serialized_end=367 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=369 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=394 - _globals['_MSG']._serialized_start=396 - _globals['_MSG']._serialized_end=501 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/x/consensus/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATEPARAMS']._serialized_start=156 + _globals['_MSGUPDATEPARAMS']._serialized_end=473 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 + _globals['_MSG']._serialized_start=502 + _globals['_MSG']._serialized_end=614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index 03417a09..ee5d8bd4 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index dcee8866..dfdba894 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index c8d8248e..f1fd9d52 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x02\n\x06Params\x12S\n\rcommunity_tax\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\\\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12]\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB>\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:)\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x7f\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12N\n\x08\x66raction\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"y\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xe3\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12`\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xbb\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12K\n\x05stake\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc2\x01\n\x19\x44\x65legationDelegatorReward\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xa7\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:&\x88\xa0\x1f\x00\x98\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,13 +27,13 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None - _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None - _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['base_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._loaded_options = None - _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['bonus_proposer_reward']._serialized_options = b'\030\001\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260* cosmos-sdk/x/distribution/Params' + _globals['_PARAMS']._serialized_options = b'\212\347\260* cosmos-sdk/x/distribution/Params' _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDS'].fields_by_name['cumulative_reward_ratio']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATORCURRENTREWARDS'].fields_by_name['rewards']._loaded_options = None @@ -43,51 +43,49 @@ _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._loaded_options = None - _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_VALIDATORSLASHEVENT'].fields_by_name['fraction']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._loaded_options = None _globals['_VALIDATORSLASHEVENTS'].fields_by_name['validator_slash_events']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_VALIDATORSLASHEVENTS']._loaded_options = None - _globals['_VALIDATORSLASHEVENTS']._serialized_options = b'\230\240\037\000' _globals['_FEEPOOL'].fields_by_name['community_pool']._loaded_options = None _globals['_FEEPOOL'].fields_by_name['community_pool']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_COMMUNITYPOOLSPENDPROPOSAL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_COMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._loaded_options = None - _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_DELEGATORSTARTINGINFO'].fields_by_name['stake']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._loaded_options = None _globals['_DELEGATORSTARTINGINFO'].fields_by_name['height']._serialized_options = b'\352\336\037\017creation_height\242\347\260*\017creation_height\250\347\260*\001' _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._loaded_options = None _globals['_DELEGATIONDELEGATORREWARD'].fields_by_name['reward']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_DELEGATIONDELEGATORREWARD']._loaded_options = None - _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000\230\240\037\001' + _globals['_DELEGATIONDELEGATORREWARD']._serialized_options = b'\210\240\037\000' _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=536 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=539 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=713 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=716 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=862 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=865 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1005 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1008 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1142 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1144 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1271 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1273 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1394 - _globals['_FEEPOOL']._serialized_start=1396 - _globals['_FEEPOOL']._serialized_end=1517 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1520 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1747 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1750 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=1937 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1940 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2134 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2137 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2304 + _globals['_PARAMS']._serialized_end=514 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 + _globals['_FEEPOOL']._serialized_start=1357 + _globals['_FEEPOOL']._serialized_end=1478 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 5e3c85af..41ad684f 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd7\x01\n!ValidatorOutstandingRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n$ValidatorAccumulatedCommissionRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc6\x01\n ValidatorHistoricalRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb0\x01\n\x1dValidatorCurrentRewardsRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n\x19ValidatorSlashEventRecord\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -34,25 +34,25 @@ _globals['_DELEGATORWITHDRAWINFO']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD'].fields_by_name['outstanding_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._loaded_options = None _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD'].fields_by_name['accumulated']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._loaded_options = None _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORHISTORICALREWARDSRECORD']._loaded_options = None _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._loaded_options = None _globals['_VALIDATORCURRENTREWARDSRECORD'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORCURRENTREWARDSRECORD']._loaded_options = None @@ -60,13 +60,13 @@ _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD'].fields_by_name['starting_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATORSTARTINGINFORECORD']._loaded_options = None _globals['_DELEGATORSTARTINGINFORECORD']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._loaded_options = None - _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._loaded_options = None _globals['_VALIDATORSLASHEVENTRECORD'].fields_by_name['validator_slash_event']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORSLASHEVENTRECORD']._loaded_options = None @@ -96,17 +96,17 @@ _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=579 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=582 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=776 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=779 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=977 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=980 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1156 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1159 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1390 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1393 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1607 - _globals['_GENESISSTATE']._serialized_start=1610 - _globals['_GENESISSTATE']._serialized_end=2560 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 + _globals['_GENESISSTATE']._serialized_start=1664 + _globals['_GENESISSTATE']._serialized_end=2614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 98c092cf..469f5712 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -12,16 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\\\n%QueryValidatorDistributionInfoRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb6\x02\n&QueryValidatorDistributionInfoResponse\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"^\n\'QueryValidatorOutstandingRewardsRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x1fQueryValidatorCommissionRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc9\x01\n\x1cQueryValidatorSlashesRequest\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x01\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x93\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,31 +32,31 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._loaded_options = None - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['operator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['self_bond_rewards']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\252\337\037+github.com/cosmos/cosmos-sdk/types.DecCoins' _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORCOMMISSIONREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._loaded_options = None _globals['_QUERYVALIDATORCOMMISSIONRESPONSE'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORSLASHESREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORSLASHESREQUEST']._loaded_options = None - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000\230\240\037\001' + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_options = b'\210\240\037\000' _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._loaded_options = None _globals['_QUERYVALIDATORSLASHESRESPONSE'].fields_by_name['slashes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._loaded_options = None - _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYDELEGATIONREWARDSREQUEST'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYDELEGATIONREWARDSREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYDELEGATIONREWARDSRESPONSE'].fields_by_name['rewards']._loaded_options = None @@ -110,41 +110,41 @@ _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=495 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=498 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=808 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=810 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=904 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=907 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1035 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1037 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1123 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1125 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1251 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1254 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1455 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1458 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1628 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1631 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1778 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1781 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1918 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1920 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2019 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2022 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2246 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2248 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2344 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2346 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2410 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2412 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2513 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2515 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2616 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2618 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2645 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2648 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2778 - _globals['_QUERY']._serialized_start=2781 - _globals['_QUERY']._serialized_end=5025 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 + _globals['_QUERY']._serialized_start=2831 + _globals['_QUERY']._serialized_end=5075 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index a3346d16..f83d34ef 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index 9e51e0e3..dd94e8bc 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xd1\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x86\x01\n\"MsgWithdrawDelegatorRewardResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\x9d\x01\n\x1eMsgWithdrawValidatorCommission\x12\x33\n\x11validator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x8a\x01\n&MsgWithdrawValidatorCommissionResponse\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\"\xe1\x01\n\x14MsgFundCommunityPool\x12`\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xf4\x01\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse2\xca\x06\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,19 +37,19 @@ _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGWITHDRAWDELEGATORREWARD'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGWITHDRAWDELEGATORREWARD']._loaded_options = None _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*&cosmos-sdk/MsgWithdrawDelegationReward' _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGWITHDRAWVALIDATORCOMMISSION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._loaded_options = None _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*#cosmos-sdk/MsgWithdrawValCommission' _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._loaded_options = None - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._loaded_options = None - _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._loaded_options = None _globals['_MSGFUNDCOMMUNITYPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGFUNDCOMMUNITYPOOL']._loaded_options = None @@ -63,9 +63,17 @@ _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGCOMMUNITYPOOLSPEND'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGCOMMUNITYPOOLSPEND']._loaded_options = None _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_options = b'\202\347\260*\tauthority\212\347\260*&cosmos-sdk/distr/MsgCommunityPoolSpend' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._loaded_options = None + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\tdepositor\212\347\260*%cosmos-sdk/distr/MsgDepositValRewards' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 @@ -73,25 +81,29 @@ _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=688 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=691 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=825 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=828 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=985 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=988 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1126 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1129 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1354 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1356 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1386 - _globals['_MSGUPDATEPARAMS']._serialized_start=1389 - _globals['_MSGUPDATEPARAMS']._serialized_end=1575 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1577 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1602 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1605 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1849 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1851 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1882 - _globals['_MSG']._serialized_start=1885 - _globals['_MSG']._serialized_end=2727 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 + _globals['_MSGUPDATEPARAMS']._serialized_start=1458 + _globals['_MSGUPDATEPARAMS']._serialized_end=1644 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 + _globals['_MSG']._serialized_start=2336 + _globals['_MSG']._serialized_end=3340 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index 40e62bea..df41d872 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 +from cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -70,6 +70,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.SerializeToString, response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.FromString, _registered_method=True) + self.DepositValidatorRewardsPool = channel.unary_unary( + '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', + request_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, + response_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -130,6 +135,16 @@ def CommunityPoolSpend(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DepositValidatorRewardsPool(self, request, context): + """DepositValidatorRewardsPool defines a method to provide additional rewards + to delegators to a specific validator. + + Since: cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -163,6 +178,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpend.FromString, response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgCommunityPoolSpendResponse.SerializeToString, ), + 'DepositValidatorRewardsPool': grpc.unary_unary_rpc_method_handler( + servicer.DepositValidatorRewardsPool, + request_deserializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.FromString, + response_serializer=cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.distribution.v1beta1.Msg', rpc_method_handlers) @@ -336,3 +356,30 @@ def CommunityPoolSpend(request, timeout, metadata, _registered_method=True) + + @staticmethod + def DepositValidatorRewardsPool(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.distribution.v1beta1.Msg/DepositValidatorRewardsPool', + cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPool.SerializeToString, + cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2.MsgDepositValidatorRewardsPoolResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index 1c5c1665..ff70c9fe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/evidenceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/evidence' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=144 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 275c39cc..504515c5 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -12,26 +12,26 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc5\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB3Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EQUIVOCATION']._loaded_options = None - _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' + _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=366 + _globals['_EQUIVOCATION']._serialized_end=362 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 57e5efbc..73a37669 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' _globals['_GENESISSTATE']._serialized_start=93 _globals['_GENESISSTATE']._serialized_end=147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 015900ec..00b15add 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -12,34 +12,33 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"s\n\x14QueryEvidenceRequest\x12M\n\revidence_hash\x18\x01 \x01(\x0c\x42\x36\x18\x01\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB/Z-github.com/cosmos/cosmos-sdk/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None - _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' + _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None _globals['_QUERY'].methods_by_name['Evidence']._serialized_options = b'\202\323\344\223\002*\022(/cosmos/evidence/v1beta1/evidence/{hash}' _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' - _globals['_QUERYEVIDENCEREQUEST']._serialized_start=187 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=302 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=304 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=367 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=369 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=454 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=456 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=583 - _globals['_QUERY']._serialized_start=586 - _globals['_QUERY']._serialized_end=911 + _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 + _globals['_QUERY']._serialized_start=512 + _globals['_QUERY']._serialized_end=837 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index fd673d56..2ba0feff 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index 86cbf75e..fc71365d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -12,21 +12,21 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index c7c8677e..7a42c197 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 1d67ee80..76e9e6a0 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\"9\n\x06Module:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/feegrant' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=144 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index d2430907..62877c10 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -12,25 +12,25 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xf6\x01\n\x0e\x42\x61sicAllowance\x12\x65\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xf7\x03\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12l\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12j\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None - _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_BASICALLOWANCE']._loaded_options = None @@ -40,9 +40,9 @@ _globals['_PERIODICALLOWANCE'].fields_by_name['period']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._loaded_options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._loaded_options = None - _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_PERIODICALLOWANCE'].fields_by_name['period_can_spend']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._loaded_options = None _globals['_PERIODICALLOWANCE'].fields_by_name['period_reset']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PERIODICALLOWANCE']._loaded_options = None @@ -58,11 +58,11 @@ _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=506 - _globals['_PERIODICALLOWANCE']._serialized_start=509 - _globals['_PERIODICALLOWANCE']._serialized_end=1012 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1015 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1228 - _globals['_GRANT']._serialized_start=1231 - _globals['_GRANT']._serialized_end=1408 + _globals['_BASICALLOWANCE']._serialized_end=523 + _globals['_PERIODICALLOWANCE']._serialized_start=526 + _globals['_PERIODICALLOWANCE']._serialized_end=1063 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 + _globals['_GRANT']._serialized_start=1282 + _globals['_GRANT']._serialized_end=1459 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 0887e8cd..7d1d4cb1 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -12,19 +12,19 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 19c08006..010c4e43 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -12,20 +12,20 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index cf48437e..be8a13ef 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index bfcfa6a4..306af9c3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -13,19 +13,19 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse2\xf3\x01\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x1a\x05\x80\xe7\xb0*\x01\x42)Z\'github.com/cosmos/cosmos-sdk/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cosmos/cosmos-sdk/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None @@ -40,6 +40,10 @@ _globals['_MSGREVOKEALLOWANCE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKEALLOWANCE']._loaded_options = None _globals['_MSGREVOKEALLOWANCE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\035cosmos-sdk/MsgRevokeAllowance' + _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._loaded_options = None + _globals['_MSGPRUNEALLOWANCES'].fields_by_name['pruner']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGPRUNEALLOWANCES']._loaded_options = None + _globals['_MSGPRUNEALLOWANCES']._serialized_options = b'\202\347\260*\006pruner' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 @@ -50,6 +54,10 @@ _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 - _globals['_MSG']._serialized_start=615 - _globals['_MSG']._serialized_end=858 + _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 + _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 + _globals['_MSG']._serialized_start=722 + _globals['_MSG']._serialized_end=1082 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index b76f5c7f..8556e2b2 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 +from cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -50,6 +50,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.SerializeToString, response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.FromString, _registered_method=True) + self.PruneAllowances = channel.unary_unary( + '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', + request_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, + response_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -72,6 +77,15 @@ def RevokeAllowance(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def PruneAllowances(self, request, context): + """PruneAllowances prunes expired fee allowances, currently up to 75 at a time. + + Since cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -85,6 +99,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowance.FromString, response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgRevokeAllowanceResponse.SerializeToString, ), + 'PruneAllowances': grpc.unary_unary_rpc_method_handler( + servicer.PruneAllowances, + request_deserializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.FromString, + response_serializer=cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.feegrant.v1beta1.Msg', rpc_method_handlers) @@ -150,3 +169,30 @@ def RevokeAllowance(request, timeout, metadata, _registered_method=True) + + @staticmethod + def PruneAllowances(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.feegrant.v1beta1.Msg/PruneAllowances', + cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowances.SerializeToString, + cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2.MsgPruneAllowancesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index 73dd538e..ecf8a88e 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -12,16 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xab\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbb\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"F\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\"x\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\xaf\x03\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -61,14 +61,20 @@ _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty' _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._serialized_options = b'\352\336\037\034max_deposit_period,omitempty\230\337\037\001' + _globals['_DEPOSITPARAMS']._loaded_options = None + _globals['_DEPOSITPARAMS']._serialized_options = b'\030\001' _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\230\337\037\001' + _globals['_VOTINGPARAMS']._loaded_options = None + _globals['_VOTINGPARAMS']._serialized_options = b'\030\001' _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_TALLYPARAMS']._loaded_options = None + _globals['_TALLYPARAMS']._serialized_options = b'\030\001' _globals['_PARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMS'].fields_by_name['max_deposit_period']._loaded_options = None @@ -83,26 +89,38 @@ _globals['_PARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_initial_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2155 - _globals['_VOTEOPTION']._serialized_end=2292 - _globals['_PROPOSALSTATUS']._serialized_start=2295 - _globals['_PROPOSALSTATUS']._serialized_end=2501 + _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['proposal_cancel_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._loaded_options = None + _globals['_PARAMS'].fields_by_name['proposal_cancel_dest']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_PARAMS'].fields_by_name['expedited_voting_period']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_voting_period']._serialized_options = b'\230\337\037\001' + _globals['_PARAMS'].fields_by_name['expedited_threshold']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_threshold']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._loaded_options = None + _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None + _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' + _globals['_VOTEOPTION']._serialized_start=2535 + _globals['_VOTEOPTION']._serialized_end=2672 + _globals['_PROPOSALSTATUS']._serialized_start=2675 + _globals['_PROPOSALSTATUS']._serialized_end=2881 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 _globals['_DEPOSIT']._serialized_start=332 _globals['_DEPOSIT']._serialized_end=461 _globals['_PROPOSAL']._serialized_start=464 - _globals['_PROPOSAL']._serialized_end=1019 - _globals['_TALLYRESULT']._serialized_start=1022 - _globals['_TALLYRESULT']._serialized_end=1187 - _globals['_VOTE']._serialized_start=1190 - _globals['_VOTE']._serialized_end=1334 - _globals['_DEPOSITPARAMS']._serialized_start=1337 - _globals['_DEPOSITPARAMS']._serialized_end=1524 - _globals['_VOTINGPARAMS']._serialized_start=1526 - _globals['_VOTINGPARAMS']._serialized_end=1596 - _globals['_TALLYPARAMS']._serialized_start=1598 - _globals['_TALLYPARAMS']._serialized_end=1718 - _globals['_PARAMS']._serialized_start=1721 - _globals['_PARAMS']._serialized_end=2152 + _globals['_PROPOSAL']._serialized_end=1061 + _globals['_TALLYRESULT']._serialized_start=1064 + _globals['_TALLYRESULT']._serialized_end=1229 + _globals['_VOTE']._serialized_start=1232 + _globals['_VOTE']._serialized_end=1376 + _globals['_DEPOSITPARAMS']._serialized_start=1379 + _globals['_DEPOSITPARAMS']._serialized_end=1570 + _globals['_VOTINGPARAMS']._serialized_start=1572 + _globals['_VOTINGPARAMS']._serialized_end=1646 + _globals['_TALLYPARAMS']._serialized_start=1648 + _globals['_TALLYPARAMS']._serialized_end=1772 + _globals['_PARAMS']._serialized_start=1775 + _globals['_PARAMS']._serialized_end=2532 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index 783c2f0a..f6b63e25 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xda\x08\n\x05Query\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,6 +40,8 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._loaded_options = None _globals['_QUERYDEPOSITREQUEST'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERY'].methods_by_name['Constitution']._loaded_options = None + _globals['_QUERY'].methods_by_name['Constitution']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/gov/v1/constitution' _globals['_QUERY'].methods_by_name['Proposal']._loaded_options = None _globals['_QUERY'].methods_by_name['Proposal']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/gov/v1/proposals/{proposal_id}' _globals['_QUERY'].methods_by_name['Proposals']._loaded_options = None @@ -56,38 +58,42 @@ _globals['_QUERY'].methods_by_name['Deposits']._serialized_options = b'\202\323\344\223\0021\022//cosmos/gov/v1/proposals/{proposal_id}/deposits' _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\002.\022,/cosmos/gov/v1/proposals/{proposal_id}/tally' - _globals['_QUERYPROPOSALREQUEST']._serialized_start=170 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=213 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=215 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=281 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=284 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=509 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=512 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=641 - _globals['_QUERYVOTEREQUEST']._serialized_start=643 - _globals['_QUERYVOTEREQUEST']._serialized_end=723 - _globals['_QUERYVOTERESPONSE']._serialized_start=725 - _globals['_QUERYVOTERESPONSE']._serialized_end=779 - _globals['_QUERYVOTESREQUEST']._serialized_start=781 - _globals['_QUERYVOTESREQUEST']._serialized_end=881 - _globals['_QUERYVOTESRESPONSE']._serialized_start=883 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1000 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1002 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1043 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1046 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1274 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1276 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1363 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1365 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1428 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1430 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1533 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1535 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1661 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1663 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1709 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1711 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1780 - _globals['_QUERY']._serialized_start=1783 - _globals['_QUERY']._serialized_end=2897 + _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 + _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 + _globals['_QUERYVOTEREQUEST']._serialized_start=722 + _globals['_QUERYVOTEREQUEST']._serialized_end=802 + _globals['_QUERYVOTERESPONSE']._serialized_start=804 + _globals['_QUERYVOTERESPONSE']._serialized_end=858 + _globals['_QUERYVOTESREQUEST']._serialized_start=860 + _globals['_QUERYVOTESREQUEST']._serialized_end=960 + _globals['_QUERYVOTESRESPONSE']._serialized_start=962 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 + _globals['_QUERY']._serialized_start=1862 + _globals['_QUERY']._serialized_end=3113 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 03e45f91..5096c960 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 143ad2b7..4c14e562 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -12,16 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,7 +31,7 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITPROPOSAL']._loaded_options = None @@ -65,32 +66,46 @@ _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGUPDATEPARAMS']._loaded_options = None _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#cosmos-sdk/x/gov/v1/MsgUpdateParams' + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._loaded_options = None + _globals['_MSGCANCELPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCANCELPROPOSAL']._loaded_options = None + _globals['_MSGCANCELPROPOSAL']._serialized_options = b'\202\347\260*\010proposer' + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id' + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._loaded_options = None + _globals['_MSGCANCELPROPOSALRESPONSE'].fields_by_name['canceled_time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGSUBMITPROPOSAL']._serialized_start=219 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=486 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=488 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=536 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=539 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=706 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=708 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=738 - _globals['_MSGVOTE']._serialized_start=741 - _globals['_MSGVOTE']._serialized_end=933 - _globals['_MSGVOTERESPONSE']._serialized_start=935 - _globals['_MSGVOTERESPONSE']._serialized_end=952 - _globals['_MSGVOTEWEIGHTED']._serialized_start=955 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1172 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1174 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1199 - _globals['_MSGDEPOSIT']._serialized_start=1202 - _globals['_MSGDEPOSIT']._serialized_end=1401 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1403 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1423 - _globals['_MSGUPDATEPARAMS']._serialized_start=1426 - _globals['_MSGUPDATEPARAMS']._serialized_end=1594 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1596 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1621 - _globals['_MSG']._serialized_start=1624 - _globals['_MSG']._serialized_end=2146 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 + _globals['_MSGVOTE']._serialized_start=854 + _globals['_MSGVOTE']._serialized_end=1046 + _globals['_MSGVOTERESPONSE']._serialized_start=1048 + _globals['_MSGVOTERESPONSE']._serialized_end=1065 + _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 + _globals['_MSGDEPOSIT']._serialized_start=1315 + _globals['_MSGDEPOSIT']._serialized_end=1514 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 + _globals['_MSGUPDATEPARAMS']._serialized_start=1539 + _globals['_MSGUPDATEPARAMS']._serialized_end=1707 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 + _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 + _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 + _globals['_MSG']._serialized_start=2009 + _globals['_MSG']._serialized_end=2625 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index 7167542d..f47f2cbf 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 +from cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -70,6 +70,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) + self.CancelProposal = channel.unary_unary( + '/cosmos.gov.v1.Msg/CancelProposal', + request_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, + response_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -122,6 +127,15 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def CancelProposal(self, request, context): + """CancelProposal defines a method to cancel governance proposal + + Since: cosmos-sdk 0.50 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -155,6 +169,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'CancelProposal': grpc.unary_unary_rpc_method_handler( + servicer.CancelProposal, + request_deserializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.FromString, + response_serializer=cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.gov.v1.Msg', rpc_method_handlers) @@ -328,3 +347,30 @@ def UpdateParams(request, timeout, metadata, _registered_method=True) + + @staticmethod + def CancelProposal(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.gov.v1.Msg/CancelProposal', + cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposal.SerializeToString, + cosmos_dot_gov_dot_v1_dot_tx__pb2.MsgCancelProposalResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index e4f9ce49..63b30b1a 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -12,23 +12,23 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12L\n\x06weight\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xcb\x02\n\x0bTallyResult\x12I\n\x03yes\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x61\x62stain\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12H\n\x02no\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12R\n\x0cno_with_veto\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\x9f\x02\n\x0bTallyParams\x12R\n\x06quorum\x18\x01 \x01(\x0c\x42\x42\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x10quorum,omitempty\x12X\n\tthreshold\x18\x02 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x13threshold,omitempty\x12\x62\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42J\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xea\xde\x1f\x18veto_threshold,omitempty*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42>Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000\330\341\036\000\200\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None @@ -56,7 +56,7 @@ _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._loaded_options = None _globals['_PROPOSALSTATUS'].values_by_name["PROPOSAL_STATUS_FAILED"]._serialized_options = b'\212\235 \014StatusFailed' _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None - _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_TEXTPROPOSAL']._loaded_options = None _globals['_TEXTPROPOSAL']._serialized_options = b'\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\027cosmos-sdk/TextProposal' _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None @@ -82,13 +82,13 @@ _globals['_PROPOSAL']._loaded_options = None _globals['_PROPOSAL']._serialized_options = b'\350\240\037\001' _globals['_TALLYRESULT'].fields_by_name['yes']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['yes']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['abstain']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['abstain']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['no']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._loaded_options = None - _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_TALLYRESULT'].fields_by_name['no_with_veto']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_TALLYRESULT']._loaded_options = None _globals['_TALLYRESULT']._serialized_options = b'\350\240\037\001' _globals['_VOTE'].fields_by_name['proposal_id']._loaded_options = None @@ -100,7 +100,7 @@ _globals['_VOTE'].fields_by_name['options']._loaded_options = None _globals['_VOTE'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VOTE']._loaded_options = None - _globals['_VOTE']._serialized_options = b'\230\240\037\000\350\240\037\000' + _globals['_VOTE']._serialized_options = b'\350\240\037\000' _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._loaded_options = None _globals['_DEPOSITPARAMS'].fields_by_name['min_deposit']._serialized_options = b'\310\336\037\000\352\336\037\025min_deposit,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_DEPOSITPARAMS'].fields_by_name['max_deposit_period']._loaded_options = None @@ -108,31 +108,31 @@ _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._loaded_options = None _globals['_VOTINGPARAMS'].fields_by_name['voting_period']._serialized_options = b'\310\336\037\000\352\336\037\027voting_period,omitempty\230\337\037\001' _globals['_TALLYPARAMS'].fields_by_name['quorum']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\020quorum,omitempty' + _globals['_TALLYPARAMS'].fields_by_name['quorum']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\020quorum,omitempty\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['threshold']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\023threshold,omitempty' + _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None - _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\352\336\037\030veto_threshold,omitempty' - _globals['_VOTEOPTION']._serialized_start=2493 - _globals['_VOTEOPTION']._serialized_end=2723 - _globals['_PROPOSALSTATUS']._serialized_start=2726 - _globals['_PROPOSALSTATUS']._serialized_end=3058 + _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' + _globals['_VOTEOPTION']._serialized_start=2424 + _globals['_VOTEOPTION']._serialized_end=2654 + _globals['_PROPOSALSTATUS']._serialized_start=2657 + _globals['_PROPOSALSTATUS']._serialized_end=2989 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=391 - _globals['_TEXTPROPOSAL']._serialized_start=393 - _globals['_TEXTPROPOSAL']._serialized_end=507 - _globals['_DEPOSIT']._serialized_start=510 - _globals['_DEPOSIT']._serialized_end=693 - _globals['_PROPOSAL']._serialized_start=696 - _globals['_PROPOSAL']._serialized_end=1304 - _globals['_TALLYRESULT']._serialized_start=1307 - _globals['_TALLYRESULT']._serialized_end=1638 - _globals['_VOTE']._serialized_start=1641 - _globals['_VOTE']._serialized_end=1859 - _globals['_DEPOSITPARAMS']._serialized_start=1862 - _globals['_DEPOSITPARAMS']._serialized_end=2097 - _globals['_VOTINGPARAMS']._serialized_start=2099 - _globals['_VOTINGPARAMS']._serialized_end=2200 - _globals['_TALLYPARAMS']._serialized_start=2203 - _globals['_TALLYPARAMS']._serialized_end=2490 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 + _globals['_TEXTPROPOSAL']._serialized_start=387 + _globals['_TEXTPROPOSAL']._serialized_end=501 + _globals['_DEPOSIT']._serialized_start=504 + _globals['_DEPOSIT']._serialized_end=687 + _globals['_PROPOSAL']._serialized_start=690 + _globals['_PROPOSAL']._serialized_end=1298 + _globals['_TALLYRESULT']._serialized_start=1301 + _globals['_TALLYRESULT']._serialized_end=1564 + _globals['_VOTE']._serialized_start=1567 + _globals['_VOTE']._serialized_end=1781 + _globals['_DEPOSITPARAMS']._serialized_start=1784 + _globals['_DEPOSITPARAMS']._serialized_end=2019 + _globals['_VOTINGPARAMS']._serialized_start=2021 + _globals['_VOTINGPARAMS']._serialized_end=2122 + _globals['_TALLYPARAMS']._serialized_start=2125 + _globals['_TALLYPARAMS']._serialized_end=2421 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index ad7a6c4f..451332d6 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index aedbb1a9..64bc3513 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -12,16 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12i\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:>\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xaa\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:1\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xe4\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x80\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:8\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,17 +32,17 @@ _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITPROPOSAL']._loaded_options = None - _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' + _globals['_MSGSUBMITPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\010proposer\212\347\260*\034cosmos-sdk/MsgSubmitProposal' _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGSUBMITPROPOSALRESPONSE'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGVOTE'].fields_by_name['voter']._loaded_options = None _globals['_MSGVOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGVOTE']._loaded_options = None - _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' + _globals['_MSGVOTE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\022cosmos-sdk/MsgVote' _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGVOTEWEIGHTED'].fields_by_name['voter']._loaded_options = None @@ -50,33 +50,33 @@ _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._loaded_options = None _globals['_MSGVOTEWEIGHTED'].fields_by_name['options']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGVOTEWEIGHTED']._loaded_options = None - _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' + _globals['_MSGVOTEWEIGHTED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005voter\212\347\260*\032cosmos-sdk/MsgVoteWeighted' _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['proposal_id']._serialized_options = b'\352\336\037\013proposal_id\250\347\260*\001' _globals['_MSGDEPOSIT'].fields_by_name['depositor']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['depositor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGDEPOSIT']._loaded_options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\200\334 \000\202\347\260*\tdepositor\212\347\260*\025cosmos-sdk/MsgDeposit' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=539 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=541 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=611 - _globals['_MSGVOTE']._serialized_start=614 - _globals['_MSGVOTE']._serialized_end=784 - _globals['_MSGVOTERESPONSE']._serialized_start=786 - _globals['_MSGVOTERESPONSE']._serialized_end=803 - _globals['_MSGVOTEWEIGHTED']._serialized_start=806 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1034 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1036 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1061 - _globals['_MSGDEPOSIT']._serialized_start=1064 - _globals['_MSGDEPOSIT']._serialized_end=1320 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1322 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1342 - _globals['_MSG']._serialized_start=1345 - _globals['_MSG']._serialized_end=1716 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 + _globals['_MSGVOTE']._serialized_start=623 + _globals['_MSGVOTE']._serialized_end=785 + _globals['_MSGVOTERESPONSE']._serialized_start=787 + _globals['_MSGVOTERESPONSE']._serialized_end=804 + _globals['_MSGVOTEWEIGHTED']._serialized_start=807 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 + _globals['_MSGDEPOSIT']._serialized_start=1057 + _globals['_MSGDEPOSIT']._serialized_end=1326 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 + _globals['_MSG']._serialized_start=1351 + _globals['_MSG']._serialized_end=1722 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index d6ba08c7..625f3321 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index fd71377b..67b5e465 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 3d89b81d..5f9dddba 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"t\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:(\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -105,15 +105,15 @@ _globals['_MSGEXEC'].fields_by_name['executor']._loaded_options = None _globals['_MSGEXEC'].fields_by_name['executor']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXEC']._loaded_options = None - _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\006signer\212\347\260*\030cosmos-sdk/group/MsgExec' + _globals['_MSGEXEC']._serialized_options = b'\202\347\260*\010executor\212\347\260*\030cosmos-sdk/group/MsgExec' _globals['_MSGLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_MSGLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGLEAVEGROUP']._loaded_options = None _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=3741 - _globals['_EXEC']._serialized_end=3783 + _globals['_EXEC']._serialized_start=3743 + _globals['_EXEC']._serialized_end=3785 _globals['_MSGCREATEGROUP']._serialized_start=195 _globals['_MSGCREATEGROUP']._serialized_end=372 _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 @@ -163,13 +163,13 @@ _globals['_MSGVOTERESPONSE']._serialized_start=3376 _globals['_MSGVOTERESPONSE']._serialized_end=3393 _globals['_MSGEXEC']._serialized_start=3395 - _globals['_MSGEXEC']._serialized_end=3511 - _globals['_MSGEXECRESPONSE']._serialized_start=3513 - _globals['_MSGEXECRESPONSE']._serialized_end=3587 - _globals['_MSGLEAVEGROUP']._serialized_start=3589 - _globals['_MSGLEAVEGROUP']._serialized_end=3714 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3716 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3739 - _globals['_MSG']._serialized_start=3786 - _globals['_MSG']._serialized_end=5268 + _globals['_MSGEXEC']._serialized_end=3513 + _globals['_MSGEXECRESPONSE']._serialized_start=3515 + _globals['_MSGEXECRESPONSE']._serialized_end=3589 + _globals['_MSGLEAVEGROUP']._serialized_start=3591 + _globals['_MSGLEAVEGROUP']._serialized_end=3716 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 + _globals['_MSG']._serialized_start=3788 + _globals['_MSG']._serialized_end=5270 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 85053d43..0485f121 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index 49d3c815..fd4c0ca2 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb2\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12W\n\x11\x61nnual_provisions\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\"\xb2\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12[\n\x15inflation_rate_change\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_max\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12S\n\rinflation_min\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12Q\n\x0bgoal_bonded\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:!\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,21 +26,21 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None - _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None - _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_MINTER'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_PARAMS'].fields_by_name['inflation_rate_change']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['inflation_rate_change']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['inflation_max']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['inflation_max']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['inflation_min']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['inflation_min']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['goal_bonded']._loaded_options = None - _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_PARAMS'].fields_by_name['goal_bonded']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\030cosmos-sdk/x/mint/Params' + _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=302 - _globals['_PARAMS']._serialized_start=305 - _globals['_PARAMS']._serialized_end=739 + _globals['_MINTER']._serialized_end=280 + _globals['_PARAMS']._serialized_start=283 + _globals['_PARAMS']._serialized_end=689 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index 0b4c0daf..523443a7 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -12,13 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"`\n\x16QueryInflationResponse\x12\x46\n\tinflation\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"o\n\x1dQueryAnnualProvisionsResponse\x12N\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,27 +30,27 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None - _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._loaded_options = None - _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_QUERYANNUALPROVISIONSRESPONSE'].fields_by_name['annual_provisions']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/mint/v1beta1/params' _globals['_QUERY'].methods_by_name['Inflation']._loaded_options = None _globals['_QUERY'].methods_by_name['Inflation']._serialized_options = b'\202\323\344\223\002 \022\036/cosmos/mint/v1beta1/inflation' _globals['_QUERY'].methods_by_name['AnnualProvisions']._loaded_options = None _globals['_QUERY'].methods_by_name['AnnualProvisions']._serialized_options = b'\202\323\344\223\002(\022&/cosmos/mint/v1beta1/annual_provisions' - _globals['_QUERYPARAMSREQUEST']._serialized_start=159 - _globals['_QUERYPARAMSREQUEST']._serialized_end=179 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=181 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=258 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=260 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=283 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=285 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=381 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=383 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=413 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=415 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=526 - _globals['_QUERY']._serialized_start=529 - _globals['_QUERY']._serialized_end=982 + _globals['_QUERYPARAMSREQUEST']._serialized_start=186 + _globals['_QUERYPARAMSREQUEST']._serialized_end=206 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 + _globals['_QUERY']._serialized_start=562 + _globals['_QUERY']._serialized_end=1015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index 982f1fda..735d907d 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index 9ba40034..cbf01952 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index dd86e0fc..217d6013 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"4\n\x06Module:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=145 + _globals['_MODULE']._serialized_end=129 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 721fa443..86d74c90 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_EVENTSEND']._serialized_start=54 _globals['_EVENTSEND']._serialized_end=129 _globals['_EVENTMINT']._serialized_start=131 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index 624f085b..c44e63ca 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -12,17 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_GENESISSTATE']._serialized_start=86 _globals['_GENESISSTATE']._serialized_end=188 _globals['_ENTRY']._serialized_start=190 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 75541dec..0ea652f4 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -15,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_CLASS']._serialized_start=80 _globals['_CLASS']._serialized_end=217 _globals['_NFT']._serialized_start=219 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index 49f3bd40..b6f45782 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -12,19 +12,19 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index 8e86cfaf..a0205de7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 02edb4a1..40b885d6 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42$Z\"github.com/cosmos/cosmos-sdk/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 3b62828d..1b54c4c3 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index a8ef3723..26694fcc 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"2\n\x06Module:(\xba\xc0\x96\xda\x01\"\n github.com/cosmos/cosmos-sdk/ormb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\"\n github.com/cosmos/cosmos-sdk/orm' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=155 + _globals['_MODULE']._serialized_end=139 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index 835dc4ed..e6df1818 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index a5cf001e..3e072baf 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -15,15 +15,15 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*\x9d\x01\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02\x12\x16\n\x12STORAGE_TYPE_INDEX\x10\x03\x12\x1b\n\x17STORAGE_TYPE_COMMITMENT\x10\x04:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None - _globals['_STORAGETYPE']._serialized_start=317 - _globals['_STORAGETYPE']._serialized_end=474 + _globals['_STORAGETYPE']._serialized_start=316 + _globals['_STORAGETYPE']._serialized_end=420 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index e348413c..53c2cc22 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xcc\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:M\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"A\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\t:\x04\x98\xa0\x1f\x00\x42:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,11 +28,9 @@ _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' - _globals['_PARAMCHANGE']._loaded_options = None - _globals['_PARAMCHANGE']._serialized_options = b'\230\240\037\000' + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=334 - _globals['_PARAMCHANGE']._serialized_start=336 - _globals['_PARAMCHANGE']._serialized_end=401 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 + _globals['_PARAMCHANGE']._serialized_start=332 + _globals['_PARAMCHANGE']._serialized_end=391 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index babbc747..85d305b2 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index c0f91980..82787229 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index fde88e59..21e1f022 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x92\x01\n\x0bSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x01\n\x15ValidatorMissedBlocks\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,19 +33,19 @@ _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_SIGNINGINFO'].fields_by_name['address']._loaded_options = None - _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_SIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._loaded_options = None _globals['_SIGNINGINFO'].fields_by_name['validator_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._loaded_options = None - _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 _globals['_GENESISSTATE']._serialized_end=403 _globals['_SIGNINGINFO']._serialized_start=406 - _globals['_SIGNINGINFO']._serialized_end=552 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=555 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=693 - _globals['_MISSEDBLOCK']._serialized_start=695 - _globals['_MISSEDBLOCK']._serialized_end=739 + _globals['_SIGNINGINFO']._serialized_end=561 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 + _globals['_MISSEDBLOCK']._serialized_start=713 + _globals['_MISSEDBLOCK']._serialized_end=757 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index 87483528..51c319ef 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"I\n\x17QuerySigningInfoRequest\x12.\n\x0c\x63ons_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -31,7 +31,7 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None - _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._loaded_options = None _globals['_QUERYSIGNINGINFORESPONSE'].fields_by_name['val_signing_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOSRESPONSE'].fields_by_name['info']._loaded_options = None @@ -47,13 +47,13 @@ _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=424 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=426 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=536 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=538 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=624 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=627 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=787 - _globals['_QUERY']._serialized_start=790 - _globals['_QUERY']._serialized_end=1288 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 + _globals['_QUERY']._serialized_start=799 + _globals['_QUERY']._serialized_end=1297 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index d73f0ff9..5a80748e 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index bdc7487f..7b8da5d3 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xeb\x01\n\x14ValidatorSigningInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x96\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12R\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12W\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01\x12T\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,23 +28,23 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None - _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_VALIDATORSIGNINGINFO']._loaded_options = None - _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_VALIDATORSIGNINGINFO']._serialized_options = b'\350\240\037\001' _globals['_PARAMS'].fields_by_name['min_signed_per_window']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['min_signed_per_window']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['downtime_jail_duration']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['slash_fraction_double_sign']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\250\347\260*\001' + _globals['_PARAMS'].fields_by_name['slash_fraction_downtime']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=436 - _globals['_PARAMS']._serialized_start=439 - _globals['_PARAMS']._serialized_end=845 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 + _globals['_PARAMS']._serialized_start=444 + _globals['_PARAMS']._serialized_end=859 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index e9cefcba..e8467771 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8f\x01\n\tMsgUnjail\x12L\n\x0evalidator_addr\x18\x01 \x01(\tB4\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x14\x63osmos.AddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\x98\xa0\x1f\x01\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,9 +28,9 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None - _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\024cosmos.AddressString\242\347\260*\007address\250\347\260*\001' + _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' _globals['_MSGUNJAIL']._loaded_options = None - _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\230\240\037\001\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' + _globals['_MSGUNJAIL']._serialized_options = b'\210\240\037\000\202\347\260*\016validator_addr\212\347\260*\024cosmos-sdk/MsgUnjail' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -40,13 +40,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=338 - _globals['_MSGUNJAILRESPONSE']._serialized_start=340 - _globals['_MSGUNJAILRESPONSE']._serialized_end=359 - _globals['_MSGUPDATEPARAMS']._serialized_start=362 - _globals['_MSGUPDATEPARAMS']._serialized_end=542 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=544 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=569 - _globals['_MSG']._serialized_start=572 - _globals['_MSG']._serialized_end=782 + _globals['_MSGUNJAIL']._serialized_end=343 + _globals['_MSGUNJAILRESPONSE']._serialized_start=345 + _globals['_MSGUNJAILRESPONSE']._serialized_end=364 + _globals['_MSGUPDATEPARAMS']._serialized_start=367 + _globals['_MSGUPDATEPARAMS']._serialized_end=547 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 + _globals['_MSG']._serialized_start=577 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index 480aed79..d4ac67c0 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 2de912c9..29a3e9b3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xe1\x03\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12K\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12J\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\x9e\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,12 +30,16 @@ _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._serialized_options = b'\252\337\037\'github.com/cosmos/cosmos-sdk/types.Coin' + _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['allow_list']._serialized_options = b'\262\347\260*\'cosmos-sdk/StakeAuthorization/AllowList' + _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._loaded_options = None + _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=647 - _globals['_AUTHORIZATIONTYPE']._serialized_end=805 + _globals['_AUTHORIZATIONTYPE']._serialized_start=738 + _globals['_AUTHORIZATIONTYPE']._serialized_end=948 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=644 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=501 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=556 + _globals['_STAKEAUTHORIZATION']._serialized_end=735 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index 6f5792cd..ed1cacb1 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa5\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x33\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,7 +29,7 @@ _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\250\347\260*\001' + _globals['_GENESISSTATE'].fields_by_name['last_total_power']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_validator_powers']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['validators']._loaded_options = None @@ -45,7 +45,7 @@ _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=720 - _globals['_LASTVALIDATORPOWER']._serialized_start=722 - _globals['_LASTVALIDATORPOWER']._serialized_end=810 + _globals['_GENESISSTATE']._serialized_end=717 + _globals['_LASTVALIDATORPOWER']._serialized_start=719 + _globals['_LASTVALIDATORPOWER']._serialized_end=807 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index b025bdb8..f47e5634 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -12,16 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"I\n\x15QueryValidatorRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x90\x01\n QueryValidatorDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x30\n\x0evalidator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x86\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x8f\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x0evalidator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,27 +32,27 @@ _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None _globals['_QUERYVALIDATORRESPONSE'].fields_by_name['validator']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._loaded_options = None _globals['_QUERYVALIDATORDELEGATIONSRESPONSE'].fields_by_name['delegation_responses']._serialized_options = b'\310\336\037\000\252\337\037\023DelegationResponses\250\347\260*\001' _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._loaded_options = None _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE'].fields_by_name['unbonding_responses']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYUNBONDINGDELEGATIONREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._loaded_options = None _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYUNBONDINGDELEGATIONRESPONSE'].fields_by_name['unbond']._loaded_options = None @@ -88,7 +88,7 @@ _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['delegator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None - _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYDELEGATORVALIDATORREQUEST'].fields_by_name['validator_addr']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_QUERYDELEGATORVALIDATORREQUEST']._loaded_options = None _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_QUERYDELEGATORVALIDATORRESPONSE'].fields_by_name['validator']._loaded_options = None @@ -130,57 +130,57 @@ _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=601 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=603 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=692 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=695 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=839 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=842 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1046 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1049 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1202 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1205 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1395 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1398 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1532 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1534 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1632 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1635 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1778 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1780 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1886 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1889 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2043 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2046 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2227 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2230 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2393 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2396 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2586 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2589 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2844 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2847 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3025 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3028 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3181 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3184 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3345 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3348 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3490 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3492 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3590 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3592 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3636 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3638 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3721 - _globals['_QUERYPOOLREQUEST']._serialized_start=3723 - _globals['_QUERYPOOLREQUEST']._serialized_end=3741 - _globals['_QUERYPOOLRESPONSE']._serialized_start=3743 - _globals['_QUERYPOOLRESPONSE']._serialized_end=3817 - _globals['_QUERYPARAMSREQUEST']._serialized_start=3819 - _globals['_QUERYPARAMSREQUEST']._serialized_end=3839 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=3841 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=3921 - _globals['_QUERY']._serialized_start=3924 - _globals['_QUERY']._serialized_end=6788 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 + _globals['_QUERYPOOLREQUEST']._serialized_start=3777 + _globals['_QUERYPOOLREQUEST']._serialized_end=3795 + _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 + _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 + _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 + _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 + _globals['_QUERY']._serialized_start=3978 + _globals['_QUERY']._serialized_end=6842 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index beee0859..e78d7188 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 8e4104f8..968e7a69 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12N\n\x08max_rate\x18\x02 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x0fmax_change_rate\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xa8\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"v\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfd\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12L\n\x06tokens\x18\x05 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12V\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x0b \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"E\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x98\xa0\x1f\x00\x80\xdc \x01\"\x80\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xc1\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd2\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x06shares\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdb\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xde\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12U\n\x0finitial_balance\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12P\n\nshares_dst\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\"\x8a\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x0c\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12i\n\x13min_commission_rate\x18\x06 \x01(\tBL\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\":(\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x98\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x62\x61lance\x18\x04 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xee\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBV\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12i\n\rbonded_tokens\x18\x02 \x01(\tBR\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -46,29 +46,29 @@ _globals['_HISTORICALINFO'].fields_by_name['valset']._loaded_options = None _globals['_HISTORICALINFO'].fields_by_name['valset']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_COMMISSIONRATES'].fields_by_name['rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_COMMISSIONRATES'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_COMMISSIONRATES'].fields_by_name['max_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._loaded_options = None - _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_COMMISSIONRATES'].fields_by_name['max_change_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_COMMISSIONRATES']._loaded_options = None - _globals['_COMMISSIONRATES']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_COMMISSIONRATES']._serialized_options = b'\350\240\037\001' _globals['_COMMISSION'].fields_by_name['commission_rates']._loaded_options = None _globals['_COMMISSION'].fields_by_name['commission_rates']._serialized_options = b'\310\336\037\000\320\336\037\001\250\347\260*\001' _globals['_COMMISSION'].fields_by_name['update_time']._loaded_options = None _globals['_COMMISSION'].fields_by_name['update_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_COMMISSION']._loaded_options = None - _globals['_COMMISSION']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_COMMISSION']._serialized_options = b'\350\240\037\001' _globals['_DESCRIPTION']._loaded_options = None - _globals['_DESCRIPTION']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_DESCRIPTION']._serialized_options = b'\350\240\037\001' _globals['_VALIDATOR'].fields_by_name['operator_address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['operator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['consensus_pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' _globals['_VALIDATOR'].fields_by_name['tokens']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR'].fields_by_name['tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_VALIDATOR'].fields_by_name['delegator_shares']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_VALIDATOR'].fields_by_name['delegator_shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_VALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATOR'].fields_by_name['unbonding_time']._loaded_options = None @@ -76,89 +76,87 @@ _globals['_VALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_VALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_VALIDATOR']._loaded_options = None - _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_VALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_VALADDRESSES'].fields_by_name['addresses']._loaded_options = None _globals['_VALADDRESSES'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_VALADDRESSES']._loaded_options = None - _globals['_VALADDRESSES']._serialized_options = b'\230\240\037\000\200\334 \001' _globals['_DVPAIR'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVPAIR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVPAIR'].fields_by_name['validator_address']._loaded_options = None - _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DVPAIR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DVPAIR']._loaded_options = None - _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_DVPAIR']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DVPAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_DVPAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._loaded_options = None _globals['_DVVTRIPLET'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DVVTRIPLET'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DVVTRIPLET'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DVVTRIPLET']._loaded_options = None - _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_DVVTRIPLET']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DVVTRIPLETS'].fields_by_name['triplets']._loaded_options = None _globals['_DVVTRIPLETS'].fields_by_name['triplets']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_DELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_DELEGATION'].fields_by_name['shares']._loaded_options = None - _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_DELEGATION'].fields_by_name['shares']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_DELEGATION']._loaded_options = None - _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_DELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_UNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_UNBONDINGDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_UNBONDINGDELEGATION']._loaded_options = None - _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_UNBONDINGDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_UNBONDINGDELEGATIONENTRY'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_UNBONDINGDELEGATIONENTRY']._loaded_options = None - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._loaded_options = None _globals['_REDELEGATIONENTRY'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._loaded_options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRY'].fields_by_name['initial_balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._loaded_options = None - _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_REDELEGATIONENTRY'].fields_by_name['shares_dst']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_REDELEGATIONENTRY']._loaded_options = None - _globals['_REDELEGATIONENTRY']._serialized_options = b'\230\240\037\000\350\240\037\001' + _globals['_REDELEGATIONENTRY']._serialized_options = b'\350\240\037\001' _globals['_REDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_REDELEGATION'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_REDELEGATION'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_REDELEGATION'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_REDELEGATION'].fields_by_name['entries']._loaded_options = None _globals['_REDELEGATION'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_REDELEGATION']._loaded_options = None - _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000' + _globals['_REDELEGATION']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_PARAMS'].fields_by_name['unbonding_time']._loaded_options = None _globals['_PARAMS'].fields_by_name['unbonding_time']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_PARAMS'].fields_by_name['min_commission_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\362\336\037\032yaml:\"min_commission_rate\"' + _globals['_PARAMS'].fields_by_name['min_commission_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\362\336\037\032yaml:\"min_commission_rate\"\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\033cosmos-sdk/x/staking/Params' _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['delegation']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._loaded_options = None _globals['_DELEGATIONRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_DELEGATIONRESPONSE']._loaded_options = None - _globals['_DELEGATIONRESPONSE']._serialized_options = b'\230\240\037\000\350\240\037\000' + _globals['_DELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['redelegation_entry']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._loaded_options = None - _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_REDELEGATIONENTRYRESPONSE'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_REDELEGATIONENTRYRESPONSE']._loaded_options = None _globals['_REDELEGATIONENTRYRESPONSE']._serialized_options = b'\350\240\037\001' _globals['_REDELEGATIONRESPONSE'].fields_by_name['redelegation']._loaded_options = None @@ -168,57 +166,57 @@ _globals['_REDELEGATIONRESPONSE']._loaded_options = None _globals['_REDELEGATIONRESPONSE']._serialized_options = b'\350\240\037\000' _globals['_POOL'].fields_by_name['not_bonded_tokens']._loaded_options = None - _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL'].fields_by_name['not_bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\021not_bonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' _globals['_POOL'].fields_by_name['bonded_tokens']._loaded_options = None - _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_POOL'].fields_by_name['bonded_tokens']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\352\336\037\rbonded_tokens\322\264-\ncosmos.Int\250\347\260*\001' _globals['_POOL']._loaded_options = None _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=4918 - _globals['_BONDSTATUS']._serialized_end=5100 - _globals['_INFRACTION']._serialized_start=5102 - _globals['_INFRACTION']._serialized_end=5195 + _globals['_BONDSTATUS']._serialized_start=4740 + _globals['_BONDSTATUS']._serialized_end=4922 + _globals['_INFRACTION']._serialized_start=4924 + _globals['_INFRACTION']._serialized_end=5017 _globals['_HISTORICALINFO']._serialized_start=316 _globals['_HISTORICALINFO']._serialized_end=447 _globals['_COMMISSIONRATES']._serialized_start=450 - _globals['_COMMISSIONRATES']._serialized_end=720 - _globals['_COMMISSION']._serialized_start=723 - _globals['_COMMISSION']._serialized_end=891 - _globals['_DESCRIPTION']._serialized_start=893 - _globals['_DESCRIPTION']._serialized_end=1011 - _globals['_VALIDATOR']._serialized_start=1014 - _globals['_VALIDATOR']._serialized_end=1779 - _globals['_VALADDRESSES']._serialized_start=1781 - _globals['_VALADDRESSES']._serialized_end=1850 - _globals['_DVPAIR']._serialized_start=1853 - _globals['_DVPAIR']._serialized_end=1981 - _globals['_DVPAIRS']._serialized_start=1983 - _globals['_DVPAIRS']._serialized_end=2050 - _globals['_DVVTRIPLET']._serialized_start=2053 - _globals['_DVVTRIPLET']._serialized_end=2246 - _globals['_DVVTRIPLETS']._serialized_start=2248 - _globals['_DVVTRIPLETS']._serialized_end=2326 - _globals['_DELEGATION']._serialized_start=2329 - _globals['_DELEGATION']._serialized_end=2539 - _globals['_UNBONDINGDELEGATION']._serialized_start=2542 - _globals['_UNBONDINGDELEGATION']._serialized_end=2761 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2764 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3118 - _globals['_REDELEGATIONENTRY']._serialized_start=3121 - _globals['_REDELEGATIONENTRY']._serialized_end=3471 - _globals['_REDELEGATION']._serialized_start=3474 - _globals['_REDELEGATION']._serialized_end=3740 - _globals['_PARAMS']._serialized_start=3743 - _globals['_PARAMS']._serialized_end=4059 - _globals['_DELEGATIONRESPONSE']._serialized_start=4062 - _globals['_DELEGATIONRESPONSE']._serialized_end=4214 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4217 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4411 - _globals['_REDELEGATIONRESPONSE']._serialized_start=4414 - _globals['_REDELEGATIONRESPONSE']._serialized_end=4592 - _globals['_POOL']._serialized_start=4595 - _globals['_POOL']._serialized_end=4833 - _globals['_VALIDATORUPDATES']._serialized_start=4835 - _globals['_VALIDATORUPDATES']._serialized_end=4915 + _globals['_COMMISSIONRATES']._serialized_end=698 + _globals['_COMMISSION']._serialized_start=701 + _globals['_COMMISSION']._serialized_end=865 + _globals['_DESCRIPTION']._serialized_start=867 + _globals['_DESCRIPTION']._serialized_end=981 + _globals['_VALIDATOR']._serialized_start=984 + _globals['_VALIDATOR']._serialized_end=1700 + _globals['_VALADDRESSES']._serialized_start=1702 + _globals['_VALADDRESSES']._serialized_end=1761 + _globals['_DVPAIR']._serialized_start=1764 + _globals['_DVPAIR']._serialized_end=1897 + _globals['_DVPAIRS']._serialized_start=1899 + _globals['_DVPAIRS']._serialized_end=1966 + _globals['_DVVTRIPLET']._serialized_start=1969 + _globals['_DVVTRIPLET']._serialized_end=2176 + _globals['_DVVTRIPLETS']._serialized_start=2178 + _globals['_DVVTRIPLETS']._serialized_end=2256 + _globals['_DELEGATION']._serialized_start=2259 + _globals['_DELEGATION']._serialized_end=2463 + _globals['_UNBONDINGDELEGATION']._serialized_start=2466 + _globals['_UNBONDINGDELEGATION']._serialized_end=2690 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 + _globals['_REDELEGATIONENTRY']._serialized_start=3012 + _globals['_REDELEGATIONENTRY']._serialized_end=3330 + _globals['_REDELEGATION']._serialized_start=3333 + _globals['_REDELEGATION']._serialized_end=3613 + _globals['_PARAMS']._serialized_start=3616 + _globals['_PARAMS']._serialized_end=3936 + _globals['_DELEGATIONRESPONSE']._serialized_start=3939 + _globals['_DELEGATIONRESPONSE']._serialized_end=4087 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 + _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 + _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 + _globals['_POOL']._serialized_start=4451 + _globals['_POOL']._serialized_end=4655 + _globals['_VALIDATORUPDATES']._serialized_start=4657 + _globals['_VALIDATORUPDATES']._serialized_end=4737 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index 2c031060..edd8777a 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -14,15 +14,15 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb3\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12Y\n\x13min_self_delegation\x18\x03 \x01(\tB<\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int\x12\x33\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x05 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xf6\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x63ommission_rate\x18\x03 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\xd2\xb4-\ncosmos.Dec\x12U\n\x13min_self_delegation\x18\x04 \x01(\tB8\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xe8\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xb3\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_src_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x15validator_dst_address\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xec\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"[\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xa3\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x11validator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -35,31 +35,31 @@ _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['delegator_address']._serialized_options = b'\030\001\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCREATEVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['pubkey']._serialized_options = b'\312\264-\024cosmos.crypto.PubKey' _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['value']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR']._loaded_options = None - _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' + _globals['_MSGCREATEVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\035cosmos-sdk/MsgCreateValidator' _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGEDITVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEDITVALIDATOR'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec\322\264-\ncosmos.Dec' + _globals['_MSGEDITVALIDATOR'].fields_by_name['commission_rate']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._loaded_options = None - _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Int\322\264-\ncosmos.Int' + _globals['_MSGEDITVALIDATOR'].fields_by_name['min_self_delegation']._serialized_options = b'\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int' _globals['_MSGEDITVALIDATOR']._loaded_options = None _globals['_MSGEDITVALIDATOR']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021validator_address\212\347\260*\033cosmos-sdk/MsgEditValidator' _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGDELEGATE'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGDELEGATE']._loaded_options = None @@ -67,9 +67,9 @@ _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._loaded_options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_src_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._loaded_options = None - _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGBEGINREDELEGATE'].fields_by_name['validator_dst_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGBEGINREDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGBEGINREDELEGATE']._loaded_options = None @@ -79,17 +79,19 @@ _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUNDELEGATE'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGUNDELEGATE'].fields_by_name['amount']._loaded_options = None _globals['_MSGUNDELEGATE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGUNDELEGATE']._loaded_options = None _globals['_MSGUNDELEGATE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\021delegator_address\212\347\260*\030cosmos-sdk/MsgUndelegate' _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._loaded_options = None _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['completion_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_MSGUNDELEGATERESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._loaded_options = None - _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['validator_address']._serialized_options = b'\322\264-\035cosmos.ValidatorAddressString' _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._loaded_options = None _globals['_MSGCANCELUNBONDINGDELEGATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCANCELUNBONDINGDELEGATION']._loaded_options = None @@ -103,33 +105,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=846 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=848 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=876 - _globals['_MSGEDITVALIDATOR']._serialized_start=879 - _globals['_MSGEDITVALIDATOR']._serialized_end=1253 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1255 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1281 - _globals['_MSGDELEGATE']._serialized_start=1284 - _globals['_MSGDELEGATE']._serialized_end=1516 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1518 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1539 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1542 - _globals['_MSGBEGINREDELEGATE']._serialized_end=1849 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1851 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1947 - _globals['_MSGUNDELEGATE']._serialized_start=1950 - _globals['_MSGUNDELEGATE']._serialized_end=2186 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2188 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2279 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2282 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2573 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2575 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2613 - _globals['_MSGUPDATEPARAMS']._serialized_start=2616 - _globals['_MSGUPDATEPARAMS']._serialized_end=2794 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2796 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2821 - _globals['_MSG']._serialized_start=2824 - _globals['_MSG']._serialized_end=3621 + _globals['_MSGCREATEVALIDATOR']._serialized_end=823 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 + _globals['_MSGEDITVALIDATOR']._serialized_start=856 + _globals['_MSGEDITVALIDATOR']._serialized_end=1211 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 + _globals['_MSGDELEGATE']._serialized_start=1242 + _globals['_MSGDELEGATE']._serialized_end=1483 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 + _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 + _globals['_MSGUNDELEGATE']._serialized_start=1935 + _globals['_MSGUNDELEGATE']._serialized_end=2180 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 + _globals['_MSGUPDATEPARAMS']._serialized_start=2674 + _globals['_MSGUPDATEPARAMS']._serialized_end=2852 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 + _globals['_MSG']._serialized_start=2882 + _globals['_MSG']._serialized_end=3679 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index eb2a5bf3..8b4e8887 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 7cf9cc45..844c95bd 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 -from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 +from cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xaf\x01\n\x12GetTxsEventRequest\x12\x0e\n\x06\x65vents\x18\x01 \x03(\t\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,6 +30,8 @@ _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' + _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None + _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._serialized_options = b'\030\001' _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._loaded_options = None _globals['_GETTXSEVENTREQUEST'].fields_by_name['pagination']._serialized_options = b'\030\001' _globals['_GETTXSEVENTRESPONSE'].fields_by_name['pagination']._loaded_options = None @@ -54,46 +56,46 @@ _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=1819 - _globals['_ORDERBY']._serialized_end=1891 - _globals['_BROADCASTMODE']._serialized_start=1894 - _globals['_BROADCASTMODE']._serialized_end=2022 + _globals['_ORDERBY']._serialized_start=1838 + _globals['_ORDERBY']._serialized_end=1910 + _globals['_BROADCASTMODE']._serialized_start=1913 + _globals['_BROADCASTMODE']._serialized_end=2041 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=429 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=432 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=629 - _globals['_BROADCASTTXREQUEST']._serialized_start=631 - _globals['_BROADCASTTXREQUEST']._serialized_end=717 - _globals['_BROADCASTTXRESPONSE']._serialized_start=719 - _globals['_BROADCASTTXRESPONSE']._serialized_end=799 - _globals['_SIMULATEREQUEST']._serialized_start=801 - _globals['_SIMULATEREQUEST']._serialized_end=875 - _globals['_SIMULATERESPONSE']._serialized_start=877 - _globals['_SIMULATERESPONSE']._serialized_end=998 - _globals['_GETTXREQUEST']._serialized_start=1000 - _globals['_GETTXREQUEST']._serialized_end=1028 - _globals['_GETTXRESPONSE']._serialized_start=1030 - _globals['_GETTXRESPONSE']._serialized_end=1139 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1141 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1241 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1244 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1451 - _globals['_TXDECODEREQUEST']._serialized_start=1453 - _globals['_TXDECODEREQUEST']._serialized_end=1488 - _globals['_TXDECODERESPONSE']._serialized_start=1490 - _globals['_TXDECODERESPONSE']._serialized_end=1543 - _globals['_TXENCODEREQUEST']._serialized_start=1545 - _globals['_TXENCODEREQUEST']._serialized_end=1597 - _globals['_TXENCODERESPONSE']._serialized_start=1599 - _globals['_TXENCODERESPONSE']._serialized_end=1635 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1637 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1679 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1681 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=1726 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=1728 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=1772 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=1774 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=1817 - _globals['_SERVICE']._serialized_start=2025 - _globals['_SERVICE']._serialized_end=3219 + _globals['_GETTXSEVENTREQUEST']._serialized_end=448 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 + _globals['_BROADCASTTXREQUEST']._serialized_start=650 + _globals['_BROADCASTTXREQUEST']._serialized_end=736 + _globals['_BROADCASTTXRESPONSE']._serialized_start=738 + _globals['_BROADCASTTXRESPONSE']._serialized_end=818 + _globals['_SIMULATEREQUEST']._serialized_start=820 + _globals['_SIMULATEREQUEST']._serialized_end=894 + _globals['_SIMULATERESPONSE']._serialized_start=896 + _globals['_SIMULATERESPONSE']._serialized_end=1017 + _globals['_GETTXREQUEST']._serialized_start=1019 + _globals['_GETTXREQUEST']._serialized_end=1047 + _globals['_GETTXRESPONSE']._serialized_start=1049 + _globals['_GETTXRESPONSE']._serialized_end=1158 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 + _globals['_TXDECODEREQUEST']._serialized_start=1472 + _globals['_TXDECODEREQUEST']._serialized_end=1507 + _globals['_TXDECODERESPONSE']._serialized_start=1509 + _globals['_TXDECODERESPONSE']._serialized_end=1562 + _globals['_TXENCODEREQUEST']._serialized_start=1564 + _globals['_TXENCODEREQUEST']._serialized_end=1616 + _globals['_TXENCODERESPONSE']._serialized_start=1618 + _globals['_TXENCODERESPONSE']._serialized_end=1654 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 + _globals['_SERVICE']._serialized_start=2044 + _globals['_SERVICE']._serialized_end=3238 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index 84ee1f8c..f0c2456a 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 7d40dcf1..53036ec8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -12,15 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb1\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12#\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x89\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12#\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Tip\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xc9\x01\n\x03\x46\x65\x65\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8c\x01\n\x03Tip\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,42 +29,48 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' + _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None + _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' + _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None + _globals['_AUTHINFO'].fields_by_name['tip']._serialized_options = b'\030\001' _globals['_FEE'].fields_by_name['amount']._loaded_options = None - _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_FEE'].fields_by_name['payer']._loaded_options = None _globals['_FEE'].fields_by_name['payer']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_FEE'].fields_by_name['granter']._loaded_options = None _globals['_FEE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_TIP'].fields_by_name['amount']._loaded_options = None - _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_TIP'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_TIP'].fields_by_name['tipper']._loaded_options = None _globals['_TIP'].fields_by_name['tipper']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_TIP']._loaded_options = None + _globals['_TIP']._serialized_options = b'\030\001' _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=245 - _globals['_TX']._serialized_end=358 - _globals['_TXRAW']._serialized_start=360 - _globals['_TXRAW']._serialized_end=432 - _globals['_SIGNDOC']._serialized_start=434 - _globals['_SIGNDOC']._serialized_end=530 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=533 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=710 - _globals['_TXBODY']._serialized_start=713 - _globals['_TXBODY']._serialized_end=912 - _globals['_AUTHINFO']._serialized_start=915 - _globals['_AUTHINFO']._serialized_end=1052 - _globals['_SIGNERINFO']._serialized_start=1054 - _globals['_SIGNERINFO']._serialized_end=1174 - _globals['_MODEINFO']._serialized_start=1177 - _globals['_MODEINFO']._serialized_end=1486 - _globals['_MODEINFO_SINGLE']._serialized_start=1295 - _globals['_MODEINFO_SINGLE']._serialized_end=1354 - _globals['_MODEINFO_MULTI']._serialized_start=1356 - _globals['_MODEINFO_MULTI']._serialized_end=1479 - _globals['_FEE']._serialized_start=1489 - _globals['_FEE']._serialized_end=1690 - _globals['_TIP']._serialized_start=1693 - _globals['_TIP']._serialized_end=1833 - _globals['_AUXSIGNERDATA']._serialized_start=1836 - _globals['_AUXSIGNERDATA']._serialized_end=2013 + _globals['_TX']._serialized_start=264 + _globals['_TX']._serialized_end=377 + _globals['_TXRAW']._serialized_start=379 + _globals['_TXRAW']._serialized_end=451 + _globals['_SIGNDOC']._serialized_start=453 + _globals['_SIGNDOC']._serialized_end=549 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 + _globals['_TXBODY']._serialized_start=736 + _globals['_TXBODY']._serialized_end=935 + _globals['_AUTHINFO']._serialized_start=938 + _globals['_AUTHINFO']._serialized_end=1079 + _globals['_SIGNERINFO']._serialized_start=1081 + _globals['_SIGNERINFO']._serialized_end=1201 + _globals['_MODEINFO']._serialized_start=1204 + _globals['_MODEINFO']._serialized_end=1513 + _globals['_MODEINFO_SINGLE']._serialized_start=1322 + _globals['_MODEINFO_SINGLE']._serialized_end=1381 + _globals['_MODEINFO_MULTI']._serialized_start=1383 + _globals['_MODEINFO_MULTI']._serialized_end=1506 + _globals['_FEE']._serialized_start=1516 + _globals['_FEE']._serialized_end=1739 + _globals['_TIP']._serialized_start=1742 + _globals['_TIP']._serialized_end=1908 + _globals['_AUXSIGNERDATA']._serialized_start=1911 + _globals['_AUXSIGNERDATA']._serialized_end=2088 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 895ec676..9a841acf 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"K\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/upgradeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,7 +23,7 @@ if not _descriptor._USE_C_DESCRIPTORS: DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None - _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/upgrade' + _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=176 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index a74c0a2a..a362e0b7 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index cae22797..d8057d8d 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 495300d8..3da13e1f 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -12,21 +12,21 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 7dd30bb8..247034c8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 3fe64f43..2c9251d2 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -13,40 +13,40 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc4\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x1c\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc5\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:O\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x9a\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:U\x18\x01\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"8\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x08\x98\xa0\x1f\x01\xe8\xa0\x1f\x01\x42\x32Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/upgrade/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_PLAN'].fields_by_name['upgraded_client_state']._serialized_options = b'\030\001' _globals['_PLAN']._loaded_options = None - _globals['_PLAN']._serialized_options = b'\230\240\037\000\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' + _globals['_PLAN']._serialized_options = b'\350\240\037\001\212\347\260*\017cosmos-sdk/Plan' _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_SOFTWAREUPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_SOFTWAREUPGRADEPROPOSAL']._loaded_options = None - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/SoftwareUpgradeProposal' _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._loaded_options = None - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_options = b'\030\001\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(cosmos-sdk/CancelSoftwareUpgradeProposal' _globals['_MODULEVERSION']._loaded_options = None - _globals['_MODULEVERSION']._serialized_options = b'\230\240\037\001\350\240\037\001' + _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=389 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=392 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=589 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=592 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=746 - _globals['_MODULEVERSION']._serialized_start=748 - _globals['_MODULEVERSION']._serialized_end=804 + _globals['_PLAN']._serialized_end=385 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 + _globals['_MODULEVERSION']._serialized_start=736 + _globals['_MODULEVERSION']._serialized_end=788 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index d03bc6b9..7cf26be0 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\x9e\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe9\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:D\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0**cosmos-sdk/MsgCreatePeriodicVestingAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -33,7 +33,7 @@ _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*\"cosmos-sdk/MsgCreateVestingAccount' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['from_address']._loaded_options = None @@ -41,27 +41,27 @@ _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['to_address']._serialized_options = b'\362\336\037\021yaml:\"to_address\"' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._loaded_options = None - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_options = b'\350\240\037\001\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePermLockedAccount' _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_MSGCREATEPERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._loaded_options = None - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260**cosmos-sdk/MsgCreatePeriodicVestingAccount' + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_options = b'\350\240\037\000\202\347\260*\014from_address\212\347\260*%cosmos-sdk/MsgCreatePeriodVestAccount' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=537 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=539 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=572 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=575 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=861 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=863 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=904 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=907 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1140 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1142 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1183 - _globals['_MSG']._serialized_start=1186 - _globals['_MSG']._serialized_end=1639 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 + _globals['_MSG']._serialized_start=1215 + _globals['_MSG']._serialized_end=1668 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index 63ec9f40..ce2c508e 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index c063be82..7435bce5 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xd3\x03\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12j\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12h\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12k\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xb0\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:0\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x96\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:-\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x80\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12`\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x04\x98\xa0\x1f\x00\"\xf0\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x98\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:.\x88\xa0\x1f\x00\x98\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,45 +29,43 @@ _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_free']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._loaded_options = None - _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_BASEVESTINGACCOUNT'].fields_by_name['delegated_vesting']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASEVESTINGACCOUNT']._loaded_options = None - _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' + _globals['_BASEVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*\035cosmos-sdk/BaseVestingAccount' _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_CONTINUOUSVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_CONTINUOUSVESTINGACCOUNT']._loaded_options = None - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*#cosmos-sdk/ContinuousVestingAccount' _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_DELAYEDVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_DELAYEDVESTINGACCOUNT']._loaded_options = None - _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' + _globals['_DELAYEDVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260* cosmos-sdk/DelayedVestingAccount' _globals['_PERIOD'].fields_by_name['amount']._loaded_options = None - _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' - _globals['_PERIOD']._loaded_options = None - _globals['_PERIOD']._serialized_options = b'\230\240\037\000' + _globals['_PERIOD'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._loaded_options = None _globals['_PERIODICVESTINGACCOUNT'].fields_by_name['vesting_periods']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PERIODICVESTINGACCOUNT']._loaded_options = None - _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' + _globals['_PERIODICVESTINGACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PeriodicVestingAccount' _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT'].fields_by_name['base_vesting_account']._serialized_options = b'\320\336\037\001' _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=637 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=640 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=816 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=819 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=969 - _globals['_PERIOD']._serialized_start=972 - _globals['_PERIOD']._serialized_end=1100 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1103 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1343 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1346 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1498 + _globals['_BASEVESTINGACCOUNT']._serialized_end=684 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 + _globals['_PERIOD']._serialized_start=1011 + _globals['_PERIOD']._serialized_end=1150 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index dad537ab..6419c101 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xc1\x01\n\rContractGrant\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,6 +40,8 @@ _globals['_CONTRACTMIGRATIONAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CONTRACTMIGRATIONAUTHORIZATION']._loaded_options = None _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*#wasm/ContractMigrationAuthorization' + _globals['_CONTRACTGRANT'].fields_by_name['contract']._loaded_options = None + _globals['_CONTRACTGRANT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CONTRACTGRANT'].fields_by_name['limit']._loaded_options = None _globals['_CONTRACTGRANT'].fields_by_name['limit']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX' _globals['_CONTRACTGRANT'].fields_by_name['filter']._loaded_options = None @@ -71,17 +73,17 @@ _globals['_CODEGRANT']._serialized_start=712 _globals['_CODEGRANT']._serialized_end=806 _globals['_CONTRACTGRANT']._serialized_start=809 - _globals['_CONTRACTGRANT']._serialized_end=1002 - _globals['_MAXCALLSLIMIT']._serialized_start=1004 - _globals['_MAXCALLSLIMIT']._serialized_end=1103 - _globals['_MAXFUNDSLIMIT']._serialized_start=1106 - _globals['_MAXFUNDSLIMIT']._serialized_end=1285 - _globals['_COMBINEDLIMIT']._serialized_start=1288 - _globals['_COMBINEDLIMIT']._serialized_end=1492 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1494 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1593 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1595 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1714 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1717 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1858 + _globals['_CONTRACTGRANT']._serialized_end=1028 + _globals['_MAXCALLSLIMIT']._serialized_start=1030 + _globals['_MAXCALLSLIMIT']._serialized_end=1129 + _globals['_MAXFUNDSLIMIT']._serialized_start=1132 + _globals['_MAXFUNDSLIMIT']._serialized_end=1311 + _globals['_COMBINEDLIMIT']._serialized_start=1314 + _globals['_COMBINEDLIMIT']._serialized_end=1518 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index bab7538f..578f303d 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\xf8\x01\n\x08\x43ontract\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,6 +38,8 @@ _globals['_CODE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_CODE'].fields_by_name['code_info']._loaded_options = None _globals['_CODE'].fields_by_name['code_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_CONTRACT'].fields_by_name['contract_address']._loaded_options = None + _globals['_CONTRACT'].fields_by_name['contract_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CONTRACT'].fields_by_name['contract_info']._loaded_options = None _globals['_CONTRACT'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CONTRACT'].fields_by_name['contract_state']._loaded_options = None @@ -45,12 +48,12 @@ _globals['_CONTRACT'].fields_by_name['contract_code_history']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' - _globals['_GENESISSTATE']._serialized_start=124 - _globals['_GENESISSTATE']._serialized_end=422 - _globals['_CODE']._serialized_start=425 - _globals['_CODE']._serialized_end=554 - _globals['_CONTRACT']._serialized_start=557 - _globals['_CONTRACT']._serialized_end=805 - _globals['_SEQUENCE']._serialized_start=807 - _globals['_SEQUENCE']._serialized_end=859 + _globals['_GENESISSTATE']._serialized_start=151 + _globals['_GENESISSTATE']._serialized_end=449 + _globals['_CODE']._serialized_start=452 + _globals['_CODE']._serialized_end=581 + _globals['_CONTRACT']._serialized_start=584 + _globals['_CONTRACT']._serialized_end=858 + _globals['_SEQUENCE']._serialized_start=860 + _globals['_SEQUENCE']._serialized_end=912 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 9173c39c..9b0fe0f7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -12,14 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\"+\n\x18QueryContractInfoRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"|\n\x19QueryContractInfoResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"j\n\x1bQueryContractHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\x1cQueryContractsByCodeResponse\x12\x11\n\tcontracts\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1cQueryAllContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"C\n\x1cQueryRawContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"]\n\x1eQuerySmartContractStateRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\xec\x01\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"u\n\x1eQueryContractsByCreatorRequest\x12\x17\n\x0f\x63reator_address\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"z\n\x1fQueryContractsByCreatorResponse\x12\x1a\n\x12\x63ontract_addresses\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,20 +28,36 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' + _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['contract_info']._serialized_options = b'\310\336\037\000\320\336\037\001\352\336\037\000\250\347\260*\001' _globals['_QUERYCONTRACTINFORESPONSE']._loaded_options = None _globals['_QUERYCONTRACTINFORESPONSE']._serialized_options = b'\350\240\037\001' + _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYCONTRACTHISTORYREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._loaded_options = None _globals['_QUERYCONTRACTHISTORYRESPONSE'].fields_by_name['entries']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._loaded_options = None + _globals['_QUERYCONTRACTSBYCODERESPONSE'].fields_by_name['contracts']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYALLCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._loaded_options = None _globals['_QUERYALLCONTRACTSTATERESPONSE'].fields_by_name['models']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYRAWCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' + _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None + _globals['_CODEINFORESPONSE'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['data_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_CODEINFORESPONSE'].fields_by_name['instantiate_permission']._loaded_options = None @@ -59,6 +76,10 @@ _globals['_QUERYPINNEDCODESRESPONSE'].fields_by_name['code_ids']._serialized_options = b'\342\336\037\007CodeIDs' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' + _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._loaded_options = None + _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None + _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None @@ -81,52 +102,52 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=195 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=238 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=240 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=364 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=366 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=472 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=475 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=638 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=640 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=746 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=748 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=858 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=860 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=967 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=970 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1114 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1116 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1183 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1185 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1230 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1232 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1325 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1327 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1398 - _globals['_QUERYCODEREQUEST']._serialized_start=1400 - _globals['_QUERYCODEREQUEST']._serialized_end=1435 - _globals['_CODEINFORESPONSE']._serialized_start=1438 - _globals['_CODEINFORESPONSE']._serialized_end=1674 - _globals['_QUERYCODERESPONSE']._serialized_start=1676 - _globals['_QUERYCODERESPONSE']._serialized_end=1790 - _globals['_QUERYCODESREQUEST']._serialized_start=1792 - _globals['_QUERYCODESREQUEST']._serialized_end=1871 - _globals['_QUERYCODESRESPONSE']._serialized_start=1874 - _globals['_QUERYCODESRESPONSE']._serialized_end=2022 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2024 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2109 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2111 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2229 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2231 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2251 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2253 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2327 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2329 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2446 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2448 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2570 - _globals['_QUERY']._serialized_start=2573 - _globals['_QUERY']._serialized_end=4304 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 + _globals['_QUERYCODEREQUEST']._serialized_start=1613 + _globals['_QUERYCODEREQUEST']._serialized_end=1648 + _globals['_CODEINFORESPONSE']._serialized_start=1651 + _globals['_CODEINFORESPONSE']._serialized_end=1913 + _globals['_QUERYCODERESPONSE']._serialized_start=1915 + _globals['_QUERYCODERESPONSE']._serialized_end=2029 + _globals['_QUERYCODESREQUEST']._serialized_start=2031 + _globals['_QUERYCODESREQUEST']._serialized_end=2110 + _globals['_QUERYCODESRESPONSE']._serialized_start=2113 + _globals['_QUERYCODESRESPONSE']._serialized_end=2261 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 + _globals['_QUERY']._serialized_start=2866 + _globals['_QUERY']._serialized_end=4597 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 12e27de8..24135987 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index 32bd71b3..afbaeabf 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x0cMsgStoreCode\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\x96\x02\n\x16MsgInstantiateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"?\n\x1eMsgInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb7\x02\n\x17MsgInstantiateContract2\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"@\n\x1fMsgInstantiateContract2Response\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xe5\x01\n\x12MsgExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa1\x01\n\x12MsgMigrateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"j\n\x0eMsgUpdateAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"U\n\rMsgClearAdmin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x03 \x01(\t:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xbe\x01\n\x1aMsgUpdateInstantiateConfig\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9e\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xdb\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x06 \x01(\t\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"G\n&MsgStoreAndInstantiateContractResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xce\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponseB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,12 +28,18 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None + _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_MSGSTORECODE']._loaded_options = None _globals['_MSGSTORECODE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\021wasm/MsgStoreCode' _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_MSGSTORECODERESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None @@ -42,6 +48,12 @@ _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' + _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None @@ -50,22 +62,44 @@ _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' + _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGMIGRATECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' + _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['new_admin']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._loaded_options = None + _globals['_MSGUPDATEADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEADMIN']._loaded_options = None _globals['_MSGUPDATEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\023wasm/MsgUpdateAdmin' + _globals['_MSGCLEARADMIN'].fields_by_name['sender']._loaded_options = None + _globals['_MSGCLEARADMIN'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGCLEARADMIN'].fields_by_name['contract']._loaded_options = None + _globals['_MSGCLEARADMIN'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCLEARADMIN']._loaded_options = None _globals['_MSGCLEARADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022wasm/MsgClearAdmin' + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._loaded_options = None + _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._loaded_options = None _globals['_MSGUPDATEINSTANTIATECONFIG'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGUPDATEINSTANTIATECONFIG']._loaded_options = None @@ -78,6 +112,8 @@ _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgUpdateParams' _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None + _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSUDOCONTRACT']._loaded_options = None @@ -98,12 +134,16 @@ _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._loaded_options = None _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGADDCODEUPLOADPARAMSADDRESSES'].fields_by_name['addresses']._loaded_options = None @@ -132,74 +172,76 @@ _globals['_MSGUPDATECONTRACTLABEL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATECONTRACTLABEL']._loaded_options = None _globals['_MSGUPDATECONTRACTLABEL']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgUpdateContractLabel' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=386 - _globals['_MSGSTORECODERESPONSE']._serialized_start=388 - _globals['_MSGSTORECODERESPONSE']._serialized_end=457 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=460 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=738 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=740 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=803 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=806 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1117 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1119 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1183 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1186 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1415 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1417 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1459 - _globals['_MSGMIGRATECONTRACT']._serialized_start=1462 - _globals['_MSGMIGRATECONTRACT']._serialized_end=1623 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1625 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1667 - _globals['_MSGUPDATEADMIN']._serialized_start=1669 - _globals['_MSGUPDATEADMIN']._serialized_end=1775 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=1777 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=1801 - _globals['_MSGCLEARADMIN']._serialized_start=1803 - _globals['_MSGCLEARADMIN']._serialized_end=1888 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=1890 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=1913 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=1916 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2106 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2108 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2144 - _globals['_MSGUPDATEPARAMS']._serialized_start=2147 - _globals['_MSGUPDATEPARAMS']._serialized_end=2303 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2305 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2330 - _globals['_MSGSUDOCONTRACT']._serialized_start=2333 - _globals['_MSGSUDOCONTRACT']._serialized_end=2491 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2493 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=2532 - _globals['_MSGPINCODES']._serialized_start=2535 - _globals['_MSGPINCODES']._serialized_end=2680 - _globals['_MSGPINCODESRESPONSE']._serialized_start=2682 - _globals['_MSGPINCODESRESPONSE']._serialized_end=2703 - _globals['_MSGUNPINCODES']._serialized_start=2706 - _globals['_MSGUNPINCODES']._serialized_end=2855 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=2857 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=2880 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=2883 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3358 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3360 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3431 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3434 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=3610 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3612 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3653 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=3656 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=3838 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=3840 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=3884 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=3887 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4173 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4175 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4272 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4275 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4449 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4451 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=4483 - _globals['_MSG']._serialized_start=4486 - _globals['_MSG']._serialized_end=6356 + _globals['_MSGSTORECODE']._serialized_end=412 + _globals['_MSGSTORECODERESPONSE']._serialized_start=414 + _globals['_MSGSTORECODERESPONSE']._serialized_end=483 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 + _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 + _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 + _globals['_MSGUPDATEADMIN']._serialized_start=1956 + _globals['_MSGUPDATEADMIN']._serialized_end=2140 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 + _globals['_MSGCLEARADMIN']._serialized_start=2169 + _globals['_MSGCLEARADMIN']._serialized_end=2306 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 + _globals['_MSGUPDATEPARAMS']._serialized_start=2591 + _globals['_MSGUPDATEPARAMS']._serialized_end=2747 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 + _globals['_MSGSUDOCONTRACT']._serialized_start=2777 + _globals['_MSGSUDOCONTRACT']._serialized_end=2961 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 + _globals['_MSGPINCODES']._serialized_start=3005 + _globals['_MSGPINCODES']._serialized_end=3150 + _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 + _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 + _globals['_MSGUNPINCODES']._serialized_start=3176 + _globals['_MSGUNPINCODES']._serialized_end=3325 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 + _globals['_MSG']._serialized_start=5008 + _globals['_MSG']._serialized_end=6885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index 31e62310..27e481ad 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index 6457d5df..3db7c709 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x8c\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12\'\n\taddresses\x18\x03 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x81\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x90\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\r\n\x05\x61\x64min\x18\x03 \x01(\t\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -54,7 +54,7 @@ _globals['_ACCESSCONFIG'].fields_by_name['permission']._loaded_options = None _globals['_ACCESSCONFIG'].fields_by_name['permission']._serialized_options = b'\362\336\037\021yaml:\"permission\"' _globals['_ACCESSCONFIG'].fields_by_name['addresses']._loaded_options = None - _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\362\336\037\020yaml:\"addresses\"' + _globals['_ACCESSCONFIG'].fields_by_name['addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_ACCESSCONFIG']._loaded_options = None _globals['_ACCESSCONFIG']._serialized_options = b'\230\240\037\001' _globals['_PARAMS'].fields_by_name['code_upload_access']._loaded_options = None @@ -63,10 +63,16 @@ _globals['_PARAMS'].fields_by_name['instantiate_default_permission']._serialized_options = b'\362\336\037%yaml:\"instantiate_default_permission\"' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\230\240\037\000' + _globals['_CODEINFO'].fields_by_name['creator']._loaded_options = None + _globals['_CODEINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CODEINFO'].fields_by_name['instantiate_config']._loaded_options = None _globals['_CODEINFO'].fields_by_name['instantiate_config']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CONTRACTINFO'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' + _globals['_CONTRACTINFO'].fields_by_name['creator']._loaded_options = None + _globals['_CONTRACTINFO'].fields_by_name['creator']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_CONTRACTINFO'].fields_by_name['admin']._loaded_options = None + _globals['_CONTRACTINFO'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._loaded_options = None _globals['_CONTRACTINFO'].fields_by_name['ibc_port_id']._serialized_options = b'\342\336\037\tIBCPortID' _globals['_CONTRACTINFO'].fields_by_name['extension']._loaded_options = None @@ -91,32 +97,32 @@ _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2007 - _globals['_ACCESSTYPE']._serialized_end=2253 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2256 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2678 + _globals['_ACCESSTYPE']._serialized_start=2089 + _globals['_ACCESSTYPE']._serialized_end=2335 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 _globals['_ACCESSTYPEPARAM']._serialized_start=177 _globals['_ACCESSTYPEPARAM']._serialized_end=263 _globals['_ACCESSCONFIG']._serialized_start=266 - _globals['_ACCESSCONFIG']._serialized_end=406 - _globals['_PARAMS']._serialized_start=409 - _globals['_PARAMS']._serialized_end=636 - _globals['_CODEINFO']._serialized_start=639 - _globals['_CODEINFO']._serialized_end=768 - _globals['_CONTRACTINFO']._serialized_start=771 - _globals['_CONTRACTINFO']._serialized_end=1043 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1046 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1264 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1266 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1326 - _globals['_MODEL']._serialized_start=1328 - _globals['_MODEL']._serialized_end=1417 - _globals['_EVENTCODESTORED']._serialized_start=1420 - _globals['_EVENTCODESTORED']._serialized_end=1556 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1559 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1817 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1819 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=1934 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=1936 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2004 + _globals['_ACCESSCONFIG']._serialized_end=410 + _globals['_PARAMS']._serialized_start=413 + _globals['_PARAMS']._serialized_end=640 + _globals['_CODEINFO']._serialized_start=643 + _globals['_CODEINFO']._serialized_end=798 + _globals['_CONTRACTINFO']._serialized_start=801 + _globals['_CONTRACTINFO']._serialized_end=1125 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 + _globals['_MODEL']._serialized_start=1410 + _globals['_MODEL']._serialized_end=1499 + _globals['_EVENTCODESTORED']._serialized_start=1502 + _globals['_EVENTCODESTORED']._serialized_end=1638 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index 2ea71b89..cc485fcc 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index 52b52fa3..b2ab3fd1 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/health_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index b0132f20..9af0a6bc 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 +from exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -85,6 +85,11 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.SerializeToString, response_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.FromString, _registered_method=True) + self.StreamAccountData = channel.unary_stream( + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', + request_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, + response_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, + _registered_method=True) class InjectiveAccountsRPCServicer(object): @@ -156,6 +161,13 @@ def Rewards(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def StreamAccountData(self, request, context): + """Stream live data for an account and respective data + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_InjectiveAccountsRPCServicer_to_server(servicer, server): rpc_method_handlers = { @@ -204,6 +216,11 @@ def add_InjectiveAccountsRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__accounts__rpc__pb2.RewardsRequest.FromString, response_serializer=exchange_dot_injective__accounts__rpc__pb2.RewardsResponse.SerializeToString, ), + 'StreamAccountData': grpc.unary_stream_rpc_method_handler( + servicer.StreamAccountData, + request_deserializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.FromString, + response_serializer=exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective_accounts_rpc.InjectiveAccountsRPC', rpc_method_handlers) @@ -458,3 +475,30 @@ def Rewards(request, timeout, metadata, _registered_method=True) + + @staticmethod + def StreamAccountData(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_stream( + request, + target, + '/injective_accounts_rpc.InjectiveAccountsRPC/StreamAccountData', + exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataRequest.SerializeToString, + exchange_dot_injective__accounts__rpc__pb2.StreamAccountDataResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index bae4f6b7..5f94c381 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index 6a6cb974..9a8ff1a4 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index fee66490..31596a12 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index 32dded3e..33cd1201 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index c4b38643..af6ca547 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 +from exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -50,6 +50,11 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.SerializeToString, response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.FromString, _registered_method=True) + self.GetContractTxsV2 = channel.unary_unary( + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', + request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, + response_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, + _registered_method=True) self.GetBlocks = channel.unary_unary( '/injective_explorer_rpc.InjectiveExplorerRPC/GetBlocks', request_serializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.SerializeToString, @@ -165,6 +170,13 @@ def GetContractTxs(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def GetContractTxsV2(self, request, context): + """GetContractTxs returns contract-related transactions + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def GetBlocks(self, request, context): """GetBlocks returns blocks based upon the request params """ @@ -315,6 +327,11 @@ def add_InjectiveExplorerRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsRequest.FromString, response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsResponse.SerializeToString, ), + 'GetContractTxsV2': grpc.unary_unary_rpc_method_handler( + servicer.GetContractTxsV2, + request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.FromString, + response_serializer=exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.SerializeToString, + ), 'GetBlocks': grpc.unary_unary_rpc_method_handler( servicer.GetBlocks, request_deserializer=exchange_dot_injective__explorer__rpc__pb2.GetBlocksRequest.FromString, @@ -476,6 +493,33 @@ def GetContractTxs(request, metadata, _registered_method=True) + @staticmethod + def GetContractTxsV2(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_explorer_rpc.InjectiveExplorerRPC/GetContractTxsV2', + exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Request.SerializeToString, + exchange_dot_injective__explorer__rpc__pb2.GetContractTxsV2Response.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def GetBlocks(request, target, diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index 166958ee..cadd2b99 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 +from exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -45,6 +45,11 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.SerializeToString, response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.FromString, _registered_method=True) + self.Fund = channel.unary_unary( + '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', + request_serializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, + response_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, + _registered_method=True) self.Redemptions = channel.unary_unary( '/injective_insurance_rpc.InjectiveInsuranceRPC/Redemptions', request_serializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.SerializeToString, @@ -63,6 +68,13 @@ def Funds(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def Fund(self, request, context): + """Funds returns an insurance fund for a given insurance fund token denom. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def Redemptions(self, request, context): """PendingRedemptions lists all pending redemptions according to a filter """ @@ -78,6 +90,11 @@ def add_InjectiveInsuranceRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundsRequest.FromString, response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundsResponse.SerializeToString, ), + 'Fund': grpc.unary_unary_rpc_method_handler( + servicer.Fund, + request_deserializer=exchange_dot_injective__insurance__rpc__pb2.FundRequest.FromString, + response_serializer=exchange_dot_injective__insurance__rpc__pb2.FundResponse.SerializeToString, + ), 'Redemptions': grpc.unary_unary_rpc_method_handler( servicer.Redemptions, request_deserializer=exchange_dot_injective__insurance__rpc__pb2.RedemptionsRequest.FromString, @@ -122,6 +139,33 @@ def Funds(request, metadata, _registered_method=True) + @staticmethod + def Fund(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_insurance_rpc.InjectiveInsuranceRPC/Fund', + exchange_dot_injective__insurance__rpc__pb2.FundRequest.SerializeToString, + exchange_dot_injective__insurance__rpc__pb2.FundResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def Redemptions(request, target, diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 62496c97..3e1fd64a 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 5f1858e5..4c90619e 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index d7a18690..7f4fcabe 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index 8aaa3133..0a07bb27 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index 40d33450..21dd1fa1 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index 716437f5..cdbd63cd 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -12,23 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"\xe3\x01\n\x1bIncentivizedAcknowledgement\x12;\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x42\x1e\xf2\xde\x1f\x1ayaml:\"app_acknowledgement\"\x12\x43\n\x17\x66orward_relayer_address\x18\x02 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"forward_relayer_address\"\x12\x42\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\"\xf2\xde\x1f\x1eyaml:\"underlying_app_successl\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._loaded_options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['app_acknowledgement']._serialized_options = b'\362\336\037\032yaml:\"app_acknowledgement\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._loaded_options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['forward_relayer_address']._serialized_options = b'\362\336\037\036yaml:\"forward_relayer_address\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._loaded_options = None - _globals['_INCENTIVIZEDACKNOWLEDGEMENT'].fields_by_name['underlying_app_success']._serialized_options = b'\362\336\037\036yaml:\"underlying_app_successl\"' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=85 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=312 + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index 47cc73b1..bab1a197 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -12,41 +12,43 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xdf\x02\n\x03\x46\x65\x65\x12p\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"recv_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12n\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBB\xc8\xde\x1f\x00\xf2\xde\x1f\x0eyaml:\"ack_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12v\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"timeout_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\x81\x01\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0erefund_address\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"refund_address\"\x12\x10\n\x08relayers\x18\x03 \x03(\t\"a\n\nPacketFees\x12S\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"\"\xb7\x01\n\x14IdentifiedPacketFees\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12S\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_fees\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"recv_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\362\336\037\016yaml:\"ack_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['ack_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_FEE'].fields_by_name['timeout_fee']._loaded_options = None - _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"timeout_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_FEE'].fields_by_name['timeout_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_PACKETFEE'].fields_by_name['fee']._loaded_options = None _globals['_PACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_PACKETFEE'].fields_by_name['refund_address']._loaded_options = None - _globals['_PACKETFEE'].fields_by_name['refund_address']._serialized_options = b'\362\336\037\025yaml:\"refund_address\"' + _globals['_PACKETFEE']._loaded_options = None + _globals['_PACKETFEE']._serialized_options = b'\202\347\260*\016refund_address' _globals['_PACKETFEES'].fields_by_name['packet_fees']._loaded_options = None - _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' + _globals['_PACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._loaded_options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None - _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_fees\"' - _globals['_FEE']._serialized_start=152 - _globals['_FEE']._serialized_end=503 - _globals['_PACKETFEE']._serialized_start=506 - _globals['_PACKETFEE']._serialized_end=635 - _globals['_PACKETFEES']._serialized_start=637 - _globals['_PACKETFEES']._serialized_end=734 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=737 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=920 + _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' + _globals['_FEE']._serialized_start=196 + _globals['_FEE']._serialized_end=539 + _globals['_PACKETFEE']._serialized_start=541 + _globals['_PACKETFEE']._serialized_end=664 + _globals['_PACKETFEES']._serialized_start=666 + _globals['_PACKETFEES']._serialized_end=741 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index c4135930..f783ad91 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -12,49 +12,39 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xc5\x04\n\x0cGenesisState\x12\x66\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"identified_fees\"\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\x12\x65\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB \xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"registered_payees\"\x12\x8b\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB-\xc8\xde\x1f\x00\xf2\xde\x1f%yaml:\"registered_counterparty_payees\"\x12i\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"forward_relayers\"\"c\n\x11\x46\x65\x65\x45nabledChannel\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\\\n\x0fRegisteredPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"\x94\x01\n\x1bRegisteredCounterpartyPayee\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"t\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12J\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"identified_fees\"' + _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' + _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['registered_payees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"registered_payees\"' + _globals['_GENESISSTATE'].fields_by_name['registered_payees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000\362\336\037%yaml:\"registered_counterparty_payees\"' + _globals['_GENESISSTATE'].fields_by_name['registered_counterparty_payees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"forward_relayers\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._loaded_options = None - _globals['_FEEENABLEDCHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._loaded_options = None - _globals['_FEEENABLEDCHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._loaded_options = None - _globals['_REGISTEREDPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None - _globals['_REGISTEREDCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' + _globals['_GENESISSTATE'].fields_by_name['forward_relayers']._serialized_options = b'\310\336\037\000' _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None - _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' + _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=740 - _globals['_FEEENABLEDCHANNEL']._serialized_start=742 - _globals['_FEEENABLEDCHANNEL']._serialized_end=841 - _globals['_REGISTEREDPAYEE']._serialized_start=843 - _globals['_REGISTEREDPAYEE']._serialized_end=935 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=938 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=1086 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=1088 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=1204 + _globals['_GENESISSTATE']._serialized_end=586 + _globals['_FEEENABLEDCHANNEL']._serialized_start=588 + _globals['_FEEENABLEDCHANNEL']._serialized_end=644 + _globals['_REGISTEREDPAYEE']._serialized_start=646 + _globals['_REGISTEREDPAYEE']._serialized_end=715 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index be9ddb68..fb919113 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -12,21 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\"d\n\x08Metadata\x12+\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"fee_version\"\x12+\n\x0b\x61pp_version\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"app_version\"B7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_METADATA'].fields_by_name['fee_version']._loaded_options = None - _globals['_METADATA'].fields_by_name['fee_version']._serialized_options = b'\362\336\037\022yaml:\"fee_version\"' - _globals['_METADATA'].fields_by_name['app_version']._loaded_options = None - _globals['_METADATA'].fields_by_name['app_version']._serialized_options = b'\362\336\037\022yaml:\"app_version\"' - _globals['_METADATA']._serialized_start=89 - _globals['_METADATA']._serialized_end=189 + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_METADATA']._serialized_start=67 + _globals['_METADATA']._serialized_end=119 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 1ee50821..356a52c5 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -12,23 +12,23 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"u\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"y\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x90\x01\n\x1aQueryTotalRecvFeesResponse\x12r\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBD\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"recv_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x19QueryTotalAckFeesResponse\x12p\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBC\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"ack_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x99\x01\n\x1dQueryTotalTimeoutFeesResponse\x12x\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBG\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"timeout_fees\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"O\n\x11QueryPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"E\n\x12QueryPayeeResponse\x12/\n\rpayee_address\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"payee_address\"\"[\n\x1dQueryCounterpartyPayeeRequest\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"[\n\x1eQueryCounterpartyPayeeResponse\x12\x39\n\x12\x63ounterparty_payee\x18\x01 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\"\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\x90\x01\n\x1fQueryFeeEnabledChannelsResponse\x12m\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB#\xc8\xde\x1f\x00\xf2\xde\x1f\x1byaml:\"fee_enabled_channels\"\"o\n\x1dQueryFeeEnabledChannelRequest\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"M\n\x1eQueryFeeEnabledChannelResponse\x12+\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x42\x16\xf2\xde\x1f\x12yaml:\"fee_enabled\"2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None @@ -38,31 +38,17 @@ _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALRECVFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._loaded_options = None - _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"recv_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALRECVFEESRESPONSE'].fields_by_name['recv_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALACKFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._loaded_options = None - _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"ack_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_QUERYTOTALACKFEESRESPONSE'].fields_by_name['ack_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._loaded_options = None _globals['_QUERYTOTALTIMEOUTFEESREQUEST'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._loaded_options = None - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"timeout_fees\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None - _globals['_QUERYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._loaded_options = None - _globals['_QUERYPAYEERESPONSE'].fields_by_name['payee_address']._serialized_options = b'\362\336\037\024yaml:\"payee_address\"' - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._loaded_options = None - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._loaded_options = None - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE'].fields_by_name['timeout_fees']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._loaded_options = None - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000\362\336\037\033yaml:\"fee_enabled_channels\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._loaded_options = None - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._loaded_options = None - _globals['_QUERYFEEENABLEDCHANNELREQUEST'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._loaded_options = None - _globals['_QUERYFEEENABLEDCHANNELRESPONSE'].fields_by_name['fee_enabled']._serialized_options = b'\362\336\037\022yaml:\"fee_enabled\"' + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE'].fields_by_name['fee_enabled_channels']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['IncentivizedPackets']._loaded_options = None _globals['_QUERY'].methods_by_name['IncentivizedPackets']._serialized_options = b'\202\323\344\223\002\'\022%/ibc/apps/fee/v1/incentivized_packets' _globals['_QUERY'].methods_by_name['IncentivizedPacket']._loaded_options = None @@ -85,44 +71,44 @@ _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=418 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=535 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=537 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=647 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=649 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=764 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=767 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=929 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=931 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1052 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1054 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1137 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1140 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1284 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1286 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1368 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1371 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1512 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1514 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1600 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1603 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1756 - _globals['_QUERYPAYEEREQUEST']._serialized_start=1758 - _globals['_QUERYPAYEEREQUEST']._serialized_end=1837 - _globals['_QUERYPAYEERESPONSE']._serialized_start=1839 - _globals['_QUERYPAYEERESPONSE']._serialized_end=1908 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1910 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2001 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2003 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2094 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2096 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2210 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2213 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2357 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2359 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2470 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2472 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2549 - _globals['_QUERY']._serialized_start=2552 - _globals['_QUERY']._serialized_end=4830 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 + _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 + _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 + _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 + _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 + _globals['_QUERY']._serialized_start=2472 + _globals['_QUERY']._serialized_end=4750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index 9a362519..572d9033 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 2ffbafd4..5599fc25 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -12,63 +12,53 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x10MsgRegisterPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgRegisterPayeeResponse\"\xc4\x01\n\x1cMsgRegisterCounterpartyPayee\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x39\n\x12\x63ounterparty_payee\x18\x04 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"counterparty_payee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xda\x01\n\x0fMsgPayPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x31\n\x0esource_port_id\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_port_id\"\x12\x37\n\x11source_channel_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"source_channel_id\"\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgPayPacketFeeResponse\"\xbf\x01\n\x14MsgPayPacketFeeAsync\x12J\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x18\xc8\xde\x1f\x00\xf2\xde\x1f\x10yaml:\"packet_id\"\x12Q\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x19\xc8\xde\x1f\x00\xf2\xde\x1f\x11yaml:\"packet_fee\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xef\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponseB7Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v7/modules/apps/29-fee/types' - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGREGISTERPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGREGISTERPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_MSGREGISTERPAYEE']._loaded_options = None - _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._loaded_options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE'].fields_by_name['counterparty_payee']._serialized_options = b'\362\336\037\031yaml:\"counterparty_payee\"' + _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\'cosmos-sdk/MsgRegisterCounterpartyPayee' _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._loaded_options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._loaded_options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_port_id']._serialized_options = b'\362\336\037\025yaml:\"source_port_id\"' - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._loaded_options = None - _globals['_MSGPAYPACKETFEE'].fields_by_name['source_channel_id']._serialized_options = b'\362\336\037\030yaml:\"source_channel_id\"' + _globals['_MSGPAYPACKETFEE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGPAYPACKETFEE']._loaded_options = None - _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGPAYPACKETFEE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer\212\347\260*\032cosmos-sdk/MsgPayPacketFee' _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\362\336\037\020yaml:\"packet_id\"' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\362\336\037\021yaml:\"packet_fee\"' + _globals['_MSGPAYPACKETFEEASYNC'].fields_by_name['packet_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGPAYPACKETFEEASYNC']._loaded_options = None - _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERPAYEE']._serialized_start=154 - _globals['_MSGREGISTERPAYEE']._serialized_end=294 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=296 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=322 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=325 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=521 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=523 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=561 - _globals['_MSGPAYPACKETFEE']._serialized_start=564 - _globals['_MSGPAYPACKETFEE']._serialized_end=782 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=784 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=809 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=812 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1003 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1005 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1035 - _globals['_MSG']._serialized_start=1038 - _globals['_MSG']._serialized_end=1533 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_options = b'\210\240\037\000\202\347\260*\npacket_fee\212\347\260*\037cosmos-sdk/MsgPayPacketFeeAsync' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGREGISTERPAYEE']._serialized_start=198 + _globals['_MSGREGISTERPAYEE']._serialized_end=335 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 + _globals['_MSGPAYPACKETFEE']._serialized_start=583 + _globals['_MSGPAYPACKETFEE']._serialized_end=787 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 + _globals['_MSG']._serialized_start=1059 + _globals['_MSG']._serialized_end=1561 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index 59111557..30d9a74a 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index 0dd918be..53e2a4c1 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -12,19 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\"C\n\x06Params\x12\x39\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42\x1d\xf2\xde\x1f\x19yaml:\"controller_enabled\"BRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_PARAMS'].fields_by_name['controller_enabled']._loaded_options = None - _globals['_PARAMS'].fields_by_name['controller_enabled']._serialized_options = b'\362\336\037\031yaml:\"controller_enabled\"' - _globals['_PARAMS']._serialized_start=145 - _globals['_PARAMS']._serialized_end=212 + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['_PARAMS']._serialized_start=123 + _globals['_PARAMS']._serialized_end=159 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index c7eef6d2..dba39064 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -12,33 +12,30 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\"_\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._loaded_options = None - _globals['_QUERYINTERCHAINACCOUNTREQUEST'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=239 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=334 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=336 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=385 - _globals['_QUERYPARAMSREQUEST']._serialized_start=387 - _globals['_QUERYPARAMSREQUEST']._serialized_end=407 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=409 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=506 - _globals['_QUERY']._serialized_start=509 - _globals['_QUERY']._serialized_end=1017 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 + _globals['_QUERYPARAMSREQUEST']._serialized_start=339 + _globals['_QUERYPARAMSREQUEST']._serialized_end=359 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 + _globals['_QUERY']._serialized_start=461 + _globals['_QUERY']._serialized_end=969 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index d3a984a3..5d0e340a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index 3ac394fc..e155af64 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -12,42 +12,49 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\"y\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\x0f\n\x07version\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n$MsgRegisterInterchainAccountResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\"\x83\x02\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12/\n\rconnection_id\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12u\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"packet_data\"\x12\x35\n\x10relative_timeout\x18\x04 \x01(\x04\x42\x1b\xf2\xde\x1f\x17yaml:\"relative_timeout\":\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"%\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32\xe0\x02\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponseBRZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/controller/types' - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGSENDTX'].fields_by_name['connection_id']._loaded_options = None - _globals['_MSGSENDTX'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGSENDTX'].fields_by_name['packet_data']._loaded_options = None - _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"packet_data\"' - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._loaded_options = None - _globals['_MSGSENDTX'].fields_by_name['relative_timeout']._serialized_options = b'\362\336\037\027yaml:\"relative_timeout\"' + _globals['_MSGSENDTX'].fields_by_name['packet_data']._serialized_options = b'\310\336\037\000' _globals['_MSGSENDTX']._loaded_options = None - _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=191 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=312 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=314 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=432 - _globals['_MSGSENDTX']._serialized_start=435 - _globals['_MSGSENDTX']._serialized_end=694 - _globals['_MSGSENDTXRESPONSE']._serialized_start=696 - _globals['_MSGSENDTXRESPONSE']._serialized_end=733 - _globals['_MSG']._serialized_start=736 - _globals['_MSG']._serialized_end=1088 + _globals['_MSGSENDTX']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' + _globals['_MSGSENDTXRESPONSE']._loaded_options = None + _globals['_MSGSENDTXRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 + _globals['_MSGSENDTX']._serialized_start=554 + _globals['_MSGSENDTX']._serialized_end=742 + _globals['_MSGSENDTXRESPONSE']._serialized_start=744 + _globals['_MSGSENDTXRESPONSE']._serialized_end=787 + _globals['_MSGUPDATEPARAMS']._serialized_start=790 + _globals['_MSGUPDATEPARAMS']._serialized_end=922 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 + _globals['_MSG']._serialized_start=952 + _globals['_MSG']._serialized_end=1474 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index 34c3ec10..35ada760 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 +from ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -50,6 +50,11 @@ def __init__(self, channel): request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.SerializeToString, response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.FromString, _registered_method=True) + self.UpdateParams = channel.unary_unary( + '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', + request_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -70,6 +75,13 @@ def SendTx(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def UpdateParams(self, request, context): + """UpdateParams defines a rpc handler for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -83,6 +95,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTx.FromString, response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgSendTxResponse.SerializeToString, ), + 'UpdateParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateParams, + request_deserializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.interchain_accounts.controller.v1.Msg', rpc_method_handlers) @@ -148,3 +165,30 @@ def SendTx(request, timeout, metadata, _registered_method=True) + + @staticmethod + def UpdateParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.interchain_accounts.controller.v1.Msg/UpdateParams', + ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 5da34ff8..2386f482 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -12,57 +12,43 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xa6\x02\n\x0cGenesisState\x12\x92\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\'\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"controller_genesis_state\"\x12\x80\x01\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"host_genesis_state\"\"\x82\x03\n\x16\x43ontrollerGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xf5\x02\n\x10HostGenesisState\x12w\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"active_channels\"\x12\x8d\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x1ayaml:\"interchain_accounts\"\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\rActiveChannel\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x03 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12?\n\x15is_middleware_enabled\x18\x04 \x01(\x08\x42 \xf2\xde\x1f\x1cyaml:\"is_middleware_enabled\"\"\xa8\x01\n\x1bRegisteredInterchainAccount\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12#\n\x07port_id\x18\x02 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"account_address\"BOZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/genesis/types' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"controller_genesis_state\"' + _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"host_genesis_state\"' + _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._serialized_options = b'\310\336\037\000' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None - _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' + _globals['_CONTROLLERGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_CONTROLLERGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._loaded_options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"active_channels\"' + _globals['_HOSTGENESISSTATE'].fields_by_name['active_channels']._serialized_options = b'\310\336\037\000' _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._loaded_options = None - _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000\362\336\037\032yaml:\"interchain_accounts\"' + _globals['_HOSTGENESISSTATE'].fields_by_name['interchain_accounts']._serialized_options = b'\310\336\037\000' _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._loaded_options = None - _globals['_ACTIVECHANNEL'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._loaded_options = None - _globals['_ACTIVECHANNEL'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._loaded_options = None - _globals['_ACTIVECHANNEL'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._loaded_options = None - _globals['_ACTIVECHANNEL'].fields_by_name['is_middleware_enabled']._serialized_options = b'\362\336\037\034yaml:\"is_middleware_enabled\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._loaded_options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['connection_id']._serialized_options = b'\362\336\037\024yaml:\"connection_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._loaded_options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._loaded_options = None - _globals['_REGISTEREDINTERCHAINACCOUNT'].fields_by_name['account_address']._serialized_options = b'\362\336\037\026yaml:\"account_address\"' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=557 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=560 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=946 - _globals['_HOSTGENESISSTATE']._serialized_start=949 - _globals['_HOSTGENESISSTATE']._serialized_end=1322 - _globals['_ACTIVECHANNEL']._serialized_start=1325 - _globals['_ACTIVECHANNEL']._serialized_end=1534 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1537 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1705 + _globals['_GENESISSTATE']._serialized_end=491 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 + _globals['_HOSTGENESISSTATE']._serialized_start=826 + _globals['_HOSTGENESISSTATE']._serialized_end=1142 + _globals['_ACTIVECHANNEL']._serialized_start=1144 + _globals['_ACTIVECHANNEL']._serialized_end=1250 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index 9547496b..a33171de 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -12,21 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\"j\n\x06Params\x12-\n\x0chost_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"host_enabled\"\x12\x31\n\x0e\x61llow_messages\x18\x02 \x03(\tB\x19\xf2\xde\x1f\x15yaml:\"allow_messages\"BLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' - _globals['_PARAMS'].fields_by_name['host_enabled']._loaded_options = None - _globals['_PARAMS'].fields_by_name['host_enabled']._serialized_options = b'\362\336\037\023yaml:\"host_enabled\"' - _globals['_PARAMS'].fields_by_name['allow_messages']._loaded_options = None - _globals['_PARAMS'].fields_by_name['allow_messages']._serialized_options = b'\362\336\037\025yaml:\"allow_messages\"' - _globals['_PARAMS']._serialized_start=127 - _globals['_PARAMS']._serialized_end=233 + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['_PARAMS']._serialized_start=105 + _globals['_PARAMS']._serialized_end=159 + _globals['_QUERYREQUEST']._serialized_start=161 + _globals['_QUERYREQUEST']._serialized_end=203 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index bb6c2eda..07511197 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index 9496fc8b..a4aaefcd 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 8e89faba..26c5ce4d 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -12,25 +12,23 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xe1\x01\n\x11InterchainAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12/\n\raccount_owner\x18\x02 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"account_owner\":F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None - _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' - _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._loaded_options = None - _globals['_INTERCHAINACCOUNT'].fields_by_name['account_owner']._serialized_options = b'\362\336\037\024yaml:\"account_owner\"' + _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=405 + _globals['_INTERCHAINACCOUNT']._serialized_end=356 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index e8ec96c3..c9cbc973 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -12,21 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x14gogoproto/gogo.proto\"\xd1\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x45\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tB#\xf2\xde\x1f\x1fyaml:\"controller_connection_id\"\x12\x39\n\x12host_connection_id\x18\x03 \x01(\tB\x1d\xf2\xde\x1f\x19yaml:\"host_connection_id\"\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' - _globals['_METADATA'].fields_by_name['controller_connection_id']._loaded_options = None - _globals['_METADATA'].fields_by_name['controller_connection_id']._serialized_options = b'\362\336\037\037yaml:\"controller_connection_id\"' - _globals['_METADATA'].fields_by_name['host_connection_id']._loaded_options = None - _globals['_METADATA'].fields_by_name['host_connection_id']._serialized_options = b'\362\336\037\031yaml:\"host_connection_id\"' - _globals['_METADATA']._serialized_start=122 - _globals['_METADATA']._serialized_end=331 + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['_METADATA']._serialized_start=100 + _globals['_METADATA']._serialized_end=241 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index b7ee70c4..a246e1fe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -13,17 +13,17 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v7/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 95a7f09c..5f1c6310 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -12,23 +12,19 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xe2\x01\n\nAllocation\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_ALLOCATION'].fields_by_name['source_port']._loaded_options = None - _globals['_ALLOCATION'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_ALLOCATION'].fields_by_name['source_channel']._loaded_options = None - _globals['_ALLOCATION'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None @@ -36,7 +32,7 @@ _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=382 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=385 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=517 + _globals['_ALLOCATION']._serialized_end=360 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 47eb5258..9e7cb61b 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -12,27 +12,25 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xd4\x02\n\x0cGenesisState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x65\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB%\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"denom_traces\"\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12|\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"total_escrowed\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_GENESISSTATE'].fields_by_name['port_id']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"denom_traces\"\252\337\037\006Traces' + _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"total_escrowed\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' + _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=516 + _globals['_GENESISSTATE']._serialized_end=448 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 8f603729..7bcdf0d5 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -12,29 +12,29 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' - _globals['_QUERY'].methods_by_name['DenomTrace']._loaded_options = None - _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' _globals['_QUERY'].methods_by_name['DenomTraces']._loaded_options = None _globals['_QUERY'].methods_by_name['DenomTraces']._serialized_options = b'\202\323\344\223\002$\022\"/ibc/apps/transfer/v1/denom_traces' + _globals['_QUERY'].methods_by_name['DenomTrace']._loaded_options = None + _globals['_QUERY'].methods_by_name['DenomTrace']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/transfer/v1/denom_traces/{hash=**}' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/transfer/v1/params' _globals['_QUERY'].methods_by_name['DenomHash']._loaded_options = None diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 727c6cf1..3f6de8a1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 +from ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -40,16 +40,16 @@ def __init__(self, channel): Args: channel: A grpc.Channel. """ - self.DenomTrace = channel.unary_unary( - '/ibc.applications.transfer.v1.Query/DenomTrace', - request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, - response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, - _registered_method=True) self.DenomTraces = channel.unary_unary( '/ibc.applications.transfer.v1.Query/DenomTraces', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, _registered_method=True) + self.DenomTrace = channel.unary_unary( + '/ibc.applications.transfer.v1.Query/DenomTrace', + request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, + response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, + _registered_method=True) self.Params = channel.unary_unary( '/ibc.applications.transfer.v1.Query/Params', request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.SerializeToString, @@ -76,15 +76,15 @@ class QueryServicer(object): """Query provides defines the gRPC querier service. """ - def DenomTrace(self, request, context): - """DenomTrace queries a denomination trace information. + def DenomTraces(self, request, context): + """DenomTraces queries all denomination traces. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DenomTraces(self, request, context): - """DenomTraces queries all denomination traces. + def DenomTrace(self, request, context): + """DenomTrace queries a denomination trace information. """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -121,16 +121,16 @@ def TotalEscrowForDenom(self, request, context): def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { - 'DenomTrace': grpc.unary_unary_rpc_method_handler( - servicer.DenomTrace, - request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.FromString, - response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.SerializeToString, - ), 'DenomTraces': grpc.unary_unary_rpc_method_handler( servicer.DenomTraces, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.SerializeToString, ), + 'DenomTrace': grpc.unary_unary_rpc_method_handler( + servicer.DenomTrace, + request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.FromString, + response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.SerializeToString, + ), 'Params': grpc.unary_unary_rpc_method_handler( servicer.Params, request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryParamsRequest.FromString, @@ -164,7 +164,7 @@ class Query(object): """ @staticmethod - def DenomTrace(request, + def DenomTraces(request, target, options=(), channel_credentials=None, @@ -177,9 +177,9 @@ def DenomTrace(request, return grpc.experimental.unary_unary( request, target, - '/ibc.applications.transfer.v1.Query/DenomTrace', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, + '/ibc.applications.transfer.v1.Query/DenomTraces', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, options, channel_credentials, insecure, @@ -191,7 +191,7 @@ def DenomTrace(request, _registered_method=True) @staticmethod - def DenomTraces(request, + def DenomTrace(request, target, options=(), channel_credentials=None, @@ -204,9 +204,9 @@ def DenomTraces(request, return grpc.experimental.unary_unary( request, target, - '/ibc.applications.transfer.v1.Query/DenomTraces', - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesRequest.SerializeToString, - ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTracesResponse.FromString, + '/ibc.applications.transfer.v1.Query/DenomTrace', + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceRequest.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2.QueryDenomTraceResponse.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 893034fa..341de825 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -12,23 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"l\n\x06Params\x12-\n\x0csend_enabled\x18\x01 \x01(\x08\x42\x17\xf2\xde\x1f\x13yaml:\"send_enabled\"\x12\x33\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x1a\xf2\xde\x1f\x16yaml:\"receive_enabled\"B9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None - _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\362\336\037\023yaml:\"send_enabled\"' - _globals['_PARAMS'].fields_by_name['receive_enabled']._loaded_options = None - _globals['_PARAMS'].fields_by_name['receive_enabled']._serialized_options = b'\362\336\037\026yaml:\"receive_enabled\"' - _globals['_DENOMTRACE']._serialized_start=99 - _globals['_DENOMTRACE']._serialized_end=145 - _globals['_PARAMS']._serialized_start=147 - _globals['_PARAMS']._serialized_end=255 + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_DENOMTRACE']._serialized_start=77 + _globals['_DENOMTRACE']._serialized_end=123 + _globals['_PARAMS']._serialized_start=125 + _globals['_PARAMS']._serialized_end=180 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index df47310d..c638e565 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -12,35 +12,44 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\"\xe3\x02\n\x0bMsgTransfer\x12+\n\x0bsource_port\x18\x01 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12.\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12Q\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x07 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04memo\x18\x08 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\'\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x32o\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponseB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' - _globals['_MSGTRANSFER'].fields_by_name['source_port']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000' + _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._loaded_options = None - _globals['_MSGTRANSFER'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' + _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGTRANSFER']._loaded_options = None - _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGTRANSFER']._serialized_start=159 - _globals['_MSGTRANSFER']._serialized_end=514 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=516 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=555 - _globals['_MSG']._serialized_start=557 - _globals['_MSG']._serialized_end=668 + _globals['_MSGTRANSFER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\026cosmos-sdk/MsgTransfer' + _globals['_MSGTRANSFERRESPONSE']._loaded_options = None + _globals['_MSGTRANSFERRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGTRANSFER']._serialized_start=248 + _globals['_MSGTRANSFER']._serialized_end=541 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 + _globals['_MSGUPDATEPARAMS']._serialized_start=590 + _globals['_MSGUPDATEPARAMS']._serialized_end=700 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 + _globals['_MSG']._serialized_start=730 + _globals['_MSG']._serialized_end=966 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index ea78e04e..9effa128 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 +from ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -45,6 +45,11 @@ def __init__(self, channel): request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.SerializeToString, response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.FromString, _registered_method=True) + self.UpdateParams = channel.unary_unary( + '/ibc.applications.transfer.v1.Msg/UpdateParams', + request_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -58,6 +63,13 @@ def Transfer(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def UpdateParams(self, request, context): + """UpdateParams defines a rpc handler for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -66,6 +78,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransfer.FromString, response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgTransferResponse.SerializeToString, ), + 'UpdateParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateParams, + request_deserializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.applications.transfer.v1.Msg', rpc_method_handlers) @@ -104,3 +121,30 @@ def Transfer(request, timeout, metadata, _registered_method=True) + + @staticmethod + def UpdateParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.applications.transfer.v1.Msg/UpdateParams', + ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index f47b4a6a..78efc002 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -14,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v7/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index 0dd85190..b48462d6 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xed\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\x9c\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x33\n\x0f\x63onnection_hops\x18\x04 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"connection_hops\"\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t:\x04\x88\xa0\x1f\x00\"d\n\x0c\x43ounterparty\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\":\x04\x88\xa0\x1f\x00\"\x8e\x03\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12+\n\x0bsource_port\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"source_port\"\x12\x31\n\x0esource_channel\x18\x03 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x35\n\x10\x64\x65stination_port\x18\x04 \x01(\tB\x1b\xf2\xde\x1f\x17yaml:\"destination_port\"\x12;\n\x13\x64\x65stination_channel\x18\x05 \x01(\tB\x1e\xf2\xde\x1f\x1ayaml:\"destination_channel\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12Q\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x08 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\":\x04\x88\xa0\x1f\x00\"\x83\x01\n\x0bPacketState\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x08PacketId\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response*\xb7\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -36,6 +36,10 @@ _globals['_STATE'].values_by_name["STATE_OPEN"]._serialized_options = b'\212\235 \004OPEN' _globals['_STATE'].values_by_name["STATE_CLOSED"]._loaded_options = None _globals['_STATE'].values_by_name["STATE_CLOSED"]._serialized_options = b'\212\235 \006CLOSED' + _globals['_STATE'].values_by_name["STATE_FLUSHING"]._loaded_options = None + _globals['_STATE'].values_by_name["STATE_FLUSHING"]._serialized_options = b'\212\235 \010FLUSHING' + _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._loaded_options = None + _globals['_STATE'].values_by_name["STATE_FLUSHCOMPLETE"]._serialized_options = b'\212\235 \rFLUSHCOMPLETE' _globals['_ORDER']._loaded_options = None _globals['_ORDER']._serialized_options = b'\210\243\036\000' _globals['_ORDER'].values_by_name["ORDER_NONE_UNSPECIFIED"]._loaded_options = None @@ -46,64 +50,46 @@ _globals['_ORDER'].values_by_name["ORDER_ORDERED"]._serialized_options = b'\212\235 \007ORDERED' _globals['_CHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_CHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_CHANNEL'].fields_by_name['connection_hops']._loaded_options = None - _globals['_CHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' _globals['_CHANNEL']._loaded_options = None _globals['_CHANNEL']._serialized_options = b'\210\240\037\000' _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._loaded_options = None _globals['_IDENTIFIEDCHANNEL'].fields_by_name['counterparty']._serialized_options = b'\310\336\037\000' - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._loaded_options = None - _globals['_IDENTIFIEDCHANNEL'].fields_by_name['connection_hops']._serialized_options = b'\362\336\037\026yaml:\"connection_hops\"' _globals['_IDENTIFIEDCHANNEL']._loaded_options = None _globals['_IDENTIFIEDCHANNEL']._serialized_options = b'\210\240\037\000' - _globals['_COUNTERPARTY'].fields_by_name['port_id']._loaded_options = None - _globals['_COUNTERPARTY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_COUNTERPARTY'].fields_by_name['channel_id']._loaded_options = None - _globals['_COUNTERPARTY'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_COUNTERPARTY']._loaded_options = None _globals['_COUNTERPARTY']._serialized_options = b'\210\240\037\000' - _globals['_PACKET'].fields_by_name['source_port']._loaded_options = None - _globals['_PACKET'].fields_by_name['source_port']._serialized_options = b'\362\336\037\022yaml:\"source_port\"' - _globals['_PACKET'].fields_by_name['source_channel']._loaded_options = None - _globals['_PACKET'].fields_by_name['source_channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' - _globals['_PACKET'].fields_by_name['destination_port']._loaded_options = None - _globals['_PACKET'].fields_by_name['destination_port']._serialized_options = b'\362\336\037\027yaml:\"destination_port\"' - _globals['_PACKET'].fields_by_name['destination_channel']._loaded_options = None - _globals['_PACKET'].fields_by_name['destination_channel']._serialized_options = b'\362\336\037\032yaml:\"destination_channel\"' _globals['_PACKET'].fields_by_name['timeout_height']._loaded_options = None - _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"timeout_height\"' - _globals['_PACKET'].fields_by_name['timeout_timestamp']._loaded_options = None - _globals['_PACKET'].fields_by_name['timeout_timestamp']._serialized_options = b'\362\336\037\030yaml:\"timeout_timestamp\"' + _globals['_PACKET'].fields_by_name['timeout_height']._serialized_options = b'\310\336\037\000' _globals['_PACKET']._loaded_options = None _globals['_PACKET']._serialized_options = b'\210\240\037\000' - _globals['_PACKETSTATE'].fields_by_name['port_id']._loaded_options = None - _globals['_PACKETSTATE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSTATE'].fields_by_name['channel_id']._loaded_options = None - _globals['_PACKETSTATE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_PACKETSTATE']._loaded_options = None _globals['_PACKETSTATE']._serialized_options = b'\210\240\037\000' - _globals['_PACKETID'].fields_by_name['port_id']._loaded_options = None - _globals['_PACKETID'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETID'].fields_by_name['channel_id']._loaded_options = None - _globals['_PACKETID'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' _globals['_PACKETID']._loaded_options = None _globals['_PACKETID']._serialized_options = b'\210\240\037\000' - _globals['_STATE']._serialized_start=1460 - _globals['_STATE']._serialized_end=1643 - _globals['_ORDER']._serialized_start=1645 - _globals['_ORDER']._serialized_end=1764 + _globals['_TIMEOUT'].fields_by_name['height']._loaded_options = None + _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' + _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None + _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' + _globals['_STATE']._serialized_start=1310 + _globals['_STATE']._serialized_end=1571 + _globals['_ORDER']._serialized_start=1573 + _globals['_ORDER']._serialized_end=1692 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=351 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=354 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=638 - _globals['_COUNTERPARTY']._serialized_start=640 - _globals['_COUNTERPARTY']._serialized_end=740 - _globals['_PACKET']._serialized_start=743 - _globals['_PACKET']._serialized_end=1141 - _globals['_PACKETSTATE']._serialized_start=1144 - _globals['_PACKETSTATE']._serialized_end=1275 - _globals['_PACKETID']._serialized_start=1277 - _globals['_PACKETID']._serialized_end=1391 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1393 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1457 + _globals['_CHANNEL']._serialized_end=349 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 + _globals['_COUNTERPARTY']._serialized_start=636 + _globals['_COUNTERPARTY']._serialized_end=693 + _globals['_PACKET']._serialized_start=696 + _globals['_PACKET']._serialized_end=927 + _globals['_PACKETSTATE']._serialized_start=929 + _globals['_PACKETSTATE']._serialized_end=1017 + _globals['_PACKETID']._serialized_start=1019 + _globals['_PACKETID']._serialized_end=1090 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 + _globals['_TIMEOUT']._serialized_start=1158 + _globals['_TIMEOUT']._serialized_end=1236 + _globals['_PARAMS']._serialized_start=1238 + _globals['_PARAMS']._serialized_end=1307 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 6cbbebf9..68c6e425 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xef\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12Z\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"send_sequences\"\x12Z\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"recv_sequences\"\x12X\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"ack_sequences\"\x12?\n\x15next_channel_sequence\x18\x08 \x01(\x04\x42 \xf2\xde\x1f\x1cyaml:\"next_channel_sequence\"\"r\n\x0ePacketSequence\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None @@ -33,19 +33,15 @@ _globals['_GENESISSTATE'].fields_by_name['receipts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['receipts']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['send_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"send_sequences\"' + _globals['_GENESISSTATE'].fields_by_name['send_sequences']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"recv_sequences\"' + _globals['_GENESISSTATE'].fields_by_name['recv_sequences']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"ack_sequences\"' - _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['next_channel_sequence']._serialized_options = b'\362\336\037\034yaml:\"next_channel_sequence\"' - _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._loaded_options = None - _globals['_PACKETSEQUENCE'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._loaded_options = None - _globals['_PACKETSEQUENCE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_GENESISSTATE'].fields_by_name['ack_sequences']._serialized_options = b'\310\336\037\000' + _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None + _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=739 - _globals['_PACKETSEQUENCE']._serialized_start=741 - _globals['_PACKETSEQUENCE']._serialized_end=855 + _globals['_GENESISSTATE']._serialized_end=682 + _globals['_PACKETSEQUENCE']._serialized_start=684 + _globals['_PACKETSEQUENCE']._serialized_end=755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index a6968659..9f704ebb 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -12,22 +12,23 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x32\x8b\x16\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequenceB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None @@ -54,6 +55,16 @@ _globals['_QUERYUNRECEIVEDACKSRESPONSE'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYNEXTSEQUENCESENDRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._loaded_options = None + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYUPGRADEERRORRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYUPGRADERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['Channel']._loaded_options = None _globals['_QUERY'].methods_by_name['Channel']._serialized_options = b'\202\323\344\223\002<\022:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}' _globals['_QUERY'].methods_by_name['Channels']._loaded_options = None @@ -80,58 +91,82 @@ _globals['_QUERY'].methods_by_name['UnreceivedAcks']._serialized_options = b'\202\323\344\223\002v\022t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks' _globals['_QUERY'].methods_by_name['NextSequenceReceive']._loaded_options = None _globals['_QUERY'].methods_by_name['NextSequenceReceive']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence' - _globals['_QUERYCHANNELREQUEST']._serialized_start=247 - _globals['_QUERYCHANNELREQUEST']._serialized_end=305 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=308 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=448 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=450 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=532 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=535 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=727 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=729 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=841 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=844 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1046 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1048 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1117 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1120 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1300 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1302 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1424 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1427 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1600 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1602 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1687 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1689 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1811 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1814 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1942 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1945 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2143 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2145 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2227 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2229 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2346 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2348 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2438 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2441 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2573 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2576 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2746 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2749 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2957 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2959 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3064 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3066 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3167 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3169 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3264 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3266 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3364 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3366 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3436 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3439 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3575 - _globals['_QUERY']._serialized_start=3578 - _globals['_QUERY']._serialized_end=6405 + _globals['_QUERY'].methods_by_name['NextSequenceSend']._loaded_options = None + _globals['_QUERY'].methods_by_name['NextSequenceSend']._serialized_options = b'\202\323\344\223\002O\022M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send' + _globals['_QUERY'].methods_by_name['UpgradeError']._loaded_options = None + _globals['_QUERY'].methods_by_name['UpgradeError']._serialized_options = b'\202\323\344\223\002J\022H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error' + _globals['_QUERY'].methods_by_name['Upgrade']._loaded_options = None + _globals['_QUERY'].methods_by_name['Upgrade']._serialized_options = b'\202\323\344\223\002D\022B/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade' + _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None + _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' + _globals['_QUERYCHANNELREQUEST']._serialized_start=282 + _globals['_QUERYCHANNELREQUEST']._serialized_end=340 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 + _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 + _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 + _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 + _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 + _globals['_QUERY']._serialized_start=4358 + _globals['_QUERY']._serialized_end=7915 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index 828f9d8f..2d3e84e6 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 +from ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -105,6 +105,26 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.FromString, _registered_method=True) + self.NextSequenceSend = channel.unary_unary( + '/ibc.core.channel.v1.Query/NextSequenceSend', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, + _registered_method=True) + self.UpgradeError = channel.unary_unary( + '/ibc.core.channel.v1.Query/UpgradeError', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, + _registered_method=True) + self.Upgrade = channel.unary_unary( + '/ibc.core.channel.v1.Query/Upgrade', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, + _registered_method=True) + self.ChannelParams = channel.unary_unary( + '/ibc.core.channel.v1.Query/ChannelParams', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -210,6 +230,34 @@ def NextSequenceReceive(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def NextSequenceSend(self, request, context): + """NextSequenceSend returns the next send sequence for a given channel. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpgradeError(self, request, context): + """UpgradeError returns the error receipt if the upgrade handshake failed. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Upgrade(self, request, context): + """Upgrade returns the upgrade for a given port and channel id. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelParams(self, request, context): + """ChannelParams queries all parameters of the ibc channel submodule. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -278,6 +326,26 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveRequest.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceReceiveResponse.SerializeToString, ), + 'NextSequenceSend': grpc.unary_unary_rpc_method_handler( + servicer.NextSequenceSend, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.SerializeToString, + ), + 'UpgradeError': grpc.unary_unary_rpc_method_handler( + servicer.UpgradeError, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.SerializeToString, + ), + 'Upgrade': grpc.unary_unary_rpc_method_handler( + servicer.Upgrade, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.SerializeToString, + ), + 'ChannelParams': grpc.unary_unary_rpc_method_handler( + servicer.ChannelParams, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Query', rpc_method_handlers) @@ -640,3 +708,111 @@ def NextSequenceReceive(request, timeout, metadata, _registered_method=True) + + @staticmethod + def NextSequenceSend(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/NextSequenceSend', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryNextSequenceSendResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpgradeError(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/UpgradeError', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeErrorResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Upgrade(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/Upgrade', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryUpgradeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Query/ChannelParams', + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsRequest.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_query__pb2.QueryChannelParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index 9f1864ad..df3e0329 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -12,19 +12,21 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\"\x88\x01\n\x12MsgChannelOpenInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x1aMsgChannelOpenInitResponse\x12)\n\nchannel_id\x18\x01 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0f\n\x07version\x18\x02 \x01(\t\"\xff\x02\n\x11MsgChannelOpenTry\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12=\n\x13previous_channel_id\x18\x02 \x01(\tB \x18\x01\xf2\xde\x1f\x1ayaml:\"previous_channel_id\"\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12)\n\nproof_init\x18\x05 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"W\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\"\xf9\x02\n\x11MsgChannelOpenAck\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x43\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tB\"\xf2\xde\x1f\x1eyaml:\"counterparty_channel_id\"\x12=\n\x14\x63ounterparty_version\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"counterparty_version\"\x12\'\n\tproof_try\x18\x05 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_try\"\x12M\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19MsgChannelOpenAckResponse\"\xf9\x01\n\x15MsgChannelOpenConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\'\n\tproof_ack\x18\x03 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_ack\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"\x7f\n\x13MsgChannelCloseInit\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xfc\x01\n\x16MsgChannelCloseConfirm\x12#\n\x07port_id\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"port_id\"\x12)\n\nchannel_id\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"channel_id\"\x12)\n\nproof_init\x18\x03 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\" \n\x1eMsgChannelCloseConfirmResponse\"\xe2\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_commitment\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_commitment\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x04 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x35\n\x10proof_unreceived\x18\x02 \x01(\x0c\x42\x1b\xf2\xde\x1f\x17yaml:\"proof_unreceived\"\x12+\n\x0bproof_close\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_close\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x39\n\x12next_sequence_recv\x18\x05 \x01(\x04\x42\x1d\xf2\xde\x1f\x19yaml:\"next_sequence_recv\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xf6\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12+\n\x0bproof_acked\x18\x03 \x01(\x0c\x42\x16\xf2\xde\x1f\x12yaml:\"proof_acked\"\x12M\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00*\xa9\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x1a\x04\x88\xa3\x1e\x00\x32\xaf\x08\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponseB;Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v7/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None @@ -33,158 +35,206 @@ _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_NOOP"]._serialized_options = b'\212\235 \004NOOP' _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._loaded_options = None _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_SUCCESS"]._serialized_options = b'\212\235 \007SUCCESS' - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELOPENINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._loaded_options = None + _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_FAILURE"]._serialized_options = b'\212\235 \007FAILURE' _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENINIT'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' _globals['_MSGCHANNELOPENINIT']._loaded_options = None - _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENINITRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' + _globals['_MSGCHANNELOPENINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELOPENINITRESPONSE']._loaded_options = None + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001\362\336\037\032yaml:\"previous_channel_id\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['previous_channel_id']._serialized_options = b'\030\001' _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._loaded_options = None _globals['_MSGCHANNELOPENTRY'].fields_by_name['channel']._serialized_options = b'\310\336\037\000' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENTRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGCHANNELOPENTRY']._loaded_options = None - _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENTRYRESPONSE'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_channel_id']._serialized_options = b'\362\336\037\036yaml:\"counterparty_channel_id\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['counterparty_version']._serialized_options = b'\362\336\037\033yaml:\"counterparty_version\"' - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_try']._serialized_options = b'\362\336\037\020yaml:\"proof_try\"' + _globals['_MSGCHANNELOPENTRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELOPENTRYRESPONSE']._loaded_options = None + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGCHANNELOPENACK']._loaded_options = None - _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_ack']._serialized_options = b'\362\336\037\020yaml:\"proof_ack\"' + _globals['_MSGCHANNELOPENACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELOPENCONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGCHANNELOPENCONFIRM']._loaded_options = None - _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELCLOSEINIT'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' + _globals['_MSGCHANNELOPENCONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGCHANNELCLOSEINIT']._loaded_options = None - _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['port_id']._serialized_options = b'\362\336\037\016yaml:\"port_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['channel_id']._serialized_options = b'\362\336\037\021yaml:\"channel_id\"' - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_init']._serialized_options = b'\362\336\037\021yaml:\"proof_init\"' + _globals['_MSGCHANNELCLOSEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGCHANNELCLOSECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGCHANNELCLOSECONFIRM']._loaded_options = None - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGRECVPACKET'].fields_by_name['packet']._loaded_options = None _globals['_MSGRECVPACKET'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._loaded_options = None - _globals['_MSGRECVPACKET'].fields_by_name['proof_commitment']._serialized_options = b'\362\336\037\027yaml:\"proof_commitment\"' _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGRECVPACKET'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGRECVPACKET']._loaded_options = None - _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGRECVPACKET']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGRECVPACKETRESPONSE']._loaded_options = None _globals['_MSGRECVPACKETRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGTIMEOUT'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._loaded_options = None - _globals['_MSGTIMEOUT'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._loaded_options = None - _globals['_MSGTIMEOUT'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' + _globals['_MSGTIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGTIMEOUT']._loaded_options = None - _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGTIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGTIMEOUTRESPONSE']._loaded_options = None _globals['_MSGTIMEOUTRESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._loaded_options = None _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_unreceived']._serialized_options = b'\362\336\037\027yaml:\"proof_unreceived\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_close']._serialized_options = b'\362\336\037\022yaml:\"proof_close\"' _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['next_sequence_recv']._serialized_options = b'\362\336\037\031yaml:\"next_sequence_recv\"' + _globals['_MSGTIMEOUTONCLOSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGTIMEOUTONCLOSE']._loaded_options = None - _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGTIMEOUTONCLOSE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGTIMEOUTONCLOSERESPONSE']._loaded_options = None _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_options = b'\210\240\037\000' _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._loaded_options = None _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['packet']._serialized_options = b'\310\336\037\000' - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._loaded_options = None - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_acked']._serialized_options = b'\362\336\037\022yaml:\"proof_acked\"' _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._loaded_options = None - _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000\362\336\037\023yaml:\"proof_height\"' + _globals['_MSGACKNOWLEDGEMENT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_MSGACKNOWLEDGEMENT']._loaded_options = None - _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_MSGACKNOWLEDGEMENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGACKNOWLEDGEMENTRESPONSE']._loaded_options = None _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_options = b'\210\240\037\000' - _globals['_RESPONSERESULTTYPE']._serialized_start=3449 - _globals['_RESPONSERESULTTYPE']._serialized_end=3618 - _globals['_MSGCHANNELOPENINIT']._serialized_start=144 - _globals['_MSGCHANNELOPENINIT']._serialized_end=280 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=282 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=370 - _globals['_MSGCHANNELOPENTRY']._serialized_start=373 - _globals['_MSGCHANNELOPENTRY']._serialized_end=756 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=758 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=845 - _globals['_MSGCHANNELOPENACK']._serialized_start=848 - _globals['_MSGCHANNELOPENACK']._serialized_end=1225 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1227 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1254 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1257 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1506 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1508 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1539 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1541 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1668 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1670 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1699 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1702 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1954 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1956 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1988 - _globals['_MSGRECVPACKET']._serialized_start=1991 - _globals['_MSGRECVPACKET']._serialized_end=2217 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2219 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2305 - _globals['_MSGTIMEOUT']._serialized_start=2308 - _globals['_MSGTIMEOUT']._serialized_end=2590 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2592 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2675 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2678 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3012 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3014 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3104 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3107 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3353 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3355 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3446 - _globals['_MSG']._serialized_start=3621 - _globals['_MSG']._serialized_end=4692 + _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINIT'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEINIT']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINIT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINITRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['counterparty_upgrade_fields']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRY']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRY']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRYRESPONSE'].fields_by_name['upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEACK']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACK']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['counterparty_upgrade']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECONFIRM']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._loaded_options = None + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_options = b'\210\240\037\000' + _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADEOPEN'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADEOPEN']._loaded_options = None + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['counterparty_channel']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADETIMEOUT']._loaded_options = None + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['error_receipt']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_MSGCHANNELUPGRADECANCEL']._loaded_options = None + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\tauthority' + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._loaded_options = None + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_RESPONSERESULTTYPE']._serialized_start=5624 + _globals['_RESPONSERESULTTYPE']._serialized_end=5840 + _globals['_MSGCHANNELOPENINIT']._serialized_start=203 + _globals['_MSGCHANNELOPENINIT']._serialized_end=326 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 + _globals['_MSGCHANNELOPENTRY']._serialized_start=402 + _globals['_MSGCHANNELOPENTRY']._serialized_end=663 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 + _globals['_MSGCHANNELOPENACK']._serialized_start=738 + _globals['_MSGCHANNELOPENACK']._serialized_end=965 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 + _globals['_MSGRECVPACKET']._serialized_start=1571 + _globals['_MSGRECVPACKET']._serialized_end=1752 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 + _globals['_MSGTIMEOUT']._serialized_start=1843 + _globals['_MSGTIMEOUT']._serialized_end=2049 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 + _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 + _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 + _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 + _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 + _globals['_MSGUPDATEPARAMS']._serialized_start=5271 + _globals['_MSGUPDATEPARAMS']._serialized_end=5378 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 + _globals['_MSG']._serialized_start=5843 + _globals['_MSG']._serialized_end=7999 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index b89d7633..b10625f5 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 +from ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -90,6 +90,51 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.SerializeToString, response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.FromString, _registered_method=True) + self.ChannelUpgradeInit = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, + _registered_method=True) + self.ChannelUpgradeTry = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, + _registered_method=True) + self.ChannelUpgradeAck = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, + _registered_method=True) + self.ChannelUpgradeConfirm = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, + _registered_method=True) + self.ChannelUpgradeOpen = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, + _registered_method=True) + self.ChannelUpgradeTimeout = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, + _registered_method=True) + self.ChannelUpgradeCancel = channel.unary_unary( + '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, + _registered_method=True) + self.UpdateChannelParams = channel.unary_unary( + '/ibc.core.channel.v1.Msg/UpdateChannelParams', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) + self.PruneAcknowledgements = channel.unary_unary( + '/ibc.core.channel.v1.Msg/PruneAcknowledgements', + request_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, + response_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -167,6 +212,69 @@ def Acknowledgement(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ChannelUpgradeInit(self, request, context): + """ChannelUpgradeInit defines a rpc handler method for MsgChannelUpgradeInit. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeTry(self, request, context): + """ChannelUpgradeTry defines a rpc handler method for MsgChannelUpgradeTry. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeAck(self, request, context): + """ChannelUpgradeAck defines a rpc handler method for MsgChannelUpgradeAck. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeConfirm(self, request, context): + """ChannelUpgradeConfirm defines a rpc handler method for MsgChannelUpgradeConfirm. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeOpen(self, request, context): + """ChannelUpgradeOpen defines a rpc handler method for MsgChannelUpgradeOpen. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeTimeout(self, request, context): + """ChannelUpgradeTimeout defines a rpc handler method for MsgChannelUpgradeTimeout. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ChannelUpgradeCancel(self, request, context): + """ChannelUpgradeCancel defines a rpc handler method for MsgChannelUpgradeCancel. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateChannelParams(self, request, context): + """UpdateChannelParams defines a rpc handler method for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def PruneAcknowledgements(self, request, context): + """PruneAcknowledgements defines a rpc handler method for MsgPruneAcknowledgements. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -220,6 +328,51 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgement.FromString, response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgAcknowledgementResponse.SerializeToString, ), + 'ChannelUpgradeInit': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeInit, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.SerializeToString, + ), + 'ChannelUpgradeTry': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeTry, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.SerializeToString, + ), + 'ChannelUpgradeAck': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeAck, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.SerializeToString, + ), + 'ChannelUpgradeConfirm': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeConfirm, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.SerializeToString, + ), + 'ChannelUpgradeOpen': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeOpen, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.SerializeToString, + ), + 'ChannelUpgradeTimeout': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeTimeout, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.SerializeToString, + ), + 'ChannelUpgradeCancel': grpc.unary_unary_rpc_method_handler( + servicer.ChannelUpgradeCancel, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.SerializeToString, + ), + 'UpdateChannelParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateChannelParams, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), + 'PruneAcknowledgements': grpc.unary_unary_rpc_method_handler( + servicer.PruneAcknowledgements, + request_deserializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.FromString, + response_serializer=ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.channel.v1.Msg', rpc_method_handlers) @@ -501,3 +654,246 @@ def Acknowledgement(request, timeout, metadata, _registered_method=True) + + @staticmethod + def ChannelUpgradeInit(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeInit', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInit.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeInitResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeTry(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeTry', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTry.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTryResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeAck(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeAck', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAck.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeAckResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeConfirm(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeConfirm', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirm.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeConfirmResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeOpen(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeOpen', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpen.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeOpenResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeTimeout(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeTimeout', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeout.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeTimeoutResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ChannelUpgradeCancel(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/ChannelUpgradeCancel', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancel.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgChannelUpgradeCancelResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateChannelParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/UpdateChannelParams', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def PruneAcknowledgements(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.channel.v1.Msg/PruneAcknowledgements', + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgements.SerializeToString, + ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2.MsgPruneAcknowledgementsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 0d6f0682..749fbd2f 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -12,64 +12,50 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x85\x01\n\x15IdentifiedClientState\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\"\x97\x01\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\"\xa9\x01\n\x15\x43lientConsensusStates\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12g\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_states\"\"\xd6\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xea\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":*\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"|\n\x06Height\x12\x33\n\x0frevision_number\x18\x01 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_number\"\x12\x33\n\x0frevision_height\x18\x02 \x01(\x04\x42\x1a\xf2\xde\x1f\x16yaml:\"revision_height\":\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"=\n\x06Params\x12\x33\n\x0f\x61llowed_clients\x18\x01 \x03(\tB\x1a\xf2\xde\x1f\x16yaml:\"allowed_clients\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._loaded_options = None - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._loaded_options = None - _globals['_IDENTIFIEDCLIENTSTATE'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._loaded_options = None - _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._loaded_options = None - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None - _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"consensus_states\"' + _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' + _globals['_HEIGHT']._loaded_options = None + _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['subject_client_id']._serialized_options = b'\362\336\037\030yaml:\"subject_client_id\"' _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._loaded_options = None _globals['_CLIENTUPDATEPROPOSAL'].fields_by_name['substitute_client_id']._serialized_options = b'\362\336\037\033yaml:\"substitute_client_id\"' _globals['_CLIENTUPDATEPROPOSAL']._loaded_options = None - _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_CLIENTUPDATEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._loaded_options = None _globals['_UPGRADEPROPOSAL'].fields_by_name['upgraded_client_state']._serialized_options = b'\362\336\037\034yaml:\"upgraded_client_state\"' _globals['_UPGRADEPROPOSAL']._loaded_options = None - _globals['_UPGRADEPROPOSAL']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_HEIGHT'].fields_by_name['revision_number']._loaded_options = None - _globals['_HEIGHT'].fields_by_name['revision_number']._serialized_options = b'\362\336\037\026yaml:\"revision_number\"' - _globals['_HEIGHT'].fields_by_name['revision_height']._loaded_options = None - _globals['_HEIGHT'].fields_by_name['revision_height']._serialized_options = b'\362\336\037\026yaml:\"revision_height\"' - _globals['_HEIGHT']._loaded_options = None - _globals['_HEIGHT']._serialized_options = b'\210\240\037\000\230\240\037\000' - _globals['_PARAMS'].fields_by_name['allowed_clients']._loaded_options = None - _globals['_PARAMS'].fields_by_name['allowed_clients']._serialized_options = b'\362\336\037\026yaml:\"allowed_clients\"' - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=170 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=303 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=306 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=457 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=460 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=629 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=632 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=846 - _globals['_UPGRADEPROPOSAL']._serialized_start=849 - _globals['_UPGRADEPROPOSAL']._serialized_end=1083 - _globals['_HEIGHT']._serialized_start=1085 - _globals['_HEIGHT']._serialized_end=1209 - _globals['_PARAMS']._serialized_start=1211 - _globals['_PARAMS']._serialized_end=1272 + _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 + _globals['_HEIGHT']._serialized_start=504 + _globals['_HEIGHT']._serialized_end=572 + _globals['_PARAMS']._serialized_start=574 + _globals['_PARAMS']._serialized_end=607 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 + _globals['_UPGRADEPROPOSAL']._serialized_start=829 + _globals['_UPGRADEPROPOSAL']._serialized_end=1065 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index c268ef14..6221040e 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -12,40 +12,36 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xff\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x80\x01\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB:\xc8\xde\x1f\x00\xf2\xde\x1f\x18yaml:\"clients_consensus\"\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12h\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"clients_metadata\"\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x35\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x1b\xf2\xde\x1f\x17yaml:\"create_localhost\"\x12=\n\x14next_client_sequence\x18\x06 \x01(\x04\x42\x1f\xf2\xde\x1f\x1byaml:\"next_client_sequence\"\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\xa2\x01\n\x19IdentifiedGenesisMetadata\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\\\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x1e\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"client_metadata\"B:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\362\336\037\030yaml:\"clients_consensus\"\252\337\037\026ClientsConsensusStates' + _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._serialized_options = b'\310\336\037\000\252\337\037\026ClientsConsensusStates' _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"clients_metadata\"' + _globals['_GENESISSTATE'].fields_by_name['clients_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['create_localhost']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\362\336\037\027yaml:\"create_localhost\"' - _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['next_client_sequence']._serialized_options = b'\362\336\037\033yaml:\"next_client_sequence\"' + _globals['_GENESISSTATE'].fields_by_name['create_localhost']._serialized_options = b'\030\001' _globals['_GENESISMETADATA']._loaded_options = None _globals['_GENESISMETADATA']._serialized_options = b'\210\240\037\000' - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._loaded_options = None - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None - _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"client_metadata\"' + _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=623 - _globals['_GENESISMETADATA']._serialized_start=625 - _globals['_GENESISMETADATA']._serialized_end=676 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=679 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=841 + _globals['_GENESISSTATE']._serialized_end=509 + _globals['_GENESISMETADATA']._serialized_start=511 + _globals['_GENESISMETADATA']._serialized_end=562 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index 34385227..b72cc79c 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -12,21 +12,23 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any2\xd1\x0c\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_statesB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None @@ -37,6 +39,10 @@ _globals['_QUERYCONSENSUSSTATESRESPONSE'].fields_by_name['consensus_states']._serialized_options = b'\310\336\037\000' _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._loaded_options = None _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE'].fields_by_name['consensus_state_heights']._serialized_options = b'\310\336\037\000' + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._loaded_options = None + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._loaded_options = None + _globals['_QUERYVERIFYMEMBERSHIPREQUEST'].fields_by_name['merkle_path']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['ClientState']._loaded_options = None _globals['_QUERY'].methods_by_name['ClientState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/client_states/{client_id}' _globals['_QUERY'].methods_by_name['ClientStates']._loaded_options = None @@ -55,42 +61,48 @@ _globals['_QUERY'].methods_by_name['UpgradedClientState']._serialized_options = b'\202\323\344\223\002,\022*/ibc/core/client/v1/upgraded_client_states' _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._loaded_options = None _globals['_QUERY'].methods_by_name['UpgradedConsensusState']._serialized_options = b'\202\323\344\223\002/\022-/ibc/core/client/v1/upgraded_consensus_states' - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=210 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=254 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=257 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=398 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=400 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=486 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=489 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=675 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=677 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=797 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=800 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=947 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=949 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1057 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1060 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1229 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1231 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1345 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1348 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1512 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1514 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1559 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1561 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1604 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1606 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1632 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1634 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1705 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1707 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1740 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1742 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1829 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1831 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1867 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1869 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=1962 - _globals['_QUERY']._serialized_start=1965 - _globals['_QUERY']._serialized_end=3582 + _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None + _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 + _globals['_QUERY']._serialized_start=2327 + _globals['_QUERY']._serialized_end=4121 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index cce67d58..d4ffb77c 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 +from ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -85,6 +85,11 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.FromString, _registered_method=True) + self.VerifyMembership = channel.unary_unary( + '/ibc.core.client.v1.Query/VerifyMembership', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -156,6 +161,13 @@ def UpgradedConsensusState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def VerifyMembership(self, request, context): + """VerifyMembership queries an IBC light client for proof verification of a value at a given key path. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -204,6 +216,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateRequest.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryUpgradedConsensusStateResponse.SerializeToString, ), + 'VerifyMembership': grpc.unary_unary_rpc_method_handler( + servicer.VerifyMembership, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Query', rpc_method_handlers) @@ -458,3 +475,30 @@ def UpgradedConsensusState(request, timeout, metadata, _registered_method=True) + + @staticmethod + def VerifyMembership(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Query/VerifyMembership', + ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipRequest.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_query__pb2.QueryVerifyMembershipResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 92baa2bb..471be9c9 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -12,64 +12,69 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xbb\x01\n\x0fMsgCreateClient\x12\x43\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgCreateClientResponse\"\x82\x01\n\x0fMsgUpdateClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x19\n\x17MsgUpdateClientResponse\"\xf5\x02\n\x10MsgUpgradeClient\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12I\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12=\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x42\x1f\xf2\xde\x1f\x1byaml:\"proof_upgrade_client\"\x12O\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x42(\xf2\xde\x1f$yaml:\"proof_upgrade_consensus_state\"\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1a\n\x18MsgUpgradeClientResponse\"\x90\x01\n\x15MsgSubmitMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12.\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01\x12\x12\n\x06signer\x18\x03 \x01(\tB\x02\x18\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgSubmitMisbehaviourResponse2\xa2\x03\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponseB:Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v7/modules/core/02-client/types' - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._loaded_options = None - _globals['_MSGCREATECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._loaded_options = None - _globals['_MSGCREATECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_MSGCREATECLIENT']._loaded_options = None - _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._loaded_options = None - _globals['_MSGUPDATECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' + _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGUPDATECLIENT']._loaded_options = None - _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._loaded_options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._loaded_options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._loaded_options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._loaded_options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_client']._serialized_options = b'\362\336\037\033yaml:\"proof_upgrade_client\"' - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._loaded_options = None - _globals['_MSGUPGRADECLIENT'].fields_by_name['proof_upgrade_consensus_state']._serialized_options = b'\362\336\037$yaml:\"proof_upgrade_consensus_state\"' + _globals['_MSGUPDATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGUPGRADECLIENT']._loaded_options = None - _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._loaded_options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['misbehaviour']._serialized_options = b'\030\001' - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._loaded_options = None - _globals['_MSGSUBMITMISBEHAVIOUR'].fields_by_name['signer']._serialized_options = b'\030\001' + _globals['_MSGUPGRADECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGSUBMITMISBEHAVIOUR']._loaded_options = None - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\210\240\037\000\350\240\037\000' - _globals['_MSGCREATECLIENT']._serialized_start=101 - _globals['_MSGCREATECLIENT']._serialized_end=288 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=290 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=315 - _globals['_MSGUPDATECLIENT']._serialized_start=318 - _globals['_MSGUPDATECLIENT']._serialized_end=448 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=450 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=475 - _globals['_MSGUPGRADECLIENT']._serialized_start=478 - _globals['_MSGUPGRADECLIENT']._serialized_end=851 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=853 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=879 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=882 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1026 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1028 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1059 - _globals['_MSG']._serialized_start=1062 - _globals['_MSG']._serialized_end=1480 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_options = b'\030\001\210\240\037\000\202\347\260*\006signer' + _globals['_MSGRECOVERCLIENT']._loaded_options = None + _globals['_MSGRECOVERCLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None + _globals['_MSGIBCSOFTWAREUPGRADE'].fields_by_name['plan']._serialized_options = b'\310\336\037\000' + _globals['_MSGIBCSOFTWAREUPGRADE']._loaded_options = None + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_options = b'\202\347\260*\006signer' + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None + _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_MSGUPDATEPARAMS']._loaded_options = None + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATECLIENT']._serialized_start=197 + _globals['_MSGCREATECLIENT']._serialized_end=338 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 + _globals['_MSGUPDATECLIENT']._serialized_start=367 + _globals['_MSGUPDATECLIENT']._serialized_end=482 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 + _globals['_MSGUPGRADECLIENT']._serialized_start=512 + _globals['_MSGUPGRADECLIENT']._serialized_end=742 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 + _globals['_MSGRECOVERCLIENT']._serialized_start=928 + _globals['_MSGRECOVERCLIENT']._serialized_end=1036 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 + _globals['_MSGUPDATEPARAMS']._serialized_start=1257 + _globals['_MSGUPDATEPARAMS']._serialized_end=1357 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 + _globals['_MSG']._serialized_start=1387 + _globals['_MSG']._serialized_end=2133 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index d51bf3f3..9cc5a0cb 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 +from ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -60,6 +60,21 @@ def __init__(self, channel): request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.SerializeToString, response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.FromString, _registered_method=True) + self.RecoverClient = channel.unary_unary( + '/ibc.core.client.v1.Msg/RecoverClient', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, + _registered_method=True) + self.IBCSoftwareUpgrade = channel.unary_unary( + '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, + _registered_method=True) + self.UpdateClientParams = channel.unary_unary( + '/ibc.core.client.v1.Msg/UpdateClientParams', + request_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + response_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -94,6 +109,27 @@ def SubmitMisbehaviour(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def RecoverClient(self, request, context): + """RecoverClient defines a rpc handler method for MsgRecoverClient. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def IBCSoftwareUpgrade(self, request, context): + """IBCSoftwareUpgrade defines a rpc handler method for MsgIBCSoftwareUpgrade. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateClientParams(self, request, context): + """UpdateClientParams defines a rpc handler method for MsgUpdateParams. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -117,6 +153,21 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviour.FromString, response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgSubmitMisbehaviourResponse.SerializeToString, ), + 'RecoverClient': grpc.unary_unary_rpc_method_handler( + servicer.RecoverClient, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.SerializeToString, + ), + 'IBCSoftwareUpgrade': grpc.unary_unary_rpc_method_handler( + servicer.IBCSoftwareUpgrade, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.SerializeToString, + ), + 'UpdateClientParams': grpc.unary_unary_rpc_method_handler( + servicer.UpdateClientParams, + request_deserializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.FromString, + response_serializer=ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'ibc.core.client.v1.Msg', rpc_method_handlers) @@ -236,3 +287,84 @@ def SubmitMisbehaviour(request, timeout, metadata, _registered_method=True) + + @staticmethod + def RecoverClient(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/RecoverClient', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClient.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgRecoverClientResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def IBCSoftwareUpgrade(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/IBCSoftwareUpgrade', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgrade.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgIBCSoftwareUpgradeResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateClientParams(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/ibc.core.client.v1.Msg/UpdateClientParams', + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + ibc_dot_core_dot_client_dot_v1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index 30bff10d..636f49bf 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -12,32 +12,26 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"9\n\x0cMerklePrefix\x12)\n\nkey_prefix\x18\x01 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"key_prefix\"\"9\n\nMerklePath\x12%\n\x08key_path\x18\x01 \x03(\tB\x13\xf2\xde\x1f\x0fyaml:\"key_path\":\x04\x98\xa0\x1f\x00\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>ZZZZZZ\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py index 633ff3a8..4206411f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py @@ -12,94 +12,71 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/connection/v1/tx.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xfd\x01\n\x15MsgConnectionOpenInit\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12@\n\x0c\x63ounterparty\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12-\n\x0c\x64\x65lay_period\x18\x04 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\"\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1f\n\x1dMsgConnectionOpenInitResponse\"\x8f\x06\n\x14MsgConnectionOpenTry\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x43\n\x16previous_connection_id\x18\x02 \x01(\tB#\x18\x01\xf2\xde\x1f\x1dyaml:\"previous_connection_id\"\x12\x43\n\x0c\x63lient_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12@\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12-\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04\x42\x17\xf2\xde\x1f\x13yaml:\"delay_period\"\x12`\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.VersionB \xf2\xde\x1f\x1cyaml:\"counterparty_versions\"\x12M\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12)\n\nproof_init\x18\x08 \x01(\x0c\x42\x15\xf2\xde\x1f\x11yaml:\"proof_init\"\x12-\n\x0cproof_client\x18\t \x01(\x0c\x42\x17\xf2\xde\x1f\x13yaml:\"proof_client\"\x12\x33\n\x0fproof_consensus\x18\n \x01(\x0c\x42\x1a\xf2\xde\x1f\x16yaml:\"proof_consensus\"\x12U\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_height\"\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xfa\x04\n\x14MsgConnectionOpenAck\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12I\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\tB%\xf2\xde\x1f!yaml:\"counterparty_connection_id\"\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x43\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\"\x12M\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\'\n\tproof_try\x18\x06 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_try\"\x12-\n\x0cproof_client\x18\x07 \x01(\x0c\x42\x17\xf2\xde\x1f\x13yaml:\"proof_client\"\x12\x33\n\x0fproof_consensus\x18\x08 \x01(\x0c\x42\x1a\xf2\xde\x1f\x16yaml:\"proof_consensus\"\x12U\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1f\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"consensus_height\"\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\xdd\x01\n\x18MsgConnectionOpenConfirm\x12/\n\rconnection_id\x18\x01 \x01(\tB\x18\xf2\xde\x1f\x14yaml:\"connection_id\"\x12\'\n\tproof_ack\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"proof_ack\"\x12M\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1b\xc8\xde\x1f\x00\xf2\xde\x1f\x13yaml:\"proof_height\"\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\"\n MsgConnectionOpenConfirmResponse2\xf9\x03\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponseB>Z\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v7/modules/core/types' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"client_genesis\"' + _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"connection_genesis\"' + _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None - _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"channel_genesis\"' + _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=480 + _globals['_GENESISSTATE']._serialized_end=400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index ee872ac2..48efc944 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -12,18 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhostb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v7/modules/light-clients/09-localhost;localhost' + _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._loaded_options = None diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 9f1d32df..00743462 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -12,20 +12,20 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x81\x02\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\"\x12K\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08\x42&\xf2\xde\x1f\"yaml:\"allow_update_after_proposal\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xc4\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12G\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x05 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\x97\x02\n\x0cMisbehaviour\x12\'\n\tclient_id\x18\x01 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"client_id\"\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x62\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"\xa0\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12R\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xad\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12R\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeB\x14\xf2\xde\x1f\x10yaml:\"data_type\"\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"j\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x43\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x17\xf2\xde\x1f\x13yaml:\"client_state\":\x04\x88\xa0\x1f\x00\"s\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12I\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\"U\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12/\n\rnext_seq_recv\x18\x02 \x01(\x04\x42\x18\xf2\xde\x1f\x14yaml:\"next_seq_recv\"*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v7/modules/core/02-client/migrations/v7' + _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -48,96 +48,62 @@ _globals['_DATATYPE'].values_by_name["DATA_TYPE_NEXT_SEQUENCE_RECV"]._serialized_options = b'\212\235 \020NEXTSEQUENCERECV' _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._loaded_options = None _globals['_DATATYPE'].values_by_name["DATA_TYPE_HEADER"]._serialized_options = b'\212\235 \006HEADER' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_proposal']._serialized_options = b'\362\336\037\"yaml:\"allow_update_after_proposal\"' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None - _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None - _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\362\336\037\020yaml:\"client_id\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' - _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._loaded_options = None - _globals['_SIGNATUREANDDATA'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' - _globals['_SIGNBYTES'].fields_by_name['data_type']._loaded_options = None - _globals['_SIGNBYTES'].fields_by_name['data_type']._serialized_options = b'\362\336\037\020yaml:\"data_type\"' _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' - _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._loaded_options = None - _globals['_CLIENTSTATEDATA'].fields_by_name['client_state']._serialized_options = b'\362\336\037\023yaml:\"client_state\"' _globals['_CLIENTSTATEDATA']._loaded_options = None _globals['_CLIENTSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._loaded_options = None - _globals['_CONSENSUSSTATEDATA'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' _globals['_CONSENSUSSTATEDATA']._loaded_options = None _globals['_CONSENSUSSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CONNECTIONSTATEDATA']._loaded_options = None _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._loaded_options = None - _globals['_NEXTSEQUENCERECVDATA'].fields_by_name['next_seq_recv']._serialized_options = b'\362\336\037\024yaml:\"next_seq_recv\"' - _globals['_DATATYPE']._serialized_start=2335 - _globals['_DATATYPE']._serialized_end=2859 + _globals['_DATATYPE']._serialized_start=1890 + _globals['_DATATYPE']._serialized_end=2414 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=469 - _globals['_CONSENSUSSTATE']._serialized_start=471 - _globals['_CONSENSUSSTATE']._serialized_end=598 - _globals['_HEADER']._serialized_start=601 - _globals['_HEADER']._serialized_end=797 - _globals['_MISBEHAVIOUR']._serialized_start=800 - _globals['_MISBEHAVIOUR']._serialized_end=1079 - _globals['_SIGNATUREANDDATA']._serialized_start=1082 - _globals['_SIGNATUREANDDATA']._serialized_end=1242 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1244 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1346 - _globals['_SIGNBYTES']._serialized_start=1349 - _globals['_SIGNBYTES']._serialized_end=1522 - _globals['_HEADERDATA']._serialized_start=1525 - _globals['_HEADERDATA']._serialized_end=1663 - _globals['_CLIENTSTATEDATA']._serialized_start=1665 - _globals['_CLIENTSTATEDATA']._serialized_end=1771 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1773 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1888 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1890 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1990 - _globals['_CHANNELSTATEDATA']._serialized_start=1992 - _globals['_CHANNELSTATEDATA']._serialized_end=2077 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=2079 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=2135 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2137 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2203 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2205 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2245 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2247 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2332 + _globals['_CLIENTSTATE']._serialized_end=379 + _globals['_CONSENSUSSTATE']._serialized_start=381 + _globals['_CONSENSUSSTATE']._serialized_end=485 + _globals['_HEADER']._serialized_start=488 + _globals['_HEADER']._serialized_end=629 + _globals['_MISBEHAVIOUR']._serialized_start=632 + _globals['_MISBEHAVIOUR']._serialized_end=837 + _globals['_SIGNATUREANDDATA']._serialized_start=840 + _globals['_SIGNATUREANDDATA']._serialized_end=978 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 + _globals['_SIGNBYTES']._serialized_start=1058 + _globals['_SIGNBYTES']._serialized_end=1209 + _globals['_HEADERDATA']._serialized_start=1211 + _globals['_HEADERDATA']._serialized_end=1297 + _globals['_CLIENTSTATEDATA']._serialized_start=1299 + _globals['_CLIENTSTATEDATA']._serialized_end=1380 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 + _globals['_CHANNELSTATEDATA']._serialized_start=1573 + _globals['_CHANNELSTATEDATA']._serialized_end=1658 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index 6ac6b34f..d90dba0b 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -12,68 +12,48 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xb4\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\'\n\tis_frozen\x18\x02 \x01(\x08\x42\x14\xf2\xde\x1f\x10yaml:\"is_frozen\"\x12\x64\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateB\x1a\xf2\xde\x1f\x16yaml:\"consensus_state\":\x04\x88\xa0\x1f\x00\"\x7f\n\x0e\x43onsensusState\x12?\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x15\xf2\xde\x1f\x11yaml:\"public_key\"\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xb2\x01\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12G\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\x19\xf2\xde\x1f\x15yaml:\"new_public_key\"\x12\x33\n\x0fnew_diversifier\x18\x04 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\"\xee\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x62\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_one\"\x12\x62\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataB\x18\xf2\xde\x1f\x14yaml:\"signature_two\":\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"f\n\x18TimestampedSignatureData\x12\x31\n\x0esignature_data\x18\x01 \x01(\x0c\x42\x19\xf2\xde\x1f\x15yaml:\"signature_data\"\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\nHeaderData\x12\x41\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x16\xf2\xde\x1f\x12yaml:\"new_pub_key\"\x12\x33\n\x0fnew_diversifier\x18\x02 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_diversifier\":\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachineb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v7/modules/light-clients/06-solomachine;solomachine' - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['is_frozen']._serialized_options = b'\362\336\037\020yaml:\"is_frozen\"' - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['consensus_state']._serialized_options = b'\362\336\037\026yaml:\"consensus_state\"' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._loaded_options = None - _globals['_CONSENSUSSTATE'].fields_by_name['public_key']._serialized_options = b'\362\336\037\021yaml:\"public_key\"' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' - _globals['_HEADER'].fields_by_name['new_public_key']._loaded_options = None - _globals['_HEADER'].fields_by_name['new_public_key']._serialized_options = b'\362\336\037\025yaml:\"new_public_key\"' - _globals['_HEADER'].fields_by_name['new_diversifier']._loaded_options = None - _globals['_HEADER'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADER']._loaded_options = None _globals['_HEADER']._serialized_options = b'\210\240\037\000' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_one']._serialized_options = b'\362\336\037\024yaml:\"signature_one\"' - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['signature_two']._serialized_options = b'\362\336\037\024yaml:\"signature_two\"' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' _globals['_SIGNATUREANDDATA']._loaded_options = None _globals['_SIGNATUREANDDATA']._serialized_options = b'\210\240\037\000' - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._loaded_options = None - _globals['_TIMESTAMPEDSIGNATUREDATA'].fields_by_name['signature_data']._serialized_options = b'\362\336\037\025yaml:\"signature_data\"' _globals['_TIMESTAMPEDSIGNATUREDATA']._loaded_options = None _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_options = b'\210\240\037\000' _globals['_SIGNBYTES']._loaded_options = None _globals['_SIGNBYTES']._serialized_options = b'\210\240\037\000' - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._loaded_options = None - _globals['_HEADERDATA'].fields_by_name['new_pub_key']._serialized_options = b'\362\336\037\022yaml:\"new_pub_key\"' - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._loaded_options = None - _globals['_HEADERDATA'].fields_by_name['new_diversifier']._serialized_options = b'\362\336\037\026yaml:\"new_diversifier\"' _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=316 - _globals['_CONSENSUSSTATE']._serialized_start=318 - _globals['_CONSENSUSSTATE']._serialized_end=445 - _globals['_HEADER']._serialized_start=448 - _globals['_HEADER']._serialized_end=626 - _globals['_MISBEHAVIOUR']._serialized_start=629 - _globals['_MISBEHAVIOUR']._serialized_end=867 - _globals['_SIGNATUREANDDATA']._serialized_start=869 - _globals['_SIGNATUREANDDATA']._serialized_end=959 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=961 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1063 - _globals['_SIGNBYTES']._serialized_start=1065 - _globals['_SIGNBYTES']._serialized_end=1168 - _globals['_HEADERDATA']._serialized_start=1171 - _globals['_HEADERDATA']._serialized_end=1309 + _globals['_CLIENTSTATE']._serialized_end=266 + _globals['_CONSENSUSSTATE']._serialized_start=268 + _globals['_CONSENSUSSTATE']._serialized_end=372 + _globals['_HEADER']._serialized_start=374 + _globals['_HEADER']._serialized_end=497 + _globals['_MISBEHAVIOUR']._serialized_start=500 + _globals['_MISBEHAVIOUR']._serialized_end=686 + _globals['_SIGNATUREANDDATA']._serialized_start=688 + _globals['_SIGNATUREANDDATA']._serialized_end=778 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 + _globals['_SIGNBYTES']._serialized_start=857 + _globals['_SIGNBYTES']._serialized_end=960 + _globals['_HEADERDATA']._serialized_start=962 + _globals['_HEADERDATA']._serialized_end=1048 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index d0f2048d..99fce3bb 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -12,44 +12,40 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xc6\x06\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12Y\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x1a\xc8\xde\x1f\x00\xf2\xde\x1f\x12yaml:\"trust_level\"\x12V\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"trusting_period\"\x98\xdf\x1f\x01\x12X\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xf2\xde\x1f\x17yaml:\"unbonding_period\"\x98\xdf\x1f\x01\x12V\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\"\xc8\xde\x1f\x00\xf2\xde\x1f\x16yaml:\"max_clock_drift\"\x98\xdf\x1f\x01\x12O\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"frozen_height\"\x12O\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1c\xc8\xde\x1f\x00\xf2\xde\x1f\x14yaml:\"latest_height\"\x12G\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecB\x16\xf2\xde\x1f\x12yaml:\"proof_specs\"\x12-\n\x0cupgrade_path\x18\t \x03(\tB\x17\xf2\xde\x1f\x13yaml:\"upgrade_path\"\x12I\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42&\x18\x01\xf2\xde\x1f yaml:\"allow_update_after_expiry\"\x12U\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42,\x18\x01\xf2\xde\x1f&yaml:\"allow_update_after_misbehaviour\":\x04\x88\xa0\x1f\x00\"\xfa\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12q\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42S\xf2\xde\x1f\x1byaml:\"next_validators_hash\"\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xf3\x01\n\x0cMisbehaviour\x12)\n\tclient_id\x18\x01 \x01(\tB\x16\x18\x01\xf2\xde\x1f\x10yaml:\"client_id\"\x12X\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header1\xf2\xde\x1f\x0fyaml:\"header_1\"\x12X\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x1e\xe2\xde\x1f\x07Header2\xf2\xde\x1f\x0fyaml:\"header_2\":\x04\x88\xa0\x1f\x00\"\xdc\x02\n\x06Header\x12S\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x1c\xd0\xde\x1f\x01\xf2\xde\x1f\x14yaml:\"signed_header\"\x12O\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x18\xf2\xde\x1f\x14yaml:\"validator_set\"\x12Q\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"trusted_height\"\x12Y\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetB\x1d\xf2\xde\x1f\x19yaml:\"trusted_validators\"\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v7/modules/light-clients/07-tendermint;tendermint' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000\362\336\037\022yaml:\"trust_level\"' + _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"trusting_period\"\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\362\336\037\027yaml:\"unbonding_period\"\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['unbonding_period']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\362\336\037\026yaml:\"max_clock_drift\"\230\337\037\001' + _globals['_CLIENTSTATE'].fields_by_name['max_clock_drift']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"frozen_height\"' + _globals['_CLIENTSTATE'].fields_by_name['frozen_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000\362\336\037\024yaml:\"latest_height\"' - _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['proof_specs']._serialized_options = b'\362\336\037\022yaml:\"proof_specs\"' - _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['upgrade_path']._serialized_options = b'\362\336\037\023yaml:\"upgrade_path\"' + _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001\362\336\037 yaml:\"allow_update_after_expiry\"' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_expiry']._serialized_options = b'\030\001' _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._loaded_options = None - _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001\362\336\037&yaml:\"allow_update_after_misbehaviour\"' + _globals['_CLIENTSTATE'].fields_by_name['allow_update_after_misbehaviour']._serialized_options = b'\030\001' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CONSENSUSSTATE'].fields_by_name['timestamp']._loaded_options = None @@ -57,33 +53,29 @@ _globals['_CONSENSUSSTATE'].fields_by_name['root']._loaded_options = None _globals['_CONSENSUSSTATE'].fields_by_name['root']._serialized_options = b'\310\336\037\000' _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._loaded_options = None - _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\362\336\037\033yaml:\"next_validators_hash\"\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' + _globals['_CONSENSUSSTATE'].fields_by_name['next_validators_hash']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_CONSENSUSSTATE']._loaded_options = None _globals['_CONSENSUSSTATE']._serialized_options = b'\210\240\037\000' _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001\362\336\037\020yaml:\"client_id\"' + _globals['_MISBEHAVIOUR'].fields_by_name['client_id']._serialized_options = b'\030\001' _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1\362\336\037\017yaml:\"header_1\"' + _globals['_MISBEHAVIOUR'].fields_by_name['header_1']._serialized_options = b'\342\336\037\007Header1' _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._loaded_options = None - _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2\362\336\037\017yaml:\"header_2\"' + _globals['_MISBEHAVIOUR'].fields_by_name['header_2']._serialized_options = b'\342\336\037\007Header2' _globals['_MISBEHAVIOUR']._loaded_options = None _globals['_MISBEHAVIOUR']._serialized_options = b'\210\240\037\000' _globals['_HEADER'].fields_by_name['signed_header']._loaded_options = None - _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001\362\336\037\024yaml:\"signed_header\"' - _globals['_HEADER'].fields_by_name['validator_set']._loaded_options = None - _globals['_HEADER'].fields_by_name['validator_set']._serialized_options = b'\362\336\037\024yaml:\"validator_set\"' + _globals['_HEADER'].fields_by_name['signed_header']._serialized_options = b'\320\336\037\001' _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None - _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000\362\336\037\025yaml:\"trusted_height\"' - _globals['_HEADER'].fields_by_name['trusted_validators']._loaded_options = None - _globals['_HEADER'].fields_by_name['trusted_validators']._serialized_options = b'\362\336\037\031yaml:\"trusted_validators\"' + _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=1177 - _globals['_CONSENSUSSTATE']._serialized_start=1180 - _globals['_CONSENSUSSTATE']._serialized_end=1430 - _globals['_MISBEHAVIOUR']._serialized_start=1433 - _globals['_MISBEHAVIOUR']._serialized_end=1676 - _globals['_HEADER']._serialized_start=1679 - _globals['_HEADER']._serialized_end=2027 - _globals['_FRACTION']._serialized_start=2029 - _globals['_FRACTION']._serialized_end=2079 + _globals['_CLIENTSTATE']._serialized_end=901 + _globals['_CONSENSUSSTATE']._serialized_start=904 + _globals['_CONSENSUSSTATE']._serialized_end=1123 + _globals['_MISBEHAVIOUR']._serialized_start=1126 + _globals['_MISBEHAVIOUR']._serialized_end=1311 + _globals['_HEADER']._serialized_start=1314 + _globals['_HEADER']._serialized_end=1556 + _globals['_FRACTION']._serialized_start=1558 + _globals['_FRACTION']._serialized_end=1608 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index b619d8d3..f3694a41 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -12,11 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"{\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12S\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\xe8\xa0\x1f\x01\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -25,27 +26,31 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\016auction/Params' _globals['_BID'].fields_by_name['bidder']._loaded_options = None _globals['_BID'].fields_by_name['bidder']._serialized_options = b'\352\336\037\006bidder\362\336\037\ryaml:\"bidder\"' _globals['_BID'].fields_by_name['amount']._loaded_options = None _globals['_BID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' + _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None + _globals['_LASTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTBID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTBID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTAUCTIONRESULT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._serialized_start=124 - _globals['_PARAMS']._serialized_end=247 - _globals['_BID']._serialized_start=249 - _globals['_BID']._serialized_end=364 - _globals['_EVENTBID']._serialized_start=366 - _globals['_EVENTBID']._serialized_end=472 - _globals['_EVENTAUCTIONRESULT']._serialized_start=474 - _globals['_EVENTAUCTIONRESULT']._serialized_end=590 - _globals['_EVENTAUCTIONSTART']._serialized_start=593 - _globals['_EVENTAUCTIONSTART']._serialized_end=750 + _globals['_PARAMS']._serialized_start=144 + _globals['_PARAMS']._serialized_end=275 + _globals['_BID']._serialized_start=277 + _globals['_BID']._serialized_end=392 + _globals['_LASTAUCTIONRESULT']._serialized_start=394 + _globals['_LASTAUCTIONRESULT']._serialized_end=509 + _globals['_EVENTBID']._serialized_start=511 + _globals['_EVENTBID']._serialized_end=617 + _globals['_EVENTAUCTIONRESULT']._serialized_start=619 + _globals['_EVENTAUCTIONRESULT']._serialized_end=735 + _globals['_EVENTAUCTIONSTART']._serialized_start=738 + _globals['_EVENTAUCTIONSTART']._serialized_end=895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 43ba3961..26d5e1e7 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from pyinjective.proto.injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x93\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12H\n\x10highestBidAmount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState2\xa1\x04\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_stateBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -32,13 +32,15 @@ _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._loaded_options = None - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['highestBidAmount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_QUERY'].methods_by_name['AuctionParams']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionParams']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/params' _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._loaded_options = None _globals['_QUERY'].methods_by_name['CurrentAuctionBasket']._serialized_options = b'\202\323\344\223\002#\022!/injective/auction/v1beta1/basket' _globals['_QUERY'].methods_by_name['AuctionModuleState']._loaded_options = None _globals['_QUERY'].methods_by_name['AuctionModuleState']._serialized_options = b'\202\323\344\223\002)\022\'/injective/auction/v1beta1/module_state' + _globals['_QUERY'].methods_by_name['LastAuctionResult']._loaded_options = None + _globals['_QUERY'].methods_by_name['LastAuctionResult']._serialized_options = b'\202\323\344\223\0020\022./injective/auction/v1beta1/last_auction_result' _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 @@ -46,11 +48,15 @@ _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=662 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=664 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=689 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=691 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=773 - _globals['_QUERY']._serialized_start=776 - _globals['_QUERY']._serialized_end=1321 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 + _globals['_QUERY']._serialized_start=901 + _globals['_QUERY']._serialized_end=1641 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 8bb4ae1a..94191280 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 +from injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -55,6 +55,11 @@ def __init__(self, channel): request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.SerializeToString, response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.FromString, _registered_method=True) + self.LastAuctionResult = channel.unary_unary( + '/injective.auction.v1beta1.Query/LastAuctionResult', + request_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, + response_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -82,6 +87,12 @@ def AuctionModuleState(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def LastAuctionResult(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -100,6 +111,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateRequest.FromString, response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryModuleStateResponse.SerializeToString, ), + 'LastAuctionResult': grpc.unary_unary_rpc_method_handler( + servicer.LastAuctionResult, + request_deserializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.FromString, + response_serializer=injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.auction.v1beta1.Query', rpc_method_handlers) @@ -192,3 +208,30 @@ def AuctionModuleState(request, timeout, metadata, _registered_method=True) + + @staticmethod + def LastAuctionResult(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.auction.v1beta1.Query/LastAuctionResult', + injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultRequest.SerializeToString, + injective_dot_auction_dot_v1beta1_dot_query__pb2.QueryLastAuctionResultResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index cdb2b3c9..578a21f4 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -12,14 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\"q\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x10\n\x0eMsgBidResponse\"\x87\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xca\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponseBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,21 +31,23 @@ _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' _globals['_MSGBID']._loaded_options = None - _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGBID']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\016auction/MsgBid' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGBID']._serialized_start=212 - _globals['_MSGBID']._serialized_end=325 - _globals['_MSGBIDRESPONSE']._serialized_start=327 - _globals['_MSGBIDRESPONSE']._serialized_end=343 - _globals['_MSGUPDATEPARAMS']._serialized_start=346 - _globals['_MSGUPDATEPARAMS']._serialized_end=481 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=483 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=508 - _globals['_MSG']._serialized_start=511 - _globals['_MSG']._serialized_end=713 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\027auction/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGBID']._serialized_start=232 + _globals['_MSGBID']._serialized_end=364 + _globals['_MSGBIDRESPONSE']._serialized_start=366 + _globals['_MSGBIDRESPONSE']._serialized_end=382 + _globals['_MSGUPDATEPARAMS']._serialized_start=385 + _globals['_MSGUPDATEPARAMS']._serialized_end=548 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 + _globals['_MSG']._serialized_start=578 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index 2ff4f061..1a83f6dd 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 2e824092..84cc035a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -12,10 +12,11 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\"\x1b\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:\x04\x98\xa0\x1f\x00\"\x16\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,9 +25,11 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' _globals['_PUBKEY']._loaded_options = None - _globals['_PUBKEY']._serialized_options = b'\230\240\037\000' - _globals['_PUBKEY']._serialized_start=113 - _globals['_PUBKEY']._serialized_end=140 - _globals['_PRIVKEY']._serialized_start=142 - _globals['_PRIVKEY']._serialized_end=164 + _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' + _globals['_PRIVKEY']._loaded_options = None + _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' + _globals['_PUBKEY']._serialized_start=132 + _globals['_PUBKEY']._serialized_end=206 + _globals['_PRIVKEY']._serialized_start=208 + _globals['_PRIVKEY']._serialized_end=280 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index fb52f2a9..52226e62 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -12,10 +12,11 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"Y\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"T\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"_\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"e\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"Z\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"`\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:\x11\xca\xb4-\rAuthorization\"t\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:\x11\xca\xb4-\rAuthorizationBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,47 +25,47 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CreateSpotMarketOrderAuthz' _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/BatchCreateSpotLimitOrdersAuthz' _globals['_CANCELSPOTORDERAUTHZ']._loaded_options = None - _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CANCELSPOTORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\035exchange/CancelSpotOrderAuthz' _globals['_BATCHCANCELSPOTORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/BatchCancelSpotOrdersAuthz' _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._loaded_options = None - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*(exchange/CreateDerivativeLimitOrderAuthz' _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._loaded_options = None - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/CreateDerivativeMarketOrderAuthz' _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*.exchange/BatchCreateDerivativeLimitOrdersAuthz' _globals['_CANCELDERIVATIVEORDERAUTHZ']._loaded_options = None - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*#exchange/CancelDerivativeOrderAuthz' _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._loaded_options = None - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*)exchange/BatchCancelDerivativeOrdersAuthz' _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization' - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=97 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=186 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=188 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=278 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=280 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=375 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=377 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=461 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=463 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=553 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=555 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=650 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=652 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=748 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=750 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=851 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=853 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=943 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=945 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1041 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1043 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1159 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 9d7fde68..64c2584b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\xa8\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12J\n\x12\x63umulative_funding\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\x81\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12_\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12U\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\xa6\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x44\n\x0c\x66unding_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmark_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xb5\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12G\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\x8c\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\"@\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,11 +27,11 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None - _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._loaded_options = None - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_order_cancels']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._loaded_options = None _globals['_EVENTBINARYOPTIONSMARKETUPDATE'].fields_by_name['market']._serialized_options = b'\310\336\037\000' _globals['_EVENTCANCELSPOTORDER'].fields_by_name['order']._loaded_options = None @@ -51,9 +51,9 @@ _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._loaded_options = None _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding']._serialized_options = b'\310\336\037\000' _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._loaded_options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['funding_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._loaded_options = None - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSUBACCOUNTDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTSUBACCOUNTWITHDRAW'].fields_by_name['amount']._loaded_options = None @@ -63,7 +63,7 @@ _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._loaded_options = None _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERCANCEL'].fields_by_name['cancel_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._loaded_options = None _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' _globals['_EVENTCANCELDERIVATIVEORDER'].fields_by_name['market_order_cancel']._loaded_options = None @@ -72,68 +72,78 @@ _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['limit_order']._serialized_options = b'\310\336\037\001' _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._loaded_options = None _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER'].fields_by_name['market_order']._serialized_options = b'\310\336\037\001' + _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None + _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=687 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=690 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=947 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=949 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1065 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1067 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1194 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1196 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1296 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1298 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1393 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1395 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1498 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1501 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=1669 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1672 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1858 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=1860 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=1966 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1968 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2053 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2056 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2313 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2316 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2511 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2514 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2808 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2810 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2927 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2929 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3047 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3050 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3185 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3187 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3280 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3283 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3464 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3467 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3706 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3708 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3801 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3804 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3995 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3997 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4098 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4101 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4249 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4252 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4489 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4492 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4632 - _globals['_EVENTORDERFAIL']._serialized_start=4634 - _globals['_EVENTORDERFAIL']._serialized_end=4698 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4700 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4826 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4829 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4991 - _globals['_ORDERBOOKUPDATE']._serialized_start=4993 - _globals['_ORDERBOOKUPDATE']._serialized_end=5081 - _globals['_ORDERBOOK']._serialized_start=5084 - _globals['_ORDERBOOK']._serialized_end=5225 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 + _globals['_EVENTORDERFAIL']._serialized_start=4597 + _globals['_EVENTORDERFAIL']._serialized_end=4675 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 + _globals['_ORDERBOOKUPDATE']._serialized_start=4970 + _globals['_ORDERBOOKUPDATE']._serialized_end=5058 + _globals['_ORDERBOOK']._serialized_start=5061 + _globals['_ORDERBOOK']._serialized_end=5202 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 + _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 + _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 + _globals['_EVENTINVALIDGRANT']._serialized_start=5418 + _globals['_EVENTINVALIDGRANT']._serialized_end=5471 + _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 + _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index f59c5f47..6bda7c87 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x99\x0f\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12S\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12S\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Y\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n default_maintenance_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12N\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12W\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12T\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12_\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12T\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12_\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12i\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03:\x04\xe8\xa0\x1f\x01\"v\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x46\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xbf\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\xa7\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x10 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x11 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x04\x88\xa0\x1f\x00\"\x92\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12^\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10settlement_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x81\x02\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12O\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14hourly_interest_rate\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xc6\x01\n\x16PerpetualMarketFunding\x12J\n\x12\x63umulative_funding\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"}\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x10settlement_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xe4\x01\n\x0eMidPriceAndTOB\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x8f\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9b\x01\n\x07\x44\x65posit\x12I\n\x11\x61vailable_balance\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtotal_balance\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xc7\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xe1\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa9\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\xae\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x44\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa7\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe9\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12V\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12R\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\xa8\x01\n\x0fSubaccountOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xef\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xf3\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bmargin_hold\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rtrigger_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xb3\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\xa5\x02\n\x08TradeLog\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xff\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12J\n\x12\x65xecution_quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65xecution_margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x65xecution_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb1\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\xb4\x01\n\x10PointsMultiplier\x12O\n\x17maker_points_multiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12O\n\x17taker_points_multiplier\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\xb6\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12K\n\x13maker_discount_rate\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13taker_discount_rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x45\n\rstaked_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12>\n\x06volume\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x9a\x01\n\x0cVolumeRecord\x12\x44\n\x0cmaker_volume\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctaker_volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\xa1\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n\x05Level\x12\x39\n\x01p\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x39\n\x01q\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -68,189 +69,197 @@ _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['derivative_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_spot_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_spot_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_derivative_maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_derivative_taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['default_hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._loaded_options = None - _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_PARAMS'].fields_by_name['inj_reward_staked_requirement_threshold']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['liquidator_reward_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['binary_options_market_instant_listing_fee']._serialized_options = b'\310\336\037\000' _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['spot_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['derivative_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._loaded_options = None - _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None - _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\017exchange/Params' _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None - _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MARKETFEEMULTIPLIER']._loaded_options = None _globals['_MARKETFEEMULTIPLIER']._serialized_options = b'\210\240\037\000' _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_DERIVATIVEMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKET']._loaded_options = None _globals['_DERIVATIVEMARKET']._serialized_options = b'\210\240\037\000' _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None - _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKET']._loaded_options = None _globals['_BINARYOPTIONSMARKET']._serialized_options = b'\210\240\037\000' _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['expiration_twap_start_price_cumulative']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._loaded_options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_funding_rate_cap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._loaded_options = None - _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETINFO'].fields_by_name['hourly_interest_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._loaded_options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._loaded_options = None - _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETFUNDING'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._loaded_options = None - _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETSETTLEMENTINFO'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MIDPRICEANDTOB'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKET'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKET'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKET'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DEPOSIT'].fields_by_name['available_balance']._loaded_options = None - _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DEPOSIT'].fields_by_name['available_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DEPOSIT'].fields_by_name['total_balance']._loaded_options = None - _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DEPOSIT'].fields_by_name['total_balance']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_ORDERINFO'].fields_by_name['price']._loaded_options = None - _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORDERINFO'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_ORDERINFO'].fields_by_name['quantity']._loaded_options = None - _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORDERINFO'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_SPOTORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTLIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTLIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_SPOTMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._loaded_options = None - _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDER'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_DERIVATIVEORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._loaded_options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_reduce_only_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._loaded_options = None - _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDERBOOKMETADATA'].fields_by_name['aggregate_vanilla_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SUBACCOUNTORDER'].fields_by_name['price']._loaded_options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SUBACCOUNTORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVELIMITORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVELIMITORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._loaded_options = None _globals['_DERIVATIVEMARKETORDER'].fields_by_name['order_info']._serialized_options = b'\310\336\037\000' _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['margin_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._loaded_options = None - _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDER'].fields_by_name['trigger_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['margin']._loaded_options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADELOG'].fields_by_name['quantity']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADELOG'].fields_by_name['price']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADELOG'].fields_by_name['fee']._loaded_options = None - _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_TRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITIONDELTA'].fields_by_name['execution_quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITIONDELTA'].fields_by_name['execution_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITIONDELTA'].fields_by_name['execution_price']._loaded_options = None - _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITIONDELTA'].fields_by_name['execution_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADELOG'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADELOG'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' + _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._loaded_options = None + _globals['_DERIVATIVETRADELOG'].fields_by_name['pnl']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._loaded_options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POINTSMULTIPLIER'].fields_by_name['maker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._loaded_options = None - _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POINTSMULTIPLIER'].fields_by_name['taker_points_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._loaded_options = None _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['spot_market_multipliers']._serialized_options = b'\310\336\037\000' _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO'].fields_by_name['derivative_market_multipliers']._loaded_options = None @@ -258,133 +267,145 @@ _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._loaded_options = None _globals['_CAMPAIGNREWARDPOOL'].fields_by_name['max_campaign_rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['maker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['taker_discount_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['staked_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._loaded_options = None - _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDISCOUNTTIERINFO'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._loaded_options = None - _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_VOLUMERECORD'].fields_by_name['maker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._loaded_options = None - _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_VOLUMERECORD'].fields_by_name['taker_volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._loaded_options = None _globals['_ACCOUNTREWARDS'].fields_by_name['rewards']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRADERECORD'].fields_by_name['price']._loaded_options = None - _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADERECORD'].fields_by_name['quantity']._loaded_options = None - _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADERECORD'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_LEVEL'].fields_by_name['p']._loaded_options = None - _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_LEVEL'].fields_by_name['p']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_LEVEL'].fields_by_name['q']._loaded_options = None - _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_LEVEL'].fields_by_name['q']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MARKETVOLUME'].fields_by_name['volume']._loaded_options = None _globals['_MARKETVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12505 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12621 - _globals['_MARKETSTATUS']._serialized_start=12623 - _globals['_MARKETSTATUS']._serialized_end=12707 - _globals['_ORDERTYPE']._serialized_start=12710 - _globals['_ORDERTYPE']._serialized_end=13025 - _globals['_EXECUTIONTYPE']._serialized_start=13028 - _globals['_EXECUTIONTYPE']._serialized_end=13203 - _globals['_ORDERMASK']._serialized_start=13206 - _globals['_ORDERMASK']._serialized_end=13471 - _globals['_PARAMS']._serialized_start=167 - _globals['_PARAMS']._serialized_end=2112 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2114 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=2232 - _globals['_DERIVATIVEMARKET']._serialized_start=2235 - _globals['_DERIVATIVEMARKET']._serialized_end=3066 - _globals['_BINARYOPTIONSMARKET']._serialized_start=3069 - _globals['_BINARYOPTIONSMARKET']._serialized_end=3876 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3879 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4153 - _globals['_PERPETUALMARKETINFO']._serialized_start=4156 - _globals['_PERPETUALMARKETINFO']._serialized_end=4413 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=4416 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=4614 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4616 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4741 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4743 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4789 - _globals['_MIDPRICEANDTOB']._serialized_start=4792 - _globals['_MIDPRICEANDTOB']._serialized_end=5020 - _globals['_SPOTMARKET']._serialized_start=5023 - _globals['_SPOTMARKET']._serialized_end=5550 - _globals['_DEPOSIT']._serialized_start=5553 - _globals['_DEPOSIT']._serialized_end=5708 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5710 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5747 - _globals['_ORDERINFO']._serialized_start=5750 - _globals['_ORDERINFO']._serialized_end=5949 - _globals['_SPOTORDER']._serialized_start=5952 - _globals['_SPOTORDER']._serialized_end=6177 - _globals['_SPOTLIMITORDER']._serialized_start=6180 - _globals['_SPOTLIMITORDER']._serialized_end=6477 - _globals['_SPOTMARKETORDER']._serialized_start=6480 - _globals['_SPOTMARKETORDER']._serialized_end=6782 - _globals['_DERIVATIVEORDER']._serialized_start=6785 - _globals['_DERIVATIVEORDER']._serialized_end=7080 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=7083 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7444 - _globals['_SUBACCOUNTORDER']._serialized_start=7447 - _globals['_SUBACCOUNTORDER']._serialized_end=7615 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=7617 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=7718 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7721 - _globals['_DERIVATIVELIMITORDER']._serialized_end=8088 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=8091 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=8462 - _globals['_POSITION']._serialized_start=8465 - _globals['_POSITION']._serialized_end=8772 - _globals['_MARKETORDERINDICATOR']._serialized_start=8774 - _globals['_MARKETORDERINDICATOR']._serialized_end=8830 - _globals['_TRADELOG']._serialized_start=8833 - _globals['_TRADELOG']._serialized_end=9126 - _globals['_POSITIONDELTA']._serialized_start=9129 - _globals['_POSITIONDELTA']._serialized_end=9384 - _globals['_DERIVATIVETRADELOG']._serialized_start=9387 - _globals['_DERIVATIVETRADELOG']._serialized_end=9692 - _globals['_SUBACCOUNTPOSITION']._serialized_start=9694 - _globals['_SUBACCOUNTPOSITION']._serialized_end=9793 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9795 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9891 - _globals['_DEPOSITUPDATE']._serialized_start=9893 - _globals['_DEPOSITUPDATE']._serialized_end=9988 - _globals['_POINTSMULTIPLIER']._serialized_start=9991 - _globals['_POINTSMULTIPLIER']._serialized_end=10171 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=10174 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10454 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10457 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10609 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10612 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10824 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10827 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=11137 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=11140 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=11332 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=11334 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=11391 - _globals['_VOLUMERECORD']._serialized_start=11394 - _globals['_VOLUMERECORD']._serialized_end=11548 - _globals['_ACCOUNTREWARDS']._serialized_start=11550 - _globals['_ACCOUNTREWARDS']._serialized_end=11677 - _globals['_TRADERECORDS']._serialized_start=11679 - _globals['_TRADERECORDS']._serialized_end=11783 - _globals['_SUBACCOUNTIDS']._serialized_start=11785 - _globals['_SUBACCOUNTIDS']._serialized_end=11824 - _globals['_TRADERECORD']._serialized_start=11827 - _globals['_TRADERECORD']._serialized_end=11988 - _globals['_LEVEL']._serialized_start=11990 - _globals['_LEVEL']._serialized_end=12115 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=12117 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=12239 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=12241 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=12354 - _globals['_MARKETVOLUME']._serialized_start=12356 - _globals['_MARKETVOLUME']._serialized_end=12453 - _globals['_DENOMDECIMALS']._serialized_start=12455 - _globals['_DENOMDECIMALS']._serialized_end=12503 + _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._loaded_options = None + _globals['_GRANTAUTHORIZATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_ACTIVEGRANT'].fields_by_name['amount']._loaded_options = None + _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None + _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 + _globals['_MARKETSTATUS']._serialized_start=12382 + _globals['_MARKETSTATUS']._serialized_end=12466 + _globals['_ORDERTYPE']._serialized_start=12469 + _globals['_ORDERTYPE']._serialized_end=12784 + _globals['_EXECUTIONTYPE']._serialized_start=12787 + _globals['_EXECUTIONTYPE']._serialized_end=12962 + _globals['_ORDERMASK']._serialized_start=12965 + _globals['_ORDERMASK']._serialized_end=13230 + _globals['_PARAMS']._serialized_start=186 + _globals['_PARAMS']._serialized_end=2064 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 + _globals['_DERIVATIVEMARKET']._serialized_start=2176 + _globals['_DERIVATIVEMARKET']._serialized_end=3031 + _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 + _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 + _globals['_PERPETUALMARKETINFO']._serialized_start=4119 + _globals['_PERPETUALMARKETINFO']._serialized_end=4354 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 + _globals['_MIDPRICEANDTOB']._serialized_start=4700 + _globals['_MIDPRICEANDTOB']._serialized_end=4895 + _globals['_SPOTMARKET']._serialized_start=4898 + _globals['_SPOTMARKET']._serialized_end=5471 + _globals['_DEPOSIT']._serialized_start=5474 + _globals['_DEPOSIT']._serialized_end=5607 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 + _globals['_ORDERINFO']._serialized_start=5649 + _globals['_ORDERINFO']._serialized_end=5826 + _globals['_SPOTORDER']._serialized_start=5829 + _globals['_SPOTORDER']._serialized_end=6043 + _globals['_SPOTLIMITORDER']._serialized_start=6046 + _globals['_SPOTLIMITORDER']._serialized_end=6321 + _globals['_SPOTMARKETORDER']._serialized_start=6324 + _globals['_SPOTMARKETORDER']._serialized_end=6604 + _globals['_DERIVATIVEORDER']._serialized_start=6607 + _globals['_DERIVATIVEORDER']._serialized_end=6880 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 + _globals['_SUBACCOUNTORDER']._serialized_start=7225 + _globals['_SUBACCOUNTORDER']._serialized_end=7384 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 + _globals['_POSITION']._serialized_start=8168 + _globals['_POSITION']._serialized_end=8431 + _globals['_MARKETORDERINDICATOR']._serialized_start=8433 + _globals['_MARKETORDERINDICATOR']._serialized_end=8489 + _globals['_TRADELOG']._serialized_start=8492 + _globals['_TRADELOG']._serialized_end=8752 + _globals['_POSITIONDELTA']._serialized_start=8755 + _globals['_POSITIONDELTA']._serialized_end=8977 + _globals['_DERIVATIVETRADELOG']._serialized_start=8980 + _globals['_DERIVATIVETRADELOG']._serialized_end=9313 + _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 + _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 + _globals['_DEPOSITUPDATE']._serialized_start=9514 + _globals['_DEPOSITUPDATE']._serialized_end=9609 + _globals['_POINTSMULTIPLIER']._serialized_start=9612 + _globals['_POINTSMULTIPLIER']._serialized_end=9770 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 + _globals['_VOLUMERECORD']._serialized_start=10943 + _globals['_VOLUMERECORD']._serialized_end=11075 + _globals['_ACCOUNTREWARDS']._serialized_start=11077 + _globals['_ACCOUNTREWARDS']._serialized_end=11204 + _globals['_TRADERECORDS']._serialized_start=11206 + _globals['_TRADERECORDS']._serialized_end=11310 + _globals['_SUBACCOUNTIDS']._serialized_start=11312 + _globals['_SUBACCOUNTIDS']._serialized_end=11351 + _globals['_TRADERECORD']._serialized_start=11354 + _globals['_TRADERECORD']._serialized_end=11493 + _globals['_LEVEL']._serialized_start=11495 + _globals['_LEVEL']._serialized_end=11598 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 + _globals['_MARKETVOLUME']._serialized_start=11839 + _globals['_MARKETVOLUME']._serialized_end=11936 + _globals['_DENOMDECIMALS']._serialized_start=11938 + _globals['_DENOMDECIMALS']._serialized_end=11986 + _globals['_GRANTAUTHORIZATION']._serialized_start=11988 + _globals['_GRANTAUTHORIZATION']._serialized_end=12072 + _globals['_ACTIVEGRANT']._serialized_start=12074 + _globals['_ACTIVEGRANT']._serialized_end=12151 + _globals['_EFFECTIVEGRANT']._serialized_start=12153 + _globals['_EFFECTIVEGRANT']._serialized_end=12262 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index 0ce25dcc..cf0273a2 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\x91\x15\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"`\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"u\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12>\n\x06points\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -48,9 +48,9 @@ _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._loaded_options = None - _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ACCOUNTVOLUME'].fields_by_name['volume']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS'].fields_by_name['points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTORDERBOOK']._loaded_options = None _globals['_SPOTORDERBOOK']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DERIVATIVEORDERBOOK']._loaded_options = None @@ -65,34 +65,40 @@ _globals['_SUBACCOUNTNONCE'].fields_by_name['subaccount_trade_nonce']._serialized_options = b'\310\336\037\000' _globals['_SUBACCOUNTNONCE']._loaded_options = None _globals['_SUBACCOUNTNONCE']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None + _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=2880 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=2882 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=2938 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=2940 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3050 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3053 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3185 - _globals['_ACCOUNTVOLUME']._serialized_start=3187 - _globals['_ACCOUNTVOLUME']._serialized_end=3283 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3285 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3402 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3405 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3573 - _globals['_SPOTORDERBOOK']._serialized_start=3575 - _globals['_SPOTORDERBOOK']._serialized_end=3698 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=3701 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=3836 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3839 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4210 - _globals['_BALANCE']._serialized_start=4212 - _globals['_BALANCE']._serialized_end=4324 - _globals['_DERIVATIVEPOSITION']._serialized_start=4327 - _globals['_DERIVATIVEPOSITION']._serialized_end=4455 - _globals['_SUBACCOUNTNONCE']._serialized_start=4458 - _globals['_SUBACCOUNTNONCE']._serialized_end=4596 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4598 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4721 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4723 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4840 + _globals['_GENESISSTATE']._serialized_end=3031 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 + _globals['_ACCOUNTVOLUME']._serialized_start=3338 + _globals['_ACCOUNTVOLUME']._serialized_end=3423 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 + _globals['_SPOTORDERBOOK']._serialized_start=3704 + _globals['_SPOTORDERBOOK']._serialized_end=3827 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 + _globals['_BALANCE']._serialized_start=4341 + _globals['_BALANCE']._serialized_end=4453 + _globals['_DERIVATIVEPOSITION']._serialized_start=4456 + _globals['_DERIVATIVEPOSITION']._serialized_end=4584 + _globals['_SUBACCOUNTNONCE']._serialized_start=4587 + _globals['_SUBACCOUNTNONCE']._serialized_end=4725 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 + _globals['_FULLACTIVEGRANT']._serialized_start=5178 + _globals['_FULLACTIVEGRANT']._serialized_end=5275 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 4bcc35f7..9ae28250 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -12,16 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\xb5\x04\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x86\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe7\t\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcc\x03\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12K\n\x13min_price_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe0\x05\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12L\n\x14initial_margin_ratio\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x94\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xf4\x05\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0f \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb6\x07\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12L\n\x14initial_margin_ratio\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0emaker_fee_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\t \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\n \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12J\n\x12HourlyInterestRate\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc9\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12H\n\x10settlement_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xac\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9c\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x46\n\x0emaker_fee_rate\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x07 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x08 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12H\n\x10settlement_price\x18\x0b \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x8e\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xef\x02\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"p\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x42\n\nnew_points\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xe3\x01\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa4\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb9\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xcd\x01\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -36,163 +37,185 @@ _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["DERIVATIVES"]._serialized_options = b'\212\235 \013DERIVATIVES' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/SpotMarketParamUpdateProposal' _globals['_EXCHANGEENABLEPROPOSAL']._loaded_options = None - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000' + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\037exchange/ExchangeEnableProposal' _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._loaded_options = None - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BatchExchangeModificationProposal' _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_SPOTMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!exchange/SpotMarketLaunchProposal' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_PERPETUALMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&exchange/PerpetualMarketLaunchProposal' _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/BinaryOptionsMarketLaunchProposal' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._loaded_options = None - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260**exchange/ExpiryFuturesMarketLaunchProposal' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyInterestRate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['HourlyFundingRateCap']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/DerivativeMarketParamUpdateProposal' _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._loaded_options = None - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'exchange/MarketForcedSettlementProposal' _globals['_UPDATEDENOMDECIMALSPROPOSAL']._loaded_options = None - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*$exchange/UpdateDenomDecimalsProposal' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['relayer_fee_share_rate']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['ticker']._serialized_options = b'\310\336\037\001' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._loaded_options = None + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._loaded_options = None - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*/exchange/BinaryOptionsMarketParamUpdateProposal' _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignLaunchProposal' _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,exchange/TradingRewardCampaignUpdateProposal' _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._loaded_options = None - _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_REWARDPOINTUPDATE'].fields_by_name['new_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._loaded_options = None - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*1exchange/TradingRewardPendingPointsUpdateProposal' _globals['_FEEDISCOUNTPROPOSAL']._loaded_options = None - _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_FEEDISCOUNTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034exchange/FeeDiscountProposal' _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._loaded_options = None - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_EXCHANGETYPE']._serialized_start=8872 - _globals['_EXCHANGETYPE']._serialized_end=8992 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=310 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=875 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=878 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1012 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1015 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2270 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2273 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=2733 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=2736 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3472 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3475 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4135 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4138 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=4894 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=4897 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=5847 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=5850 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6051 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6054 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=6226 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=6229 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7025 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=7028 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=7172 - _globals['_ORACLEPARAMS']._serialized_start=7175 - _globals['_ORACLEPARAMS']._serialized_end=7320 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=7323 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=7593 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=7596 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=7963 - _globals['_REWARDPOINTUPDATE']._serialized_start=7965 - _globals['_REWARDPOINTUPDATE']._serialized_end=8077 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=8080 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=8307 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=8310 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=8474 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=8477 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=8662 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=8665 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=8870 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' + _globals['_EXCHANGETYPE']._serialized_start=10062 + _globals['_EXCHANGETYPE']._serialized_end=10182 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 + _globals['_ADMININFO']._serialized_start=6564 + _globals['_ADMININFO']._serialized_end=6617 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 + _globals['_ORACLEPARAMS']._serialized_start=8086 + _globals['_ORACLEPARAMS']._serialized_end=8231 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 + _globals['_REWARDPOINTUPDATE']._serialized_start=8974 + _globals['_REWARDPOINTUPDATE']._serialized_end=9075 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index 92268c7d..d6d3ffa1 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x9e\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12Q\n\x19limit_cumulative_notional\x18\x04 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12Q\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xfd\x01\n\x15TrimmedSpotLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xf5\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xfb\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x41\n\tmid_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x96\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12Q\n\x19limit_cumulative_notional\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xf2\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x43\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cquote_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xb3\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x44\n\x0cquote_amount\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12G\n\x0freference_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xce\x02\n\x1bTrimmedDerivativeLimitOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x66illable\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"\x8d\x01\n\nPriceLevel\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\x86\x03\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x42\n\nmark_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xf5\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"u\n\x1eQueryTradeRewardPointsResponse\x12S\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xf3\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Q\n\x19total_trade_reward_points\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12Y\n!pending_total_trade_reward_points\x18\x05 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\x8a\x03\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0e\x65xpected_total\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\ndifference\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x84\x02\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x41\n\tavailable\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05total\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xe5\x01\n\x1dQueryMarketVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xf6\x02\n!TrimmedDerivativeConditionalOrder\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08quantity\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0ctriggerPrice\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"u\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x42\n\nmultiplier\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd`\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplierBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -40,57 +40,57 @@ _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._loaded_options = None _globals['_QUERYDENOMDECIMALSRESPONSE'].fields_by_name['denom_decimals']._serialized_options = b'\310\336\037\000' _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._loaded_options = None - _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYSPOTORDERBOOKREQUEST'].fields_by_name['limit_cumulative_quantity']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLSPOTMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDSPOTLIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['mid_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_buy_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._loaded_options = None - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE'].fields_by_name['best_sell_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._loaded_options = None - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST'].fields_by_name['limit_cumulative_notional']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['base_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._loaded_options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['quote_amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._loaded_options = None - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST'].fields_by_name['reference_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._loaded_options = None - _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['fillable']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVELIMITORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' _globals['_PRICELEVEL'].fields_by_name['price']._loaded_options = None - _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICELEVEL'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICELEVEL'].fields_by_name['quantity']._loaded_options = None - _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICELEVEL'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._loaded_options = None - _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mark_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._loaded_options = None _globals['_FULLDERIVATIVEMARKET'].fields_by_name['mid_price_and_tob']._serialized_options = b'\310\336\037\001' _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None @@ -98,11 +98,11 @@ _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._loaded_options = None - _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EFFECTIVEPOSITION'].fields_by_name['effective_margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\001' _globals['_QUERYPERPETUALMARKETINFORESPONSE'].fields_by_name['info']._loaded_options = None @@ -116,43 +116,47 @@ _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._loaded_options = None _globals['_QUERYPOSITIONSRESPONSE'].fields_by_name['state']._serialized_options = b'\310\336\037\000' _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADEREWARDPOINTSRESPONSE'].fields_by_name['account_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._loaded_options = None - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE'].fields_by_name['pending_total_trade_reward_points']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEMISMATCH'].fields_by_name['available']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEMISMATCH'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEMISMATCH'].fields_by_name['total']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEMISMATCH'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEMISMATCH'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEMISMATCH'].fields_by_name['expected_total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEMISMATCH'].fields_by_name['difference']._loaded_options = None - _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEMISMATCH'].fields_by_name['difference']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['available']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['total']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._loaded_options = None - _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_BALANCEWITHMARGINHOLD'].fields_by_name['balance_hold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None - _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYMARKETVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._loaded_options = None - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['triggerPrice']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isBuy']._serialized_options = b'\352\336\037\005isBuy' _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._loaded_options = None _globals['_TRIMMEDDERIVATIVECONDITIONALORDER'].fields_by_name['isLimit']._serialized_options = b'\352\336\037\007isLimit' _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._loaded_options = None - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE'].fields_by_name['multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._loaded_options = None + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._loaded_options = None + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_QUERY'].methods_by_name['QueryExchangeParams']._loaded_options = None _globals['_QUERY'].methods_by_name['QueryExchangeParams']._serialized_options = b'\202\323\344\223\002,\022*/injective/exchange/v1beta1/exchangeParams' _globals['_QUERY'].methods_by_name['SubaccountDeposits']._loaded_options = None @@ -267,10 +271,16 @@ _globals['_QUERY'].methods_by_name['TraderDerivativeConditionalOrders']._serialized_options = b'\202\323\344\223\002W\022U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}' _globals['_QUERY'].methods_by_name['MarketAtomicExecutionFeeMultiplier']._loaded_options = None _globals['_QUERY'].methods_by_name['MarketAtomicExecutionFeeMultiplier']._serialized_options = b'\202\323\344\223\0029\0227/injective/exchange/v1beta1/atomic_order_fee_multiplier' - _globals['_ORDERSIDE']._serialized_start=14456 - _globals['_ORDERSIDE']._serialized_end=14508 - _globals['_CANCELLATIONSTRATEGY']._serialized_start=14510 - _globals['_CANCELLATIONSTRATEGY']._serialized_end=14596 + _globals['_QUERY'].methods_by_name['ActiveStakeGrant']._loaded_options = None + _globals['_QUERY'].methods_by_name['ActiveStakeGrant']._serialized_options = b'\202\323\344\223\002:\0228/injective/exchange/v1beta1/active_stake_grant/{grantee}' + _globals['_QUERY'].methods_by_name['GrantAuthorization']._loaded_options = None + _globals['_QUERY'].methods_by_name['GrantAuthorization']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}' + _globals['_QUERY'].methods_by_name['GrantAuthorizations']._loaded_options = None + _globals['_QUERY'].methods_by_name['GrantAuthorizations']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/grant_authorizations/{granter}' + _globals['_ORDERSIDE']._serialized_start=14580 + _globals['_ORDERSIDE']._serialized_end=14632 + _globals['_CANCELLATIONSTRATEGY']._serialized_start=14634 + _globals['_CANCELLATIONSTRATEGY']._serialized_end=14720 _globals['_SUBACCOUNT']._serialized_start=246 _globals['_SUBACCOUNT']._serialized_end=300 _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=302 @@ -330,197 +340,209 @@ _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=2609 _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=2690 _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=2693 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2979 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2982 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3133 - _globals['_FULLSPOTMARKET']._serialized_start=3136 - _globals['_FULLSPOTMARKET']._serialized_end=3285 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3287 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3384 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3386 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3477 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3479 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3558 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3560 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3649 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3651 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3747 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3749 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3849 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3851 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3923 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3925 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=4007 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=4010 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4263 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4265 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4363 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4365 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4471 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4473 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4524 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4527 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4772 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4774 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4831 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4834 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=5085 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=5088 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5238 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5241 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5398 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5401 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5771 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5774 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=6081 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=6083 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=6161 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=6163 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6251 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6254 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6588 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6590 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6700 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6702 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6820 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6822 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6924 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6926 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=7038 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=7040 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=7139 - _globals['_PRICELEVEL']._serialized_start=7142 - _globals['_PRICELEVEL']._serialized_end=7283 - _globals['_PERPETUALMARKETSTATE']._serialized_start=7286 - _globals['_PERPETUALMARKETSTATE']._serialized_end=7452 - _globals['_FULLDERIVATIVEMARKET']._serialized_start=7455 - _globals['_FULLDERIVATIVEMARKET']._serialized_end=7845 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7847 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7946 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7948 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7997 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7999 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=8096 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=8098 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=8154 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=8156 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=8234 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=8236 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8293 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8295 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8351 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8353 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8435 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8437 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8528 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8530 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8590 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8592 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8695 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8697 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8797 - _globals['_EFFECTIVEPOSITION']._serialized_start=8800 - _globals['_EFFECTIVEPOSITION']._serialized_end=9045 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=9047 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=9165 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=9167 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=9219 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=9221 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9324 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9326 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9382 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9384 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9495 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9497 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9552 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9554 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9664 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9667 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9796 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9798 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9848 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9850 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9875 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9877 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9960 - _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9962 - _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9985 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9987 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=10080 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=10082 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=10163 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=10165 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=10282 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10284 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10317 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10320 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10819 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10821 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10871 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10873 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10929 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10931 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10970 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10972 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=11030 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=11032 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=11085 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=11088 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=11285 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=11287 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11320 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11322 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11436 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11438 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11490 - _globals['_BALANCEMISMATCH']._serialized_start=11493 - _globals['_BALANCEMISMATCH']._serialized_end=11887 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11889 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11994 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11996 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=12033 - _globals['_BALANCEWITHMARGINHOLD']._serialized_start=12036 - _globals['_BALANCEWITHMARGINHOLD']._serialized_end=12296 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=12298 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12423 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12425 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12464 - _globals['_TIERSTATISTIC']._serialized_start=12466 - _globals['_TIERSTATISTIC']._serialized_end=12510 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12512 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12615 - _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12617 - _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12640 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12643 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12771 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12773 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12827 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12829 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12880 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12882 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12937 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12939 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=13041 - _globals['_TRADEHISTORYOPTIONS']._serialized_start=13043 - _globals['_TRADEHISTORYOPTIONS']._serialized_end=13164 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=13167 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=13296 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=13299 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13528 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13530 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13573 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13575 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13669 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13671 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13760 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13763 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=14137 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=14139 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=14266 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=14268 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=14335 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=14337 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14454 - _globals['_QUERY']._serialized_start=14599 - _globals['_QUERY']._serialized_end=26964 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2957 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2960 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3111 + _globals['_FULLSPOTMARKET']._serialized_start=3114 + _globals['_FULLSPOTMARKET']._serialized_end=3263 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3265 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3362 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3364 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3455 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3457 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3536 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3538 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3627 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3629 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3725 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3727 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3827 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3829 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3901 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3903 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=3985 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=3988 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4221 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4223 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4321 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4323 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4429 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4431 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4482 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4485 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4697 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4699 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4756 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4759 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=4977 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=4980 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5119 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5122 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5279 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5282 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5619 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5622 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5907 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=5909 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=5987 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=5989 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6077 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6080 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6383 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6385 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6495 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6497 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6615 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6617 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6719 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6721 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=6833 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=6835 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=6934 + _globals['_PRICELEVEL']._serialized_start=6936 + _globals['_PRICELEVEL']._serialized_end=7055 + _globals['_PERPETUALMARKETSTATE']._serialized_start=7058 + _globals['_PERPETUALMARKETSTATE']._serialized_end=7224 + _globals['_FULLDERIVATIVEMARKET']._serialized_start=7227 + _globals['_FULLDERIVATIVEMARKET']._serialized_end=7606 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7608 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7707 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7709 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7758 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7760 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=7857 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=7859 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=7915 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=7917 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=7995 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=7997 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8054 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8056 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8112 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8114 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8196 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8198 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8289 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8291 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8351 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8353 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8456 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8458 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8558 + _globals['_EFFECTIVEPOSITION']._serialized_start=8561 + _globals['_EFFECTIVEPOSITION']._serialized_end=8773 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=8775 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=8893 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=8895 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=8947 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=8949 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9052 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9054 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9110 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9112 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9223 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9225 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9280 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9282 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9392 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9395 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9524 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9526 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9576 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9578 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9603 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9605 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9688 + _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9690 + _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9713 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9715 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=9808 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=9810 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=9891 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=9893 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=9999 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10001 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10034 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10037 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10514 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10516 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10566 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10568 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10624 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10626 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10665 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10667 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=10725 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=10727 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=10780 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=10783 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=10980 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=10982 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11015 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11017 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11131 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11133 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11185 + _globals['_BALANCEMISMATCH']._serialized_start=11188 + _globals['_BALANCEMISMATCH']._serialized_end=11527 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11529 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11634 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11636 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=11673 + _globals['_BALANCEWITHMARGINHOLD']._serialized_start=11676 + _globals['_BALANCEWITHMARGINHOLD']._serialized_end=11903 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=11905 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12030 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12032 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12071 + _globals['_TIERSTATISTIC']._serialized_start=12073 + _globals['_TIERSTATISTIC']._serialized_end=12117 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12119 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12222 + _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12224 + _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12247 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12250 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12378 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12380 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12434 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12436 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12487 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12489 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12544 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12546 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=12648 + _globals['_TRADEHISTORYOPTIONS']._serialized_start=12650 + _globals['_TRADEHISTORYOPTIONS']._serialized_end=12771 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=12774 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=12903 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=12906 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13124 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13126 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13169 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13171 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13265 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13267 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13356 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13359 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=13702 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=13704 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=13831 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=13833 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=13900 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=13902 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14008 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=14010 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=14057 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=14060 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=14216 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=14218 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=14284 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=14286 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=14366 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=14368 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=14418 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=14421 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=14578 + _globals['_QUERY']._serialized_start=14723 + _globals['_QUERY']._serialized_end=27728 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index 3c00b9b7..b53eac19 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 +from injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -325,6 +325,21 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.FromString, _registered_method=True) + self.ActiveStakeGrant = channel.unary_unary( + '/injective.exchange.v1beta1.Query/ActiveStakeGrant', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, + _registered_method=True) + self.GrantAuthorization = channel.unary_unary( + '/injective.exchange.v1beta1.Query/GrantAuthorization', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, + _registered_method=True) + self.GrantAuthorizations = channel.unary_unary( + '/injective.exchange.v1beta1.Query/GrantAuthorizations', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -734,6 +749,27 @@ def MarketAtomicExecutionFeeMultiplier(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ActiveStakeGrant(self, request, context): + """Retrieves the active stake grant for a grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GrantAuthorization(self, request, context): + """Retrieves the grant authorization amount for a granter and grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GrantAuthorizations(self, request, context): + """Retrieves the grant authorization amount for a granter and grantee + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -1022,6 +1058,21 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierRequest.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryMarketAtomicExecutionFeeMultiplierResponse.SerializeToString, ), + 'ActiveStakeGrant': grpc.unary_unary_rpc_method_handler( + servicer.ActiveStakeGrant, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.SerializeToString, + ), + 'GrantAuthorization': grpc.unary_unary_rpc_method_handler( + servicer.GrantAuthorization, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.SerializeToString, + ), + 'GrantAuthorizations': grpc.unary_unary_rpc_method_handler( + servicer.GrantAuthorizations, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Query', rpc_method_handlers) @@ -2572,3 +2623,84 @@ def MarketAtomicExecutionFeeMultiplier(request, timeout, metadata, _registered_method=True) + + @staticmethod + def ActiveStakeGrant(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/ActiveStakeGrant', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryActiveStakeGrantResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GrantAuthorization(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/GrantAuthorization', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GrantAuthorizations(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Query/GrantAuthorizations', + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsRequest.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_query__pb2.QueryGrantAuthorizationsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index fbad95e7..4c87a127 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -12,16 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x88\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"y\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x14\n\x12MsgDepositResponse\"z\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x15\n\x13MsgWithdrawResponse\"z\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"?\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x81\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"G\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x97\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12K\n\x13min_price_tick_size\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xbb\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x46\n\x0emaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xef\x04\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x46\n\x0emaker_fee_rate\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xcf\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12\x46\n\x0emaker_fee_rate\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x0etaker_fee_rate\x18\n \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14initial_margin_ratio\x18\x0b \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12K\n\x13min_price_tick_size\x18\r \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16min_quantity_tick_size\x18\x0e \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"{\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x8b\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x16SpotMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x82\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"E\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x85\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"H\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"M\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSpotOrderResponse\"v\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x7f\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc7\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\xf0\x01\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x83\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x97\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xef\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12@\n\x08quantity\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12>\n\x06payout\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9a\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9a\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgCancelDerivativeOrderResponse\"\x9d\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"|\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa6\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xa4\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgExternalTransferResponse\"\x9f\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgLiquidatePositionResponse\"a\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\"\n MsgEmergencySettleMarketResponse\"\xcc\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12>\n\x06\x61mount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x0b\x82\xe7\xb0*\x06sender\"#\n!MsgIncreasePositionMarginResponse\"z\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t\"\x1a\n\x18MsgRewardsOptOutResponse\"d\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\x93\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12H\n\x10settlement_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus:\x0b\x82\xe7\xb0*\x06sender\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse2\x9e#\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12\x82\x01\n\x12ReclaimLockedFunds\x12\x31.injective.exchange.v1beta1.MsgReclaimLockedFunds\x1a\x39.injective.exchange.v1beta1.MsgReclaimLockedFundsResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponseBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,122 +30,150 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATESPOTMARKET']._loaded_options = None + _globals['_MSGUPDATESPOTMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\034exchange/MsgUpdateSpotMarket' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET'].fields_by_name['new_maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGUPDATEDERIVATIVEMARKET']._loaded_options = None + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\005admin\212\347\260*\"exchange/MsgUpdateDerivativeMarket' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\030exchange/MsgUpdateParams' _globals['_MSGDEPOSIT'].fields_by_name['amount']._loaded_options = None _globals['_MSGDEPOSIT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGDEPOSIT']._loaded_options = None - _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGDEPOSIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\023exchange/MsgDeposit' _globals['_MSGWITHDRAW'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAW'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGWITHDRAW']._loaded_options = None - _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGWITHDRAW']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\024exchange/MsgWithdraw' _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATESPOTLIMITORDER']._loaded_options = None - _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTLIMITORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* exchange/MsgCreateSpotLimitOrder' _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' _globals['_MSGBATCHCREATESPOTLIMITORDERS']._loaded_options = None - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgBatchCreateSpotLimitOrders' _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTSPOTMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTSPOTMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*#exchange/MsgInstantSpotMarketLaunch' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*(exchange/MsgInstantPerpetualMarketLaunch' _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantBinaryOptionsMarketLaunch' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['taker_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['initial_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['maintenance_margin_ratio']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_quantity_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._loaded_options = None + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH'].fields_by_name['min_notional']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._loaded_options = None - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgInstantExpiryFuturesMarketLaunch' _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATESPOTMARKETORDER']._loaded_options = None - _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATESPOTMARKETORDER']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCreateSpotMarketOrder' _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None - _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTMARKETORDERRESULTS']._loaded_options = None _globals['_SPOTMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEDERIVATIVELIMITORDER']._loaded_options = None - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*&exchange/MsgCreateDerivativeLimitOrder' _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._loaded_options = None - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*)exchange/MsgCreateBinaryOptionsLimitOrder' _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS'].fields_by_name['orders']._serialized_options = b'\310\336\037\000' _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._loaded_options = None - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*,exchange/MsgBatchCreateDerivativeLimitOrders' _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCANCELSPOTORDER']._loaded_options = None - _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCANCELSPOTORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\033exchange/MsgCancelSpotOrder' _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' _globals['_MSGBATCHCANCELSPOTORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgBatchCancelSpotOrders' _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgBatchCancelBinaryOptionsOrders' _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['spot_orders_to_cancel']._loaded_options = None @@ -160,73 +189,79 @@ _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._loaded_options = None _globals['_MSGBATCHUPDATEORDERS'].fields_by_name['binary_options_orders_to_create']._serialized_options = b'\310\336\037\001' _globals['_MSGBATCHUPDATEORDERS']._loaded_options = None - _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHUPDATEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\035exchange/MsgBatchUpdateOrders' _globals['_MSGBATCHUPDATEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEDERIVATIVEMARKETORDER']._loaded_options = None - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgCreateDerivativeMarketOrder' _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['position_delta']._serialized_options = b'\310\336\037\000' _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVEMARKETORDERRESULTS'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVEMARKETORDERRESULTS']._loaded_options = None _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._loaded_options = None - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260**exchange/MsgCreateBinaryOptionsMarketOrder' _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE'].fields_by_name['results']._serialized_options = b'\310\336\037\001' _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._loaded_options = None _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGCANCELDERIVATIVEORDER']._loaded_options = None - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*!exchange/MsgCancelDerivativeOrder' _globals['_MSGCANCELBINARYOPTIONSORDER']._loaded_options = None - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*$exchange/MsgCancelBinaryOptionsOrder' _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERS'].fields_by_name['data']._serialized_options = b'\310\336\037\000' _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._loaded_options = None - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender' + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_options = b'\210\240\037\000\202\347\260*\006sender\212\347\260*\'exchange/MsgBatchCancelDerivativeOrders' _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._loaded_options = None _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGSUBACCOUNTTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGSUBACCOUNTTRANSFER']._loaded_options = None - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgSubaccountTransfer' _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._loaded_options = None _globals['_MSGEXTERNALTRANSFER'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGEXTERNALTRANSFER']._loaded_options = None - _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEXTERNALTRANSFER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034exchange/MsgExternalTransfer' _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._loaded_options = None _globals['_MSGLIQUIDATEPOSITION'].fields_by_name['order']._serialized_options = b'\310\336\037\001' _globals['_MSGLIQUIDATEPOSITION']._loaded_options = None - _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGLIQUIDATEPOSITION']._serialized_options = b'\202\347\260*\006sender\212\347\260*\035exchange/MsgLiquidatePosition' _globals['_MSGEMERGENCYSETTLEMARKET']._loaded_options = None - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260*!exchange/MsgEmergencySettleMarket' _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None - _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGINCREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGINCREASEPOSITIONMARGIN']._loaded_options = None - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgIncreasePositionMargin' + _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._loaded_options = None + _globals['_MSGDECREASEPOSITIONMARGIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_MSGDECREASEPOSITIONMARGIN']._loaded_options = None + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\"exchange/MsgDecreasePositionMargin' _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._loaded_options = None - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*%exchange/MsgPrivilegedExecuteContract' _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE'].fields_by_name['funds_diff']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._loaded_options = None _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGREWARDSOPTOUT']._loaded_options = None + _globals['_MSGREWARDSOPTOUT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031exchange/MsgRewardsOptOut' _globals['_MSGRECLAIMLOCKEDFUNDS']._loaded_options = None - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgReclaimLockedFunds' _globals['_MSGSIGNDATA'].fields_by_name['Signer']._loaded_options = None _globals['_MSGSIGNDATA'].fields_by_name['Signer']._serialized_options = b'\352\336\037\006signer\372\336\037-github.com/cosmos/cosmos-sdk/types.AccAddress' _globals['_MSGSIGNDATA'].fields_by_name['Data']._loaded_options = None @@ -236,143 +271,169 @@ _globals['_MSGSIGNDOC'].fields_by_name['value']._loaded_options = None _globals['_MSGSIGNDOC'].fields_by_name['value']._serialized_options = b'\310\336\037\000' _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._loaded_options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET'].fields_by_name['settlement_price']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._loaded_options = None - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS']._serialized_start=304 - _globals['_MSGUPDATEPARAMS']._serialized_end=440 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=442 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=467 - _globals['_MSGDEPOSIT']._serialized_start=469 - _globals['_MSGDEPOSIT']._serialized_end=590 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=592 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=612 - _globals['_MSGWITHDRAW']._serialized_start=614 - _globals['_MSGWITHDRAW']._serialized_end=736 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=738 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=759 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=761 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=883 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=885 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=948 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=951 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=1080 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=1082 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=1153 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=1156 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=1435 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=1437 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=1473 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=1476 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=2175 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=2177 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=2218 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=2221 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=2844 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=2846 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=2891 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=2894 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=3613 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=3615 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=3660 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=3662 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=3785 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=3788 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=3927 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=3930 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=4154 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=4157 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=4287 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=4289 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=4358 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=4361 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=4494 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=4496 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=4568 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=4571 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=4708 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=4710 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=4787 - _globals['_MSGCANCELSPOTORDER']._serialized_start=4790 - _globals['_MSGCANCELSPOTORDER']._serialized_end=4918 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=4920 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=4948 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=4950 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=5068 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=5070 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=5131 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=5133 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=5260 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=5262 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=5332 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=5335 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=6046 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=6049 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=6289 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=6292 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=6423 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=6426 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=6577 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=6580 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=6947 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=6950 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=7084 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=7087 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=7241 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=7244 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=7398 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=7400 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=7434 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=7437 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=7594 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=7596 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=7633 - _globals['_ORDERDATA']._serialized_start=7635 - _globals['_ORDERDATA']._serialized_end=7741 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=7743 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=7867 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=7869 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=7936 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=7939 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=8105 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=8107 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=8138 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=8141 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=8305 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=8307 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=8336 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=8339 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=8498 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=8500 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=8530 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=8532 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=8629 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=8631 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=8665 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=8668 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=8872 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=8874 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=8909 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=8911 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=9033 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=9036 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=9192 - _globals['_MSGREWARDSOPTOUT']._serialized_start=9194 - _globals['_MSGREWARDSOPTOUT']._serialized_end=9228 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=9230 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=9256 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=9258 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=9358 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=9360 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=9391 - _globals['_MSGSIGNDATA']._serialized_start=9393 - _globals['_MSGSIGNDATA']._serialized_end=9507 - _globals['_MSGSIGNDOC']._serialized_start=9509 - _globals['_MSGSIGNDOC']._serialized_end=9612 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=9615 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=9890 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=9892 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=9935 - _globals['_MSG']._serialized_start=9938 - _globals['_MSG']._serialized_end=14448 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_options = b'\202\347\260*\006sender\212\347\260**exchange/MsgAdminUpdateBinaryOptionsMarket' + _globals['_MSGAUTHORIZESTAKEGRANTS']._loaded_options = None + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_options = b'\202\347\260*\006sender\212\347\260* exchange/MsgAuthorizeStakeGrants' + _globals['_MSGACTIVATESTAKEGRANT']._loaded_options = None + _globals['_MSGACTIVATESTAKEGRANT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036exchange/MsgActivateStakeGrant' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 + _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 + _globals['_MSGUPDATEPARAMS']._serialized_start=1223 + _globals['_MSGUPDATEPARAMS']._serialized_end=1388 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 + _globals['_MSGDEPOSIT']._serialized_start=1418 + _globals['_MSGDEPOSIT']._serialized_end=1563 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 + _globals['_MSGWITHDRAW']._serialized_start=1588 + _globals['_MSGWITHDRAW']._serialized_end=1735 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 + _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 + _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 + _globals['_ORDERDATA']._serialized_start=9786 + _globals['_ORDERDATA']._serialized_end=9892 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 + _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 + _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 + _globals['_MSGSIGNDATA']._serialized_start=12160 + _globals['_MSGSIGNDATA']._serialized_end=12274 + _globals['_MSGSIGNDOC']._serialized_start=12276 + _globals['_MSGSIGNDOC']._serialized_end=12379 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 + _globals['_MSG']._serialized_start=13073 + _globals['_MSG']._serialized_end=18145 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index ee9dd1d8..4b3b5fb9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -175,6 +175,11 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.FromString, _registered_method=True) + self.DecreasePositionMargin = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, + _registered_method=True) self.RewardsOptOut = channel.unary_unary( '/injective.exchange.v1beta1.Msg/RewardsOptOut', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.SerializeToString, @@ -185,16 +190,31 @@ def __init__(self, channel): request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.FromString, _registered_method=True) - self.ReclaimLockedFunds = channel.unary_unary( - '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', - request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, - response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, - _registered_method=True) self.UpdateParams = channel.unary_unary( '/injective.exchange.v1beta1.Msg/UpdateParams', request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) + self.UpdateSpotMarket = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, + _registered_method=True) + self.UpdateDerivativeMarket = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, + _registered_method=True) + self.AuthorizeStakeGrants = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, + _registered_method=True) + self.ActivateStakeGrant = channel.unary_unary( + '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', + request_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, + response_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -409,6 +429,13 @@ def IncreasePositionMargin(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def DecreasePositionMargin(self, request, context): + """DecreasePositionMargin defines a method for decreasing margin of a position + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def RewardsOptOut(self, request, context): """RewardsOptOut defines a method for opting out of rewards """ @@ -424,14 +451,34 @@ def AdminUpdateBinaryOptionsMarket(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ReclaimLockedFunds(self, request, context): + def UpdateParams(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateSpotMarket(self, request, context): + """UpdateSpotMarket modifies certain spot market fields (admin only) """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def UpdateDerivativeMarket(self, request, context): + """UpdateDerivativeMarket modifies certain derivative market fields (admin + only) """ context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def UpdateParams(self, request, context): + def AuthorizeStakeGrants(self, request, context): + """Missing associated documentation comment in .proto file.""" + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def ActivateStakeGrant(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') @@ -575,6 +622,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMargin.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgIncreasePositionMarginResponse.SerializeToString, ), + 'DecreasePositionMargin': grpc.unary_unary_rpc_method_handler( + servicer.DecreasePositionMargin, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.SerializeToString, + ), 'RewardsOptOut': grpc.unary_unary_rpc_method_handler( servicer.RewardsOptOut, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgRewardsOptOut.FromString, @@ -585,16 +637,31 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarket.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAdminUpdateBinaryOptionsMarketResponse.SerializeToString, ), - 'ReclaimLockedFunds': grpc.unary_unary_rpc_method_handler( - servicer.ReclaimLockedFunds, - request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.FromString, - response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.SerializeToString, - ), 'UpdateParams': grpc.unary_unary_rpc_method_handler( servicer.UpdateParams, request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'UpdateSpotMarket': grpc.unary_unary_rpc_method_handler( + servicer.UpdateSpotMarket, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.SerializeToString, + ), + 'UpdateDerivativeMarket': grpc.unary_unary_rpc_method_handler( + servicer.UpdateDerivativeMarket, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.SerializeToString, + ), + 'AuthorizeStakeGrants': grpc.unary_unary_rpc_method_handler( + servicer.AuthorizeStakeGrants, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.SerializeToString, + ), + 'ActivateStakeGrant': grpc.unary_unary_rpc_method_handler( + servicer.ActivateStakeGrant, + request_deserializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.FromString, + response_serializer=injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.exchange.v1beta1.Msg', rpc_method_handlers) @@ -1336,6 +1403,33 @@ def IncreasePositionMargin(request, metadata, _registered_method=True) + @staticmethod + def DecreasePositionMargin(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/DecreasePositionMargin', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMargin.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgDecreasePositionMarginResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def RewardsOptOut(request, target, @@ -1391,7 +1485,7 @@ def AdminUpdateBinaryOptionsMarket(request, _registered_method=True) @staticmethod - def ReclaimLockedFunds(request, + def UpdateParams(request, target, options=(), channel_credentials=None, @@ -1404,9 +1498,9 @@ def ReclaimLockedFunds(request, return grpc.experimental.unary_unary( request, target, - '/injective.exchange.v1beta1.Msg/ReclaimLockedFunds', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFunds.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgReclaimLockedFundsResponse.FromString, + '/injective.exchange.v1beta1.Msg/UpdateParams', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, options, channel_credentials, insecure, @@ -1418,7 +1512,7 @@ def ReclaimLockedFunds(request, _registered_method=True) @staticmethod - def UpdateParams(request, + def UpdateSpotMarket(request, target, options=(), channel_credentials=None, @@ -1431,9 +1525,90 @@ def UpdateParams(request, return grpc.experimental.unary_unary( request, target, - '/injective.exchange.v1beta1.Msg/UpdateParams', - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParams.SerializeToString, - injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateParamsResponse.FromString, + '/injective.exchange.v1beta1.Msg/UpdateSpotMarket', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarket.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateSpotMarketResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def UpdateDerivativeMarket(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/UpdateDerivativeMarket', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarket.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgUpdateDerivativeMarketResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def AuthorizeStakeGrants(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/AuthorizeStakeGrants', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrants.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgAuthorizeStakeGrantsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def ActivateStakeGrant(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.exchange.v1beta1.Msg/ActivateStakeGrant', + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrant.SerializeToString, + injective_dot_exchange_dot_v1beta1_dot_tx__pb2.MsgActivateStakeGrantResponse.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index e7c3b4f3..e43d0913 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -12,14 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x9b\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x04\xe8\xa0\x1f\x01\"\xec\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12?\n\x07\x62\x61lance\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x43\n\x0btotal_share\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,21 +31,21 @@ _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\020insurance/Params' _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._loaded_options = None _globals['_INSURANCEFUND'].fields_by_name['redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\037(yaml:\"redemption_notice_period_duration\"\230\337\037\001' _globals['_INSURANCEFUND'].fields_by_name['balance']._loaded_options = None - _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_INSURANCEFUND'].fields_by_name['balance']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_INSURANCEFUND'].fields_by_name['total_share']._loaded_options = None - _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_INSURANCEFUND'].fields_by_name['total_share']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['claimable_redemption_time']._serialized_options = b'\310\336\037\000\362\336\037 yaml:\"claimable_redemption_time\"\220\337\037\001' _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' - _globals['_PARAMS']._serialized_start=235 - _globals['_PARAMS']._serialized_end=390 - _globals['_INSURANCEFUND']._serialized_start=393 - _globals['_INSURANCEFUND']._serialized_end=885 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=888 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1125 + _globals['_PARAMS']._serialized_start=254 + _globals['_PARAMS']._serialized_end=430 + _globals['_INSURANCEFUND']._serialized_start=433 + _globals['_INSURANCEFUND']._serialized_end=891 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index ec238297..f5ff40c5 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 67fa3770..3fee662a 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -12,15 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x92\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgCreateInsuranceFundResponse\"y\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgUnderwriteResponse\"\x7f\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgRequestRedemptionResponse\"\x89\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf5\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponseBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -31,37 +32,39 @@ _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None - _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEINSURANCEFUND']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260* insurance/MsgCreateInsuranceFund' _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._loaded_options = None _globals['_MSGUNDERWRITE'].fields_by_name['deposit']._serialized_options = b'\310\336\037\000' _globals['_MSGUNDERWRITE']._loaded_options = None - _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUNDERWRITE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\027insurance/MsgUnderwrite' _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._loaded_options = None _globals['_MSGREQUESTREDEMPTION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGREQUESTREDEMPTION']._loaded_options = None - _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGREQUESTREDEMPTION']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\036insurance/MsgRequestRedemption' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEINSURANCEFUND']._serialized_start=260 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=534 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=536 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=568 - _globals['_MSGUNDERWRITE']._serialized_start=570 - _globals['_MSGUNDERWRITE']._serialized_end=691 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=693 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=716 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=718 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=845 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=847 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=877 - _globals['_MSGUPDATEPARAMS']._serialized_start=880 - _globals['_MSGUPDATEPARAMS']._serialized_end=1017 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1019 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1044 - _globals['_MSG']._serialized_start=1047 - _globals['_MSG']._serialized_end=1548 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\031insurance/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 + _globals['_MSGUNDERWRITE']._serialized_start=627 + _globals['_MSGUNDERWRITE']._serialized_end=776 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 + _globals['_MSGUPDATEPARAMS']._serialized_start=1001 + _globals['_MSGUPDATEPARAMS']._serialized_end=1168 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 + _globals['_MSG']._serialized_start=1198 + _globals['_MSG']._serialized_end=1706 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index 87d53729..8cdd15b7 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 0234cebb..969ed49a 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -12,13 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"W\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xb0\x03\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x42\n\nmin_answer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\x92\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd0\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x42\n\nmin_answer\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nmax_answer\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14link_per_observation\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xdf\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x8e\x01\n\x0cTransmission\x12>\n\x06\x61nswer\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"\x81\x01\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x44\n\x0cobservations\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xd1\x01\n\x12\x45ventAnswerUpdated\x12?\n\x07\x63urrent\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12@\n\x08round_id\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x9f\x01\n\rEventNewRound\x12@\n\x08round_id\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xe8\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12>\n\x06\x61nswer\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x44\n\x0cobservations\x18\x06 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,87 +28,87 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MODULEPARAMS'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MODULEPARAMS'].fields_by_name['max_answer']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MODULEPARAMS'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MODULEPARAMS'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._loaded_options = None - _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MODULEPARAMS'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_SETCONFIGPROPOSAL']._loaded_options = None - _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_SETCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\025ocr/SetConfigProposal' _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDPROPERTIES'].fields_by_name['min_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_FEEDPROPERTIES'].fields_by_name['max_answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._loaded_options = None - _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_FEEDPROPERTIES'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_SETBATCHCONFIGPROPOSAL']._loaded_options = None - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\032ocr/SetBatchConfigProposal' _globals['_TRANSMISSION'].fields_by_name['answer']._loaded_options = None - _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_TRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_REPORT'].fields_by_name['observations']._loaded_options = None - _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_REPORT'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTORACLEPAID'].fields_by_name['amount']._loaded_options = None _globals['_EVENTORACLEPAID'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._loaded_options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['current']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._loaded_options = None - _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTANSWERUPDATED'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._loaded_options = None _globals['_EVENTANSWERUPDATED'].fields_by_name['updated_at']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_EVENTNEWROUND'].fields_by_name['round_id']._loaded_options = None - _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTNEWROUND'].fields_by_name['round_id']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTNEWROUND'].fields_by_name['started_at']._loaded_options = None _globals['_EVENTNEWROUND'].fields_by_name['started_at']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._loaded_options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None - _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_PARAMS']._serialized_start=172 - _globals['_PARAMS']._serialized_end=259 - _globals['_FEEDCONFIG']._serialized_start=262 - _globals['_FEEDCONFIG']._serialized_end=466 - _globals['_FEEDCONFIGINFO']._serialized_start=468 - _globals['_FEEDCONFIGINFO']._serialized_end=594 - _globals['_MODULEPARAMS']._serialized_start=597 - _globals['_MODULEPARAMS']._serialized_end=1029 - _globals['_CONTRACTCONFIG']._serialized_start=1032 - _globals['_CONTRACTCONFIG']._serialized_end=1202 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1205 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1351 - _globals['_FEEDPROPERTIES']._serialized_start=1354 - _globals['_FEEDPROPERTIES']._serialized_end=1818 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1821 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2044 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2046 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2088 - _globals['_GASREIMBURSEMENTS']._serialized_start=2090 - _globals['_GASREIMBURSEMENTS']._serialized_end=2160 - _globals['_PAYEE']._serialized_start=2162 - _globals['_PAYEE']._serialized_end=2217 - _globals['_TRANSMISSION']._serialized_start=2220 - _globals['_TRANSMISSION']._serialized_end=2362 - _globals['_EPOCHANDROUND']._serialized_start=2364 - _globals['_EPOCHANDROUND']._serialized_end=2409 - _globals['_REPORT']._serialized_start=2412 - _globals['_REPORT']._serialized_end=2541 - _globals['_REPORTTOSIGN']._serialized_start=2543 - _globals['_REPORTTOSIGN']._serialized_end=2646 - _globals['_EVENTORACLEPAID']._serialized_start=2648 - _globals['_EVENTORACLEPAID']._serialized_end=2760 - _globals['_EVENTANSWERUPDATED']._serialized_start=2763 - _globals['_EVENTANSWERUPDATED']._serialized_end=2972 - _globals['_EVENTNEWROUND']._serialized_start=2975 - _globals['_EVENTNEWROUND']._serialized_end=3134 - _globals['_EVENTTRANSMITTED']._serialized_start=3136 - _globals['_EVENTTRANSMITTED']._serialized_end=3192 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=3195 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=3555 - _globals['_EVENTCONFIGSET']._serialized_start=3558 - _globals['_EVENTCONFIGSET']._serialized_end=3746 + _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS']._serialized_start=191 + _globals['_PARAMS']._serialized_end=293 + _globals['_FEEDCONFIG']._serialized_start=296 + _globals['_FEEDCONFIG']._serialized_end=500 + _globals['_FEEDCONFIGINFO']._serialized_start=502 + _globals['_FEEDCONFIGINFO']._serialized_end=628 + _globals['_MODULEPARAMS']._serialized_start=631 + _globals['_MODULEPARAMS']._serialized_end=1007 + _globals['_CONTRACTCONFIG']._serialized_start=1010 + _globals['_CONTRACTCONFIG']._serialized_end=1180 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 + _globals['_FEEDPROPERTIES']._serialized_start=1358 + _globals['_FEEDPROPERTIES']._serialized_end=1766 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 + _globals['_GASREIMBURSEMENTS']._serialized_start=2069 + _globals['_GASREIMBURSEMENTS']._serialized_end=2139 + _globals['_PAYEE']._serialized_start=2141 + _globals['_PAYEE']._serialized_end=2196 + _globals['_TRANSMISSION']._serialized_start=2199 + _globals['_TRANSMISSION']._serialized_end=2330 + _globals['_EPOCHANDROUND']._serialized_start=2332 + _globals['_EPOCHANDROUND']._serialized_end=2377 + _globals['_REPORT']._serialized_start=2379 + _globals['_REPORT']._serialized_end=2497 + _globals['_REPORTTOSIGN']._serialized_start=2499 + _globals['_REPORTTOSIGN']._serialized_end=2602 + _globals['_EVENTORACLEPAID']._serialized_start=2604 + _globals['_EVENTORACLEPAID']._serialized_end=2716 + _globals['_EVENTANSWERUPDATED']._serialized_start=2719 + _globals['_EVENTANSWERUPDATED']._serialized_end=2894 + _globals['_EVENTNEWROUND']._serialized_start=2897 + _globals['_EVENTNEWROUND']._serialized_end=3039 + _globals['_EVENTTRANSMITTED']._serialized_start=3041 + _globals['_EVENTTRANSMITTED']._serialized_end=3097 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 + _globals['_EVENTCONFIGSET']._serialized_start=3441 + _globals['_EVENTCONFIGSET']._serialized_end=3629 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py index 248d848d..dad67f74 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index 581b21e9..4b626d2e 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -12,14 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\"g\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgCreateFeedResponse\"\xc8\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12L\n\x14link_per_observation\x18\x05 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12M\n\x15link_per_transmission\x18\x06 \x01(\tB.\xc8\xde\x1f\x01\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x17\n\x15MsgUpdateFeedResponse\"\xd9\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:\x18\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\"\x15\n\x13MsgTransmitResponse\"~\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\x82\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"#\n!MsgWithdrawFeedRewardPoolResponse\"j\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x16\n\x14MsgSetPayeesResponse\"s\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1e\n\x1cMsgTransferPayeeshipResponse\"c\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:\x18\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x83\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xd5\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponseBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"}\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xbc\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12;\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xed\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\x9c\x01\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xa4\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\x7f\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\x90\x01\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"~\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x9b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42KZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,71 +29,73 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_MSGCREATEFEED']._loaded_options = None - _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgCreateFeed' _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._serialized_options = b'\310\336\037\001\332\336\037\025cosmossdk.io/math.Int' _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._loaded_options = None - _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGUPDATEFEED'].fields_by_name['link_per_transmission']._serialized_options = b'\310\336\037\001\332\336\037\025cosmossdk.io/math.Int' _globals['_MSGUPDATEFEED']._loaded_options = None - _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGUPDATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgUpdateFeed' _globals['_MSGTRANSMIT']._loaded_options = None - _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' + _globals['_MSGTRANSMIT']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter\212\347\260*\017ocr/MsgTransmit' _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGFUNDFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGFUNDFEEDREWARDPOOL']._loaded_options = None - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031ocr/MsgFundFeedRewardPool' _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_MSGWITHDRAWFEEDREWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGWITHDRAWFEEDREWARDPOOL']._loaded_options = None - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035ocr/MsgWithdrawFeedRewardPool' _globals['_MSGSETPAYEES']._loaded_options = None - _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGSETPAYEES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\020ocr/MsgSetPayees' _globals['_MSGTRANSFERPAYEESHIP']._loaded_options = None - _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGTRANSFERPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\030ocr/MsgTransferPayeeship' _globals['_MSGACCEPTPAYEESHIP']._loaded_options = None - _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter' + _globals['_MSGACCEPTPAYEESHIP']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\013transmitter\212\347\260*\026ocr/MsgAcceptPayeeship' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEFEED']._serialized_start=196 - _globals['_MSGCREATEFEED']._serialized_end=299 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=301 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=324 - _globals['_MSGUPDATEFEED']._serialized_start=327 - _globals['_MSGUPDATEFEED']._serialized_end=655 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=657 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=680 - _globals['_MSGTRANSMIT']._serialized_start=683 - _globals['_MSGTRANSMIT']._serialized_end=900 - _globals['_MSGTRANSMITRESPONSE']._serialized_start=902 - _globals['_MSGTRANSMITRESPONSE']._serialized_end=923 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=925 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1051 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1053 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1084 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1087 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1217 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1219 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1254 - _globals['_MSGSETPAYEES']._serialized_start=1256 - _globals['_MSGSETPAYEES']._serialized_end=1362 - _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1364 - _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1386 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1388 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1503 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1505 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1535 - _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1537 - _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1636 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1638 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1666 - _globals['_MSGUPDATEPARAMS']._serialized_start=1669 - _globals['_MSGUPDATEPARAMS']._serialized_end=1800 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1802 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1827 - _globals['_MSG']._serialized_start=1830 - _globals['_MSG']._serialized_end=2811 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\023ocr/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEFEED']._serialized_start=215 + _globals['_MSGCREATEFEED']._serialized_end=340 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=342 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=365 + _globals['_MSGUPDATEFEED']._serialized_start=368 + _globals['_MSGUPDATEFEED']._serialized_end=684 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=686 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=709 + _globals['_MSGTRANSMIT']._serialized_start=712 + _globals['_MSGTRANSMIT']._serialized_end=949 + _globals['_MSGTRANSMITRESPONSE']._serialized_start=951 + _globals['_MSGTRANSMITRESPONSE']._serialized_end=972 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=975 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1131 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1133 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1164 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1167 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1331 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1333 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1368 + _globals['_MSGSETPAYEES']._serialized_start=1370 + _globals['_MSGSETPAYEES']._serialized_end=1497 + _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1499 + _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1521 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1524 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1668 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1670 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1700 + _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1702 + _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1828 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1830 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1858 + _globals['_MSGUPDATEPARAMS']._serialized_start=1861 + _globals['_MSGUPDATEPARAMS']._serialized_end=2016 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2018 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2043 + _globals['_MSG']._serialized_start=2046 + _globals['_MSG']._serialized_end=3034 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index d99edfa5..74069c38 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index 27828a0a..c848c23f 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"|\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12>\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x9d\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12=\n\x05price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xb5\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12>\n\x06prices\x18\x03 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"\x85\x01\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x89\x01\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12=\n\x05price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"y\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"q\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x92\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xaa\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\x33\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"z\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"~\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"n\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,35 +26,35 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None - _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._loaded_options = None - _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETBANDIBCPRICEEVENT'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETPRICEFEEDPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None - _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 - _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=284 - _globals['_SETBANDPRICEEVENT']._serialized_start=287 - _globals['_SETBANDPRICEEVENT']._serialized_end=444 - _globals['_SETBANDIBCPRICEEVENT']._serialized_start=447 - _globals['_SETBANDIBCPRICEEVENT']._serialized_end=628 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=630 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=693 - _globals['_EVENTBANDIBCACKERROR']._serialized_start=695 - _globals['_EVENTBANDIBCACKERROR']._serialized_end=755 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=757 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=805 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=808 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=941 - _globals['_SETPROVIDERPRICEEVENT']._serialized_start=944 - _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1081 - _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1083 - _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1204 - _globals['_EVENTSETPYTHPRICES']._serialized_start=1206 - _globals['_EVENTSETPYTHPRICES']._serialized_end=1284 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=273 + _globals['_SETBANDPRICEEVENT']._serialized_start=276 + _globals['_SETBANDPRICEEVENT']._serialized_end=422 + _globals['_SETBANDIBCPRICEEVENT']._serialized_start=425 + _globals['_SETBANDIBCPRICEEVENT']._serialized_end=595 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=597 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=660 + _globals['_EVENTBANDIBCACKERROR']._serialized_start=662 + _globals['_EVENTBANDIBCACKERROR']._serialized_end=722 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=724 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=772 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=774 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=896 + _globals['_SETPROVIDERPRICEEVENT']._serialized_start=898 + _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1024 + _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1026 + _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1136 + _globals['_EVENTSETPYTHPRICES']._serialized_start=1138 + _globals['_EVENTSETPYTHPRICES']._serialized_end=1216 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index e49d92da..7667b51e 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -12,11 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"%\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x04\xe8\xa0\x1f\x01\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xba\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12>\n\x06\x61nswer\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xc9\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12<\n\x04rate\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"O\n\x0ePriceFeedPrice\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\nPriceState\x12=\n\x05price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12H\n\x10\x63umulative_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\xbc\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x41\n\tema_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12@\n\x08\x65ma_conf\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04\x63onf\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"_\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\xbf\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12<\n\x04mean\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12<\n\x04twap\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x41\n\tmin_price\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x41\n\tmax_price\x18\x08 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x44\n\x0cmedian_price\x18\t \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"7\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xaf\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xb8\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12+\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"D\n\x0ePriceFeedPrice\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x92\x01\n\nPriceState\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\x9b\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x36\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"T\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x88\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12\x31\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x36\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x36\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -25,87 +26,87 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None - _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_CHAINLINKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_BANDPRICESTATE'].fields_by_name['rate']._loaded_options = None - _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_BANDPRICESTATE'].fields_by_name['rate']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BANDPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_BANDPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_PRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None - _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None - _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None - _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICESTATE'].fields_by_name['cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['ema_conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PYTHPRICESTATE'].fields_by_name['conf']._loaded_options = None - _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PYTHPRICESTATE'].fields_by_name['conf']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_PYTHPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._loaded_options = None _globals['_BANDORACLEREQUEST'].fields_by_name['fee_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PRICERECORD'].fields_by_name['price']._loaded_options = None - _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICERECORD'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['mean']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['mean']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['twap']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['twap']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['min_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['min_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['max_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None - _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' - _globals['_ORACLETYPE']._serialized_start=3375 - _globals['_ORACLETYPE']._serialized_end=3534 - _globals['_PARAMS']._serialized_start=121 - _globals['_PARAMS']._serialized_end=158 - _globals['_ORACLEINFO']._serialized_start=160 - _globals['_ORACLEINFO']._serialized_end=247 - _globals['_CHAINLINKPRICESTATE']._serialized_start=250 - _globals['_CHAINLINKPRICESTATE']._serialized_end=436 - _globals['_BANDPRICESTATE']._serialized_start=439 - _globals['_BANDPRICESTATE']._serialized_end=640 - _globals['_PRICEFEEDSTATE']._serialized_start=642 - _globals['_PRICEFEEDSTATE']._serialized_end=764 - _globals['_PROVIDERINFO']._serialized_start=766 - _globals['_PROVIDERINFO']._serialized_end=816 - _globals['_PROVIDERSTATE']._serialized_start=819 - _globals['_PROVIDERSTATE']._serialized_end=974 - _globals['_PROVIDERPRICESTATE']._serialized_start=976 - _globals['_PROVIDERPRICESTATE']._serialized_end=1065 - _globals['_PRICEFEEDINFO']._serialized_start=1067 - _globals['_PRICEFEEDINFO']._serialized_end=1111 - _globals['_PRICEFEEDPRICE']._serialized_start=1113 - _globals['_PRICEFEEDPRICE']._serialized_end=1192 - _globals['_COINBASEPRICESTATE']._serialized_start=1195 - _globals['_COINBASEPRICESTATE']._serialized_end=1341 - _globals['_PRICESTATE']._serialized_start=1344 - _globals['_PRICESTATE']._serialized_end=1512 - _globals['_PYTHPRICESTATE']._serialized_start=1515 - _globals['_PYTHPRICESTATE']._serialized_end=1831 - _globals['_BANDORACLEREQUEST']._serialized_start=1834 - _globals['_BANDORACLEREQUEST']._serialized_end=2118 - _globals['_BANDIBCPARAMS']._serialized_start=2121 - _globals['_BANDIBCPARAMS']._serialized_end=2289 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2291 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2405 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=2407 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=2507 - _globals['_PRICERECORDS']._serialized_start=2510 - _globals['_PRICERECORDS']._serialized_end=2666 - _globals['_PRICERECORD']._serialized_start=2668 - _globals['_PRICERECORD']._serialized_end=2763 - _globals['_METADATASTATISTICS']._serialized_start=2766 - _globals['_METADATASTATISTICS']._serialized_end=3213 - _globals['_PRICEATTESTATION']._serialized_start=3216 - _globals['_PRICEATTESTATION']._serialized_end=3372 + _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLETYPE']._serialized_start=3252 + _globals['_ORACLETYPE']._serialized_end=3411 + _globals['_PARAMS']._serialized_start=140 + _globals['_PARAMS']._serialized_end=195 + _globals['_ORACLEINFO']._serialized_start=197 + _globals['_ORACLEINFO']._serialized_end=284 + _globals['_CHAINLINKPRICESTATE']._serialized_start=287 + _globals['_CHAINLINKPRICESTATE']._serialized_end=462 + _globals['_BANDPRICESTATE']._serialized_start=465 + _globals['_BANDPRICESTATE']._serialized_end=649 + _globals['_PRICEFEEDSTATE']._serialized_start=651 + _globals['_PRICEFEEDSTATE']._serialized_end=773 + _globals['_PROVIDERINFO']._serialized_start=775 + _globals['_PROVIDERINFO']._serialized_end=825 + _globals['_PROVIDERSTATE']._serialized_start=828 + _globals['_PROVIDERSTATE']._serialized_end=983 + _globals['_PROVIDERPRICESTATE']._serialized_start=985 + _globals['_PROVIDERPRICESTATE']._serialized_end=1074 + _globals['_PRICEFEEDINFO']._serialized_start=1076 + _globals['_PRICEFEEDINFO']._serialized_end=1120 + _globals['_PRICEFEEDPRICE']._serialized_start=1122 + _globals['_PRICEFEEDPRICE']._serialized_end=1190 + _globals['_COINBASEPRICESTATE']._serialized_start=1193 + _globals['_COINBASEPRICESTATE']._serialized_end=1339 + _globals['_PRICESTATE']._serialized_start=1342 + _globals['_PRICESTATE']._serialized_end=1488 + _globals['_PYTHPRICESTATE']._serialized_start=1491 + _globals['_PYTHPRICESTATE']._serialized_end=1774 + _globals['_BANDORACLEREQUEST']._serialized_start=1777 + _globals['_BANDORACLEREQUEST']._serialized_end=2061 + _globals['_BANDIBCPARAMS']._serialized_start=2064 + _globals['_BANDIBCPARAMS']._serialized_end=2232 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 + _globals['_PRICERECORDS']._serialized_start=2453 + _globals['_PRICERECORDS']._serialized_end=2609 + _globals['_PRICERECORD']._serialized_start=2611 + _globals['_PRICERECORD']._serialized_end=2695 + _globals['_METADATASTATISTICS']._serialized_start=2698 + _globals['_METADATASTATISTICS']._serialized_end=3090 + _globals['_PRICEATTESTATION']._serialized_start=3093 + _globals['_PRICEATTESTATION']._serialized_end=3249 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index c018fc50..ce151115 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -12,13 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x80\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x81\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9e\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x90\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x91\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9f\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb4\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xab\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,43 +28,43 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/RevokeBandOraclePrivilegeProposal' _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(oracle/GrantPriceFeederPrivilegeProposal' _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*%oracle/GrantProviderPrivilegeProposal' _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/RevokeProviderPrivilegeProposal' _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/RevokePriceFeederPrivilegeProposal' _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._loaded_options = None _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL'].fields_by_name['request']._serialized_options = b'\310\336\037\000' _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._loaded_options = None - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)oracle/AuthorizeBandOracleRequestProposal' _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._loaded_options = None - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*&oracle/UpdateBandOracleRequestProposal' _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=190 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=318 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=321 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=450 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=453 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=611 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=614 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=758 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=761 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=906 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=909 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1068 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1071 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1251 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1254 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1467 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1470 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=1641 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 961271a7..30a67483 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xe3\x01\n\x1dQueryOracleVolatilityResponse\x12>\n\nvolatility\x18\x01 \x01(\tB*\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"q\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\"\xad\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x42\n\nbase_price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0bquote_price\x18\x03 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12M\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12N\n\x16quote_cumulative_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,17 +29,19 @@ _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None - _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._serialized_options = b'\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._loaded_options = None + _globals['_QUERYORACLEPRICEREQUEST'].fields_by_name['scaling_options']._serialized_options = b'\310\336\037\001' _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEPAIRSTATE'].fields_by_name['pair_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEPAIRSTATE'].fields_by_name['base_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._loaded_options = None - _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PRICEPAIRSTATE'].fields_by_name['quote_cumulative_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\"\022 /injective/oracle/v1beta1/params' _globals['_QUERY'].methods_by_name['BandRelayers']._loaded_options = None @@ -119,21 +121,23 @@ _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2205 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2207 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2240 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2242 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2335 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2337 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2389 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2391 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2490 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2492 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2605 - _globals['_PRICEPAIRSTATE']._serialized_start=2608 - _globals['_PRICEPAIRSTATE']._serialized_end=3037 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3039 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3133 - _globals['_QUERY']._serialized_start=3136 - _globals['_QUERY']._serialized_end=5914 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 + _globals['_SCALINGOPTIONS']._serialized_start=2481 + _globals['_SCALINGOPTIONS']._serialized_end=2544 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 + _globals['_PRICEPAIRSTATE']._serialized_start=2736 + _globals['_PRICEPAIRSTATE']._serialized_end=3110 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 + _globals['_QUERY']._serialized_start=3209 + _globals['_QUERY']._serialized_end=5987 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index 533ddda8..5f56ed7b 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 8531932d..71c2aa54 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -12,13 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xa0\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12>\n\x06prices\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayProviderPricesResponse\"\x99\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12=\n\x05price\x18\x04 \x03(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRelayPriceFeedPriceResponse\"}\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:\x0c\x82\xe7\xb0*\x07relayer\"\x1b\n\x19MsgRelayBandRatesResponse\"e\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\"\n MsgRelayCoinbaseMessagesResponse\"Q\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\" \n\x1eMsgRequestBandIBCRatesResponse\"\x81\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgRelayPythPricesResponse\"\x86\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponseBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,55 +28,57 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None - _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None - _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYPROVIDERPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayProviderPrices' _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._loaded_options = None - _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_MSGRELAYPRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGRELAYPRICEFEEDPRICE']._loaded_options = None - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRelayPriceFeedPrice' _globals['_MSGRELAYBANDRATES']._loaded_options = None - _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer' + _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None - _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' _globals['_MSGRELAYPYTHPRICES']._loaded_options = None - _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' + _globals['_MSGRELAYPYTHPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\031oracle/MsgRelayPythPrices' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=177 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=337 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=339 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=371 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=374 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=527 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=529 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=561 - _globals['_MSGRELAYBANDRATES']._serialized_start=563 - _globals['_MSGRELAYBANDRATES']._serialized_end=688 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=690 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=717 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=719 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=820 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=822 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=856 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=858 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=939 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=941 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=973 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=976 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1105 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1107 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1135 - _globals['_MSGUPDATEPARAMS']._serialized_start=1138 - _globals['_MSGUPDATEPARAMS']._serialized_end=1272 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1274 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1299 - _globals['_MSG']._serialized_start=1302 - _globals['_MSG']._serialized_end=2186 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\026oracle/MsgUpdateParams' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 + _globals['_MSGRELAYBANDRATES']._serialized_start=629 + _globals['_MSGRELAYBANDRATES']._serialized_end=783 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 + _globals['_MSGUPDATEPARAMS']._serialized_start=1334 + _globals['_MSGUPDATEPARAMS']._serialized_end=1495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 + _globals['_MSG']._serialized_start=1525 + _globals['_MSG']._serialized_end=2416 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index da1f6435..c1c39386 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index ad6a8047..4bc045af 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"^\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12>\n\x06\x61mount\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,11 +37,11 @@ _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._loaded_options = None _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None - _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' - _globals['_CLAIMTYPE']._serialized_start=307 - _globals['_CLAIMTYPE']._serialized_end=594 + _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' + _globals['_CLAIMTYPE']._serialized_start=290 + _globals['_CLAIMTYPE']._serialized_end=577 _globals['_ATTESTATION']._serialized_start=109 _globals['_ATTESTATION']._serialized_end=208 _globals['_ERC20TOKEN']._serialized_start=210 - _globals['_ERC20TOKEN']._serialized_end=304 + _globals['_ERC20TOKEN']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index a565b6b0..bbd26b42 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xe1\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\x8c\x02\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12>\n\x06\x61mount\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\xa9\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -26,15 +26,15 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None - _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_EVENTSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000\332\336\037\'github.com/cosmos/cosmos-sdk/types.Coin' _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None - _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None - _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 @@ -44,29 +44,29 @@ _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=876 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=878 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=996 - _globals['_EVENTVALSETCONFIRM']._serialized_start=998 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1070 - _globals['_EVENTSENDTOETH']._serialized_start=1073 - _globals['_EVENTSENDTOETH']._serialized_end=1281 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1283 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1353 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1355 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1437 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1440 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=1708 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1711 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1873 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1876 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2092 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2095 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2392 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=2394 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=2440 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2442 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2537 - _globals['_EVENTVALIDATORSLASH']._serialized_start=2539 - _globals['_EVENTVALIDATORSLASH']._serialized_end=2661 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 + _globals['_EVENTVALSETCONFIRM']._serialized_start=981 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 + _globals['_EVENTSENDTOETH']._serialized_start=1056 + _globals['_EVENTSENDTOETH']._serialized_end=1264 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 + _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 + _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index fa00cdb5..52ba88cb 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -12,17 +12,18 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\"X\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\"%\n#MsgSetOrchestratorAddressesResponse\"r\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgValsetConfirmResponse\"\xa3\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x16\n\x14MsgSendToEthResponse\"I\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgRequestBatchResponse\"\x88\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgConfirmBatchResponse\"\xfd\x01\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12>\n\x06\x61mount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x19\n\x17MsgDepositClaimResponse\"\x93\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"I\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCancelSendToEthResponse\"v\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\x94\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x45\n\rreward_amount\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:\x11\x82\xe7\xb0*\x0corchestrator\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xa6\x0e\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,40 +31,48 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' _globals['_MSGVALSETCONFIRM']._loaded_options = None - _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGVALSETCONFIRM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgValsetConfirm' _globals['_MSGSENDTOETH'].fields_by_name['amount']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._loaded_options = None _globals['_MSGSENDTOETH'].fields_by_name['bridge_fee']._serialized_options = b'\310\336\037\000' _globals['_MSGSENDTOETH']._loaded_options = None - _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\022peggy/MsgSendToEth' _globals['_MSGREQUESTBATCH']._loaded_options = None - _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGREQUESTBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgRequestBatch' _globals['_MSGCONFIRMBATCH']._loaded_options = None - _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGCONFIRMBATCH']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgConfirmBatch' _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._loaded_options = None - _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGDEPOSITCLAIM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_MSGDEPOSITCLAIM']._loaded_options = None - _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGDEPOSITCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\025peggy/MsgDepositClaim' _globals['_MSGWITHDRAWCLAIM']._loaded_options = None - _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGWITHDRAWCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\026peggy/MsgWithdrawClaim' _globals['_MSGERC20DEPLOYEDCLAIM']._loaded_options = None - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgERC20DeployedClaim' _globals['_MSGCANCELSENDTOETH']._loaded_options = None - _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCANCELSENDTOETH']._serialized_options = b'\202\347\260*\006sender\212\347\260*\030peggy/MsgCancelSendToEth' _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._loaded_options = None - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_options = b'\202\347\260*\006sender\212\347\260*#peggy/MsgSubmitBadSignatureEvidence' _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._loaded_options = None - _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_MSGVALSETUPDATEDCLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_MSGVALSETUPDATEDCLAIM']._loaded_options = None - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator' + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_options = b'\202\347\260*\014orchestrator\212\347\260*\033peggy/MsgValsetUpdatedClaim' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025peggy/MsgUpdateParams' + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._loaded_options = None + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_options = b'\202\347\260*\006signer\212\347\260*#peggy/MsgBlacklistEthereumAddresses' + _globals['_MSGREVOKEETHEREUMBLACKLIST']._loaded_options = None + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_options = b'\202\347\260*\006signer\212\347\260* peggy/MsgRevokeEthereumBlacklist' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSG'].methods_by_name['ValsetConfirm']._loaded_options = None _globals['_MSG'].methods_by_name['ValsetConfirm']._serialized_options = b'\202\323\344\223\002$\"\"/injective/peggy/v1/valset_confirm' _globals['_MSG'].methods_by_name['SendToEth']._loaded_options = None @@ -86,54 +95,62 @@ _globals['_MSG'].methods_by_name['CancelSendToEth']._serialized_options = b'\202\323\344\223\002(\"&/injective/peggy/v1/cancel_send_to_eth' _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=281 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=369 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=371 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=408 - _globals['_MSGVALSETCONFIRM']._serialized_start=410 - _globals['_MSGVALSETCONFIRM']._serialized_end=524 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=526 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=552 - _globals['_MSGSENDTOETH']._serialized_start=555 - _globals['_MSGSENDTOETH']._serialized_end=718 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=720 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=742 - _globals['_MSGREQUESTBATCH']._serialized_start=744 - _globals['_MSGREQUESTBATCH']._serialized_end=817 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=819 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=844 - _globals['_MSGCONFIRMBATCH']._serialized_start=847 - _globals['_MSGCONFIRMBATCH']._serialized_end=983 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=985 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1010 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1013 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1266 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1268 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1293 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1296 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=1443 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1445 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1471 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1474 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1675 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1677 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1708 - _globals['_MSGCANCELSENDTOETH']._serialized_start=1710 - _globals['_MSGCANCELSENDTOETH']._serialized_end=1783 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=1785 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=1813 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=1815 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=1933 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=1935 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=1974 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=1977 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2253 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2255 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2286 - _globals['_MSGUPDATEPARAMS']._serialized_start=2289 - _globals['_MSGUPDATEPARAMS']._serialized_end=2417 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2419 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2444 - _globals['_MSG']._serialized_start=2447 - _globals['_MSG']._serialized_end=4277 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 + _globals['_MSGVALSETCONFIRM']._serialized_start=482 + _globals['_MSGVALSETCONFIRM']._serialized_end=623 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 + _globals['_MSGSENDTOETH']._serialized_start=654 + _globals['_MSGSENDTOETH']._serialized_end=840 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 + _globals['_MSGREQUESTBATCH']._serialized_start=866 + _globals['_MSGREQUESTBATCH']._serialized_end=965 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 + _globals['_MSGCONFIRMBATCH']._serialized_start=995 + _globals['_MSGCONFIRMBATCH']._serialized_end=1157 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 + _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 + _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 + _globals['_MSGUPDATEPARAMS']._serialized_start=2616 + _globals['_MSGUPDATEPARAMS']._serialized_end=2770 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 + _globals['_MSG']._serialized_start=3136 + _globals['_MSG']._serialized_end=5246 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index 7860bac1..f17ec381 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -99,6 +99,16 @@ def __init__(self, channel): request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.SerializeToString, response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.FromString, _registered_method=True) + self.BlacklistEthereumAddresses = channel.unary_unary( + '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', + request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, + response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, + _registered_method=True) + self.RevokeEthereumBlacklist = channel.unary_unary( + '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', + request_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, + response_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -176,6 +186,21 @@ def UpdateParams(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def BlacklistEthereumAddresses(self, request, context): + """BlacklistEthereumAddresses adds Ethereum addresses to the peggy blacklist. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def RevokeEthereumBlacklist(self, request, context): + """RevokeEthereumBlacklist removes Ethereum addresses from the peggy + blacklist. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -239,6 +264,16 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParams.FromString, response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgUpdateParamsResponse.SerializeToString, ), + 'BlacklistEthereumAddresses': grpc.unary_unary_rpc_method_handler( + servicer.BlacklistEthereumAddresses, + request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.FromString, + response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.SerializeToString, + ), + 'RevokeEthereumBlacklist': grpc.unary_unary_rpc_method_handler( + servicer.RevokeEthereumBlacklist, + request_deserializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.FromString, + response_serializer=injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'injective.peggy.v1.Msg', rpc_method_handlers) @@ -573,3 +608,57 @@ def UpdateParams(request, timeout, metadata, _registered_method=True) + + @staticmethod + def BlacklistEthereumAddresses(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/BlacklistEthereumAddresses', + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddresses.SerializeToString, + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgBlacklistEthereumAddressesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def RevokeEthereumBlacklist(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.peggy.v1.Msg/RevokeEthereumBlacklist', + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklist.SerializeToString, + injective_dot_peggy_dot_v1_dot_msgs__pb2.MsgRevokeEthereumBlacklistResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index a70647d1..a439c8a9 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -12,11 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xb7\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12M\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12L\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12X\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12X\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -25,19 +26,19 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_conflicting_claim']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._loaded_options = None - _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_PARAMS'].fields_by_name['slash_fraction_bad_eth_signature']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['valset_reward']._loaded_options = None _globals['_PARAMS'].fields_by_name['valset_reward']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\200\334 \000' - _globals['_PARAMS']._serialized_start=110 - _globals['_PARAMS']._serialized_end=1061 + _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' + _globals['_PARAMS']._serialized_start=129 + _globals['_PARAMS']._serialized_end=1058 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index 2d0fbf82..dc5344aa 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"^\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x42\n\ntotal_fees\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,9 +24,9 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None - _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_IDSET']._serialized_start=75 _globals['_IDSET']._serialized_end=95 _globals['_BATCHFEES']._serialized_start=97 - _globals['_BATCHFEES']._serialized_end=191 + _globals['_BATCHFEES']._serialized_end=174 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py deleted file mode 100644 index bfcf4b13..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: injective/peggy/v1/proposal.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/peggy/v1/proposal.proto\x12\x12injective.peggy.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x01\n\"BlacklistEthereumAddressesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x8a\x01\n\x1fRevokeEthereumBlacklistProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._loaded_options = None - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._loaded_options = None - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=248 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_start=251 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_end=389 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py deleted file mode 100644 index 64f11e45..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index a8887191..550b2116 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 3641cb92..1186e742 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -12,10 +12,10 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xba\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x45\n\rreward_amount\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,15 +24,15 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None - _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Int' + _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 _globals['_BRIDGEVALIDATOR']._serialized_end=134 _globals['_VALSET']._serialized_start=137 - _globals['_VALSET']._serialized_end=323 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=325 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=418 - _globals['_LASTCLAIMEVENT']._serialized_start=420 - _globals['_LASTCLAIMEVENT']._serialized_end=497 - _globals['_ERC20TODENOM']._serialized_start=499 - _globals['_ERC20TODENOM']._serialized_end=543 + _globals['_VALSET']._serialized_end=306 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 + _globals['_LASTCLAIMEVENT']._serialized_start=403 + _globals['_LASTCLAIMEVENT']._serialized_end=480 + _globals['_ERC20TODENOM']._serialized_start=482 + _globals['_ERC20TODENOM']._serialized_end=526 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 96981d40..4ea7248d 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x08\n\x06ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -25,6 +26,8 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' - _globals['_PARAMS']._serialized_start=158 - _globals['_PARAMS']._serialized_end=166 + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' + _globals['_PARAMS']._serialized_start=177 + _globals['_PARAMS']._serialized_end=247 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index 34f74fb6..72dae7b6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index b93827bd..65f19a41 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -12,16 +12,17 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x87\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgCreateNamespaceResponse\"]\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xe0\x04\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:\x0b\x82\xe7\xb0*\x06sender\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xe5\x01\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xb0\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:\x0b\x82\xe7\xb0*\x06sender\"!\n\x1fMsgRevokeNamespaceRolesResponse\"U\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x19\n\x17MsgClaimVoucherResponse2\x9a\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponseBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -34,69 +35,71 @@ _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\033permissions/MsgUpdateParams' _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._loaded_options = None _globals['_MSGCREATENAMESPACE'].fields_by_name['namespace']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATENAMESPACE']._loaded_options = None - _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCREATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgCreateNamespace' _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGDELETENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGDELETENAMESPACE']._loaded_options = None - _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGDELETENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgDeleteNamespace' _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACE'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGUPDATENAMESPACE']._loaded_options = None - _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATENAMESPACE']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036permissions/MsgUpdateNamespace' _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGUPDATENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGUPDATENAMESPACEROLES']._loaded_options = None - _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgUpdateNamespaceRoles' _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._loaded_options = None _globals['_MSGREVOKENAMESPACEROLES'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGREVOKENAMESPACEROLES']._loaded_options = None - _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGREVOKENAMESPACEROLES']._serialized_options = b'\202\347\260*\006sender\212\347\260*#permissions/MsgRevokeNamespaceRoles' _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._loaded_options = None _globals['_MSGCLAIMVOUCHER'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCLAIMVOUCHER']._loaded_options = None - _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGUPDATEPARAMS']._serialized_start=305 - _globals['_MSGUPDATEPARAMS']._serialized_end=444 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=446 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=471 - _globals['_MSGCREATENAMESPACE']._serialized_start=474 - _globals['_MSGCREATENAMESPACE']._serialized_end=609 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=611 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=639 - _globals['_MSGDELETENAMESPACE']._serialized_start=641 - _globals['_MSGDELETENAMESPACE']._serialized_end=734 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=736 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=764 - _globals['_MSGUPDATENAMESPACE']._serialized_start=767 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1375 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1207 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1242 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1244 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1282 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1284 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1322 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1324 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1362 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1377 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1405 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1408 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1637 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1639 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1672 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1675 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=1851 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=1853 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=1886 - _globals['_MSGCLAIMVOUCHER']._serialized_start=1888 - _globals['_MSGCLAIMVOUCHER']._serialized_end=1973 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=1975 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2000 - _globals['_MSG']._serialized_start=2003 - _globals['_MSG']._serialized_end=2925 + _globals['_MSGCLAIMVOUCHER']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033permissions/MsgClaimVoucher' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGUPDATEPARAMS']._serialized_start=324 + _globals['_MSGUPDATEPARAMS']._serialized_end=495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 + _globals['_MSGCREATENAMESPACE']._serialized_start=525 + _globals['_MSGCREATENAMESPACE']._serialized_end=695 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 + _globals['_MSGDELETENAMESPACE']._serialized_start=728 + _globals['_MSGDELETENAMESPACE']._serialized_end=856 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 + _globals['_MSGUPDATENAMESPACE']._serialized_start=889 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 + _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 + _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 + _globals['_MSG']._serialized_start=2272 + _globals['_MSG']._serialized_end=3201 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index d2c1c175..6d164102 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index fe02abbd..83829de7 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -12,13 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xdd\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x43\n\x0b\x65ntry_price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12>\n\x06margin\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12P\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\"j\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12=\n\x05price\x18\x02 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xf2\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12@\n\x08quantity\x18\x04 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12=\n\x05price\x18\x05 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xfa\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12>\n\x06payout\x18\x06 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12;\n\x03\x66\x65\x65\x18\x07 \x01(\tB.\xc8\xde\x1f\x00\xda\xde\x1f&github.com/cosmos/cosmos-sdk/types.Dec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -57,31 +57,31 @@ _globals['_DERIVATIVEORDER'].fields_by_name['order']._loaded_options = None _globals['_DERIVATIVEORDER'].fields_by_name['order']._serialized_options = b'\310\336\037\000' _globals['_POSITION'].fields_by_name['quantity']._loaded_options = None - _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['entry_price']._loaded_options = None - _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['entry_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['margin']._loaded_options = None - _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['margin']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._loaded_options = None - _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_POSITION'].fields_by_name['cumulative_funding_entry']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_ORACLEPRICE'].fields_by_name['price']._loaded_options = None - _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_ORACLEPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTTRADE'].fields_by_name['quantity']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTTRADE'].fields_by_name['quantity']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTTRADE'].fields_by_name['price']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTTRADE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTTRADE'].fields_by_name['fee']._loaded_options = None - _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_SPOTTRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_SPOTTRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' _globals['_DERIVATIVETRADE'].fields_by_name['payout']._loaded_options = None - _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADE'].fields_by_name['payout']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADE'].fields_by_name['fee']._loaded_options = None - _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037&github.com/cosmos/cosmos-sdk/types.Dec' + _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=4471 - _globals['_ORDERUPDATESTATUS']._serialized_end=4547 + _globals['_ORDERUPDATESTATUS']._serialized_start=4361 + _globals['_ORDERUPDATESTATUS']._serialized_end=4437 _globals['_STREAMREQUEST']._serialized_start=205 _globals['_STREAMREQUEST']._serialized_end=1027 _globals['_STREAMRESPONSE']._serialized_start=1030 @@ -105,27 +105,27 @@ _globals['_DERIVATIVEORDER']._serialized_start=2778 _globals['_DERIVATIVEORDER']._serialized_end=2904 _globals['_POSITION']._serialized_start=2907 - _globals['_POSITION']._serialized_end=3256 - _globals['_ORACLEPRICE']._serialized_start=3258 - _globals['_ORACLEPRICE']._serialized_end=3364 - _globals['_SPOTTRADE']._serialized_start=3367 - _globals['_SPOTTRADE']._serialized_end=3737 - _globals['_DERIVATIVETRADE']._serialized_start=3740 - _globals['_DERIVATIVETRADE']._serialized_end=4118 - _globals['_TRADESFILTER']._serialized_start=4120 - _globals['_TRADESFILTER']._serialized_end=4178 - _globals['_POSITIONSFILTER']._serialized_start=4180 - _globals['_POSITIONSFILTER']._serialized_end=4241 - _globals['_ORDERSFILTER']._serialized_start=4243 - _globals['_ORDERSFILTER']._serialized_end=4301 - _globals['_ORDERBOOKFILTER']._serialized_start=4303 - _globals['_ORDERBOOKFILTER']._serialized_end=4340 - _globals['_BANKBALANCESFILTER']._serialized_start=4342 - _globals['_BANKBALANCESFILTER']._serialized_end=4380 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4382 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4432 - _globals['_ORACLEPRICEFILTER']._serialized_start=4434 - _globals['_ORACLEPRICEFILTER']._serialized_end=4469 - _globals['_STREAM']._serialized_start=4549 - _globals['_STREAM']._serialized_end=4652 + _globals['_POSITION']._serialized_end=3212 + _globals['_ORACLEPRICE']._serialized_start=3214 + _globals['_ORACLEPRICE']._serialized_end=3309 + _globals['_SPOTTRADE']._serialized_start=3312 + _globals['_SPOTTRADE']._serialized_end=3649 + _globals['_DERIVATIVETRADE']._serialized_start=3652 + _globals['_DERIVATIVETRADE']._serialized_end=4008 + _globals['_TRADESFILTER']._serialized_start=4010 + _globals['_TRADESFILTER']._serialized_end=4068 + _globals['_POSITIONSFILTER']._serialized_start=4070 + _globals['_POSITIONSFILTER']._serialized_end=4131 + _globals['_ORDERSFILTER']._serialized_start=4133 + _globals['_ORDERSFILTER']._serialized_end=4191 + _globals['_ORDERBOOKFILTER']._serialized_start=4193 + _globals['_ORDERBOOKFILTER']._serialized_end=4230 + _globals['_BANKBALANCESFILTER']._serialized_start=4232 + _globals['_BANKBALANCESFILTER']._serialized_end=4270 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 + _globals['_ORACLEPRICEFILTER']._serialized_start=4324 + _globals['_ORACLEPRICEFILTER']._serialized_end=4359 + _globals['_STREAM']._serialized_start=4439 + _globals['_STREAM']._serialized_end=4542 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index fe20a632..d6c3740e 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 53bf6d21..5ea0a41f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -12,13 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x8f\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,6 +29,8 @@ _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_PARAMS']._serialized_start=217 - _globals['_PARAMS']._serialized_end=360 + _globals['_PARAMS']._loaded_options = None + _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' + _globals['_PARAMS']._serialized_start=236 + _globals['_PARAMS']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index e06416a8..61e5c1fa 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index 85ce4e44..16f2049c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -12,15 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xa9\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x0b\x82\xe7\xb0*\x06sender\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"{\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgMintResponse\"{\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgBurnResponse\"\x8a\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":\x0b\x82\xe7\xb0*\x06sender\"\x18\n\x16MsgChangeAdminResponse\"\x8f\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\x8c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse2\xb8\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponseBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,7 +38,7 @@ _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' _globals['_MSGCREATEDENOM']._loaded_options = None - _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/create-denom' _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._serialized_options = b'\362\336\037\026yaml:\"new_token_denom\"' _globals['_MSGMINT'].fields_by_name['sender']._loaded_options = None @@ -45,13 +46,13 @@ _globals['_MSGMINT'].fields_by_name['amount']._loaded_options = None _globals['_MSGMINT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' _globals['_MSGMINT']._loaded_options = None - _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGMINT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/mint' _globals['_MSGBURN'].fields_by_name['sender']._loaded_options = None _globals['_MSGBURN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGBURN'].fields_by_name['amount']._loaded_options = None _globals['_MSGBURN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\362\336\037\ryaml:\"amount\"' _globals['_MSGBURN']._loaded_options = None - _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGBURN']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033injective/tokenfactory/burn' _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCHANGEADMIN'].fields_by_name['denom']._loaded_options = None @@ -59,43 +60,45 @@ _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._loaded_options = None _globals['_MSGCHANGEADMIN'].fields_by_name['new_admin']._serialized_options = b'\362\336\037\020yaml:\"new_admin\"' _globals['_MSGCHANGEADMIN']._loaded_options = None - _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGCHANGEADMIN']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/change-admin' _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_MSGSETDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000\362\336\037\017yaml:\"metadata\"' _globals['_MSGSETDENOMMETADATA']._loaded_options = None - _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGSETDENOMMETADATA']._serialized_options = b'\202\347\260*\006sender\212\347\260*)injective/tokenfactory/set-denom-metadata' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' - _globals['_MSGCREATEDENOM']._serialized_start=259 - _globals['_MSGCREATEDENOM']._serialized_end=428 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=430 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=507 - _globals['_MSGMINT']._serialized_start=509 - _globals['_MSGMINT']._serialized_end=632 - _globals['_MSGMINTRESPONSE']._serialized_start=634 - _globals['_MSGMINTRESPONSE']._serialized_end=651 - _globals['_MSGBURN']._serialized_start=653 - _globals['_MSGBURN']._serialized_end=776 - _globals['_MSGBURNRESPONSE']._serialized_start=778 - _globals['_MSGBURNRESPONSE']._serialized_end=795 - _globals['_MSGCHANGEADMIN']._serialized_start=798 - _globals['_MSGCHANGEADMIN']._serialized_end=936 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=938 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=962 - _globals['_MSGSETDENOMMETADATA']._serialized_start=965 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1108 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1110 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1139 - _globals['_MSGUPDATEPARAMS']._serialized_start=1142 - _globals['_MSGUPDATEPARAMS']._serialized_end=1282 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1284 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1309 - _globals['_MSG']._serialized_start=1312 - _globals['_MSG']._serialized_end=2008 + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*$injective/tokenfactory/update-params' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGCREATEDENOM']._serialized_start=278 + _globals['_MSGCREATEDENOM']._serialized_end=487 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 + _globals['_MSGMINT']._serialized_start=569 + _globals['_MSGMINT']._serialized_end=724 + _globals['_MSGMINTRESPONSE']._serialized_start=726 + _globals['_MSGMINTRESPONSE']._serialized_end=743 + _globals['_MSGBURN']._serialized_start=746 + _globals['_MSGBURN']._serialized_end=901 + _globals['_MSGBURNRESPONSE']._serialized_start=903 + _globals['_MSGBURNRESPONSE']._serialized_end=920 + _globals['_MSGCHANGEADMIN']._serialized_start=923 + _globals['_MSGCHANGEADMIN']._serialized_end=1101 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 + _globals['_MSGUPDATEPARAMS']._serialized_start=1353 + _globals['_MSGUPDATEPARAMS']._serialized_end=1534 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 + _globals['_MSG']._serialized_start=1564 + _globals['_MSG']._serialized_end=2267 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index 62ece9b4..6b9c749c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index e39278fa..cf7207e9 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -12,12 +12,12 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xce\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":B\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -30,7 +30,7 @@ _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['code_hash']._serialized_options = b'\362\336\037\020yaml:\"code_hash\"' _globals['_ETHACCOUNT']._loaded_options = None - _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-2github.com/cosmos/cosmos-sdk/x/auth/types.AccountI' + _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=354 + _globals['_ETHACCOUNT']._serialized_end=332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index ab012f95..bf271807 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -12,12 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd5\x01\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x84\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xa2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -28,29 +29,29 @@ _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/ContractRegistrationRequestProposal' _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._loaded_options = None _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_requests']._serialized_options = b'\310\336\037\000' _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*.wasmx/BatchContractRegistrationRequestProposal' _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._loaded_options = None - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*)wasmx/BatchContractDeregistrationProposal' _globals['_CONTRACTREGISTRATIONREQUEST']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None - _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_FUNDINGMODE']._serialized_start=1179 - _globals['_FUNDINGMODE']._serialized_end=1250 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=147 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=354 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=357 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=570 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=573 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=705 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=708 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1012 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1015 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1177 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' + _globals['_FUNDINGMODE']._serialized_start=1374 + _globals['_FUNDINGMODE']._serialized_end=1445 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index 94c6456c..035128b9 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index cba288c1..8ccf83be 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -12,15 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\"e\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x8d\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\x0b\x82\xe7\xb0*\x06sender\"\x1b\n\x19MsgUpdateContractResponse\"L\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgActivateContractResponse\"N\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:\x0b\x82\xe7\xb0*\x06sender\"\x1f\n\x1dMsgDeactivateContractResponse\"\x80\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0e\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x90\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:\x0b\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRegisterContractResponse2\xba\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponseBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,49 +30,51 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._serialized_options = b'\310\336\037\001' _globals['_MSGUPDATECONTRACT']._loaded_options = None - _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGUPDATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasmx/MsgUpdateContract' _globals['_MSGACTIVATECONTRACT']._loaded_options = None - _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgActivateContract' _globals['_MSGDEACTIVATECONTRACT']._loaded_options = None - _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender' + _globals['_MSGDEACTIVATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasmx/MsgDeactivateContract' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None - _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority' + _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\025wasmx/MsgUpdateParams' _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_MSGREGISTERCONTRACT'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' _globals['_MSGREGISTERCONTRACT']._loaded_options = None - _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender' - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=219 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=320 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=322 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=370 - _globals['_MSGUPDATECONTRACT']._serialized_start=373 - _globals['_MSGUPDATECONTRACT']._serialized_end=514 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=516 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=543 - _globals['_MSGACTIVATECONTRACT']._serialized_start=545 - _globals['_MSGACTIVATECONTRACT']._serialized_end=621 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=623 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=652 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=654 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=732 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=734 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=765 - _globals['_MSGUPDATEPARAMS']._serialized_start=768 - _globals['_MSGUPDATEPARAMS']._serialized_end=896 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=898 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=923 - _globals['_MSGREGISTERCONTRACT']._serialized_start=926 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1070 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1072 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1101 - _globals['_MSG']._serialized_start=1104 - _globals['_MSG']._serialized_end=1802 + _globals['_MSGREGISTERCONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\031wasmx/MsgRegisterContract' + _globals['_MSG']._loaded_options = None + _globals['_MSG']._serialized_options = b'\200\347\260*\001' + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 + _globals['_MSGUPDATECONTRACT']._serialized_start=428 + _globals['_MSGUPDATECONTRACT']._serialized_end=597 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 + _globals['_MSGACTIVATECONTRACT']._serialized_start=628 + _globals['_MSGACTIVATECONTRACT']._serialized_end=734 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 + _globals['_MSGUPDATEPARAMS']._serialized_start=913 + _globals['_MSGUPDATEPARAMS']._serialized_end=1067 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 + _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 + _globals['_MSG']._serialized_start=1305 + _globals['_MSG']._serialized_end=2010 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index 1e06cb56..b59d417c 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index fb83cbcd..c72c28db 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -12,11 +12,13 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a!injective/wasmx/v1/proposal.proto\"\x86\x01\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04:\x04\xe8\xa0\x1f\x01\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,8 +26,10 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None + _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' _globals['_PARAMS']._loaded_options = None - _globals['_PARAMS']._serialized_options = b'\350\240\037\001' + _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\014wasmx/Params' _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_REGISTEREDCONTRACT'].fields_by_name['code_id']._serialized_options = b'\310\336\037\001' _globals['_REGISTEREDCONTRACT'].fields_by_name['admin_address']._loaded_options = None @@ -34,8 +38,8 @@ _globals['_REGISTEREDCONTRACT'].fields_by_name['granter_address']._serialized_options = b'\310\336\037\001' _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' - _globals['_PARAMS']._serialized_start=112 - _globals['_PARAMS']._serialized_end=246 - _globals['_REGISTEREDCONTRACT']._serialized_start=249 - _globals['_REGISTEREDCONTRACT']._serialized_end=471 + _globals['_PARAMS']._serialized_start=161 + _globals['_PARAMS']._serialized_end=424 + _globals['_REGISTEREDCONTRACT']._serialized_start=427 + _globals['_REGISTEREDCONTRACT']._serialized_end=649 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index b87d3092..29285b8e 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -12,15 +12,15 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xc1\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x39\n\x0b\x62\x65gin_block\x18\x07 \x01(\x0b\x32\".tendermint.abci.RequestBeginBlockH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x37\n\ndeliver_tx\x18\t \x01(\x0b\x32!.tendermint.abci.RequestDeliverTxH\x00\x12\x35\n\tend_block\x18\n \x01(\x0b\x32 .tendermint.abci.RequestEndBlockH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xd0\x01\n\x11RequestBeginBlock\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12.\n\x06header\x18\x02 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12;\n\x10last_commit_info\x18\x03 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12@\n\x14\x62yzantine_validators\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x1e\n\x10RequestDeliverTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"!\n\x0fRequestEndBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\x8b\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12:\n\x0b\x62\x65gin_block\x18\x08 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlockH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x38\n\ndeliver_tx\x18\n \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxH\x00\x12\x36\n\tend_block\x18\x0b \x01(\x0b\x32!.tendermint.abci.ResponseEndBlockH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\x92\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\x12\x0e\n\x06sender\x18\t \x01(\t\x12\x10\n\x08priority\x18\n \x01(\x03\x12\x15\n\rmempool_error\x18\x0b \x01(\t\"\xdb\x01\n\x11ResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"5\n\x0eResponseCommit\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x15\n\rretain_height\x18\x03 \x01(\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"o\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x38\n\x06result\x18\x04 \x01(\x0b\x32\".tendermint.abci.ResponseDeliverTxB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"Z\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\"z\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x19\n\x11signed_last_block\x18\x02 \x01(\x08\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\xfb\n\n\x0f\x41\x42\x43IApplication\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12R\n\tDeliverTx\x12!.tendermint.abci.RequestDeliverTx\x1a\".tendermint.abci.ResponseDeliverTx\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12U\n\nBeginBlock\x12\".tendermint.abci.RequestBeginBlock\x1a#.tendermint.abci.ResponseBeginBlock\x12O\n\x08\x45ndBlock\x12 .tendermint.abci.RequestEndBlock\x1a!.tendermint.abci.ResponseEndBlock\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposalB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -36,12 +36,6 @@ _globals['_REQUESTINITCHAIN'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_REQUESTINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._loaded_options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._loaded_options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['last_commit_info']._serialized_options = b'\310\336\037\000' - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._loaded_options = None - _globals['_REQUESTBEGINBLOCK'].fields_by_name['byzantine_validators']._serialized_options = b'\310\336\037\000' _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._loaded_options = None _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['local_last_commit']._serialized_options = b'\310\336\037\000' _globals['_REQUESTPREPAREPROPOSAL'].fields_by_name['misbehavior']._loaded_options = None @@ -54,24 +48,34 @@ _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._loaded_options = None _globals['_REQUESTPROCESSPROPOSAL'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['proposed_last_commit']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTEXTENDVOTE'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['decided_last_commit']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['misbehavior']._serialized_options = b'\310\336\037\000' + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._loaded_options = None + _globals['_REQUESTFINALIZEBLOCK'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._loaded_options = None _globals['_RESPONSEINITCHAIN'].fields_by_name['validators']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_RESPONSECHECKTX'].fields_by_name['events']._loaded_options = None _globals['_RESPONSECHECKTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEDELIVERTX'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._loaded_options = None + _globals['_RESPONSEFINALIZEBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' _globals['_COMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._loaded_options = None _globals['_EXTENDEDCOMMITINFO'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' _globals['_EVENT'].fields_by_name['attributes']._loaded_options = None _globals['_EVENT'].fields_by_name['attributes']._serialized_options = b'\310\336\037\000\352\336\037\024attributes,omitempty' + _globals['_EXECTXRESULT'].fields_by_name['events']._loaded_options = None + _globals['_EXECTXRESULT'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_TXRESULT'].fields_by_name['result']._loaded_options = None _globals['_TXRESULT'].fields_by_name['result']._serialized_options = b'\310\336\037\000' _globals['_VALIDATORUPDATE'].fields_by_name['pub_key']._loaded_options = None @@ -84,108 +88,112 @@ _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=7216 - _globals['_CHECKTXTYPE']._serialized_end=7273 - _globals['_MISBEHAVIORTYPE']._serialized_start=7275 - _globals['_MISBEHAVIORTYPE']._serialized_end=7350 - _globals['_REQUEST']._serialized_start=226 - _globals['_REQUEST']._serialized_end=1187 - _globals['_REQUESTECHO']._serialized_start=1189 - _globals['_REQUESTECHO']._serialized_end=1219 - _globals['_REQUESTFLUSH']._serialized_start=1221 - _globals['_REQUESTFLUSH']._serialized_end=1235 - _globals['_REQUESTINFO']._serialized_start=1237 - _globals['_REQUESTINFO']._serialized_end=1333 - _globals['_REQUESTINITCHAIN']._serialized_start=1336 - _globals['_REQUESTINITCHAIN']._serialized_end=1594 - _globals['_REQUESTQUERY']._serialized_start=1596 - _globals['_REQUESTQUERY']._serialized_end=1669 - _globals['_REQUESTBEGINBLOCK']._serialized_start=1672 - _globals['_REQUESTBEGINBLOCK']._serialized_end=1880 - _globals['_REQUESTCHECKTX']._serialized_start=1882 - _globals['_REQUESTCHECKTX']._serialized_end=1954 - _globals['_REQUESTDELIVERTX']._serialized_start=1956 - _globals['_REQUESTDELIVERTX']._serialized_end=1986 - _globals['_REQUESTENDBLOCK']._serialized_start=1988 - _globals['_REQUESTENDBLOCK']._serialized_end=2021 - _globals['_REQUESTCOMMIT']._serialized_start=2023 - _globals['_REQUESTCOMMIT']._serialized_end=2038 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2040 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2062 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2064 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2149 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2151 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2224 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2226 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2299 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2302 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2612 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2615 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2912 - _globals['_RESPONSE']._serialized_start=2915 - _globals['_RESPONSE']._serialized_end=3950 - _globals['_RESPONSEEXCEPTION']._serialized_start=3952 - _globals['_RESPONSEEXCEPTION']._serialized_end=3986 - _globals['_RESPONSEECHO']._serialized_start=3988 - _globals['_RESPONSEECHO']._serialized_end=4019 - _globals['_RESPONSEFLUSH']._serialized_start=4021 - _globals['_RESPONSEFLUSH']._serialized_end=4036 - _globals['_RESPONSEINFO']._serialized_start=4038 - _globals['_RESPONSEINFO']._serialized_end=4160 - _globals['_RESPONSEINITCHAIN']._serialized_start=4163 - _globals['_RESPONSEINITCHAIN']._serialized_end=4321 - _globals['_RESPONSEQUERY']._serialized_start=4324 - _globals['_RESPONSEQUERY']._serialized_end=4506 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=4508 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=4594 - _globals['_RESPONSECHECKTX']._serialized_start=4597 - _globals['_RESPONSECHECKTX']._serialized_end=4871 - _globals['_RESPONSEDELIVERTX']._serialized_start=4874 - _globals['_RESPONSEDELIVERTX']._serialized_end=5093 - _globals['_RESPONSEENDBLOCK']._serialized_start=5096 - _globals['_RESPONSEENDBLOCK']._serialized_end=5315 - _globals['_RESPONSECOMMIT']._serialized_start=5317 - _globals['_RESPONSECOMMIT']._serialized_end=5370 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5372 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5441 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5444 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5626 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5532 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5626 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5628 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5670 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5673 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5915 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5819 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5915 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5917 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5955 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5958 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6111 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6058 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6111 - _globals['_COMMITINFO']._serialized_start=6113 - _globals['_COMMITINFO']._serialized_end=6188 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=6190 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=6281 - _globals['_EVENT']._serialized_start=6283 - _globals['_EVENT']._serialized_end=6387 - _globals['_EVENTATTRIBUTE']._serialized_start=6389 - _globals['_EVENTATTRIBUTE']._serialized_end=6448 - _globals['_TXRESULT']._serialized_start=6450 - _globals['_TXRESULT']._serialized_end=6561 - _globals['_VALIDATOR']._serialized_start=6563 - _globals['_VALIDATOR']._serialized_end=6606 - _globals['_VALIDATORUPDATE']._serialized_start=6608 - _globals['_VALIDATORUPDATE']._serialized_end=6693 - _globals['_VOTEINFO']._serialized_start=6695 - _globals['_VOTEINFO']._serialized_end=6785 - _globals['_EXTENDEDVOTEINFO']._serialized_start=6787 - _globals['_EXTENDEDVOTEINFO']._serialized_end=6909 - _globals['_MISBEHAVIOR']._serialized_start=6912 - _globals['_MISBEHAVIOR']._serialized_end=7122 - _globals['_SNAPSHOT']._serialized_start=7124 - _globals['_SNAPSHOT']._serialized_end=7214 - _globals['_ABCIAPPLICATION']._serialized_start=7353 - _globals['_ABCIAPPLICATION']._serialized_end=8756 + _globals['_CHECKTXTYPE']._serialized_start=8001 + _globals['_CHECKTXTYPE']._serialized_end=8058 + _globals['_MISBEHAVIORTYPE']._serialized_start=8060 + _globals['_MISBEHAVIORTYPE']._serialized_end=8135 + _globals['_REQUEST']._serialized_start=230 + _globals['_REQUEST']._serialized_end=1240 + _globals['_REQUESTECHO']._serialized_start=1242 + _globals['_REQUESTECHO']._serialized_end=1272 + _globals['_REQUESTFLUSH']._serialized_start=1274 + _globals['_REQUESTFLUSH']._serialized_end=1288 + _globals['_REQUESTINFO']._serialized_start=1290 + _globals['_REQUESTINFO']._serialized_end=1386 + _globals['_REQUESTINITCHAIN']._serialized_start=1389 + _globals['_REQUESTINITCHAIN']._serialized_end=1647 + _globals['_REQUESTQUERY']._serialized_start=1649 + _globals['_REQUESTQUERY']._serialized_end=1722 + _globals['_REQUESTCHECKTX']._serialized_start=1724 + _globals['_REQUESTCHECKTX']._serialized_end=1796 + _globals['_REQUESTCOMMIT']._serialized_start=1798 + _globals['_REQUESTCOMMIT']._serialized_end=1813 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 + _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 + _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 + _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 + _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 + _globals['_RESPONSE']._serialized_start=3393 + _globals['_RESPONSE']._serialized_end=4477 + _globals['_RESPONSEEXCEPTION']._serialized_start=4479 + _globals['_RESPONSEEXCEPTION']._serialized_end=4513 + _globals['_RESPONSEECHO']._serialized_start=4515 + _globals['_RESPONSEECHO']._serialized_end=4546 + _globals['_RESPONSEFLUSH']._serialized_start=4548 + _globals['_RESPONSEFLUSH']._serialized_end=4563 + _globals['_RESPONSEINFO']._serialized_start=4565 + _globals['_RESPONSEINFO']._serialized_end=4687 + _globals['_RESPONSEINITCHAIN']._serialized_start=4690 + _globals['_RESPONSEINITCHAIN']._serialized_end=4848 + _globals['_RESPONSEQUERY']._serialized_start=4851 + _globals['_RESPONSEQUERY']._serialized_end=5033 + _globals['_RESPONSECHECKTX']._serialized_start=5036 + _globals['_RESPONSECHECKTX']._serialized_end=5292 + _globals['_RESPONSECOMMIT']._serialized_start=5294 + _globals['_RESPONSECOMMIT']._serialized_end=5345 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 + _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 + _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 + _globals['_COMMITINFO']._serialized_start=6590 + _globals['_COMMITINFO']._serialized_end=6665 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 + _globals['_EVENT']._serialized_start=6760 + _globals['_EVENT']._serialized_end=6864 + _globals['_EVENTATTRIBUTE']._serialized_start=6866 + _globals['_EVENTATTRIBUTE']._serialized_end=6925 + _globals['_EXECTXRESULT']._serialized_start=6928 + _globals['_EXECTXRESULT']._serialized_end=7142 + _globals['_TXRESULT']._serialized_start=7144 + _globals['_TXRESULT']._serialized_end=7250 + _globals['_VALIDATOR']._serialized_start=7252 + _globals['_VALIDATOR']._serialized_end=7295 + _globals['_VALIDATORUPDATE']._serialized_start=7297 + _globals['_VALIDATORUPDATE']._serialized_end=7382 + _globals['_VOTEINFO']._serialized_start=7384 + _globals['_VOTEINFO']._serialized_end=7507 + _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 + _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 + _globals['_MISBEHAVIOR']._serialized_start=7697 + _globals['_MISBEHAVIOR']._serialized_end=7907 + _globals['_SNAPSHOT']._serialized_start=7909 + _globals['_SNAPSHOT']._serialized_end=7999 + _globals['_ABCI']._serialized_start=8138 + _globals['_ABCI']._serialized_end=9575 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 1a64e902..08ce6d0b 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -3,7 +3,7 @@ import grpc import warnings -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 GRPC_GENERATED_VERSION = '1.64.1' GRPC_VERSION = grpc.__version__ @@ -30,9 +30,9 @@ ) -class ABCIApplicationStub(object): - """---------------------------------------- - Service Definition +class ABCIStub(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -43,90 +43,90 @@ def __init__(self, channel): channel: A grpc.Channel. """ self.Echo = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Echo', + '/tendermint.abci.ABCI/Echo', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, _registered_method=True) self.Flush = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Flush', + '/tendermint.abci.ABCI/Flush', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, _registered_method=True) self.Info = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Info', + '/tendermint.abci.ABCI/Info', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, _registered_method=True) - self.DeliverTx = channel.unary_unary( - '/tendermint.abci.ABCIApplication/DeliverTx', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, - _registered_method=True) self.CheckTx = channel.unary_unary( - '/tendermint.abci.ABCIApplication/CheckTx', + '/tendermint.abci.ABCI/CheckTx', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, _registered_method=True) self.Query = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Query', + '/tendermint.abci.ABCI/Query', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, _registered_method=True) self.Commit = channel.unary_unary( - '/tendermint.abci.ABCIApplication/Commit', + '/tendermint.abci.ABCI/Commit', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, _registered_method=True) self.InitChain = channel.unary_unary( - '/tendermint.abci.ABCIApplication/InitChain', + '/tendermint.abci.ABCI/InitChain', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, _registered_method=True) - self.BeginBlock = channel.unary_unary( - '/tendermint.abci.ABCIApplication/BeginBlock', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, - _registered_method=True) - self.EndBlock = channel.unary_unary( - '/tendermint.abci.ABCIApplication/EndBlock', - request_serializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, - response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, - _registered_method=True) self.ListSnapshots = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ListSnapshots', + '/tendermint.abci.ABCI/ListSnapshots', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, _registered_method=True) self.OfferSnapshot = channel.unary_unary( - '/tendermint.abci.ABCIApplication/OfferSnapshot', + '/tendermint.abci.ABCI/OfferSnapshot', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, _registered_method=True) self.LoadSnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', + '/tendermint.abci.ABCI/LoadSnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, _registered_method=True) self.ApplySnapshotChunk = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', + '/tendermint.abci.ABCI/ApplySnapshotChunk', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, _registered_method=True) self.PrepareProposal = channel.unary_unary( - '/tendermint.abci.ABCIApplication/PrepareProposal', + '/tendermint.abci.ABCI/PrepareProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, _registered_method=True) self.ProcessProposal = channel.unary_unary( - '/tendermint.abci.ABCIApplication/ProcessProposal', + '/tendermint.abci.ABCI/ProcessProposal', request_serializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, _registered_method=True) + self.ExtendVote = channel.unary_unary( + '/tendermint.abci.ABCI/ExtendVote', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, + _registered_method=True) + self.VerifyVoteExtension = channel.unary_unary( + '/tendermint.abci.ABCI/VerifyVoteExtension', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, + _registered_method=True) + self.FinalizeBlock = channel.unary_unary( + '/tendermint.abci.ABCI/FinalizeBlock', + request_serializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, + response_deserializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, + _registered_method=True) -class ABCIApplicationServicer(object): - """---------------------------------------- - Service Definition +class ABCIServicer(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -148,86 +148,86 @@ def Info(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def DeliverTx(self, request, context): + def CheckTx(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def CheckTx(self, request, context): + def Query(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Query(self, request, context): + def Commit(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def Commit(self, request, context): + def InitChain(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def InitChain(self, request, context): + def ListSnapshots(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def BeginBlock(self, request, context): + def OfferSnapshot(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def EndBlock(self, request, context): + def LoadSnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ListSnapshots(self, request, context): + def ApplySnapshotChunk(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def OfferSnapshot(self, request, context): + def PrepareProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def LoadSnapshotChunk(self, request, context): + def ProcessProposal(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ApplySnapshotChunk(self, request, context): + def ExtendVote(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def PrepareProposal(self, request, context): + def VerifyVoteExtension(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ProcessProposal(self, request, context): + def FinalizeBlock(self, request, context): """Missing associated documentation comment in .proto file.""" context.set_code(grpc.StatusCode.UNIMPLEMENTED) context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') -def add_ABCIApplicationServicer_to_server(servicer, server): +def add_ABCIServicer_to_server(servicer, server): rpc_method_handlers = { 'Echo': grpc.unary_unary_rpc_method_handler( servicer.Echo, @@ -244,11 +244,6 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInfo.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInfo.SerializeToString, ), - 'DeliverTx': grpc.unary_unary_rpc_method_handler( - servicer.DeliverTx, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.SerializeToString, - ), 'CheckTx': grpc.unary_unary_rpc_method_handler( servicer.CheckTx, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestCheckTx.FromString, @@ -269,16 +264,6 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestInitChain.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseInitChain.SerializeToString, ), - 'BeginBlock': grpc.unary_unary_rpc_method_handler( - servicer.BeginBlock, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.SerializeToString, - ), - 'EndBlock': grpc.unary_unary_rpc_method_handler( - servicer.EndBlock, - request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestEndBlock.FromString, - response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.SerializeToString, - ), 'ListSnapshots': grpc.unary_unary_rpc_method_handler( servicer.ListSnapshots, request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.FromString, @@ -309,17 +294,32 @@ def add_ABCIApplicationServicer_to_server(servicer, server): request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.FromString, response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.SerializeToString, ), + 'ExtendVote': grpc.unary_unary_rpc_method_handler( + servicer.ExtendVote, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestExtendVote.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.SerializeToString, + ), + 'VerifyVoteExtension': grpc.unary_unary_rpc_method_handler( + servicer.VerifyVoteExtension, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.SerializeToString, + ), + 'FinalizeBlock': grpc.unary_unary_rpc_method_handler( + servicer.FinalizeBlock, + request_deserializer=tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.FromString, + response_serializer=tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( - 'tendermint.abci.ABCIApplication', rpc_method_handlers) + 'tendermint.abci.ABCI', rpc_method_handlers) server.add_generic_rpc_handlers((generic_handler,)) - server.add_registered_method_handlers('tendermint.abci.ABCIApplication', rpc_method_handlers) + server.add_registered_method_handlers('tendermint.abci.ABCI', rpc_method_handlers) # This class is part of an EXPERIMENTAL API. -class ABCIApplication(object): - """---------------------------------------- - Service Definition +class ABCI(object): + """NOTE: When using custom types, mind the warnings. + https://github.com/cosmos/gogoproto/blob/master/custom_types.md#warnings-and-issues """ @@ -337,7 +337,7 @@ def Echo(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/Echo', + '/tendermint.abci.ABCI/Echo', tendermint_dot_abci_dot_types__pb2.RequestEcho.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseEcho.FromString, options, @@ -364,7 +364,7 @@ def Flush(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/Flush', + '/tendermint.abci.ABCI/Flush', tendermint_dot_abci_dot_types__pb2.RequestFlush.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseFlush.FromString, options, @@ -391,7 +391,7 @@ def Info(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/Info', + '/tendermint.abci.ABCI/Info', tendermint_dot_abci_dot_types__pb2.RequestInfo.SerializeToString, tendermint_dot_abci_dot_types__pb2.ResponseInfo.FromString, options, @@ -405,7 +405,7 @@ def Info(request, _registered_method=True) @staticmethod - def DeliverTx(request, + def CheckTx(request, target, options=(), channel_credentials=None, @@ -418,9 +418,9 @@ def DeliverTx(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/DeliverTx', - tendermint_dot_abci_dot_types__pb2.RequestDeliverTx.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseDeliverTx.FromString, + '/tendermint.abci.ABCI/CheckTx', + tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, options, channel_credentials, insecure, @@ -432,7 +432,7 @@ def DeliverTx(request, _registered_method=True) @staticmethod - def CheckTx(request, + def Query(request, target, options=(), channel_credentials=None, @@ -445,9 +445,9 @@ def CheckTx(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/CheckTx', - tendermint_dot_abci_dot_types__pb2.RequestCheckTx.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseCheckTx.FromString, + '/tendermint.abci.ABCI/Query', + tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, options, channel_credentials, insecure, @@ -459,7 +459,7 @@ def CheckTx(request, _registered_method=True) @staticmethod - def Query(request, + def Commit(request, target, options=(), channel_credentials=None, @@ -472,9 +472,9 @@ def Query(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/Query', - tendermint_dot_abci_dot_types__pb2.RequestQuery.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseQuery.FromString, + '/tendermint.abci.ABCI/Commit', + tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, options, channel_credentials, insecure, @@ -486,7 +486,7 @@ def Query(request, _registered_method=True) @staticmethod - def Commit(request, + def InitChain(request, target, options=(), channel_credentials=None, @@ -499,9 +499,9 @@ def Commit(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/Commit', - tendermint_dot_abci_dot_types__pb2.RequestCommit.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseCommit.FromString, + '/tendermint.abci.ABCI/InitChain', + tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, options, channel_credentials, insecure, @@ -513,7 +513,7 @@ def Commit(request, _registered_method=True) @staticmethod - def InitChain(request, + def ListSnapshots(request, target, options=(), channel_credentials=None, @@ -526,9 +526,9 @@ def InitChain(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/InitChain', - tendermint_dot_abci_dot_types__pb2.RequestInitChain.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseInitChain.FromString, + '/tendermint.abci.ABCI/ListSnapshots', + tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, options, channel_credentials, insecure, @@ -540,7 +540,7 @@ def InitChain(request, _registered_method=True) @staticmethod - def BeginBlock(request, + def OfferSnapshot(request, target, options=(), channel_credentials=None, @@ -553,9 +553,9 @@ def BeginBlock(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/BeginBlock', - tendermint_dot_abci_dot_types__pb2.RequestBeginBlock.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseBeginBlock.FromString, + '/tendermint.abci.ABCI/OfferSnapshot', + tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, options, channel_credentials, insecure, @@ -567,7 +567,7 @@ def BeginBlock(request, _registered_method=True) @staticmethod - def EndBlock(request, + def LoadSnapshotChunk(request, target, options=(), channel_credentials=None, @@ -580,9 +580,9 @@ def EndBlock(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/EndBlock', - tendermint_dot_abci_dot_types__pb2.RequestEndBlock.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseEndBlock.FromString, + '/tendermint.abci.ABCI/LoadSnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, options, channel_credentials, insecure, @@ -594,7 +594,7 @@ def EndBlock(request, _registered_method=True) @staticmethod - def ListSnapshots(request, + def ApplySnapshotChunk(request, target, options=(), channel_credentials=None, @@ -607,9 +607,9 @@ def ListSnapshots(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/ListSnapshots', - tendermint_dot_abci_dot_types__pb2.RequestListSnapshots.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseListSnapshots.FromString, + '/tendermint.abci.ABCI/ApplySnapshotChunk', + tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, options, channel_credentials, insecure, @@ -621,7 +621,7 @@ def ListSnapshots(request, _registered_method=True) @staticmethod - def OfferSnapshot(request, + def PrepareProposal(request, target, options=(), channel_credentials=None, @@ -634,9 +634,9 @@ def OfferSnapshot(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/OfferSnapshot', - tendermint_dot_abci_dot_types__pb2.RequestOfferSnapshot.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseOfferSnapshot.FromString, + '/tendermint.abci.ABCI/PrepareProposal', + tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, options, channel_credentials, insecure, @@ -648,7 +648,7 @@ def OfferSnapshot(request, _registered_method=True) @staticmethod - def LoadSnapshotChunk(request, + def ProcessProposal(request, target, options=(), channel_credentials=None, @@ -661,9 +661,9 @@ def LoadSnapshotChunk(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/LoadSnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestLoadSnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseLoadSnapshotChunk.FromString, + '/tendermint.abci.ABCI/ProcessProposal', + tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, options, channel_credentials, insecure, @@ -675,7 +675,7 @@ def LoadSnapshotChunk(request, _registered_method=True) @staticmethod - def ApplySnapshotChunk(request, + def ExtendVote(request, target, options=(), channel_credentials=None, @@ -688,9 +688,9 @@ def ApplySnapshotChunk(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/ApplySnapshotChunk', - tendermint_dot_abci_dot_types__pb2.RequestApplySnapshotChunk.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseApplySnapshotChunk.FromString, + '/tendermint.abci.ABCI/ExtendVote', + tendermint_dot_abci_dot_types__pb2.RequestExtendVote.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseExtendVote.FromString, options, channel_credentials, insecure, @@ -702,7 +702,7 @@ def ApplySnapshotChunk(request, _registered_method=True) @staticmethod - def PrepareProposal(request, + def VerifyVoteExtension(request, target, options=(), channel_credentials=None, @@ -715,9 +715,9 @@ def PrepareProposal(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/PrepareProposal', - tendermint_dot_abci_dot_types__pb2.RequestPrepareProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponsePrepareProposal.FromString, + '/tendermint.abci.ABCI/VerifyVoteExtension', + tendermint_dot_abci_dot_types__pb2.RequestVerifyVoteExtension.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseVerifyVoteExtension.FromString, options, channel_credentials, insecure, @@ -729,7 +729,7 @@ def PrepareProposal(request, _registered_method=True) @staticmethod - def ProcessProposal(request, + def FinalizeBlock(request, target, options=(), channel_credentials=None, @@ -742,9 +742,9 @@ def ProcessProposal(request, return grpc.experimental.unary_unary( request, target, - '/tendermint.abci.ABCIApplication/ProcessProposal', - tendermint_dot_abci_dot_types__pb2.RequestProcessProposal.SerializeToString, - tendermint_dot_abci_dot_types__pb2.ResponseProcessProposal.FromString, + '/tendermint.abci.ABCI/FinalizeBlock', + tendermint_dot_abci_dot_types__pb2.RequestFinalizeBlock.SerializeToString, + tendermint_dot_abci_dot_types__pb2.ResponseFinalizeBlock.FromString, options, channel_credentials, insecure, diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index 122a58ba..3a009785 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -12,10 +12,11 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"7\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -23,16 +24,16 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' - _globals['_BLOCKREQUEST']._serialized_start=88 - _globals['_BLOCKREQUEST']._serialized_end=118 - _globals['_NOBLOCKRESPONSE']._serialized_start=120 - _globals['_NOBLOCKRESPONSE']._serialized_end=153 - _globals['_BLOCKRESPONSE']._serialized_start=155 - _globals['_BLOCKRESPONSE']._serialized_end=210 - _globals['_STATUSREQUEST']._serialized_start=212 - _globals['_STATUSREQUEST']._serialized_end=227 - _globals['_STATUSRESPONSE']._serialized_start=229 - _globals['_STATUSRESPONSE']._serialized_end=275 - _globals['_MESSAGE']._serialized_start=278 - _globals['_MESSAGE']._serialized_end=614 + _globals['_BLOCKREQUEST']._serialized_start=118 + _globals['_BLOCKREQUEST']._serialized_end=148 + _globals['_NOBLOCKRESPONSE']._serialized_start=150 + _globals['_NOBLOCKRESPONSE']._serialized_end=183 + _globals['_BLOCKRESPONSE']._serialized_start=185 + _globals['_BLOCKRESPONSE']._serialized_end=294 + _globals['_STATUSREQUEST']._serialized_start=296 + _globals['_STATUSREQUEST']._serialized_end=311 + _globals['_STATUSRESPONSE']._serialized_start=313 + _globals['_STATUSRESPONSE']._serialized_end=359 + _globals['_MESSAGE']._serialized_start=362 + _globals['_MESSAGE']._serialized_end=698 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index a459b7b1..05c094dc 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -11,6 +11,30 @@ SCHEDULED_RELEASE_DATE = 'June 25, 2024' _version_not_supported = False +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + try: from grpc._utilities import first_version_is_lower _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 0c0b63c0..8b2a1178 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -12,16 +12,16 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb8\x01\n\rABCIResponses\x12\x37\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\".tendermint.abci.ResponseDeliverTx\x12\x34\n\tend_block\x18\x02 \x01(\x0b\x32!.tendermint.abci.ResponseEndBlock\x12\x38\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32#.tendermint.abci.ResponseBeginBlock\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\\\n\x11\x41\x42\x43IResponsesInfo\x12\x37\n\x0e\x61\x62\x63i_responses\x18\x01 \x01(\x0b\x32\x1f.tendermint.state.ABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -29,6 +29,12 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None + _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._loaded_options = None _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' _globals['_VERSION'].fields_by_name['consensus']._loaded_options = None @@ -43,16 +49,20 @@ _globals['_STATE'].fields_by_name['last_block_time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_ABCIRESPONSES']._serialized_start=262 - _globals['_ABCIRESPONSES']._serialized_end=446 - _globals['_VALIDATORSINFO']._serialized_start=448 - _globals['_VALIDATORSINFO']._serialized_end=548 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=550 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=667 - _globals['_ABCIRESPONSESINFO']._serialized_start=669 - _globals['_ABCIRESPONSESINFO']._serialized_end=761 - _globals['_VERSION']._serialized_start=763 - _globals['_VERSION']._serialized_end=846 - _globals['_STATE']._serialized_start=849 - _globals['_STATE']._serialized_end=1486 + _globals['_LEGACYABCIRESPONSES']._serialized_start=262 + _globals['_LEGACYABCIRESPONSES']._serialized_end=449 + _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 + _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 + _globals['_RESPONSEENDBLOCK']._serialized_start=540 + _globals['_RESPONSEENDBLOCK']._serialized_end=759 + _globals['_VALIDATORSINFO']._serialized_start=761 + _globals['_VALIDATORSINFO']._serialized_end=861 + _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 + _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 + _globals['_ABCIRESPONSESINFO']._serialized_start=983 + _globals['_ABCIRESPONSESINFO']._serialized_end=1161 + _globals['_VERSION']._serialized_start=1163 + _globals['_VERSION']._serialized_end=1246 + _globals['_STATE']._serialized_start=1249 + _globals['_STATE']._serialized_end=1886 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 406608d4..5435e09f 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -12,14 +12,14 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x92\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -27,16 +27,6 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_BLOCKIDFLAG']._loaded_options = None - _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None - _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None @@ -69,6 +59,12 @@ _globals['_COMMIT'].fields_by_name['signatures']._serialized_options = b'\310\336\037\000' _globals['_COMMITSIG'].fields_by_name['timestamp']._loaded_options = None _globals['_COMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' + _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._loaded_options = None + _globals['_EXTENDEDCOMMIT'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' + _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._loaded_options = None + _globals['_EXTENDEDCOMMIT'].fields_by_name['extended_signatures']._serialized_options = b'\310\336\037\000' + _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._loaded_options = None + _globals['_EXTENDEDCOMMITSIG'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_PROPOSAL'].fields_by_name['block_id']._loaded_options = None _globals['_PROPOSAL'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_PROPOSAL'].fields_by_name['timestamp']._loaded_options = None @@ -77,10 +73,8 @@ _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=2207 - _globals['_BLOCKIDFLAG']._serialized_end=2422 - _globals['_SIGNEDMSGTYPE']._serialized_start=2425 - _globals['_SIGNEDMSGTYPE']._serialized_end=2640 + _globals['_SIGNEDMSGTYPE']._serialized_start=2666 + _globals['_SIGNEDMSGTYPE']._serialized_end=2881 _globals['_PARTSETHEADER']._serialized_start=202 _globals['_PARTSETHEADER']._serialized_end=246 _globals['_PART']._serialized_start=248 @@ -92,19 +86,23 @@ _globals['_DATA']._serialized_start=860 _globals['_DATA']._serialized_end=879 _globals['_VOTE']._serialized_start=882 - _globals['_VOTE']._serialized_end=1156 - _globals['_COMMIT']._serialized_start=1159 - _globals['_COMMIT']._serialized_end=1315 - _globals['_COMMITSIG']._serialized_start=1318 - _globals['_COMMITSIG']._serialized_end=1486 - _globals['_PROPOSAL']._serialized_start=1489 - _globals['_PROPOSAL']._serialized_end=1734 - _globals['_SIGNEDHEADER']._serialized_start=1736 - _globals['_SIGNEDHEADER']._serialized_end=1834 - _globals['_LIGHTBLOCK']._serialized_start=1836 - _globals['_LIGHTBLOCK']._serialized_end=1958 - _globals['_BLOCKMETA']._serialized_start=1961 - _globals['_BLOCKMETA']._serialized_end=2119 - _globals['_TXPROOF']._serialized_start=2121 - _globals['_TXPROOF']._serialized_end=2204 + _globals['_VOTE']._serialized_end=1204 + _globals['_COMMIT']._serialized_start=1207 + _globals['_COMMIT']._serialized_end=1363 + _globals['_COMMITSIG']._serialized_start=1366 + _globals['_COMMITSIG']._serialized_end=1534 + _globals['_EXTENDEDCOMMIT']._serialized_start=1537 + _globals['_EXTENDEDCOMMIT']._serialized_end=1718 + _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 + _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 + _globals['_PROPOSAL']._serialized_start=1948 + _globals['_PROPOSAL']._serialized_end=2193 + _globals['_SIGNEDHEADER']._serialized_start=2195 + _globals['_SIGNEDHEADER']._serialized_end=2293 + _globals['_LIGHTBLOCK']._serialized_start=2295 + _globals['_LIGHTBLOCK']._serialized_end=2417 + _globals['_BLOCKMETA']._serialized_start=2420 + _globals['_BLOCKMETA']._serialized_end=2578 + _globals['_TXPROOF']._serialized_start=2580 + _globals['_TXPROOF']._serialized_end=2663 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index c19f385f..d7059a2b 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -12,11 +12,11 @@ _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -24,8 +24,20 @@ if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['_BLOCKIDFLAG']._loaded_options = None + _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._serialized_options = b'\212\235 \022BlockIDFlagUnknown' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_ABSENT"]._serialized_options = b'\212\235 \021BlockIDFlagAbsent' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_COMMIT"]._serialized_options = b'\212\235 \021BlockIDFlagCommit' + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._loaded_options = None + _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' + _globals['_BLOCKIDFLAG']._serialized_start=469 + _globals['_BLOCKIDFLAG']._serialized_end=684 _globals['_VALIDATORSET']._serialized_start=107 _globals['_VALIDATORSET']._serialized_end=245 _globals['_VALIDATOR']._serialized_start=248 diff --git a/pyinjective/proto/testpb/bank_pb2.py b/pyinjective/proto/testpb/bank_pb2.py deleted file mode 100644 index cf644333..00000000 --- a/pyinjective/proto/testpb/bank_pb2.py +++ /dev/null @@ -1,33 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/bank.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11testpb/bank.proto\x12\x06testpb\x1a\x17\x63osmos/orm/v1/orm.proto\"_\n\x07\x42\x61lance\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\x04:$\xf2\x9e\xd3\x8e\x03\x1e\n\x0f\n\raddress,denom\x12\t\n\x05\x64\x65nom\x10\x01\x18\x01\":\n\x06Supply\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x05\x64\x65nom\x18\x02\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_BALANCE']._loaded_options = None - _globals['_BALANCE']._serialized_options = b'\362\236\323\216\003\036\n\017\n\raddress,denom\022\t\n\005denom\020\001\030\001' - _globals['_SUPPLY']._loaded_options = None - _globals['_SUPPLY']._serialized_options = b'\362\236\323\216\003\013\n\007\n\005denom\030\002' - _globals['_BALANCE']._serialized_start=54 - _globals['_BALANCE']._serialized_end=149 - _globals['_SUPPLY']._serialized_start=151 - _globals['_SUPPLY']._serialized_end=209 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_pb2_grpc.py b/pyinjective/proto/testpb/bank_pb2_grpc.py deleted file mode 100644 index f314a36e..00000000 --- a/pyinjective/proto/testpb/bank_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/bank_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/testpb/bank_query_pb2.py b/pyinjective/proto/testpb/bank_query_pb2.py deleted file mode 100644 index c51d22d9..00000000 --- a/pyinjective/proto/testpb/bank_query_pb2.py +++ /dev/null @@ -1,58 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/bank_query.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.testpb import bank_pb2 as testpb_dot_bank__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17testpb/bank_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11testpb/bank.proto\"3\n\x11GetBalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"4\n\x12GetBalanceResponse\x12\x1e\n\x05value\x18\x01 \x01(\x0b\x32\x0f.testpb.Balance\"\xd8\x04\n\x12ListBalanceRequest\x12;\n\x0cprefix_query\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyH\x00\x12<\n\x0brange_query\x18\x02 \x01(\x0b\x32%.testpb.ListBalanceRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\x8f\x02\n\x08IndexKey\x12I\n\raddress_denom\x18\x01 \x01(\x0b\x32\x30.testpb.ListBalanceRequest.IndexKey.AddressDenomH\x00\x12:\n\x05\x64\x65nom\x18\x02 \x01(\x0b\x32).testpb.ListBalanceRequest.IndexKey.DenomH\x00\x1aN\n\x0c\x41\x64\x64ressDenom\x12\x14\n\x07\x61\x64\x64ress\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x12\n\x05\x64\x65nom\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\n\n\x08_addressB\x08\n\x06_denom\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1ap\n\nRangeQuery\x12\x31\n\x04\x66rom\x18\x01 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKey\x12/\n\x02to\x18\x02 \x01(\x0b\x32#.testpb.ListBalanceRequest.IndexKeyB\x07\n\x05query\"s\n\x13ListBalanceResponse\x12\x1f\n\x06values\x18\x01 \x03(\x0b\x32\x0f.testpb.Balance\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"!\n\x10GetSupplyRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"2\n\x11GetSupplyResponse\x12\x1d\n\x05value\x18\x01 \x01(\x0b\x32\x0e.testpb.Supply\"\xb6\x03\n\x11ListSupplyRequest\x12:\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyH\x00\x12;\n\x0brange_query\x18\x02 \x01(\x0b\x32$.testpb.ListSupplyRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1as\n\x08IndexKey\x12\x39\n\x05\x64\x65nom\x18\x01 \x01(\x0b\x32(.testpb.ListSupplyRequest.IndexKey.DenomH\x00\x1a%\n\x05\x44\x65nom\x12\x12\n\x05\x64\x65nom\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x08\n\x06_denomB\x05\n\x03key\x1an\n\nRangeQuery\x12\x30\n\x04\x66rom\x18\x01 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKey\x12.\n\x02to\x18\x02 \x01(\x0b\x32\".testpb.ListSupplyRequest.IndexKeyB\x07\n\x05query\"q\n\x12ListSupplyResponse\x12\x1e\n\x06values\x18\x01 \x03(\x0b\x32\x0e.testpb.Supply\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xae\x02\n\x10\x42\x61nkQueryService\x12\x45\n\nGetBalance\x12\x19.testpb.GetBalanceRequest\x1a\x1a.testpb.GetBalanceResponse\"\x00\x12H\n\x0bListBalance\x12\x1a.testpb.ListBalanceRequest\x1a\x1b.testpb.ListBalanceResponse\"\x00\x12\x42\n\tGetSupply\x12\x18.testpb.GetSupplyRequest\x1a\x19.testpb.GetSupplyResponse\"\x00\x12\x45\n\nListSupply\x12\x19.testpb.ListSupplyRequest\x1a\x1a.testpb.ListSupplyResponse\"\x00\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.bank_query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_GETBALANCEREQUEST']._serialized_start=98 - _globals['_GETBALANCEREQUEST']._serialized_end=149 - _globals['_GETBALANCERESPONSE']._serialized_start=151 - _globals['_GETBALANCERESPONSE']._serialized_end=203 - _globals['_LISTBALANCEREQUEST']._serialized_start=206 - _globals['_LISTBALANCEREQUEST']._serialized_end=806 - _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_start=412 - _globals['_LISTBALANCEREQUEST_INDEXKEY']._serialized_end=683 - _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_start=559 - _globals['_LISTBALANCEREQUEST_INDEXKEY_ADDRESSDENOM']._serialized_end=637 - _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_start=639 - _globals['_LISTBALANCEREQUEST_INDEXKEY_DENOM']._serialized_end=676 - _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_start=685 - _globals['_LISTBALANCEREQUEST_RANGEQUERY']._serialized_end=797 - _globals['_LISTBALANCERESPONSE']._serialized_start=808 - _globals['_LISTBALANCERESPONSE']._serialized_end=923 - _globals['_GETSUPPLYREQUEST']._serialized_start=925 - _globals['_GETSUPPLYREQUEST']._serialized_end=958 - _globals['_GETSUPPLYRESPONSE']._serialized_start=960 - _globals['_GETSUPPLYRESPONSE']._serialized_end=1010 - _globals['_LISTSUPPLYREQUEST']._serialized_start=1013 - _globals['_LISTSUPPLYREQUEST']._serialized_end=1451 - _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_start=1215 - _globals['_LISTSUPPLYREQUEST_INDEXKEY']._serialized_end=1330 - _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_start=639 - _globals['_LISTSUPPLYREQUEST_INDEXKEY_DENOM']._serialized_end=676 - _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_start=1332 - _globals['_LISTSUPPLYREQUEST_RANGEQUERY']._serialized_end=1442 - _globals['_LISTSUPPLYRESPONSE']._serialized_start=1453 - _globals['_LISTSUPPLYRESPONSE']._serialized_end=1566 - _globals['_BANKQUERYSERVICE']._serialized_start=1569 - _globals['_BANKQUERYSERVICE']._serialized_end=1871 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/bank_query_pb2_grpc.py b/pyinjective/proto/testpb/bank_query_pb2_grpc.py deleted file mode 100644 index 863cec82..00000000 --- a/pyinjective/proto/testpb/bank_query_pb2_grpc.py +++ /dev/null @@ -1,238 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - -from pyinjective.proto.testpb import bank_query_pb2 as testpb_dot_bank__query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/bank_query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - - -class BankQueryServiceStub(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - def __init__(self, channel): - """Constructor. - - Args: - channel: A grpc.Channel. - """ - self.GetBalance = channel.unary_unary( - '/testpb.BankQueryService/GetBalance', - request_serializer=testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - _registered_method=True) - self.ListBalance = channel.unary_unary( - '/testpb.BankQueryService/ListBalance', - request_serializer=testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - _registered_method=True) - self.GetSupply = channel.unary_unary( - '/testpb.BankQueryService/GetSupply', - request_serializer=testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - _registered_method=True) - self.ListSupply = channel.unary_unary( - '/testpb.BankQueryService/ListSupply', - request_serializer=testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, - response_deserializer=testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - _registered_method=True) - - -class BankQueryServiceServicer(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - def GetBalance(self, request, context): - """Get queries the Balance table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListBalance(self, request, context): - """ListBalance queries the Balance table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSupply(self, request, context): - """Get queries the Supply table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListSupply(self, request, context): - """ListSupply queries the Supply table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - -def add_BankQueryServiceServicer_to_server(servicer, server): - rpc_method_handlers = { - 'GetBalance': grpc.unary_unary_rpc_method_handler( - servicer.GetBalance, - request_deserializer=testpb_dot_bank__query__pb2.GetBalanceRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.GetBalanceResponse.SerializeToString, - ), - 'ListBalance': grpc.unary_unary_rpc_method_handler( - servicer.ListBalance, - request_deserializer=testpb_dot_bank__query__pb2.ListBalanceRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.ListBalanceResponse.SerializeToString, - ), - 'GetSupply': grpc.unary_unary_rpc_method_handler( - servicer.GetSupply, - request_deserializer=testpb_dot_bank__query__pb2.GetSupplyRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.GetSupplyResponse.SerializeToString, - ), - 'ListSupply': grpc.unary_unary_rpc_method_handler( - servicer.ListSupply, - request_deserializer=testpb_dot_bank__query__pb2.ListSupplyRequest.FromString, - response_serializer=testpb_dot_bank__query__pb2.ListSupplyResponse.SerializeToString, - ), - } - generic_handler = grpc.method_handlers_generic_handler( - 'testpb.BankQueryService', rpc_method_handlers) - server.add_generic_rpc_handlers((generic_handler,)) - server.add_registered_method_handlers('testpb.BankQueryService', rpc_method_handlers) - - - # This class is part of an EXPERIMENTAL API. -class BankQueryService(object): - """BankQueryService queries the state of the tables specified by testpb/bank.proto. - """ - - @staticmethod - def GetBalance(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.BankQueryService/GetBalance', - testpb_dot_bank__query__pb2.GetBalanceRequest.SerializeToString, - testpb_dot_bank__query__pb2.GetBalanceResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListBalance(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.BankQueryService/ListBalance', - testpb_dot_bank__query__pb2.ListBalanceRequest.SerializeToString, - testpb_dot_bank__query__pb2.ListBalanceResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetSupply(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.BankQueryService/GetSupply', - testpb_dot_bank__query__pb2.GetSupplyRequest.SerializeToString, - testpb_dot_bank__query__pb2.GetSupplyResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListSupply(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.BankQueryService/ListSupply', - testpb_dot_bank__query__pb2.ListSupplyRequest.SerializeToString, - testpb_dot_bank__query__pb2.ListSupplyResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/testpb/test_schema_pb2.py b/pyinjective/proto/testpb/test_schema_pb2.py deleted file mode 100644 index 5e1e9ce7..00000000 --- a/pyinjective/proto/testpb/test_schema_pb2.py +++ /dev/null @@ -1,59 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/test_schema.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.cosmos.orm.v1 import orm_pb2 as cosmos_dot_orm_dot_v1_dot_orm__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18testpb/test_schema.proto\x12\x06testpb\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x17\x63osmos/orm/v1/orm.proto\"\xc0\x04\n\x0c\x45xampleTable\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03u64\x18\x02 \x01(\x04\x12\x0b\n\x03str\x18\x03 \x01(\t\x12\n\n\x02\x62z\x18\x04 \x01(\x0c\x12&\n\x02ts\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.Timestamp\x12&\n\x03\x64ur\x18\x06 \x01(\x0b\x32\x19.google.protobuf.Duration\x12\x0b\n\x03i32\x18\x07 \x01(\x05\x12\x0b\n\x03s32\x18\x08 \x01(\x11\x12\x0c\n\x04sf32\x18\t \x01(\x0f\x12\x0b\n\x03i64\x18\n \x01(\x03\x12\x0b\n\x03s64\x18\x0b \x01(\x12\x12\x0c\n\x04sf64\x18\x0c \x01(\x10\x12\x0b\n\x03\x66\x33\x32\x18\r \x01(\x07\x12\x0b\n\x03\x66\x36\x34\x18\x0e \x01(\x06\x12\t\n\x01\x62\x18\x0f \x01(\x08\x12\x17\n\x01\x65\x18\x10 \x01(\x0e\x32\x0c.testpb.Enum\x12\x10\n\x08repeated\x18\x11 \x03(\r\x12*\n\x03map\x18\x12 \x03(\x0b\x32\x1d.testpb.ExampleTable.MapEntry\x12\x30\n\x03msg\x18\x13 \x01(\x0b\x32#.testpb.ExampleTable.ExampleMessage\x12\x0f\n\x05oneof\x18\x14 \x01(\rH\x00\x1a*\n\x08MapEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\r:\x02\x38\x01\x1a*\n\x0e\x45xampleMessage\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:?\xf2\x9e\xd3\x8e\x03\x39\n\r\n\x0bu32,i64,str\x12\r\n\x07u64,str\x10\x01\x18\x01\x12\x0b\n\x07str,u32\x10\x02\x12\n\n\x06\x62z,str\x10\x03\x18\x01\x42\x05\n\x03sum\"X\n\x19\x45xampleAutoIncrementTable\x12\n\n\x02id\x18\x01 \x01(\x04\x12\t\n\x01x\x18\x02 \x01(\t\x12\t\n\x01y\x18\x03 \x01(\x05:\x19\xf2\x9e\xd3\x8e\x03\x13\n\x06\n\x02id\x10\x01\x12\x07\n\x01x\x10\x01\x18\x01\x18\x03\"6\n\x10\x45xampleSingleton\x12\x0b\n\x03\x66oo\x18\x01 \x01(\t\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x05:\x08\xfa\x9e\xd3\x8e\x03\x02\x08\x02\"n\n\x10\x45xampleTimestamp\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0c\n\x04name\x18\x02 \x01(\t\x12&\n\x02ts\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.Timestamp:\x18\xf2\x9e\xd3\x8e\x03\x12\n\x06\n\x02id\x10\x01\x12\x06\n\x02ts\x10\x01\x18\x04\"a\n\rSimpleExample\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06unique\x18\x02 \x01(\t\x12\x12\n\nnot_unique\x18\x03 \x01(\t:\x1e\xf2\x9e\xd3\x8e\x03\x18\n\x06\n\x04name\x12\x0c\n\x06unique\x10\x01\x18\x01\x18\x05\"F\n\x17\x45xampleAutoIncFieldName\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\x12\x0b\n\x03\x62\x61r\x18\x02 \x01(\x04:\x11\xf2\x9e\xd3\x8e\x03\x0b\n\x07\n\x03\x66oo\x10\x01\x18\x06*d\n\x04\x45num\x12\x14\n\x10\x45NUM_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45NUM_ONE\x10\x01\x12\x0c\n\x08\x45NUM_TWO\x10\x02\x12\r\n\tENUM_FIVE\x10\x05\x12\x1b\n\x0e\x45NUM_NEG_THREE\x10\xfd\xff\xff\xff\xff\xff\xff\xff\xff\x01\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_EXAMPLETABLE_MAPENTRY']._loaded_options = None - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_options = b'8\001' - _globals['_EXAMPLETABLE']._loaded_options = None - _globals['_EXAMPLETABLE']._serialized_options = b'\362\236\323\216\0039\n\r\n\013u32,i64,str\022\r\n\007u64,str\020\001\030\001\022\013\n\007str,u32\020\002\022\n\n\006bz,str\020\003\030\001' - _globals['_EXAMPLEAUTOINCREMENTTABLE']._loaded_options = None - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_options = b'\362\236\323\216\003\023\n\006\n\002id\020\001\022\007\n\001x\020\001\030\001\030\003' - _globals['_EXAMPLESINGLETON']._loaded_options = None - _globals['_EXAMPLESINGLETON']._serialized_options = b'\372\236\323\216\003\002\010\002' - _globals['_EXAMPLETIMESTAMP']._loaded_options = None - _globals['_EXAMPLETIMESTAMP']._serialized_options = b'\362\236\323\216\003\022\n\006\n\002id\020\001\022\006\n\002ts\020\001\030\004' - _globals['_SIMPLEEXAMPLE']._loaded_options = None - _globals['_SIMPLEEXAMPLE']._serialized_options = b'\362\236\323\216\003\030\n\006\n\004name\022\014\n\006unique\020\001\030\001\030\005' - _globals['_EXAMPLEAUTOINCFIELDNAME']._loaded_options = None - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_options = b'\362\236\323\216\003\013\n\007\n\003foo\020\001\030\006' - _globals['_ENUM']._serialized_start=1134 - _globals['_ENUM']._serialized_end=1234 - _globals['_EXAMPLETABLE']._serialized_start=127 - _globals['_EXAMPLETABLE']._serialized_end=703 - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_start=545 - _globals['_EXAMPLETABLE_MAPENTRY']._serialized_end=587 - _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_start=589 - _globals['_EXAMPLETABLE_EXAMPLEMESSAGE']._serialized_end=631 - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_start=705 - _globals['_EXAMPLEAUTOINCREMENTTABLE']._serialized_end=793 - _globals['_EXAMPLESINGLETON']._serialized_start=795 - _globals['_EXAMPLESINGLETON']._serialized_end=849 - _globals['_EXAMPLETIMESTAMP']._serialized_start=851 - _globals['_EXAMPLETIMESTAMP']._serialized_end=961 - _globals['_SIMPLEEXAMPLE']._serialized_start=963 - _globals['_SIMPLEEXAMPLE']._serialized_end=1060 - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_start=1062 - _globals['_EXAMPLEAUTOINCFIELDNAME']._serialized_end=1132 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_pb2_grpc.py deleted file mode 100644 index bfb91985..00000000 --- a/pyinjective/proto/testpb/test_schema_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/test_schema_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2.py b/pyinjective/proto/testpb/test_schema_query_pb2.py deleted file mode 100644 index 17361594..00000000 --- a/pyinjective/proto/testpb/test_schema_query_pb2.py +++ /dev/null @@ -1,127 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: testpb/test_schema_query.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.testpb import test_schema_pb2 as testpb_dot_test__schema__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etestpb/test_schema_query.proto\x12\x06testpb\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x18testpb/test_schema.proto\"?\n\x16GetExampleTableRequest\x12\x0b\n\x03u32\x18\x01 \x01(\r\x12\x0b\n\x03i64\x18\x02 \x01(\x03\x12\x0b\n\x03str\x18\x03 \x01(\t\">\n\x17GetExampleTableResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\":\n\x1eGetExampleTableByU64StrRequest\x12\x0b\n\x03u64\x18\x01 \x01(\x04\x12\x0b\n\x03str\x18\x02 \x01(\t\"F\n\x1fGetExampleTableByU64StrResponse\x12#\n\x05value\x18\x01 \x01(\x0b\x32\x14.testpb.ExampleTable\"\x9e\x07\n\x17ListExampleTableRequest\x12@\n\x0cprefix_query\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyH\x00\x12\x41\n\x0brange_query\x18\x02 \x01(\x0b\x32*.testpb.ListExampleTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xbc\x04\n\x08IndexKey\x12K\n\ru_32_i_64_str\x18\x01 \x01(\x0b\x32\x32.testpb.ListExampleTableRequest.IndexKey.U32I64StrH\x00\x12\x43\n\x08u_64_str\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.U64StrH\x00\x12\x43\n\x08str_u_32\x18\x03 \x01(\x0b\x32/.testpb.ListExampleTableRequest.IndexKey.StrU32H\x00\x12@\n\x06\x62z_str\x18\x04 \x01(\x0b\x32..testpb.ListExampleTableRequest.IndexKey.BzStrH\x00\x1aY\n\tU32I64Str\x12\x10\n\x03u32\x18\x01 \x01(\rH\x00\x88\x01\x01\x12\x10\n\x03i64\x18\x02 \x01(\x03H\x01\x88\x01\x01\x12\x10\n\x03str\x18\x03 \x01(\tH\x02\x88\x01\x01\x42\x06\n\x04_u32B\x06\n\x04_i64B\x06\n\x04_str\x1a<\n\x06U64Str\x12\x10\n\x03u64\x18\x01 \x01(\x04H\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x06\n\x04_u64B\x06\n\x04_str\x1a<\n\x06StrU32\x12\x10\n\x03str\x18\x01 \x01(\tH\x00\x88\x01\x01\x12\x10\n\x03u32\x18\x02 \x01(\rH\x01\x88\x01\x01\x42\x06\n\x04_strB\x06\n\x04_u32\x1a\x39\n\x05\x42zStr\x12\x0f\n\x02\x62z\x18\x01 \x01(\x0cH\x00\x88\x01\x01\x12\x10\n\x03str\x18\x02 \x01(\tH\x01\x88\x01\x01\x42\x05\n\x03_bzB\x06\n\x04_strB\x05\n\x03key\x1az\n\nRangeQuery\x12\x36\n\x04\x66rom\x18\x01 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKey\x12\x34\n\x02to\x18\x02 \x01(\x0b\x32(.testpb.ListExampleTableRequest.IndexKeyB\x07\n\x05query\"}\n\x18ListExampleTableResponse\x12$\n\x06values\x18\x01 \x03(\x0b\x32\x14.testpb.ExampleTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"1\n#GetExampleAutoIncrementTableRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"X\n$GetExampleAutoIncrementTableResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"3\n&GetExampleAutoIncrementTableByXRequest\x12\t\n\x01x\x18\x01 \x01(\t\"[\n\'GetExampleAutoIncrementTableByXResponse\x12\x30\n\x05value\x18\x01 \x01(\x0b\x32!.testpb.ExampleAutoIncrementTable\"\xfc\x04\n$ListExampleAutoIncrementTableRequest\x12M\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyH\x00\x12N\n\x0brange_query\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xd8\x01\n\x08IndexKey\x12\x46\n\x02id\x18\x01 \x01(\x0b\x32\x38.testpb.ListExampleAutoIncrementTableRequest.IndexKey.IdH\x00\x12\x44\n\x01x\x18\x02 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncrementTableRequest.IndexKey.XH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x19\n\x01X\x12\x0e\n\x01x\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x04\n\x02_xB\x05\n\x03key\x1a\x94\x01\n\nRangeQuery\x12\x43\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKey\x12\x41\n\x02to\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncrementTableRequest.IndexKeyB\x07\n\x05query\"\x97\x01\n%ListExampleAutoIncrementTableResponse\x12\x31\n\x06values\x18\x01 \x03(\x0b\x32!.testpb.ExampleAutoIncrementTable\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1c\n\x1aGetExampleSingletonRequest\"F\n\x1bGetExampleSingletonResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleSingleton\"(\n\x1aGetExampleTimestampRequest\x12\n\n\x02id\x18\x01 \x01(\x04\"F\n\x1bGetExampleTimestampResponse\x12\'\n\x05value\x18\x01 \x01(\x0b\x32\x18.testpb.ExampleTimestamp\"\xde\x04\n\x1bListExampleTimestampRequest\x12\x44\n\x0cprefix_query\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyH\x00\x12\x45\n\x0brange_query\x18\x02 \x01(\x0b\x32..testpb.ListExampleTimestampRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe7\x01\n\x08IndexKey\x12=\n\x02id\x18\x01 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.IdH\x00\x12=\n\x02ts\x18\x02 \x01(\x0b\x32/.testpb.ListExampleTimestampRequest.IndexKey.TsH\x00\x1a\x1c\n\x02Id\x12\x0f\n\x02id\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x05\n\x03_id\x1a\x38\n\x02Ts\x12+\n\x02ts\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x88\x01\x01\x42\x05\n\x03_tsB\x05\n\x03key\x1a\x82\x01\n\nRangeQuery\x12:\n\x04\x66rom\x18\x01 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKey\x12\x38\n\x02to\x18\x02 \x01(\x0b\x32,.testpb.ListExampleTimestampRequest.IndexKeyB\x07\n\x05query\"\x85\x01\n\x1cListExampleTimestampResponse\x12(\n\x06values\x18\x01 \x03(\x0b\x32\x18.testpb.ExampleTimestamp\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\'\n\x17GetSimpleExampleRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"@\n\x18GetSimpleExampleResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"1\n\x1fGetSimpleExampleByUniqueRequest\x12\x0e\n\x06unique\x18\x01 \x01(\t\"H\n GetSimpleExampleByUniqueResponse\x12$\n\x05value\x18\x01 \x01(\x0b\x32\x15.testpb.SimpleExample\"\xca\x04\n\x18ListSimpleExampleRequest\x12\x41\n\x0cprefix_query\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyH\x00\x12\x42\n\x0brange_query\x18\x02 \x01(\x0b\x32+.testpb.ListSimpleExampleRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a\xe3\x01\n\x08IndexKey\x12>\n\x04name\x18\x01 \x01(\x0b\x32..testpb.ListSimpleExampleRequest.IndexKey.NameH\x00\x12\x42\n\x06unique\x18\x02 \x01(\x0b\x32\x30.testpb.ListSimpleExampleRequest.IndexKey.UniqueH\x00\x1a\"\n\x04Name\x12\x11\n\x04name\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\x07\n\x05_name\x1a(\n\x06Unique\x12\x13\n\x06unique\x18\x01 \x01(\tH\x00\x88\x01\x01\x42\t\n\x07_uniqueB\x05\n\x03key\x1a|\n\nRangeQuery\x12\x37\n\x04\x66rom\x18\x01 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKey\x12\x35\n\x02to\x18\x02 \x01(\x0b\x32).testpb.ListSimpleExampleRequest.IndexKeyB\x07\n\x05query\"\x7f\n\x19ListSimpleExampleResponse\x12%\n\x06values\x18\x01 \x03(\x0b\x32\x15.testpb.SimpleExample\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"0\n!GetExampleAutoIncFieldNameRequest\x12\x0b\n\x03\x66oo\x18\x01 \x01(\x04\"T\n\"GetExampleAutoIncFieldNameResponse\x12.\n\x05value\x18\x01 \x01(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\"\x93\x04\n\"ListExampleAutoIncFieldNameRequest\x12K\n\x0cprefix_query\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyH\x00\x12L\n\x0brange_query\x18\x02 \x01(\x0b\x32\x35.testpb.ListExampleAutoIncFieldNameRequest.RangeQueryH\x00\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1az\n\x08IndexKey\x12\x46\n\x03\x66oo\x18\x01 \x01(\x0b\x32\x37.testpb.ListExampleAutoIncFieldNameRequest.IndexKey.FooH\x00\x1a\x1f\n\x03\x46oo\x12\x10\n\x03\x66oo\x18\x01 \x01(\x04H\x00\x88\x01\x01\x42\x06\n\x04_fooB\x05\n\x03key\x1a\x90\x01\n\nRangeQuery\x12\x41\n\x04\x66rom\x18\x01 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKey\x12?\n\x02to\x18\x02 \x01(\x0b\x32\x33.testpb.ListExampleAutoIncFieldNameRequest.IndexKeyB\x07\n\x05query\"\x93\x01\n#ListExampleAutoIncFieldNameResponse\x12/\n\x06values\x18\x01 \x03(\x0b\x32\x1f.testpb.ExampleAutoIncFieldName\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf9\x0b\n\x16TestSchemaQueryService\x12T\n\x0fGetExampleTable\x12\x1e.testpb.GetExampleTableRequest\x1a\x1f.testpb.GetExampleTableResponse\"\x00\x12l\n\x17GetExampleTableByU64Str\x12&.testpb.GetExampleTableByU64StrRequest\x1a\'.testpb.GetExampleTableByU64StrResponse\"\x00\x12W\n\x10ListExampleTable\x12\x1f.testpb.ListExampleTableRequest\x1a .testpb.ListExampleTableResponse\"\x00\x12{\n\x1cGetExampleAutoIncrementTable\x12+.testpb.GetExampleAutoIncrementTableRequest\x1a,.testpb.GetExampleAutoIncrementTableResponse\"\x00\x12\x84\x01\n\x1fGetExampleAutoIncrementTableByX\x12..testpb.GetExampleAutoIncrementTableByXRequest\x1a/.testpb.GetExampleAutoIncrementTableByXResponse\"\x00\x12~\n\x1dListExampleAutoIncrementTable\x12,.testpb.ListExampleAutoIncrementTableRequest\x1a-.testpb.ListExampleAutoIncrementTableResponse\"\x00\x12`\n\x13GetExampleSingleton\x12\".testpb.GetExampleSingletonRequest\x1a#.testpb.GetExampleSingletonResponse\"\x00\x12`\n\x13GetExampleTimestamp\x12\".testpb.GetExampleTimestampRequest\x1a#.testpb.GetExampleTimestampResponse\"\x00\x12\x63\n\x14ListExampleTimestamp\x12#.testpb.ListExampleTimestampRequest\x1a$.testpb.ListExampleTimestampResponse\"\x00\x12W\n\x10GetSimpleExample\x12\x1f.testpb.GetSimpleExampleRequest\x1a .testpb.GetSimpleExampleResponse\"\x00\x12o\n\x18GetSimpleExampleByUnique\x12\'.testpb.GetSimpleExampleByUniqueRequest\x1a(.testpb.GetSimpleExampleByUniqueResponse\"\x00\x12Z\n\x11ListSimpleExample\x12 .testpb.ListSimpleExampleRequest\x1a!.testpb.ListSimpleExampleResponse\"\x00\x12u\n\x1aGetExampleAutoIncFieldName\x12).testpb.GetExampleAutoIncFieldNameRequest\x1a*.testpb.GetExampleAutoIncFieldNameResponse\"\x00\x12x\n\x1bListExampleAutoIncFieldName\x12*.testpb.ListExampleAutoIncFieldNameRequest\x1a+.testpb.ListExampleAutoIncFieldNameResponse\"\x00\x62\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'testpb.test_schema_query_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_GETEXAMPLETABLEREQUEST']._serialized_start=145 - _globals['_GETEXAMPLETABLEREQUEST']._serialized_end=208 - _globals['_GETEXAMPLETABLERESPONSE']._serialized_start=210 - _globals['_GETEXAMPLETABLERESPONSE']._serialized_end=272 - _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_start=274 - _globals['_GETEXAMPLETABLEBYU64STRREQUEST']._serialized_end=332 - _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_start=334 - _globals['_GETEXAMPLETABLEBYU64STRRESPONSE']._serialized_end=404 - _globals['_LISTEXAMPLETABLEREQUEST']._serialized_start=407 - _globals['_LISTEXAMPLETABLEREQUEST']._serialized_end=1333 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_start=628 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY']._serialized_end=1200 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_start=921 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U32I64STR']._serialized_end=1010 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_start=1012 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_U64STR']._serialized_end=1072 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_start=1074 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_STRU32']._serialized_end=1134 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_start=1136 - _globals['_LISTEXAMPLETABLEREQUEST_INDEXKEY_BZSTR']._serialized_end=1193 - _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_start=1202 - _globals['_LISTEXAMPLETABLEREQUEST_RANGEQUERY']._serialized_end=1324 - _globals['_LISTEXAMPLETABLERESPONSE']._serialized_start=1335 - _globals['_LISTEXAMPLETABLERESPONSE']._serialized_end=1460 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1462 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=1511 - _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=1513 - _globals['_GETEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=1601 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_start=1603 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXREQUEST']._serialized_end=1654 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_start=1656 - _globals['_GETEXAMPLEAUTOINCREMENTTABLEBYXRESPONSE']._serialized_end=1747 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_start=1750 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST']._serialized_end=2386 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_start=2010 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY']._serialized_end=2226 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_start=2164 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_ID']._serialized_end=2192 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_start=2194 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_INDEXKEY_X']._serialized_end=2219 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_start=2229 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLEREQUEST_RANGEQUERY']._serialized_end=2377 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_start=2389 - _globals['_LISTEXAMPLEAUTOINCREMENTTABLERESPONSE']._serialized_end=2540 - _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_start=2542 - _globals['_GETEXAMPLESINGLETONREQUEST']._serialized_end=2570 - _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_start=2572 - _globals['_GETEXAMPLESINGLETONRESPONSE']._serialized_end=2642 - _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_start=2644 - _globals['_GETEXAMPLETIMESTAMPREQUEST']._serialized_end=2684 - _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_start=2686 - _globals['_GETEXAMPLETIMESTAMPRESPONSE']._serialized_end=2756 - _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_start=2759 - _globals['_LISTEXAMPLETIMESTAMPREQUEST']._serialized_end=3365 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_start=2992 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY']._serialized_end=3223 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_start=2164 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_ID']._serialized_end=2192 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_start=3160 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_INDEXKEY_TS']._serialized_end=3216 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_start=3226 - _globals['_LISTEXAMPLETIMESTAMPREQUEST_RANGEQUERY']._serialized_end=3356 - _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_start=3368 - _globals['_LISTEXAMPLETIMESTAMPRESPONSE']._serialized_end=3501 - _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_start=3503 - _globals['_GETSIMPLEEXAMPLEREQUEST']._serialized_end=3542 - _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_start=3544 - _globals['_GETSIMPLEEXAMPLERESPONSE']._serialized_end=3608 - _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_start=3610 - _globals['_GETSIMPLEEXAMPLEBYUNIQUEREQUEST']._serialized_end=3659 - _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_start=3661 - _globals['_GETSIMPLEEXAMPLEBYUNIQUERESPONSE']._serialized_end=3733 - _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_start=3736 - _globals['_LISTSIMPLEEXAMPLEREQUEST']._serialized_end=4322 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_start=3960 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY']._serialized_end=4187 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_start=4104 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_NAME']._serialized_end=4138 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_start=4140 - _globals['_LISTSIMPLEEXAMPLEREQUEST_INDEXKEY_UNIQUE']._serialized_end=4180 - _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_start=4189 - _globals['_LISTSIMPLEEXAMPLEREQUEST_RANGEQUERY']._serialized_end=4313 - _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_start=4324 - _globals['_LISTSIMPLEEXAMPLERESPONSE']._serialized_end=4451 - _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4453 - _globals['_GETEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=4501 - _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=4503 - _globals['_GETEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=4587 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_start=4590 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST']._serialized_end=5121 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_start=4843 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY']._serialized_end=4965 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_start=4927 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_INDEXKEY_FOO']._serialized_end=4958 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_start=4968 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMEREQUEST_RANGEQUERY']._serialized_end=5112 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_start=5124 - _globals['_LISTEXAMPLEAUTOINCFIELDNAMERESPONSE']._serialized_end=5271 - _globals['_TESTSCHEMAQUERYSERVICE']._serialized_start=5274 - _globals['_TESTSCHEMAQUERYSERVICE']._serialized_end=6803 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py b/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py deleted file mode 100644 index 8d2bacf1..00000000 --- a/pyinjective/proto/testpb/test_schema_query_pb2_grpc.py +++ /dev/null @@ -1,680 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - -from pyinjective.proto.testpb import test_schema_query_pb2 as testpb_dot_test__schema__query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/test_schema_query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - - -class TestSchemaQueryServiceStub(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - def __init__(self, channel): - """Constructor. - - Args: - channel: A grpc.Channel. - """ - self.GetExampleTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTable', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - _registered_method=True) - self.GetExampleTableByU64Str = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - _registered_method=True) - self.ListExampleTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleTable', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - _registered_method=True) - self.GetExampleAutoIncrementTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - _registered_method=True) - self.GetExampleAutoIncrementTableByX = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - _registered_method=True) - self.ListExampleAutoIncrementTable = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - _registered_method=True) - self.GetExampleSingleton = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleSingleton', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - _registered_method=True) - self.GetExampleTimestamp = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleTimestamp', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - _registered_method=True) - self.ListExampleTimestamp = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleTimestamp', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - _registered_method=True) - self.GetSimpleExample = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetSimpleExample', - request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - _registered_method=True) - self.GetSimpleExampleByUnique = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', - request_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - _registered_method=True) - self.ListSimpleExample = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListSimpleExample', - request_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - _registered_method=True) - self.GetExampleAutoIncFieldName = channel.unary_unary( - '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', - request_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - _registered_method=True) - self.ListExampleAutoIncFieldName = channel.unary_unary( - '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', - request_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, - response_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - _registered_method=True) - - -class TestSchemaQueryServiceServicer(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - def GetExampleTable(self, request, context): - """Get queries the ExampleTable table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleTableByU64Str(self, request, context): - """GetExampleTableByU64Str queries the ExampleTable table by its U64Str index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleTable(self, request, context): - """ListExampleTable queries the ExampleTable table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncrementTable(self, request, context): - """Get queries the ExampleAutoIncrementTable table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncrementTableByX(self, request, context): - """GetExampleAutoIncrementTableByX queries the ExampleAutoIncrementTable table by its X index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleAutoIncrementTable(self, request, context): - """ListExampleAutoIncrementTable queries the ExampleAutoIncrementTable table using prefix and range queries against - defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleSingleton(self, request, context): - """GetExampleSingleton queries the ExampleSingleton singleton. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleTimestamp(self, request, context): - """Get queries the ExampleTimestamp table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleTimestamp(self, request, context): - """ListExampleTimestamp queries the ExampleTimestamp table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSimpleExample(self, request, context): - """Get queries the SimpleExample table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetSimpleExampleByUnique(self, request, context): - """GetSimpleExampleByUnique queries the SimpleExample table by its Unique index - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListSimpleExample(self, request, context): - """ListSimpleExample queries the SimpleExample table using prefix and range queries against defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def GetExampleAutoIncFieldName(self, request, context): - """Get queries the ExampleAutoIncFieldName table by its primary key. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def ListExampleAutoIncFieldName(self, request, context): - """ListExampleAutoIncFieldName queries the ExampleAutoIncFieldName table using prefix and range queries against - defined indexes. - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - -def add_TestSchemaQueryServiceServicer_to_server(servicer, server): - rpc_method_handlers = { - 'GetExampleTable': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTable, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableResponse.SerializeToString, - ), - 'GetExampleTableByU64Str': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTableByU64Str, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.SerializeToString, - ), - 'ListExampleTable': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleTable, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTableResponse.SerializeToString, - ), - 'GetExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncrementTable, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.SerializeToString, - ), - 'GetExampleAutoIncrementTableByX': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncrementTableByX, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.SerializeToString, - ), - 'ListExampleAutoIncrementTable': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleAutoIncrementTable, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.SerializeToString, - ), - 'GetExampleSingleton': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleSingleton, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.SerializeToString, - ), - 'GetExampleTimestamp': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleTimestamp, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.SerializeToString, - ), - 'ListExampleTimestamp': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleTimestamp, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.SerializeToString, - ), - 'GetSimpleExample': grpc.unary_unary_rpc_method_handler( - servicer.GetSimpleExample, - request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.SerializeToString, - ), - 'GetSimpleExampleByUnique': grpc.unary_unary_rpc_method_handler( - servicer.GetSimpleExampleByUnique, - request_deserializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.SerializeToString, - ), - 'ListSimpleExample': grpc.unary_unary_rpc_method_handler( - servicer.ListSimpleExample, - request_deserializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.SerializeToString, - ), - 'GetExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( - servicer.GetExampleAutoIncFieldName, - request_deserializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.SerializeToString, - ), - 'ListExampleAutoIncFieldName': grpc.unary_unary_rpc_method_handler( - servicer.ListExampleAutoIncFieldName, - request_deserializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.FromString, - response_serializer=testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.SerializeToString, - ), - } - generic_handler = grpc.method_handlers_generic_handler( - 'testpb.TestSchemaQueryService', rpc_method_handlers) - server.add_generic_rpc_handlers((generic_handler,)) - server.add_registered_method_handlers('testpb.TestSchemaQueryService', rpc_method_handlers) - - - # This class is part of an EXPERIMENTAL API. -class TestSchemaQueryService(object): - """TestSchemaQueryService queries the state of the tables specified by testpb/test_schema.proto. - """ - - @staticmethod - def GetExampleTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleTable', - testpb_dot_test__schema__query__pb2.GetExampleTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTableResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleTableByU64Str(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleTableByU64Str', - testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTableByU64StrResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListExampleTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/ListExampleTable', - testpb_dot_test__schema__query__pb2.ListExampleTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleTableResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleAutoIncrementTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTable', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleAutoIncrementTableByX(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleAutoIncrementTableByX', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncrementTableByXResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListExampleAutoIncrementTable(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/ListExampleAutoIncrementTable', - testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleAutoIncrementTableResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleSingleton(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleSingleton', - testpb_dot_test__schema__query__pb2.GetExampleSingletonRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleSingletonResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleTimestamp(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleTimestamp', - testpb_dot_test__schema__query__pb2.GetExampleTimestampRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleTimestampResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListExampleTimestamp(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/ListExampleTimestamp', - testpb_dot_test__schema__query__pb2.ListExampleTimestampRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleTimestampResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetSimpleExample(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetSimpleExample', - testpb_dot_test__schema__query__pb2.GetSimpleExampleRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetSimpleExampleResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetSimpleExampleByUnique(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetSimpleExampleByUnique', - testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetSimpleExampleByUniqueResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListSimpleExample(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/ListSimpleExample', - testpb_dot_test__schema__query__pb2.ListSimpleExampleRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListSimpleExampleResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def GetExampleAutoIncFieldName(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/GetExampleAutoIncFieldName', - testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.GetExampleAutoIncFieldNameResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def ListExampleAutoIncFieldName(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/testpb.TestSchemaQueryService/ListExampleAutoIncFieldName', - testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameRequest.SerializeToString, - testpb_dot_test__schema__query__pb2.ListExampleAutoIncFieldNameResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) From 37cdcce3a1230e135d0a630d640d6a9e574b5093 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 4 Jul 2024 17:14:20 -0300 Subject: [PATCH 47/63] (fix) Updated all proto definitions, including the new Indexer version for chain upgrade v1.13 --- Makefile | 19 +- buf.gen.yaml | 8 + pyinjective/proto/amino/amino_pb2.py | 16 +- pyinjective/proto/amino/amino_pb2_grpc.py | 25 - .../proto/capability/v1/capability_pb2.py | 30 +- .../capability/v1/capability_pb2_grpc.py | 25 - .../proto/capability/v1/genesis_pb2.py | 26 +- .../proto/capability/v1/genesis_pb2_grpc.py | 25 - .../cosmos/app/runtime/v1alpha1/module_pb2.py | 23 +- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 - .../proto/cosmos/app/v1alpha1/config_pb2.py | 29 +- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 - .../proto/cosmos/app/v1alpha1/module_pb2.py | 27 +- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 - .../proto/cosmos/app/v1alpha1/query_pb2.py | 23 +- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 49 -- .../proto/cosmos/auth/module/v1/module_pb2.py | 23 +- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/auth/v1beta1/auth_pb2.py | 36 +- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 - .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 20 +- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/auth/v1beta1/query_pb2.py | 98 +-- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/auth/v1beta1/tx_pb2.py | 26 +- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/authz/module/v1/module_pb2.py | 17 +- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/authz/v1beta1/authz_pb2.py | 30 +- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 - .../proto/cosmos/authz/v1beta1/event_pb2.py | 24 +- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 - .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 18 +- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/authz/v1beta1/query_pb2.py | 42 +- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 60 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 73 ++- .../proto/cosmos/autocli/v1/options_pb2.py | 42 +- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 - .../proto/cosmos/autocli/v1/query_pb2.py | 26 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 49 -- .../proto/cosmos/bank/module/v1/module_pb2.py | 19 +- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/bank/v1beta1/authz_pb2.py | 26 +- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 - .../proto/cosmos/bank/v1beta1/bank_pb2.py | 52 +- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 - .../proto/cosmos/bank/v1beta1/events_pb2.py | 44 ++ .../cosmos/bank/v1beta1/events_pb2_grpc.py | 4 + .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 32 +- .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/bank/v1beta1/query_pb2.py | 142 ++--- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 29 +- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 62 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/base/abci/v1beta1/abci_pb2.py | 64 +- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 - .../cosmos/base/node/v1beta1/query_pb2.py | 36 +- .../base/node/v1beta1/query_pb2_grpc.py | 27 +- .../base/query/v1beta1/pagination_pb2.py | 24 +- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 - .../base/reflection/v1beta1/reflection_pb2.py | 30 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 49 -- .../reflection/v2alpha1/reflection_pb2.py | 122 ++-- .../v2alpha1/reflection_pb2_grpc.py | 49 -- .../base/tendermint/v1beta1/query_pb2.py | 114 ++-- .../base/tendermint/v1beta1/query_pb2_grpc.py | 49 -- .../base/tendermint/v1beta1/types_pb2.py | 32 +- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 - .../proto/cosmos/base/v1beta1/coin_pb2.py | 36 +- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 - .../cosmos/circuit/module/v1/module_pb2.py | 21 +- .../circuit/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/circuit/v1/query_pb2.py | 50 +- .../proto/cosmos/circuit/v1/query_pb2_grpc.py | 29 +- pyinjective/proto/cosmos/circuit/v1/tx_pb2.py | 46 +- .../proto/cosmos/circuit/v1/tx_pb2_grpc.py | 29 +- .../proto/cosmos/circuit/v1/types_pb2.py | 30 +- .../proto/cosmos/circuit/v1/types_pb2_grpc.py | 25 - .../cosmos/consensus/module/v1/module_pb2.py | 19 +- .../consensus/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/consensus/v1/query_pb2.py | 22 +- .../cosmos/consensus/v1/query_pb2_grpc.py | 49 -- .../proto/cosmos/consensus/v1/tx_pb2.py | 34 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 49 -- .../cosmos/crisis/module/v1/module_pb2.py | 21 +- .../crisis/module/v1/module_pb2_grpc.py | 25 - .../cosmos/crisis/v1beta1/genesis_pb2.py | 18 +- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 34 +- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 49 -- .../proto/cosmos/crypto/ed25519/keys_pb2.py | 22 +- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 - .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 18 +- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 - .../cosmos/crypto/keyring/v1/record_pb2.py | 34 +- .../crypto/keyring/v1/record_pb2_grpc.py | 25 - .../proto/cosmos/crypto/multisig/keys_pb2.py | 18 +- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 - .../crypto/multisig/v1beta1/multisig_pb2.py | 22 +- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 - .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 22 +- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 - .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 22 +- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 - .../distribution/module/v1/module_pb2.py | 21 +- .../distribution/module/v1/module_pb2_grpc.py | 25 - .../distribution/v1beta1/distribution_pb2.py | 70 ++- .../v1beta1/distribution_pb2_grpc.py | 25 - .../distribution/v1beta1/genesis_pb2.py | 56 +- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 - .../cosmos/distribution/v1beta1/query_pb2.py | 108 ++-- .../distribution/v1beta1/query_pb2_grpc.py | 49 -- .../cosmos/distribution/v1beta1/tx_pb2.py | 86 +-- .../distribution/v1beta1/tx_pb2_grpc.py | 27 +- .../cosmos/evidence/module/v1/module_pb2.py | 19 +- .../evidence/module/v1/module_pb2_grpc.py | 25 - .../cosmos/evidence/v1beta1/evidence_pb2.py | 24 +- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 - .../cosmos/evidence/v1beta1/genesis_pb2.py | 18 +- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 - .../cosmos/evidence/v1beta1/query_pb2.py | 38 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 34 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/feegrant/module/v1/module_pb2.py | 19 +- .../feegrant/module/v1/module_pb2_grpc.py | 25 - .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 38 +- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 - .../cosmos/feegrant/v1beta1/genesis_pb2.py | 24 +- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 - .../cosmos/feegrant/v1beta1/query_pb2.py | 50 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 48 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 29 +- .../cosmos/genutil/module/v1/module_pb2.py | 17 +- .../genutil/module/v1/module_pb2_grpc.py | 25 - .../cosmos/genutil/v1beta1/genesis_pb2.py | 18 +- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/gov/module/v1/module_pb2.py | 19 +- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/gov/v1/genesis_pb2.py | 18 +- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 - pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 66 ++- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 - pyinjective/proto/cosmos/gov/v1/query_pb2.py | 94 +-- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 49 -- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 86 +-- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 27 +- .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 18 +- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/gov/v1beta1/gov_pb2.py | 66 ++- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 - .../proto/cosmos/gov/v1beta1/query_pb2.py | 82 +-- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 62 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/group/module/v1/module_pb2.py | 19 +- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/group/v1/events_pb2.py | 54 +- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 - .../proto/cosmos/group/v1/genesis_pb2.py | 18 +- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/group/v1/query_pb2.py | 130 ++-- .../proto/cosmos/group/v1/query_pb2_grpc.py | 49 -- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 144 ++--- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 49 -- .../proto/cosmos/group/v1/types_pb2.py | 70 ++- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 - .../proto/cosmos/ics23/v1/proofs_pb2.py | 76 +-- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 - .../proto/cosmos/mint/module/v1/module_pb2.py | 21 +- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 20 +- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/mint/v1beta1/mint_pb2.py | 28 +- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 - .../proto/cosmos/mint/v1beta1/query_pb2.py | 48 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/mint/v1beta1/tx_pb2.py | 26 +- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/msg/textual/v1/textual_pb2.py | 17 +- .../cosmos/msg/textual/v1/textual_pb2_grpc.py | 25 - pyinjective/proto/cosmos/msg/v1/msg_pb2.py | 16 +- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 - .../proto/cosmos/nft/module/v1/module_pb2.py | 19 +- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/nft/v1beta1/event_pb2.py | 26 +- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 - .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 24 +- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/nft/v1beta1/nft_pb2.py | 22 +- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 - .../proto/cosmos/nft/v1beta1/query_pb2.py | 80 +-- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 30 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/orm/module/v1alpha1/module_pb2.py | 19 +- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 - .../cosmos/orm/query/v1alpha1/query_pb2.py | 49 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 49 -- pyinjective/proto/cosmos/orm/v1/orm_pb2.py | 31 +- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 - .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 27 +- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 - .../cosmos/params/module/v1/module_pb2.py | 17 +- .../params/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/params/v1beta1/params_pb2.py | 28 +- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 - .../proto/cosmos/params/v1beta1/query_pb2.py | 38 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/query/v1/query_pb2.py | 16 +- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 - .../cosmos/reflection/v1/reflection_pb2.py | 23 +- .../reflection/v1/reflection_pb2_grpc.py | 49 -- .../cosmos/slashing/module/v1/module_pb2.py | 19 +- .../slashing/module/v1/module_pb2_grpc.py | 25 - .../cosmos/slashing/v1beta1/genesis_pb2.py | 38 +- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 - .../cosmos/slashing/v1beta1/query_pb2.py | 50 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 49 -- .../cosmos/slashing/v1beta1/slashing_pb2.py | 28 +- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 - .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 44 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/staking/module/v1/module_pb2.py | 19 +- .../staking/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/staking/v1beta1/authz_pb2.py | 34 +- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 - .../cosmos/staking/v1beta1/genesis_pb2.py | 30 +- .../staking/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/cosmos/staking/v1beta1/query_pb2.py | 144 ++--- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 49 -- .../cosmos/staking/v1beta1/staking_pb2.py | 118 ++-- .../staking/v1beta1/staking_pb2_grpc.py | 25 - .../proto/cosmos/staking/v1beta1/tx_pb2.py | 86 +-- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 49 -- .../store/internal/kv/v1beta1/kv_pb2.py | 24 +- .../store/internal/kv/v1beta1/kv_pb2_grpc.py | 25 - .../cosmos/store/snapshots/v1/snapshot_pb2.py | 44 +- .../store/snapshots/v1/snapshot_pb2_grpc.py | 25 - .../cosmos/store/streaming/abci/grpc_pb2.py | 38 +- .../store/streaming/abci/grpc_pb2_grpc.py | 27 +- .../cosmos/store/v1beta1/commit_info_pb2.py | 28 +- .../store/v1beta1/commit_info_pb2_grpc.py | 25 - .../cosmos/store/v1beta1/listening_pb2.py | 24 +- .../store/v1beta1/listening_pb2_grpc.py | 25 - .../proto/cosmos/tx/config/v1/config_pb2.py | 21 +- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 - .../cosmos/tx/signing/v1beta1/signing_pb2.py | 38 +- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 - .../proto/cosmos/tx/v1beta1/service_pb2.py | 110 ++-- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 49 -- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 80 +-- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 - .../cosmos/upgrade/module/v1/module_pb2.py | 21 +- .../upgrade/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 58 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 49 -- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 44 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 36 +- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 - .../cosmos/vesting/module/v1/module_pb2.py | 17 +- .../vesting/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 54 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 49 -- .../cosmos/vesting/v1beta1/vesting_pb2.py | 46 +- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 - pyinjective/proto/cosmos_proto/cosmos_pb2.py | 26 +- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 - .../proto/cosmwasm/wasm/v1/authz_pb2.py | 74 ++- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 - .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 38 +- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 - pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 26 +- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 - .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 86 +-- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 - .../proto/cosmwasm/wasm/v1/query_pb2.py | 136 +++-- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 93 ++- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 188 +++--- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 49 -- .../proto/cosmwasm/wasm/v1/types_pb2.py | 80 +-- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 - .../proto/exchange/event_provider_api_pb2.py | 90 +-- .../exchange/event_provider_api_pb2_grpc.py | 49 -- pyinjective/proto/exchange/health_pb2.py | 26 +- pyinjective/proto/exchange/health_pb2_grpc.py | 49 -- .../exchange/injective_accounts_rpc_pb2.py | 202 ++++--- .../injective_accounts_rpc_pb2_grpc.py | 27 +- .../exchange/injective_archiver_rpc_pb2.py | 55 ++ .../injective_archiver_rpc_pb2_grpc.py | 169 ++++++ .../exchange/injective_auction_rpc_pb2.py | 54 +- .../injective_auction_rpc_pb2_grpc.py | 49 -- .../exchange/injective_campaign_rpc_pb2.py | 86 +-- .../injective_campaign_rpc_pb2_grpc.py | 49 -- .../injective_derivative_exchange_rpc_pb2.py | 298 +++++----- ...ective_derivative_exchange_rpc_pb2_grpc.py | 49 -- .../exchange/injective_exchange_rpc_pb2.py | 78 +-- .../injective_exchange_rpc_pb2_grpc.py | 49 -- .../exchange/injective_explorer_rpc_pb2.py | 318 +++++----- .../injective_explorer_rpc_pb2_grpc.py | 27 +- .../exchange/injective_insurance_rpc_pb2.py | 50 +- .../injective_insurance_rpc_pb2_grpc.py | 29 +- .../proto/exchange/injective_meta_rpc_pb2.py | 58 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 49 -- .../exchange/injective_oracle_rpc_pb2.py | 50 +- .../exchange/injective_oracle_rpc_pb2_grpc.py | 49 -- .../exchange/injective_portfolio_rpc_pb2.py | 82 +-- .../injective_portfolio_rpc_pb2_grpc.py | 49 -- .../injective_spot_exchange_rpc_pb2.py | 216 +++---- .../injective_spot_exchange_rpc_pb2_grpc.py | 49 -- .../exchange/injective_trading_rpc_pb2.py | 38 +- .../injective_trading_rpc_pb2_grpc.py | 49 -- pyinjective/proto/gogoproto/gogo_pb2.py | 16 +- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 - .../proto/google/api/annotations_pb2.py | 16 +- .../proto/google/api/annotations_pb2_grpc.py | 25 - pyinjective/proto/google/api/http_pb2.py | 26 +- pyinjective/proto/google/api/http_pb2_grpc.py | 25 - .../proto/ibc/applications/fee/v1/ack_pb2.py | 20 +- .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 - .../proto/ibc/applications/fee/v1/fee_pb2.py | 40 +- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 - .../ibc/applications/fee/v1/genesis_pb2.py | 40 +- .../applications/fee/v1/genesis_pb2_grpc.py | 25 - .../ibc/applications/fee/v1/metadata_pb2.py | 18 +- .../applications/fee/v1/metadata_pb2_grpc.py | 25 - .../ibc/applications/fee/v1/query_pb2.py | 114 ++-- .../ibc/applications/fee/v1/query_pb2_grpc.py | 49 -- .../proto/ibc/applications/fee/v1/tx_pb2.py | 60 +- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 49 -- .../controller/v1/controller_pb2.py | 18 +- .../controller/v1/controller_pb2_grpc.py | 25 - .../controller/v1/query_pb2.py | 38 +- .../controller/v1/query_pb2_grpc.py | 49 -- .../controller/v1/tx_pb2.py | 52 +- .../controller/v1/tx_pb2_grpc.py | 29 +- .../genesis/v1/genesis_pb2.py | 40 +- .../genesis/v1/genesis_pb2_grpc.py | 25 - .../interchain_accounts/host/v1/host_pb2.py | 22 +- .../host/v1/host_pb2_grpc.py | 25 - .../interchain_accounts/host/v1/query_pb2.py | 26 +- .../host/v1/query_pb2_grpc.py | 49 -- .../interchain_accounts/host/v1/tx_pb2.py | 42 +- .../host/v1/tx_pb2_grpc.py | 27 +- .../interchain_accounts/v1/account_pb2.py | 24 +- .../v1/account_pb2_grpc.py | 25 - .../interchain_accounts/v1/metadata_pb2.py | 18 +- .../v1/metadata_pb2_grpc.py | 25 - .../interchain_accounts/v1/packet_pb2.py | 30 +- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 - .../ibc/applications/transfer/v1/authz_pb2.py | 28 +- .../transfer/v1/authz_pb2_grpc.py | 25 - .../applications/transfer/v1/genesis_pb2.py | 24 +- .../transfer/v1/genesis_pb2_grpc.py | 25 - .../ibc/applications/transfer/v1/query_pb2.py | 76 +-- .../transfer/v1/query_pb2_grpc.py | 27 +- .../applications/transfer/v1/transfer_pb2.py | 22 +- .../transfer/v1/transfer_pb2_grpc.py | 25 - .../ibc/applications/transfer/v1/tx_pb2.py | 46 +- .../applications/transfer/v1/tx_pb2_grpc.py | 27 +- .../applications/transfer/v2/packet_pb2.py | 20 +- .../transfer/v2/packet_pb2_grpc.py | 25 - .../proto/ibc/core/channel/v1/channel_pb2.py | 62 +- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 - .../proto/ibc/core/channel/v1/genesis_pb2.py | 26 +- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 - .../proto/ibc/core/channel/v1/query_pb2.py | 166 +++--- .../ibc/core/channel/v1/query_pb2_grpc.py | 29 +- .../proto/ibc/core/channel/v1/tx_pb2.py | 186 +++--- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 29 +- .../proto/ibc/core/channel/v1/upgrade_pb2.py | 30 +- .../ibc/core/channel/v1/upgrade_pb2_grpc.py | 25 - .../proto/ibc/core/client/v1/client_pb2.py | 48 +- .../ibc/core/client/v1/client_pb2_grpc.py | 25 - .../proto/ibc/core/client/v1/genesis_pb2.py | 30 +- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 - .../proto/ibc/core/client/v1/query_pb2.py | 110 ++-- .../ibc/core/client/v1/query_pb2_grpc.py | 27 +- .../proto/ibc/core/client/v1/tx_pb2.py | 82 +-- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 27 +- .../ibc/core/commitment/v1/commitment_pb2.py | 34 +- .../core/commitment/v1/commitment_pb2_grpc.py | 25 - .../ibc/core/connection/v1/connection_pb2.py | 50 +- .../core/connection/v1/connection_pb2_grpc.py | 25 - .../ibc/core/connection/v1/genesis_pb2.py | 22 +- .../core/connection/v1/genesis_pb2_grpc.py | 25 - .../proto/ibc/core/connection/v1/query_pb2.py | 76 +-- .../ibc/core/connection/v1/query_pb2_grpc.py | 49 -- .../proto/ibc/core/connection/v1/tx_pb2.py | 66 ++- .../ibc/core/connection/v1/tx_pb2_grpc.py | 27 +- .../proto/ibc/core/types/v1/genesis_pb2.py | 26 +- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 - .../localhost/v2/localhost_pb2.py | 22 +- .../localhost/v2/localhost_pb2_grpc.py | 25 - .../solomachine/v2/solomachine_pb2.py | 88 +-- .../solomachine/v2/solomachine_pb2_grpc.py | 25 - .../solomachine/v3/solomachine_pb2.py | 48 +- .../solomachine/v3/solomachine_pb2_grpc.py | 25 - .../tendermint/v1/tendermint_pb2.py | 46 +- .../tendermint/v1/tendermint_pb2_grpc.py | 25 - .../ibc/lightclients/wasm/v1/genesis_pb2.py | 24 +- .../lightclients/wasm/v1/genesis_pb2_grpc.py | 25 - .../ibc/lightclients/wasm/v1/query_pb2.py | 38 +- .../lightclients/wasm/v1/query_pb2_grpc.py | 27 +- .../proto/ibc/lightclients/wasm/v1/tx_pb2.py | 44 +- .../ibc/lightclients/wasm/v1/tx_pb2_grpc.py | 29 +- .../ibc/lightclients/wasm/v1/wasm_pb2.py | 36 +- .../ibc/lightclients/wasm/v1/wasm_pb2_grpc.py | 25 - .../injective/auction/v1beta1/auction_pb2.py | 44 +- .../auction/v1beta1/auction_pb2_grpc.py | 25 - .../injective/auction/v1beta1/genesis_pb2.py | 18 +- .../auction/v1beta1/genesis_pb2_grpc.py | 25 - .../injective/auction/v1beta1/query_pb2.py | 56 +- .../auction/v1beta1/query_pb2_grpc.py | 29 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 46 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 49 -- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 26 +- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 - .../injective/exchange/v1beta1/authz_pb2.py | 62 +- .../exchange/v1beta1/authz_pb2_grpc.py | 25 - .../injective/exchange/v1beta1/events_pb2.py | 166 +++--- .../exchange/v1beta1/events_pb2_grpc.py | 25 - .../exchange/v1beta1/exchange_pb2.py | 246 ++++---- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 - .../injective/exchange/v1beta1/genesis_pb2.py | 88 +-- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 - .../exchange/v1beta1/proposal_pb2.py | 118 ++-- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 - .../injective/exchange/v1beta1/query_pb2.py | 560 +++++++++--------- .../exchange/v1beta1/query_pb2_grpc.py | 29 +- .../injective/exchange/v1beta1/tx_pb2.py | 342 +++++------ .../injective/exchange/v1beta1/tx_pb2_grpc.py | 29 +- .../injective/insurance/v1beta1/events_pb2.py | 34 +- .../insurance/v1beta1/events_pb2_grpc.py | 25 - .../insurance/v1beta1/genesis_pb2.py | 18 +- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 - .../insurance/v1beta1/insurance_pb2.py | 34 +- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 - .../injective/insurance/v1beta1/query_pb2.py | 62 +- .../insurance/v1beta1/query_pb2_grpc.py | 49 -- .../injective/insurance/v1beta1/tx_pb2.py | 64 +- .../insurance/v1beta1/tx_pb2_grpc.py | 49 -- .../injective/ocr/v1beta1/genesis_pb2.py | 46 +- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 - .../proto/injective/ocr/v1beta1/ocr_pb2.py | 108 ++-- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 - .../proto/injective/ocr/v1beta1/query_pb2.py | 70 ++- .../injective/ocr/v1beta1/query_pb2_grpc.py | 49 -- .../proto/injective/ocr/v1beta1/tx_pb2.py | 104 ++-- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 49 -- .../injective/oracle/v1beta1/events_pb2.py | 64 +- .../oracle/v1beta1/events_pb2_grpc.py | 25 - .../injective/oracle/v1beta1/genesis_pb2.py | 22 +- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 - .../injective/oracle/v1beta1/oracle_pb2.py | 120 ++-- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 - .../injective/oracle/v1beta1/proposal_pb2.py | 68 ++- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 - .../injective/oracle/v1beta1/query_pb2.py | 170 +++--- .../oracle/v1beta1/query_pb2_grpc.py | 137 +++-- .../proto/injective/oracle/v1beta1/tx_pb2.py | 90 +-- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 94 ++- .../injective/peggy/v1/attestation_pb2.py | 30 +- .../peggy/v1/attestation_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/batch_pb2.py | 22 +- .../injective/peggy/v1/batch_pb2_grpc.py | 25 - .../injective/peggy/v1/ethereum_signer_pb2.py | 16 +- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/events_pb2.py | 88 +-- .../injective/peggy/v1/events_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/genesis_pb2.py | 18 +- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/msgs_pb2.py | 146 ++--- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 29 +- .../proto/injective/peggy/v1/params_pb2.py | 24 +- .../injective/peggy/v1/params_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/pool_pb2.py | 24 +- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 - .../proto/injective/peggy/v1/query_pb2.py | 182 +++--- .../injective/peggy/v1/query_pb2_grpc.py | 49 -- .../proto/injective/peggy/v1/types_pb2.py | 36 +- .../injective/peggy/v1/types_pb2_grpc.py | 25 - .../permissions/v1beta1/events_pb2.py | 20 +- .../permissions/v1beta1/events_pb2_grpc.py | 25 - .../permissions/v1beta1/genesis_pb2.py | 18 +- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 - .../permissions/v1beta1/params_pb2.py | 26 +- .../permissions/v1beta1/params_pb2_grpc.py | 25 - .../permissions/v1beta1/permissions_pb2.py | 42 +- .../v1beta1/permissions_pb2_grpc.py | 25 - .../permissions/v1beta1/query_pb2.py | 71 ++- .../permissions/v1beta1/query_pb2_grpc.py | 49 -- .../injective/permissions/v1beta1/tx_pb2.py | 106 ++-- .../permissions/v1beta1/tx_pb2_grpc.py | 49 -- .../injective/stream/v1beta1/query_pb2.py | 118 ++-- .../stream/v1beta1/query_pb2_grpc.py | 49 -- .../v1beta1/authorityMetadata_pb2.py | 18 +- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 - .../tokenfactory/v1beta1/events_pb2.py | 34 +- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 - .../tokenfactory/v1beta1/genesis_pb2.py | 22 +- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 - .../injective/tokenfactory/v1beta1/gov_pb2.py | 35 -- .../tokenfactory/v1beta1/gov_pb2_grpc.py | 29 - .../tokenfactory/v1beta1/params_pb2.py | 28 +- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 - .../tokenfactory/v1beta1/query_pb2.py | 46 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 49 -- .../injective/tokenfactory/v1beta1/tx_pb2.py | 80 +-- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 49 -- .../injective/types/v1beta1/account_pb2.py | 24 +- .../types/v1beta1/account_pb2_grpc.py | 25 - .../injective/types/v1beta1/tx_ext_pb2.py | 20 +- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 - .../types/v1beta1/tx_response_pb2.py | 22 +- .../types/v1beta1/tx_response_pb2_grpc.py | 25 - .../proto/injective/wasmx/v1/events_pb2.py | 28 +- .../injective/wasmx/v1/events_pb2_grpc.py | 25 - .../proto/injective/wasmx/v1/genesis_pb2.py | 24 +- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 - .../proto/injective/wasmx/v1/proposal_pb2.py | 46 +- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 - .../proto/injective/wasmx/v1/query_pb2.py | 38 +- .../injective/wasmx/v1/query_pb2_grpc.py | 49 -- .../proto/injective/wasmx/v1/tx_pb2.py | 78 +-- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 49 -- .../proto/injective/wasmx/v1/wasmx_pb2.py | 30 +- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 - .../proto/tendermint/abci/types_pb2.py | 240 ++++---- .../proto/tendermint/abci/types_pb2_grpc.py | 29 +- .../proto/tendermint/blocksync/types_pb2.py | 42 +- .../tendermint/blocksync/types_pb2_grpc.py | 25 - .../proto/tendermint/consensus/types_pb2.py | 56 +- .../tendermint/consensus/types_pb2_grpc.py | 25 - .../proto/tendermint/consensus/wal_pb2.py | 34 +- .../tendermint/consensus/wal_pb2_grpc.py | 25 - .../proto/tendermint/crypto/keys_pb2.py | 18 +- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 - .../proto/tendermint/crypto/proof_pb2.py | 34 +- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 - .../proto/tendermint/libs/bits/types_pb2.py | 18 +- .../tendermint/libs/bits/types_pb2_grpc.py | 25 - .../proto/tendermint/mempool/types_pb2.py | 22 +- .../tendermint/mempool/types_pb2_grpc.py | 25 - pyinjective/proto/tendermint/p2p/conn_pb2.py | 26 +- .../proto/tendermint/p2p/conn_pb2_grpc.py | 25 - pyinjective/proto/tendermint/p2p/pex_pb2.py | 22 +- .../proto/tendermint/p2p/pex_pb2_grpc.py | 25 - pyinjective/proto/tendermint/p2p/types_pb2.py | 30 +- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 - .../proto/tendermint/privval/types_pb2.py | 58 +- .../tendermint/privval/types_pb2_grpc.py | 25 - .../proto/tendermint/rpc/grpc/types_pb2.py | 30 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 49 -- .../proto/tendermint/state/types_pb2.py | 58 +- .../proto/tendermint/state/types_pb2_grpc.py | 25 - .../proto/tendermint/statesync/types_pb2.py | 34 +- .../tendermint/statesync/types_pb2_grpc.py | 25 - .../proto/tendermint/store/types_pb2.py | 18 +- .../proto/tendermint/store/types_pb2_grpc.py | 25 - .../proto/tendermint/types/block_pb2.py | 18 +- .../proto/tendermint/types/block_pb2_grpc.py | 25 - .../proto/tendermint/types/canonical_pb2.py | 34 +- .../tendermint/types/canonical_pb2_grpc.py | 25 - .../proto/tendermint/types/events_pb2.py | 18 +- .../proto/tendermint/types/events_pb2_grpc.py | 25 - .../proto/tendermint/types/evidence_pb2.py | 30 +- .../tendermint/types/evidence_pb2_grpc.py | 25 - .../proto/tendermint/types/params_pb2.py | 42 +- .../proto/tendermint/types/params_pb2_grpc.py | 25 - .../proto/tendermint/types/types_pb2.py | 86 +-- .../proto/tendermint/types/types_pb2_grpc.py | 25 - .../proto/tendermint/types/validator_pb2.py | 34 +- .../tendermint/types/validator_pb2_grpc.py | 25 - .../proto/tendermint/version/types_pb2.py | 22 +- .../tendermint/version/types_pb2_grpc.py | 25 - 580 files changed, 9748 insertions(+), 15191 deletions(-) create mode 100644 buf.gen.yaml create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py create mode 100644 pyinjective/proto/exchange/injective_archiver_rpc_pb2.py create mode 100644 pyinjective/proto/exchange/injective_archiver_rpc_pb2_grpc.py delete mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py delete mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py diff --git a/Makefile b/Makefile index 0140f9b8..2578e476 100644 --- a/Makefile +++ b/Makefile @@ -4,13 +4,7 @@ gen: gen-client gen-client: clone-all copy-proto mkdir -p ./pyinjective/proto - @for dir in $(shell find ./proto -path -prune -o -name '*.proto' -print0 | xargs -0 -n1 dirname | sort | uniq); do \ - python3 -m grpc_tools.protoc \ - --proto_path=./proto \ - --python_out=./pyinjective/proto \ - --grpc_python_out=./pyinjective/proto \ - $$(find ./$${dir} -type f -name '*.proto'); \ - done + cd ./proto && buf generate --template ../buf.gen.yaml rm -rf proto $(call clean_repos) touch pyinjective/proto/__init__.py @@ -36,19 +30,20 @@ clean-all: $(call clean_repos) clone-injective-core: - git clone https://github.com/InjectiveLabs/injective-core.git -b feat-sdk-v0.50-migration --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-core.git -b dev --depth 1 --single-branch clone-injective-indexer: - git clone https://github.com/InjectiveLabs/injective-indexer.git -b fix/makefile --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-indexer.git -b release/v1.13.x --depth 1 --single-branch clone-cometbft: - git clone https://github.com/InjectiveLabs/cometbft.git -b v0.38.6-inj-2 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/cometbft.git -b v0.38.x-inj --depth 1 --single-branch + rm cometbft/buf.yaml clone-wasmd: - git clone https://github.com/InjectiveLabs/wasmd.git -b v0.50.x-inj --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/wasmd.git -b v0.51.x-inj --depth 1 --single-branch clone-cosmos-sdk: - git clone https://github.com/InjectiveLabs/cosmos-sdk.git -b v0.50.6 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/cosmos-sdk.git -b v0.50.x-inj --depth 1 --single-branch clone-ibc-go: git clone https://github.com/InjectiveLabs/ibc-go.git -b v8.3.x-inj --depth 1 --single-branch diff --git a/buf.gen.yaml b/buf.gen.yaml new file mode 100644 index 00000000..4a5cc2ec --- /dev/null +++ b/buf.gen.yaml @@ -0,0 +1,8 @@ +version: v2 +managed: + enabled: true +plugins: + - remote: buf.build/protocolbuffers/python + out: ../pyinjective/proto/ + - remote: buf.build/grpc/python + out: ../pyinjective/proto/ diff --git a/pyinjective/proto/amino/amino_pb2.py b/pyinjective/proto/amino/amino_pb2.py index 7db3a6e1..e124d7da 100644 --- a/pyinjective/proto/amino/amino_pb2.py +++ b/pyinjective/proto/amino/amino_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: amino/amino.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'amino/amino.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:0\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\t:<\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\t:2\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\t:4\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\t:8\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08:4\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tB-Z+github.com/cosmos/cosmos-sdk/types/tx/aminob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:6\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\tR\x04name:M\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\tR\x0fmessageEncoding:<\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\tR\x08\x65ncoding:?\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\tR\tfieldName:G\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08R\rdontOmitempty:?\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tR\toneofNameBx\n\tcom.aminoB\nAminoProtoP\x01Z+github.com/cosmos/cosmos-sdk/types/tx/amino\xa2\x02\x03\x41XX\xaa\x02\x05\x41mino\xca\x02\x05\x41mino\xe2\x02\x11\x41mino\\GPBMetadata\xea\x02\x05\x41minob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'amino.amino_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/types/tx/amino' + _globals['DESCRIPTOR']._serialized_options = b'\n\tcom.aminoB\nAminoProtoP\001Z+github.com/cosmos/cosmos-sdk/types/tx/amino\242\002\003AXX\252\002\005Amino\312\002\005Amino\342\002\021Amino\\GPBMetadata\352\002\005Amino' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 3f4d19f9..2daafffe 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in amino/amino_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/capability/v1/capability_pb2.py b/pyinjective/proto/capability/v1/capability_pb2.py index fc01377a..3c2927f9 100644 --- a/pyinjective/proto/capability/v1/capability_pb2.py +++ b/pyinjective/proto/capability/v1/capability_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/capability.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'capability/v1/capability.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"C\n\x10\x43\x61pabilityOwners\x12/\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"(\n\nCapability\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index:\x04\x98\xa0\x1f\x00\"=\n\x05Owner\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"K\n\x10\x43\x61pabilityOwners\x12\x37\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xac\x01\n\x11\x63om.capability.v1B\x0f\x43\x61pabilityProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.capability_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\017CapabilityProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' _globals['_CAPABILITY']._loaded_options = None _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' _globals['_OWNER']._loaded_options = None @@ -31,9 +41,9 @@ _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CAPABILITY']._serialized_start=90 - _globals['_CAPABILITY']._serialized_end=123 - _globals['_OWNER']._serialized_start=125 - _globals['_OWNER']._serialized_end=172 - _globals['_CAPABILITYOWNERS']._serialized_start=174 - _globals['_CAPABILITYOWNERS']._serialized_end=241 + _globals['_CAPABILITY']._serialized_end=130 + _globals['_OWNER']._serialized_start=132 + _globals['_OWNER']._serialized_end=193 + _globals['_CAPABILITYOWNERS']._serialized_start=195 + _globals['_CAPABILITYOWNERS']._serialized_end=270 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/capability_pb2_grpc.py b/pyinjective/proto/capability/v1/capability_pb2_grpc.py index 5b33b6a6..2daafffe 100644 --- a/pyinjective/proto/capability/v1/capability_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/capability_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in capability/v1/capability_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/capability/v1/genesis_pb2.py b/pyinjective/proto/capability/v1/genesis_pb2.py index c041baac..adc56dc6 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2.py +++ b/pyinjective/proto/capability/v1/genesis_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'capability/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from capability.v1 import capability_pb2 as capability_dot_v1_dot_capability__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"`\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12@\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x37\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"t\n\rGenesisOwners\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12M\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bindexOwners\"e\n\x0cGenesisState\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12?\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xa9\x01\n\x11\x63om.capability.v1B\x0cGenesisProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\014GenesisProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISOWNERS']._serialized_start=119 - _globals['_GENESISOWNERS']._serialized_end=215 - _globals['_GENESISSTATE']._serialized_start=217 - _globals['_GENESISSTATE']._serialized_end=303 + _globals['_GENESISOWNERS']._serialized_end=235 + _globals['_GENESISSTATE']._serialized_start=237 + _globals['_GENESISSTATE']._serialized_end=338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py index 3a6381e6..2daafffe 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in capability/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index ad9f34b9..46cffe9d 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/runtime/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/runtime/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xd4\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig\x12\x18\n\x10order_migrations\x18\x07 \x03(\t\x12\x14\n\x0cprecommiters\x18\x08 \x03(\t\x12\x1d\n\x15prepare_check_staters\x18\t \x03(\t:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xdc\x03\n\x06Module\x12\x19\n\x08\x61pp_name\x18\x01 \x01(\tR\x07\x61ppName\x12%\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\tR\rbeginBlockers\x12!\n\x0c\x65nd_blockers\x18\x03 \x03(\tR\x0b\x65ndBlockers\x12!\n\x0cinit_genesis\x18\x04 \x03(\tR\x0binitGenesis\x12%\n\x0e\x65xport_genesis\x18\x05 \x03(\tR\rexportGenesis\x12[\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfigR\x11overrideStoreKeys\x12)\n\x10order_migrations\x18\x07 \x03(\tR\x0forderMigrations\x12\"\n\x0cprecommiters\x18\x08 \x03(\tR\x0cprecommiters\x12\x32\n\x15prepare_check_staters\x18\t \x03(\tR\x13prepareCheckStaters:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\"S\n\x0eStoreKeyConfig\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12 \n\x0ckv_store_key\x18\x02 \x01(\tR\nkvStoreKeyB\xbd\x01\n\x1f\x63om.cosmos.app.runtime.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41R\xaa\x02\x1b\x43osmos.App.Runtime.V1alpha1\xca\x02\x1b\x43osmos\\App\\Runtime\\V1alpha1\xe2\x02\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\xea\x02\x1e\x43osmos::App::Runtime::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.runtime.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.app.runtime.v1alpha1B\013ModuleProtoP\001\242\002\003CAR\252\002\033Cosmos.App.Runtime.V1alpha1\312\002\033Cosmos\\App\\Runtime\\V1alpha1\342\002\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\352\002\036Cosmos::App::Runtime::V1alpha1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001=\n$github.com/cosmos/cosmos-sdk/runtime\022\025\n\023cosmos.app.v1alpha1' _globals['_MODULE']._serialized_start=108 - _globals['_MODULE']._serialized_end=448 - _globals['_STOREKEYCONFIG']._serialized_start=450 - _globals['_STOREKEYCONFIG']._serialized_end=509 + _globals['_MODULE']._serialized_end=584 + _globals['_STOREKEYCONFIG']._serialized_start=586 + _globals['_STOREKEYCONFIG']._serialized_end=669 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index a80d91f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py index f4071fe8..8d6f0828 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/config.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/config.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"y\n\x06\x43onfig\x12\x32\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfig\x12;\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"\x7f\n\x0cModuleConfig\x12\x0c\n\x04name\x18\x01 \x01(\t\x12$\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12;\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"?\n\rGolangBinding\x12\x16\n\x0einterface_type\x18\x01 \x01(\t\x12\x16\n\x0eimplementation\x18\x02 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"\x92\x01\n\x06\x43onfig\x12;\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfigR\x07modules\x12K\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"\x9d\x01\n\x0cModuleConfig\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12,\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06\x63onfig\x12K\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"^\n\rGolangBinding\x12%\n\x0einterface_type\x18\x01 \x01(\tR\rinterfaceType\x12&\n\x0eimplementation\x18\x02 \x01(\tR\x0eimplementationB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_CONFIG']._serialized_start=84 - _globals['_CONFIG']._serialized_end=205 - _globals['_MODULECONFIG']._serialized_start=207 - _globals['_MODULECONFIG']._serialized_end=334 - _globals['_GOLANGBINDING']._serialized_start=336 - _globals['_GOLANGBINDING']._serialized_end=399 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ConfigProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' + _globals['_CONFIG']._serialized_start=85 + _globals['_CONFIG']._serialized_end=231 + _globals['_MODULECONFIG']._serialized_start=234 + _globals['_MODULECONFIG']._serialized_end=391 + _globals['_GOLANGBINDING']._serialized_start=393 + _globals['_GOLANGBINDING']._serialized_end=487 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 14588113..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py index 7ce3d41d..549e0008 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xa1\x01\n\x10ModuleDescriptor\x12\x11\n\tgo_import\x18\x01 \x01(\t\x12:\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReference\x12>\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfo\"2\n\x10PackageReference\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08revision\x18\x02 \x01(\r\"!\n\x0fMigrateFromInfo\x12\x0e\n\x06module\x18\x01 \x01(\t:Y\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xc7\x01\n\x10ModuleDescriptor\x12\x1b\n\tgo_import\x18\x01 \x01(\tR\x08goImport\x12\x46\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReferenceR\nusePackage\x12N\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfoR\x0e\x63\x61nMigrateFrom\"B\n\x10PackageReference\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1a\n\x08revision\x18\x02 \x01(\rR\x08revision\")\n\x0fMigrateFromInfo\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module:a\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorR\x06moduleB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ModuleProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' _globals['_MODULEDESCRIPTOR']._serialized_start=92 - _globals['_MODULEDESCRIPTOR']._serialized_end=253 - _globals['_PACKAGEREFERENCE']._serialized_start=255 - _globals['_PACKAGEREFERENCE']._serialized_end=305 - _globals['_MIGRATEFROMINFO']._serialized_start=307 - _globals['_MIGRATEFROMINFO']._serialized_end=340 + _globals['_MODULEDESCRIPTOR']._serialized_end=291 + _globals['_PACKAGEREFERENCE']._serialized_start=293 + _globals['_PACKAGEREFERENCE']._serialized_end=359 + _globals['_MIGRATEFROMINFO']._serialized_start=361 + _globals['_MIGRATEFROMINFO']._serialized_end=402 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index c8072676..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index 84f9bdf4..340fb9f1 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from pyinjective.proto.cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"B\n\x13QueryConfigResponse\x12+\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.Config2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"J\n\x13QueryConfigResponse\x12\x33\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.ConfigR\x06\x63onfig2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x42\x93\x01\n\x17\x63om.cosmos.app.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\nQueryProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' _globals['_QUERYCONFIGREQUEST']._serialized_start=90 _globals['_QUERYCONFIGREQUEST']._serialized_end=110 _globals['_QUERYCONFIGRESPONSE']._serialized_start=112 - _globals['_QUERYCONFIGRESPONSE']._serialized_end=178 - _globals['_QUERY']._serialized_start=180 - _globals['_QUERY']._serialized_end=282 + _globals['_QUERYCONFIGRESPONSE']._serialized_end=186 + _globals['_QUERY']._serialized_start=188 + _globals['_QUERY']._serialized_end=290 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 5b482be8..86f0b576 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is the app module query service. diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index 8cda0688..9137cf8b 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xb3\x01\n\x06Module\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\x12R\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermission\x12\x11\n\tauthority\x18\x03 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"?\n\x17ModuleAccountPermission\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x03(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe6\x01\n\x06Module\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\x12l\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermissionR\x18moduleAccountPermissions\x12\x1c\n\tauthority\x18\x03 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"U\n\x17ModuleAccountPermission\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12 \n\x0bpermissions\x18\x02 \x03(\tR\x0bpermissionsB\x9f\x01\n\x19\x63om.cosmos.auth.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x15\x43osmos.Auth.Module.V1\xca\x02\x15\x43osmos\\Auth\\Module\\V1\xe2\x02!Cosmos\\Auth\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Auth::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.auth.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\025Cosmos.Auth.Module.V1\312\002\025Cosmos\\Auth\\Module\\V1\342\002!Cosmos\\Auth\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Auth::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/auth' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=275 - _globals['_MODULEACCOUNTPERMISSION']._serialized_start=277 - _globals['_MODULEACCOUNTPERMISSION']._serialized_end=340 + _globals['_MODULE']._serialized_end=326 + _globals['_MODULEACCOUNTPERMISSION']._serialized_start=328 + _globals['_MODULEACCOUNTPERMISSION']._serialized_end=413 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 8955dd21..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 559174a3..53e6c826 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/auth.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/auth.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa1\x02\n\x0b\x42\x61seAccount\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_keyR\x06pubKey\x12%\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x04 \x01(\x04R\x08sequence:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xec\x01\n\rModuleAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12 \n\x0bpermissions\x18\x03 \x03(\tR\x0bpermissions:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"\x84\x01\n\x10ModuleCredential\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12\'\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0cR\x0e\x64\x65rivationKeys:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xd7\x02\n\x06Params\x12.\n\x13max_memo_characters\x18\x01 \x01(\x04R\x11maxMemoCharacters\x12 \n\x0ctx_sig_limit\x18\x02 \x01(\x04R\ntxSigLimit\x12\x30\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04R\x11txSizeCostPerByte\x12O\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519R\x14sigVerifyCostEd25519\x12U\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1R\x16sigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB\xbd\x01\n\x17\x63om.cosmos.auth.v1beta1B\tAuthProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.auth_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\tAuthProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_BASEACCOUNT'].fields_by_name['address']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_BASEACCOUNT'].fields_by_name['pub_key']._loaded_options = None @@ -45,11 +55,11 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\030cosmos-sdk/x/auth/Params' _globals['_BASEACCOUNT']._serialized_start=151 - _globals['_BASEACCOUNT']._serialized_end=398 - _globals['_MODULEACCOUNT']._serialized_start=401 - _globals['_MODULEACCOUNT']._serialized_end=605 - _globals['_MODULECREDENTIAL']._serialized_start=607 - _globals['_MODULECREDENTIAL']._serialized_end=711 - _globals['_PARAMS']._serialized_start=714 - _globals['_PARAMS']._serialized_end=961 + _globals['_BASEACCOUNT']._serialized_end=440 + _globals['_MODULEACCOUNT']._serialized_start=443 + _globals['_MODULEACCOUNT']._serialized_end=679 + _globals['_MODULECREDENTIAL']._serialized_start=682 + _globals['_MODULECREDENTIAL']._serialized_end=814 + _globals['_PARAMS']._serialized_start=817 + _globals['_PARAMS']._serialized_end=1160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 125c38a0..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index 6526269b..b7d53db9 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,16 +28,16 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"n\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12&\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x30\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x61\x63\x63ountsB\xc0\x01\n\x17\x63om.cosmos.auth.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=158 - _globals['_GENESISSTATE']._serialized_end=268 + _globals['_GENESISSTATE']._serialized_start=159 + _globals['_GENESISSTATE']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index e9a45112..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index ef9257fe..4c424a32 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -21,14 +31,14 @@ from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9e\x01\n\x15QueryAccountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"J\n\x13QueryAccountRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"_\n\x14QueryAccountResponse\x12G\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1c\n\x1aQueryModuleAccountsRequest\"m\n\x1bQueryModuleAccountsResponse\x12N\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"/\n\x1fQueryModuleAccountByNameRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"q\n QueryModuleAccountByNameResponse\x12M\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"\x15\n\x13\x42\x65\x63h32PrefixRequest\"-\n\x14\x42\x65\x63h32PrefixResponse\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\"4\n\x1b\x41\x64\x64ressBytesToStringRequest\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"6\n\x1c\x41\x64\x64ressBytesToStringResponse\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1b\x41\x64\x64ressStringToBytesRequest\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1c\x41\x64\x64ressStringToBytesResponse\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"D\n\x1eQueryAccountAddressByIDRequest\x12\x0e\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01\x12\x12\n\naccount_id\x18\x02 \x01(\x04\"T\n\x1fQueryAccountAddressByIDResponse\x12\x31\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"D\n\x17QueryAccountInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"J\n\x18QueryAccountInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccount2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb4\x01\n\x15QueryAccountsResponse\x12R\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"S\n\x13QueryAccountRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"h\n\x14QueryAccountResponse\x12P\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x07\x61\x63\x63ount\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1c\n\x1aQueryModuleAccountsRequest\"w\n\x1bQueryModuleAccountsResponse\x12X\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x08\x61\x63\x63ounts\"5\n\x1fQueryModuleAccountByNameRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"z\n QueryModuleAccountByNameResponse\x12V\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x07\x61\x63\x63ount\"\x15\n\x13\x42\x65\x63h32PrefixRequest\";\n\x14\x42\x65\x63h32PrefixResponse\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\"B\n\x1b\x41\x64\x64ressBytesToStringRequest\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"E\n\x1c\x41\x64\x64ressBytesToStringResponse\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"D\n\x1b\x41\x64\x64ressStringToBytesRequest\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"C\n\x1c\x41\x64\x64ressStringToBytesResponse\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"S\n\x1eQueryAccountAddressByIDRequest\x12\x12\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01R\x02id\x12\x1d\n\naccount_id\x18\x02 \x01(\x04R\taccountId\"d\n\x1fQueryAccountAddressByIDResponse\x12\x41\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x61\x63\x63ountAddress\"M\n\x17QueryAccountInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"P\n\x18QueryAccountInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountR\x04info2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B\xbe\x01\n\x17\x63om.cosmos.auth.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._loaded_options = None @@ -70,45 +80,45 @@ _globals['_QUERY'].methods_by_name['AccountInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/account_info/{address}' _globals['_QUERYACCOUNTSREQUEST']._serialized_start=267 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=349 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=352 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=510 - _globals['_QUERYACCOUNTREQUEST']._serialized_start=512 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=586 - _globals['_QUERYACCOUNTRESPONSE']._serialized_start=588 - _globals['_QUERYACCOUNTRESPONSE']._serialized_end=683 - _globals['_QUERYPARAMSREQUEST']._serialized_start=685 - _globals['_QUERYPARAMSREQUEST']._serialized_end=705 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=707 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=779 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=781 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=809 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=811 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=920 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=922 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=969 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=971 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1084 - _globals['_BECH32PREFIXREQUEST']._serialized_start=1086 - _globals['_BECH32PREFIXREQUEST']._serialized_end=1107 - _globals['_BECH32PREFIXRESPONSE']._serialized_start=1109 - _globals['_BECH32PREFIXRESPONSE']._serialized_end=1154 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1156 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1208 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1210 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1264 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1266 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1319 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1321 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1374 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1376 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1444 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1446 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1530 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1532 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1600 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1602 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1676 - _globals['_QUERY']._serialized_start=1679 - _globals['_QUERY']._serialized_end=3326 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=361 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=364 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=544 + _globals['_QUERYACCOUNTREQUEST']._serialized_start=546 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=629 + _globals['_QUERYACCOUNTRESPONSE']._serialized_start=631 + _globals['_QUERYACCOUNTRESPONSE']._serialized_end=735 + _globals['_QUERYPARAMSREQUEST']._serialized_start=737 + _globals['_QUERYPARAMSREQUEST']._serialized_end=757 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=759 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=839 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=841 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=869 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=871 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=990 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=992 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=1045 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=1047 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1169 + _globals['_BECH32PREFIXREQUEST']._serialized_start=1171 + _globals['_BECH32PREFIXREQUEST']._serialized_end=1192 + _globals['_BECH32PREFIXRESPONSE']._serialized_start=1194 + _globals['_BECH32PREFIXRESPONSE']._serialized_end=1253 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1255 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1321 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1323 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1392 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1394 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1462 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1464 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1531 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1533 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1616 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1618 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1718 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1720 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1797 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1799 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1879 + _globals['_QUERY']._serialized_start=1882 + _globals['_QUERY']._serialized_end=3529 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index f124f184..b8bcec08 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index 65c843ab..ff98f9d2 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.auth.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=351 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 - _globals['_MSG']._serialized_start=380 - _globals['_MSG']._serialized_end=492 + _globals['_MSGUPDATEPARAMS']._serialized_end=370 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 + _globals['_MSG']._serialized_start=399 + _globals['_MSG']._serialized_end=511 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index e2f2882a..4c82c564 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the x/auth Msg service. diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index 207eb8c5..0580bc6f 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,13 +25,14 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzB\xa4\x01\n\x1a\x63om.cosmos.authz.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x16\x43osmos.Authz.Module.V1\xca\x02\x16\x43osmos\\Authz\\Module\\V1\xe2\x02\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Authz::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.authz.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\026Cosmos.Authz.Module.V1\312\002\026Cosmos\\Authz\\Module\\V1\342\002\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Authz::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/authz' _globals['_MODULE']._serialized_start=97 diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 41a6eb18..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 5451f16e..17d9d0c1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"o\n\x14GenericAuthorization\x12\x0b\n\x03msg\x18\x01 \x01(\t:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\x96\x01\n\x05Grant\x12S\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x38\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01\"\xf5\x01\n\x12GrantAuthorization\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12S\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x34\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\"\'\n\x0eGrantQueueItem\x12\x15\n\rmsg_type_urls\x18\x01 \x03(\tB*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"t\n\x14GenericAuthorization\x12\x10\n\x03msg\x18\x01 \x01(\tR\x03msg:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\xb1\x01\n\x05Grant\x12\x62\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12\x44\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01R\nexpiration\"\xa2\x02\n\x12GrantAuthorization\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x62\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12@\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration\"4\n\x0eGrantQueueItem\x12\"\n\rmsg_type_urls\x18\x01 \x03(\tR\x0bmsgTypeUrlsB\xc2\x01\n\x18\x63om.cosmos.authz.v1beta1B\nAuthzProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nAuthzProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' _globals['_GENERICAUTHORIZATION']._loaded_options = None _globals['_GENERICAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\037cosmos-sdk/GenericAuthorization' _globals['_GRANT'].fields_by_name['authorization']._loaded_options = None @@ -42,11 +52,11 @@ _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_GENERICAUTHORIZATION']._serialized_start=186 - _globals['_GENERICAUTHORIZATION']._serialized_end=297 - _globals['_GRANT']._serialized_start=300 - _globals['_GRANT']._serialized_end=450 - _globals['_GRANTAUTHORIZATION']._serialized_start=453 - _globals['_GRANTAUTHORIZATION']._serialized_end=698 - _globals['_GRANTQUEUEITEM']._serialized_start=700 - _globals['_GRANTQUEUEITEM']._serialized_end=739 + _globals['_GENERICAUTHORIZATION']._serialized_end=302 + _globals['_GRANT']._serialized_start=305 + _globals['_GRANT']._serialized_end=482 + _globals['_GRANTAUTHORIZATION']._serialized_start=485 + _globals['_GRANTAUTHORIZATION']._serialized_end=775 + _globals['_GRANTQUEUEITEM']._serialized_start=777 + _globals['_GRANTQUEUEITEM']._serialized_end=829 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 6ab92cd1..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 206e9596..1de7da43 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/event.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/event.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"x\n\nEventGrant\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"y\n\x0b\x45ventRevoke\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringB&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"\x96\x01\n\nEventGrant\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"\x97\x01\n\x0b\x45ventRevoke\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granteeB\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nEventProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nEventProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_EVENTGRANT'].fields_by_name['granter']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTGRANT'].fields_by_name['grantee']._loaded_options = None @@ -31,8 +41,8 @@ _globals['_EVENTREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTGRANT']._serialized_start=85 - _globals['_EVENTGRANT']._serialized_end=205 - _globals['_EVENTREVOKE']._serialized_start=207 - _globals['_EVENTREVOKE']._serialized_end=328 + _globals['_EVENTGRANT']._serialized_start=86 + _globals['_EVENTGRANT']._serialized_end=236 + _globals['_EVENTREVOKE']._serialized_start=239 + _globals['_EVENTREVOKE']._serialized_end=390 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 1455078e..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index 32086ad9..fb90ceaa 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,16 +27,16 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"Z\n\x0cGenesisState\x12J\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"i\n\x0cGenesisState\x12Y\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rauthorizationB\xc0\x01\n\x18\x63om.cosmos.authz.v1beta1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_GENESISSTATE'].fields_by_name['authorization']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['authorization']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=225 + _globals['_GENESISSTATE']._serialized_end=240 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 86d0781f..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index e14d0bac..4dea0553 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,14 +28,14 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbc\x01\n\x12QueryGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x13QueryGrantsResponse\x12+\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranterGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranterGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranteeGrantsRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranteeGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe6\x01\n\x12QueryGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x93\x01\n\x13QueryGrantsResponse\x12\x33\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranterGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranterGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranteeGrantsRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranteeGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -41,17 +51,17 @@ _globals['_QUERY'].methods_by_name['GranteeGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranteeGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/grantee/{grantee}' _globals['_QUERYGRANTSREQUEST']._serialized_start=194 - _globals['_QUERYGRANTSREQUEST']._serialized_end=382 - _globals['_QUERYGRANTSRESPONSE']._serialized_start=384 - _globals['_QUERYGRANTSRESPONSE']._serialized_end=511 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=514 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=644 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=647 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=794 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=797 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=927 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=930 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1077 - _globals['_QUERY']._serialized_start=1080 - _globals['_QUERY']._serialized_end=1567 + _globals['_QUERYGRANTSREQUEST']._serialized_end=424 + _globals['_QUERYGRANTSRESPONSE']._serialized_start=427 + _globals['_QUERYGRANTSRESPONSE']._serialized_end=574 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=577 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=728 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=731 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=898 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=901 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=1052 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=1055 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1222 + _globals['_QUERY']._serialized_start=1225 + _globals['_QUERY']._serialized_end=1712 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index be0d8872..e75edd23 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 1dbe6b49..82e56e9b 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xd6\x01\n\x08MsgGrant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12<\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05grant:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\xa9\x01\n\x07MsgExec\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x45\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.MsgR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"+\n\x0fMsgExecResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"\xbc\x01\n\tMsgRevoke\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"1\n\x15MsgExecCompatResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"|\n\rMsgExecCompat\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x12\n\x04msgs\x18\x02 \x03(\tR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbf\x01\n\x18\x63om.cosmos.authz.v1beta1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' _globals['_MSGGRANT'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANT'].fields_by_name['grantee']._loaded_options = None @@ -48,20 +58,28 @@ _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECCOMPAT']._loaded_options = None + _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 - _globals['_MSGGRANT']._serialized_end=399 - _globals['_MSGGRANTRESPONSE']._serialized_start=401 - _globals['_MSGGRANTRESPONSE']._serialized_end=419 - _globals['_MSGEXEC']._serialized_start=422 - _globals['_MSGEXEC']._serialized_end=576 - _globals['_MSGEXECRESPONSE']._serialized_start=578 - _globals['_MSGEXECRESPONSE']._serialized_end=612 - _globals['_MSGREVOKE']._serialized_start=615 - _globals['_MSGREVOKE']._serialized_end=773 - _globals['_MSGREVOKERESPONSE']._serialized_start=775 - _globals['_MSGREVOKERESPONSE']._serialized_end=794 - _globals['_MSG']._serialized_start=797 - _globals['_MSG']._serialized_end=1052 + _globals['_MSGGRANT']._serialized_end=424 + _globals['_MSGGRANTRESPONSE']._serialized_start=426 + _globals['_MSGGRANTRESPONSE']._serialized_end=444 + _globals['_MSGEXEC']._serialized_start=447 + _globals['_MSGEXEC']._serialized_end=616 + _globals['_MSGEXECRESPONSE']._serialized_start=618 + _globals['_MSGEXECRESPONSE']._serialized_end=661 + _globals['_MSGREVOKE']._serialized_start=664 + _globals['_MSGREVOKE']._serialized_end=852 + _globals['_MSGREVOKERESPONSE']._serialized_start=854 + _globals['_MSGREVOKERESPONSE']._serialized_end=873 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=875 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=924 + _globals['_MSGEXECCOMPAT']._serialized_start=926 + _globals['_MSGEXECCOMPAT']._serialized_end=1050 + _globals['_MSG']._serialized_start=1053 + _globals['_MSG']._serialized_end=1404 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index dc51176c..2a2458a1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 class MsgStub(object): @@ -55,6 +30,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, _registered_method=True) + self.ExecCompat = channel.unary_unary( + '/cosmos.authz.v1beta1.Msg/ExecCompat', + request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -88,6 +68,13 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ExecCompat(self, request, context): + """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -106,6 +93,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), + 'ExecCompat': grpc.unary_unary_rpc_method_handler( + servicer.ExecCompat, + request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, + response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) @@ -198,3 +190,30 @@ def Revoke(request, timeout, metadata, _registered_method=True) + + @staticmethod + def ExecCompat(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/ExecCompat', + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py index f7f30012..a0073817 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/options.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/autocli/v1/options.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,30 +24,30 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x84\x01\n\rModuleOptions\x12\x37\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\x12:\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\"\xa3\x02\n\x18ServiceCommandDescriptor\x12\x0f\n\x07service\x18\x01 \x01(\t\x12\x41\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptions\x12R\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntry\x1a_\n\x10SubCommandsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12:\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor:\x02\x38\x01\"\x9f\x03\n\x11RpcCommandOptions\x12\x12\n\nrpc_method\x18\x01 \x01(\t\x12\x0b\n\x03use\x18\x02 \x01(\t\x12\x0c\n\x04long\x18\x03 \x01(\t\x12\r\n\x05short\x18\x04 \x01(\t\x12\x0f\n\x07\x65xample\x18\x05 \x01(\t\x12\r\n\x05\x61lias\x18\x06 \x03(\t\x12\x13\n\x0bsuggest_for\x18\x07 \x03(\t\x12\x12\n\ndeprecated\x18\x08 \x01(\t\x12\x0f\n\x07version\x18\t \x01(\t\x12K\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntry\x12\x43\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptor\x12\x0c\n\x04skip\x18\x0c \x01(\x08\x1aR\n\x10\x46lagOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12-\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptions:\x02\x38\x01\"\x96\x01\n\x0b\x46lagOptions\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x11\n\tshorthand\x18\x02 \x01(\t\x12\r\n\x05usage\x18\x03 \x01(\t\x12\x15\n\rdefault_value\x18\x04 \x01(\t\x12\x12\n\ndeprecated\x18\x06 \x01(\t\x12\x1c\n\x14shorthand_deprecated\x18\x07 \x01(\t\x12\x0e\n\x06hidden\x18\x08 \x01(\x08\"?\n\x17PositionalArgDescriptor\x12\x13\n\x0bproto_field\x18\x01 \x01(\t\x12\x0f\n\x07varargs\x18\x02 \x01(\x08\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x8f\x01\n\rModuleOptions\x12;\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x02tx\x12\x41\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05query\"\xd8\x02\n\x18ServiceCommandDescriptor\x12\x18\n\x07service\x18\x01 \x01(\tR\x07service\x12T\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptionsR\x11rpcCommandOptions\x12_\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntryR\x0bsubCommands\x1ak\n\x10SubCommandsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x41\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05value:\x02\x38\x01\"\x9c\x04\n\x11RpcCommandOptions\x12\x1d\n\nrpc_method\x18\x01 \x01(\tR\trpcMethod\x12\x10\n\x03use\x18\x02 \x01(\tR\x03use\x12\x12\n\x04long\x18\x03 \x01(\tR\x04long\x12\x14\n\x05short\x18\x04 \x01(\tR\x05short\x12\x18\n\x07\x65xample\x18\x05 \x01(\tR\x07\x65xample\x12\x14\n\x05\x61lias\x18\x06 \x03(\tR\x05\x61lias\x12\x1f\n\x0bsuggest_for\x18\x07 \x03(\tR\nsuggestFor\x12\x1e\n\ndeprecated\x18\x08 \x01(\tR\ndeprecated\x12\x18\n\x07version\x18\t \x01(\tR\x07version\x12X\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntryR\x0b\x66lagOptions\x12S\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptorR\x0epositionalArgs\x12\x12\n\x04skip\x18\x0c \x01(\x08R\x04skip\x1a^\n\x10\x46lagOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x34\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptionsR\x05value:\x02\x38\x01\"\xe5\x01\n\x0b\x46lagOptions\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1c\n\tshorthand\x18\x02 \x01(\tR\tshorthand\x12\x14\n\x05usage\x18\x03 \x01(\tR\x05usage\x12#\n\rdefault_value\x18\x04 \x01(\tR\x0c\x64\x65\x66\x61ultValue\x12\x1e\n\ndeprecated\x18\x06 \x01(\tR\ndeprecated\x12\x31\n\x14shorthand_deprecated\x18\x07 \x01(\tR\x13shorthandDeprecated\x12\x16\n\x06hidden\x18\x08 \x01(\x08R\x06hidden\"T\n\x17PositionalArgDescriptor\x12\x1f\n\x0bproto_field\x18\x01 \x01(\tR\nprotoField\x12\x18\n\x07varargs\x18\x02 \x01(\x08R\x07varargsB\xb6\x01\n\x15\x63om.cosmos.autocli.v1B\x0cOptionsProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.options_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\014OptionsProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._loaded_options = None _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_options = b'8\001' _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._loaded_options = None _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_options = b'8\001' _globals['_MODULEOPTIONS']._serialized_start=55 - _globals['_MODULEOPTIONS']._serialized_end=187 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=190 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=481 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=386 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=481 - _globals['_RPCCOMMANDOPTIONS']._serialized_start=484 - _globals['_RPCCOMMANDOPTIONS']._serialized_end=899 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=817 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=899 - _globals['_FLAGOPTIONS']._serialized_start=902 - _globals['_FLAGOPTIONS']._serialized_end=1052 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1054 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1117 + _globals['_MODULEOPTIONS']._serialized_end=198 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=201 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=545 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=438 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=545 + _globals['_RPCCOMMANDOPTIONS']._serialized_start=548 + _globals['_RPCCOMMANDOPTIONS']._serialized_end=1088 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=994 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=1088 + _globals['_FLAGOPTIONS']._serialized_start=1091 + _globals['_FLAGOPTIONS']._serialized_end=1320 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1322 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index e388b205..2daafffe 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index 675e9ff5..55328c6c 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/autocli/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xbe\x01\n\x12\x41ppOptionsResponse\x12P\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntry\x1aV\n\x12ModuleOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12/\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptions:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xd9\x01\n\x12\x41ppOptionsResponse\x12_\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntryR\rmoduleOptions\x1a\x62\n\x12ModuleOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x36\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptionsR\x05value:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42\xb4\x01\n\x15\x63om.cosmos.autocli.v1B\nQueryProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\nQueryProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._loaded_options = None _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_options = b'8\001' _globals['_QUERY'].methods_by_name['AppOptions']._loaded_options = None @@ -31,9 +41,9 @@ _globals['_APPOPTIONSREQUEST']._serialized_start=114 _globals['_APPOPTIONSREQUEST']._serialized_end=133 _globals['_APPOPTIONSRESPONSE']._serialized_start=136 - _globals['_APPOPTIONSRESPONSE']._serialized_end=326 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=240 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=326 - _globals['_QUERY']._serialized_start=328 - _globals['_QUERY']._serialized_end=433 + _globals['_APPOPTIONSRESPONSE']._serialized_end=353 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=255 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=353 + _globals['_QUERY']._serialized_start=355 + _globals['_QUERY']._serialized_end=460 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index 679a4273..989a8356 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """RemoteInfoService provides clients with the information they need diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index 8fe7b32e..46a5bc04 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x8e\x01\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1a\n\x12restrictions_order\x18\x03 \x03(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xcb\x01\n\x06Module\x12G\n blocked_module_accounts_override\x18\x01 \x03(\tR\x1d\x62lockedModuleAccountsOverride\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12-\n\x12restrictions_order\x18\x03 \x03(\tR\x11restrictionsOrder:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankB\x9f\x01\n\x19\x63om.cosmos.bank.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x42M\xaa\x02\x15\x43osmos.Bank.Module.V1\xca\x02\x15\x43osmos\\Bank\\Module\\V1\xe2\x02!Cosmos\\Bank\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Bank::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.bank.module.v1B\013ModuleProtoP\001\242\002\003CBM\252\002\025Cosmos.Bank.Module.V1\312\002\025Cosmos\\Bank\\Module\\V1\342\002!Cosmos\\Bank\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Bank::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/bank' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=238 + _globals['_MODULE']._serialized_end=299 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 6e58e0b4..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index e55328b2..170105bb 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x9a\x02\n\x11SendAuthorization\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12\x37\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tallowList:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nAuthzProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nAuthzProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=415 + _globals['_SENDAUTHORIZATION']._serialized_end=439 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 285e00f5..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 41519048..6848ee8e 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/bank.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/bank.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa2\x01\n\x06Params\x12G\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01R\x0bsendEnabled\x12\x30\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08R\x12\x64\x65\x66\x61ultSendEnabled:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"C\n\x0bSendEnabled\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x65nabled\x18\x02 \x01(\x08R\x07\x65nabled:\x04\xe8\xa0\x1f\x01\"\xca\x01\n\x05Input\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xbf\x01\n\x06Output\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x06Supply\x12w\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05total:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"W\n\tDenomUnit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x65xponent\x18\x02 \x01(\rR\x08\x65xponent\x12\x18\n\x07\x61liases\x18\x03 \x03(\tR\x07\x61liases\"\xa6\x02\n\x08Metadata\x12 \n\x0b\x64\x65scription\x18\x01 \x01(\tR\x0b\x64\x65scription\x12?\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnitR\ndenomUnits\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x18\n\x07\x64isplay\x18\x04 \x01(\tR\x07\x64isplay\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x19\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URIR\x03uri\x12&\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashR\x07uriHash\x12\x1a\n\x08\x64\x65\x63imals\x18\t \x01(\rR\x08\x64\x65\x63imalsB\xbd\x01\n\x17\x63om.cosmos.bank.v1beta1B\tBankProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.bank_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\tBankProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' _globals['_PARAMS']._loaded_options = None @@ -54,17 +64,17 @@ _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=310 - _globals['_SENDENABLED']._serialized_start=312 - _globals['_SENDENABLED']._serialized_end=363 - _globals['_INPUT']._serialized_start=366 - _globals['_INPUT']._serialized_end=552 - _globals['_OUTPUT']._serialized_start=555 - _globals['_OUTPUT']._serialized_end=730 - _globals['_SUPPLY']._serialized_start=733 - _globals['_SUPPLY']._serialized_end=898 - _globals['_DENOMUNIT']._serialized_start=900 - _globals['_DENOMUNIT']._serialized_end=961 - _globals['_METADATA']._serialized_start=964 - _globals['_METADATA']._serialized_end=1162 + _globals['_PARAMS']._serialized_end=343 + _globals['_SENDENABLED']._serialized_start=345 + _globals['_SENDENABLED']._serialized_end=412 + _globals['_INPUT']._serialized_start=415 + _globals['_INPUT']._serialized_end=617 + _globals['_OUTPUT']._serialized_start=620 + _globals['_OUTPUT']._serialized_end=811 + _globals['_SUPPLY']._serialized_start=814 + _globals['_SUPPLY']._serialized_end=986 + _globals['_DENOMUNIT']._serialized_start=988 + _globals['_DENOMUNIT']._serialized_end=1075 + _globals['_METADATA']._serialized_start=1078 + _globals['_METADATA']._serialized_end=1372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 8a692062..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py new file mode 100644 index 00000000..60554edb --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py @@ -0,0 +1,44 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: cosmos/bank/v1beta1/events.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/events.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x10\x45ventSetBalances\x12K\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdateR\x0e\x62\x61lanceUpdates\"}\n\rBalanceUpdate\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\x0cR\x04\x61\x64\x64r\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\x0cR\x05\x64\x65nom\x12\x42\n\x03\x61mt\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x03\x61mtB\xbf\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0b\x45ventsProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\013EventsProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None + _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_EVENTSETBALANCES']._serialized_start=125 + _globals['_EVENTSETBALANCES']._serialized_end=220 + _globals['_BALANCEUPDATE']._serialized_start=222 + _globals['_BALANCEUPDATE']._serialized_end=347 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index ec6558c5..1d5abb1a 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xaf\x03\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x43\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12y\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12O\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdenomMetadata\x12N\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bsendEnabled\"\xc0\x01\n\x07\x42\x61lance\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xc0\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None @@ -44,7 +54,7 @@ _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=568 - _globals['_BALANCE']._serialized_start=571 - _globals['_BALANCE']._serialized_end=747 + _globals['_GENESISSTATE']._serialized_end=622 + _globals['_BALANCE']._serialized_start=625 + _globals['_BALANCE']._serialized_end=817 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 4fd6af84..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index d800c7eb..5c680753 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"i\n\x13QueryBalanceRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"K\n\x14QueryBalanceResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"\xc4\x01\n\x17QueryAllBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12#\n\rresolve_denom\x18\x03 \x01(\x08R\x0cresolveDenom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x01\n\x18QueryAllBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xa5\x01\n\x1dQuerySpendableBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe8\x01\n\x1eQuerySpendableBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n#QuerySpendableBalanceByDenomRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n$QuerySpendableBalanceByDenomResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"k\n\x17QueryTotalSupplyRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n\x18QueryTotalSupplyResponse\x12y\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x14QuerySupplyOfRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"U\n\x15QuerySupplyOfResponse\x12<\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"d\n\x1aQueryDenomsMetadataRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1bQueryDenomsMetadataResponse\x12\x46\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tmetadatas\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"1\n\x19QueryDenomMetadataRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"b\n\x1aQueryDenomMetadataResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\">\n&QueryDenomMetadataByQueryStringRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"o\n\'QueryDenomMetadataByQueryStringResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\"w\n\x17QueryDenomOwnersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x80\x01\n\nDenomOwner\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance\"\xa7\x01\n\x18QueryDenomOwnersResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1eQueryDenomOwnersByQueryRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n\x17QuerySendEnabledRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\x12\x46\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa8\x01\n\x18QuerySendEnabledResponse\x12\x43\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12G\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYBALANCEREQUEST']._loaded_options = None @@ -95,59 +105,59 @@ _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 - _globals['_QUERYBALANCEREQUEST']._serialized_end=380 - _globals['_QUERYBALANCERESPONSE']._serialized_start=382 - _globals['_QUERYBALANCERESPONSE']._serialized_end=448 - _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 - _globals['_DENOMOWNER']._serialized_start=2533 - _globals['_DENOMOWNER']._serialized_end=2643 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 - _globals['_QUERY']._serialized_start=3301 - _globals['_QUERY']._serialized_end=5551 + _globals['_QUERYBALANCEREQUEST']._serialized_end=396 + _globals['_QUERYBALANCERESPONSE']._serialized_start=398 + _globals['_QUERYBALANCERESPONSE']._serialized_end=473 + _globals['_QUERYALLBALANCESREQUEST']._serialized_start=476 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=672 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=675 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=901 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=904 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=1069 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=1072 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1304 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1306 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1427 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1429 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1520 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1522 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1629 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1632 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1854 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1856 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1900 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1902 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1987 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1989 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2009 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2011 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2096 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=2098 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=2198 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=2201 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2375 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2377 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2426 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2428 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2526 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2528 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2590 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2592 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2703 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2705 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2824 + _globals['_DENOMOWNER']._serialized_start=2827 + _globals['_DENOMOWNER']._serialized_end=2955 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2958 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=3125 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=3127 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=3253 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=3256 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3430 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3432 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3553 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3556 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3724 + _globals['_QUERY']._serialized_start=3727 + _globals['_QUERY']._serialized_end=5977 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index f7781ec4..2318f271 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index ca3ac536..b9d6e8ac 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xac\x02\n\x07MsgSend\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xbc\x01\n\x0cMsgMultiSend\x12=\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06inputs\x12@\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07outputs:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe9\x01\n\x11MsgSetSendEnabled\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12&\n\x0fuse_default_for\x18\x03 \x03(\tR\ruseDefaultFor:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.bank.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_MSGSEND'].fields_by_name['from_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None @@ -55,21 +65,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=479 - _globals['_MSGSENDRESPONSE']._serialized_start=481 - _globals['_MSGSENDRESPONSE']._serialized_end=498 - _globals['_MSGMULTISEND']._serialized_start=501 - _globals['_MSGMULTISEND']._serialized_end=672 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 - _globals['_MSGUPDATEPARAMS']._serialized_start=699 - _globals['_MSGUPDATEPARAMS']._serialized_end=871 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 - _globals['_MSGSETSENDENABLED']._serialized_start=901 - _globals['_MSGSETSENDENABLED']._serialized_end=1095 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 - _globals['_MSG']._serialized_start=1127 - _globals['_MSG']._serialized_end=1512 + _globals['_MSGSEND']._serialized_end=511 + _globals['_MSGSENDRESPONSE']._serialized_start=513 + _globals['_MSGSENDRESPONSE']._serialized_end=530 + _globals['_MSGMULTISEND']._serialized_start=533 + _globals['_MSGMULTISEND']._serialized_end=721 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=723 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=745 + _globals['_MSGUPDATEPARAMS']._serialized_start=748 + _globals['_MSGUPDATEPARAMS']._serialized_end=939 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=941 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=966 + _globals['_MSGSETSENDENABLED']._serialized_start=969 + _globals['_MSGSETSENDENABLED']._serialized_end=1202 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1204 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1231 + _globals['_MSG']._serialized_start=1234 + _globals['_MSG']._serialized_end=1619 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index c66f0dc9..1b438771 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 3736a45f..962bd199 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/abci/v1beta1/abci.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xcc\x03\n\nTxResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\"\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHashR\x06txhash\x12\x1c\n\tcodespace\x18\x03 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x04 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\tR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x06 \x01(\tR\x06rawLog\x12U\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogsR\x04logs\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x03R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x03R\x07gasUsed\x12$\n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.AnyR\x02tx\x12\x1c\n\ttimestamp\x18\x0c \x01(\tR\ttimestamp\x12\x34\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents:\x04\x88\xa0\x1f\x00\"\xa9\x01\n\x0e\x41\x42\x43IMessageLog\x12*\n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_indexR\x08msgIndex\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12S\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEventsR\x06\x65vents:\x04\x80\xdc \x01\"r\n\x0bStringEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12I\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00R\nattributes:\x04\x80\xdc \x01\"3\n\tAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\"C\n\x07GasInfo\x12\x1d\n\ngas_wanted\x18\x01 \x01(\x04R\tgasWanted\x12\x19\n\x08gas_used\x18\x02 \x01(\x04R\x07gasUsed\"\xa9\x01\n\x06Result\x12\x16\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x04\x64\x61ta\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x34\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents\x12\x39\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x88\xa0\x1f\x00\"\x96\x01\n\x12SimulationResponse\x12\x46\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01R\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"@\n\x07MsgData\x12\x19\n\x08msg_type\x18\x01 \x01(\tR\x07msgType\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta:\x06\x18\x01\x80\xdc \x01\"\x87\x01\n\tTxMsgData\x12\x39\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01R\x04\x64\x61ta\x12\x39\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x80\xdc \x01\"\xdc\x01\n\x0fSearchTxsResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x04R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x04R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x04R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x36\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x03txs:\x04\x80\xdc \x01\"\xd8\x01\n\x12SearchBlocksResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x03R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x03R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x03R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x03R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x03R\x05limit\x12/\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.BlockR\x06\x62locks:\x04\x80\xdc \x01\x42\xd4\x01\n\x1c\x63om.cosmos.base.abci.v1beta1B\tAbciProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42\x41\xaa\x02\x18\x43osmos.Base.Abci.V1beta1\xca\x02\x18\x43osmos\\Base\\Abci\\V1beta1\xe2\x02$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Abci::V1beta1\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.abci.v1beta1B\tAbciProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBA\252\002\030Cosmos.Base.Abci.V1beta1\312\002\030Cosmos\\Base\\Abci\\V1beta1\342\002$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Abci::V1beta1\330\341\036\000' _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None @@ -63,25 +73,25 @@ _globals['_SEARCHBLOCKSRESULT']._loaded_options = None _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' _globals['_TXRESPONSE']._serialized_start=174 - _globals['_TXRESPONSE']._serialized_end=532 - _globals['_ABCIMESSAGELOG']._serialized_start=535 - _globals['_ABCIMESSAGELOG']._serialized_end=681 - _globals['_STRINGEVENT']._serialized_start=683 - _globals['_STRINGEVENT']._serialized_end=779 - _globals['_ATTRIBUTE']._serialized_start=781 - _globals['_ATTRIBUTE']._serialized_end=820 - _globals['_GASINFO']._serialized_start=822 - _globals['_GASINFO']._serialized_end=869 - _globals['_RESULT']._serialized_start=872 - _globals['_RESULT']._serialized_end=1008 - _globals['_SIMULATIONRESPONSE']._serialized_start=1011 - _globals['_SIMULATIONRESPONSE']._serialized_end=1144 - _globals['_MSGDATA']._serialized_start=1146 - _globals['_MSGDATA']._serialized_end=1195 - _globals['_TXMSGDATA']._serialized_start=1197 - _globals['_TXMSGDATA']._serialized_end=1312 - _globals['_SEARCHTXSRESULT']._serialized_start=1315 - _globals['_SEARCHTXSRESULT']._serialized_end=1481 - _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 - _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 + _globals['_TXRESPONSE']._serialized_end=634 + _globals['_ABCIMESSAGELOG']._serialized_start=637 + _globals['_ABCIMESSAGELOG']._serialized_end=806 + _globals['_STRINGEVENT']._serialized_start=808 + _globals['_STRINGEVENT']._serialized_end=922 + _globals['_ATTRIBUTE']._serialized_start=924 + _globals['_ATTRIBUTE']._serialized_end=975 + _globals['_GASINFO']._serialized_start=977 + _globals['_GASINFO']._serialized_end=1044 + _globals['_RESULT']._serialized_start=1047 + _globals['_RESULT']._serialized_end=1216 + _globals['_SIMULATIONRESPONSE']._serialized_start=1219 + _globals['_SIMULATIONRESPONSE']._serialized_end=1369 + _globals['_MSGDATA']._serialized_start=1371 + _globals['_MSGDATA']._serialized_end=1435 + _globals['_TXMSGDATA']._serialized_start=1438 + _globals['_TXMSGDATA']._serialized_end=1573 + _globals['_SEARCHTXSRESULT']._serialized_start=1576 + _globals['_SEARCHTXSRESULT']._serialized_end=1796 + _globals['_SEARCHBLOCKSRESULT']._serialized_start=1799 + _globals['_SEARCHBLOCKSRESULT']._serialized_end=2015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index dd1b5932..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 8e59bccc..21b31f2e 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/node/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"\xb8\x01\n\x0e\x43onfigResponse\x12*\n\x11minimum_gas_price\x18\x01 \x01(\tR\x0fminimumGasPrice\x12.\n\x13pruning_keep_recent\x18\x02 \x01(\tR\x11pruningKeepRecent\x12)\n\x10pruning_interval\x18\x03 \x01(\tR\x0fpruningInterval\x12\x1f\n\x0bhalt_height\x18\x04 \x01(\x04R\nhaltHeight\"\x0f\n\rStatusRequest\"\xde\x01\n\x0eStatusResponse\x12\x32\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04R\x13\x65\x61rliestStoreHeight\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12>\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\ttimestamp\x12\x19\n\x08\x61pp_hash\x18\x04 \x01(\x0cR\x07\x61ppHash\x12%\n\x0evalidator_hash\x18\x05 \x01(\x0cR\rvalidatorHash2\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB\xdc\x01\n\x1c\x63om.cosmos.base.node.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/client/grpc/node\xa2\x02\x03\x43\x42N\xaa\x02\x18\x43osmos.Base.Node.V1beta1\xca\x02\x18\x43osmos\\Base\\Node\\V1beta1\xe2\x02$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Node::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.node.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/client/grpc/node\242\002\003CBN\252\002\030Cosmos.Base.Node.V1beta1\312\002\030Cosmos\\Base\\Node\\V1beta1\342\002$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Node::V1beta1' _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None @@ -33,12 +43,12 @@ _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' _globals['_CONFIGREQUEST']._serialized_start=151 _globals['_CONFIGREQUEST']._serialized_end=166 - _globals['_CONFIGRESPONSE']._serialized_start=168 - _globals['_CONFIGRESPONSE']._serialized_end=287 - _globals['_STATUSREQUEST']._serialized_start=289 - _globals['_STATUSREQUEST']._serialized_end=304 - _globals['_STATUSRESPONSE']._serialized_start=307 - _globals['_STATUSRESPONSE']._serialized_end=465 - _globals['_SERVICE']._serialized_start=468 - _globals['_SERVICE']._serialized_end=749 + _globals['_CONFIGRESPONSE']._serialized_start=169 + _globals['_CONFIGRESPONSE']._serialized_end=353 + _globals['_STATUSREQUEST']._serialized_start=355 + _globals['_STATUSREQUEST']._serialized_end=370 + _globals['_STATUSRESPONSE']._serialized_start=373 + _globals['_STATUSRESPONSE']._serialized_end=595 + _globals['_SERVICE']._serialized_start=598 + _globals['_SERVICE']._serialized_end=879 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index d3dc674a..3cc93343 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/node/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 class ServiceStub(object): diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py index d988376d..e6595278 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/query/v1beta1/pagination.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/query/v1beta1/pagination.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"_\n\x0bPageRequest\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x0e\n\x06offset\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x13\n\x0b\x63ount_total\x18\x04 \x01(\x08\x12\x0f\n\x07reverse\x18\x05 \x01(\x08\"/\n\x0cPageResponse\x12\x10\n\x08next_key\x18\x01 \x01(\x0c\x12\r\n\x05total\x18\x02 \x01(\x04\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"\x88\x01\n\x0bPageRequest\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x16\n\x06offset\x18\x02 \x01(\x04R\x06offset\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x1f\n\x0b\x63ount_total\x18\x04 \x01(\x08R\ncountTotal\x12\x18\n\x07reverse\x18\x05 \x01(\x08R\x07reverse\"?\n\x0cPageResponse\x12\x19\n\x08next_key\x18\x01 \x01(\x0cR\x07nextKey\x12\x14\n\x05total\x18\x02 \x01(\x04R\x05totalB\xe1\x01\n\x1d\x63om.cosmos.base.query.v1beta1B\x0fPaginationProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43\x42Q\xaa\x02\x19\x43osmos.Base.Query.V1beta1\xca\x02\x19\x43osmos\\Base\\Query\\V1beta1\xe2\x02%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Base::Query::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.query.v1beta1.pagination_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' - _globals['_PAGEREQUEST']._serialized_start=73 - _globals['_PAGEREQUEST']._serialized_end=168 - _globals['_PAGERESPONSE']._serialized_start=170 - _globals['_PAGERESPONSE']._serialized_end=217 + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.base.query.v1beta1B\017PaginationProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CBQ\252\002\031Cosmos.Base.Query.V1beta1\312\002\031Cosmos\\Base\\Query\\V1beta1\342\002%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\352\002\034Cosmos::Base::Query::V1beta1' + _globals['_PAGEREQUEST']._serialized_start=74 + _globals['_PAGEREQUEST']._serialized_end=210 + _globals['_PAGERESPONSE']._serialized_start=212 + _globals['_PAGERESPONSE']._serialized_end=275 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index eb30a3d4..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index 19c8c87d..6561ecd3 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v1beta1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/reflection/v1beta1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"4\n\x19ListAllInterfacesResponse\x12\x17\n\x0finterface_names\x18\x01 \x03(\t\"4\n\x1aListImplementationsRequest\x12\x16\n\x0einterface_name\x18\x01 \x01(\t\"C\n\x1bListImplementationsResponse\x12$\n\x1cimplementation_message_names\x18\x01 \x03(\t2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB5Z3github.com/cosmos/cosmos-sdk/client/grpc/reflectionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"D\n\x19ListAllInterfacesResponse\x12\'\n\x0finterface_names\x18\x01 \x03(\tR\x0einterfaceNames\"C\n\x1aListImplementationsRequest\x12%\n\x0einterface_name\x18\x01 \x01(\tR\rinterfaceName\"_\n\x1bListImplementationsResponse\x12@\n\x1cimplementation_message_names\x18\x01 \x03(\tR\x1aimplementationMessageNames2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB\x85\x02\n\"com.cosmos.base.reflection.v1beta1B\x0fReflectionProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\xa2\x02\x03\x43\x42R\xaa\x02\x1e\x43osmos.Base.Reflection.V1beta1\xca\x02\x1e\x43osmos\\Base\\Reflection\\V1beta1\xe2\x02*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Reflection::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v1beta1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.reflection.v1beta1B\017ReflectionProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\242\002\003CBR\252\002\036Cosmos.Base.Reflection.V1beta1\312\002\036Cosmos\\Base\\Reflection\\V1beta1\342\002*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Reflection::V1beta1' _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/reflection/v1beta1/interfaces' _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._loaded_options = None @@ -30,11 +40,11 @@ _globals['_LISTALLINTERFACESREQUEST']._serialized_start=113 _globals['_LISTALLINTERFACESREQUEST']._serialized_end=139 _globals['_LISTALLINTERFACESRESPONSE']._serialized_start=141 - _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=193 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=195 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=247 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=249 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=316 - _globals['_REFLECTIONSERVICE']._serialized_start=319 - _globals['_REFLECTIONSERVICE']._serialized_end=759 + _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=209 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=211 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=278 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=280 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=375 + _globals['_REFLECTIONSERVICE']._serialized_start=378 + _globals['_REFLECTIONSERVICE']._serialized_end=818 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 0090ece6..9a956494 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """ReflectionService defines a service for interface reflection. diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index 04131993..de74b429 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v2alpha1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/reflection/v2alpha1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0cosmos/base/reflection/v2alpha1/reflection.proto\x12\x1f\x63osmos.base.reflection.v2alpha1\x1a\x1cgoogle/api/annotations.proto\"\xb0\x03\n\rAppDescriptor\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\x12?\n\x05\x63hain\x18\x02 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\x12?\n\x05\x63odec\x18\x03 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\x12O\n\rconfiguration\x18\x04 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\x12P\n\x0equery_services\x18\x05 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\x12\x39\n\x02tx\x18\x06 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"^\n\x0cTxDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12<\n\x04msgs\x18\x02 \x03(\x0b\x32..cosmos.base.reflection.v2alpha1.MsgDescriptor\"]\n\x0f\x41uthnDescriptor\x12J\n\nsign_modes\x18\x01 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.SigningModeDescriptor\"b\n\x15SigningModeDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06number\x18\x02 \x01(\x05\x12+\n#authn_info_provider_method_fullname\x18\x03 \x01(\t\"\x1d\n\x0f\x43hainDescriptor\x12\n\n\x02id\x18\x01 \x01(\t\"[\n\x0f\x43odecDescriptor\x12H\n\ninterfaces\x18\x01 \x03(\x0b\x32\x34.cosmos.base.reflection.v2alpha1.InterfaceDescriptor\"\xf4\x01\n\x13InterfaceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12j\n\x1cinterface_accepting_messages\x18\x02 \x03(\x0b\x32\x44.cosmos.base.reflection.v2alpha1.InterfaceAcceptingMessageDescriptor\x12_\n\x16interface_implementers\x18\x03 \x03(\x0b\x32?.cosmos.base.reflection.v2alpha1.InterfaceImplementerDescriptor\"D\n\x1eInterfaceImplementerDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x10\n\x08type_url\x18\x02 \x01(\t\"W\n#InterfaceAcceptingMessageDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x1e\n\x16\x66ield_descriptor_names\x18\x02 \x03(\t\"@\n\x17\x43onfigurationDescriptor\x12%\n\x1d\x62\x65\x63h32_account_address_prefix\x18\x01 \x01(\t\"%\n\rMsgDescriptor\x12\x14\n\x0cmsg_type_url\x18\x01 \x01(\t\"\x1b\n\x19GetAuthnDescriptorRequest\"]\n\x1aGetAuthnDescriptorResponse\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\"\x1b\n\x19GetChainDescriptorRequest\"]\n\x1aGetChainDescriptorResponse\x12?\n\x05\x63hain\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\"\x1b\n\x19GetCodecDescriptorRequest\"]\n\x1aGetCodecDescriptorResponse\x12?\n\x05\x63odec\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\"#\n!GetConfigurationDescriptorRequest\"n\n\"GetConfigurationDescriptorResponse\x12H\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\"#\n!GetQueryServicesDescriptorRequest\"o\n\"GetQueryServicesDescriptorResponse\x12I\n\x07queries\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\"\x18\n\x16GetTxDescriptorRequest\"T\n\x17GetTxDescriptorResponse\x12\x39\n\x02tx\x18\x01 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"j\n\x17QueryServicesDescriptor\x12O\n\x0equery_services\x18\x01 \x03(\x0b\x32\x37.cosmos.base.reflection.v2alpha1.QueryServiceDescriptor\"\x86\x01\n\x16QueryServiceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x11\n\tis_module\x18\x02 \x01(\x08\x12G\n\x07methods\x18\x03 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.QueryMethodDescriptor\">\n\x15QueryMethodDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x17\n\x0f\x66ull_query_path\x18\x02 \x01(\t2\xa7\n\n\x11ReflectionService\x12\xcb\x01\n\x12GetAuthnDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/authn\x12\xcb\x01\n\x12GetChainDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetChainDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetChainDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/chain\x12\xcb\x01\n\x12GetCodecDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetCodecDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetCodecDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/codec\x12\xeb\x01\n\x1aGetConfigurationDescriptor\x12\x42.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorRequest\x1a\x43.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12Z\x12\x12\022={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """ReflectionService defines a service for application reflection. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index a3387612..765377c1 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -1,37 +1,47 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/tendermint/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/tendermint/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x1eGetValidatorSetByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd8\x01\n\x1fGetValidatorSetByHeightResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"f\n\x1cGetLatestValidatorSetRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd6\x01\n\x1dGetLatestValidatorSetResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n\tValidator\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"1\n\x17GetBlockByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\xc3\x01\n\x18GetBlockByHeightResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x17\n\x15GetLatestBlockRequest\"\xc1\x01\n\x16GetLatestBlockResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x13\n\x11GetSyncingRequest\".\n\x12GetSyncingResponse\x12\x18\n\x07syncing\x18\x01 \x01(\x08R\x07syncing\"\x14\n\x12GetNodeInfoRequest\"\xc0\x01\n\x13GetNodeInfoResponse\x12K\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfoR\x0f\x64\x65\x66\x61ultNodeInfo\x12\\\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfoR\x12\x61pplicationVersion\"\xa8\x02\n\x0bVersionInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x19\n\x08\x61pp_name\x18\x02 \x01(\tR\x07\x61ppName\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x1d\n\ngit_commit\x18\x04 \x01(\tR\tgitCommit\x12\x1d\n\nbuild_tags\x18\x05 \x01(\tR\tbuildTags\x12\x1d\n\ngo_version\x18\x06 \x01(\tR\tgoVersion\x12\x45\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.ModuleR\tbuildDeps\x12,\n\x12\x63osmos_sdk_version\x18\x08 \x01(\tR\x10\x63osmosSdkVersion\"H\n\x06Module\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x10\n\x03sum\x18\x03 \x01(\tR\x03sum\"h\n\x10\x41\x42\x43IQueryRequest\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"\x8e\x02\n\x11\x41\x42\x43IQueryResponse\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x45\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespaceJ\x04\x08\x02\x10\x03\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"P\n\x08ProofOps\x12\x44\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03ops2\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None @@ -50,44 +60,44 @@ _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/base/tendermint/v1beta1/validatorsets/{height}' _globals['_SERVICE'].methods_by_name['ABCIQuery']._loaded_options = None _globals['_SERVICE'].methods_by_name['ABCIQuery']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/tendermint/v1beta1/abci_query' - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=379 - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=487 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=490 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=669 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=671 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=761 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=764 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=941 - _globals['_VALIDATOR']._serialized_start=944 - _globals['_VALIDATOR']._serialized_end=1086 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1088 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1129 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1132 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1301 - _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1303 - _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1326 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1329 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1496 - _globals['_GETSYNCINGREQUEST']._serialized_start=1498 - _globals['_GETSYNCINGREQUEST']._serialized_end=1517 - _globals['_GETSYNCINGRESPONSE']._serialized_start=1519 - _globals['_GETSYNCINGRESPONSE']._serialized_end=1556 - _globals['_GETNODEINFOREQUEST']._serialized_start=1558 - _globals['_GETNODEINFOREQUEST']._serialized_end=1578 - _globals['_GETNODEINFORESPONSE']._serialized_start=1581 - _globals['_GETNODEINFORESPONSE']._serialized_end=1736 - _globals['_VERSIONINFO']._serialized_start=1739 - _globals['_VERSIONINFO']._serialized_end=1949 - _globals['_MODULE']._serialized_start=1951 - _globals['_MODULE']._serialized_end=2003 - _globals['_ABCIQUERYREQUEST']._serialized_start=2005 - _globals['_ABCIQUERYREQUEST']._serialized_end=2082 - _globals['_ABCIQUERYRESPONSE']._serialized_start=2085 - _globals['_ABCIQUERYRESPONSE']._serialized_end=2290 - _globals['_PROOFOP']._serialized_start=2292 - _globals['_PROOFOP']._serialized_end=2342 - _globals['_PROOFOPS']._serialized_start=2344 - _globals['_PROOFOPS']._serialized_end=2419 - _globals['_SERVICE']._serialized_start=2422 - _globals['_SERVICE']._serialized_end=3749 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=380 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=508 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=511 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=727 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=729 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=831 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=834 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=1048 + _globals['_VALIDATOR']._serialized_start=1051 + _globals['_VALIDATOR']._serialized_end=1241 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1243 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1292 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1295 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1490 + _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1492 + _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1515 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1518 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1711 + _globals['_GETSYNCINGREQUEST']._serialized_start=1713 + _globals['_GETSYNCINGREQUEST']._serialized_end=1732 + _globals['_GETSYNCINGRESPONSE']._serialized_start=1734 + _globals['_GETSYNCINGRESPONSE']._serialized_end=1780 + _globals['_GETNODEINFOREQUEST']._serialized_start=1782 + _globals['_GETNODEINFOREQUEST']._serialized_end=1802 + _globals['_GETNODEINFORESPONSE']._serialized_start=1805 + _globals['_GETNODEINFORESPONSE']._serialized_end=1997 + _globals['_VERSIONINFO']._serialized_start=2000 + _globals['_VERSIONINFO']._serialized_end=2296 + _globals['_MODULE']._serialized_start=2298 + _globals['_MODULE']._serialized_end=2370 + _globals['_ABCIQUERYREQUEST']._serialized_start=2372 + _globals['_ABCIQUERYREQUEST']._serialized_end=2476 + _globals['_ABCIQUERYRESPONSE']._serialized_start=2479 + _globals['_ABCIQUERYRESPONSE']._serialized_end=2749 + _globals['_PROOFOP']._serialized_start=2751 + _globals['_PROOFOP']._serialized_end=2818 + _globals['_PROOFOPS']._serialized_start=2820 + _globals['_PROOFOPS']._serialized_end=2900 + _globals['_SERVICE']._serialized_start=2903 + _globals['_SERVICE']._serialized_end=4230 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 91eed9a6..30707ac1 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ServiceStub(object): """Service defines the gRPC querier service for tendermint queries. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index d4101985..b548ca73 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/tendermint/v1beta1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/tendermint/v1beta1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x05\x42lock\x12I\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x35\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04\x64\x61ta\x12\x45\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommit\"\xf5\x04\n\x06Header\x12\x42\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12=\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12H\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\tR\x0fproposerAddressB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -43,7 +53,7 @@ _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK']._serialized_start=248 - _globals['_BLOCK']._serialized_end=479 - _globals['_HEADER']._serialized_start=482 - _globals['_HEADER']._serialized_end=932 + _globals['_BLOCK']._serialized_end=515 + _globals['_HEADER']._serialized_start=518 + _globals['_HEADER']._serialized_end=1147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 033369f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index a1a647a8..ccd5f885 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/v1beta1/coin.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/v1beta1/coin.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"l\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12H\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x06\x61mount:\x04\xe8\xa0\x1f\x01\"p\n\x07\x44\x65\x63\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06\x61mount:\x04\xe8\xa0\x1f\x01\"I\n\x08IntProto\x12=\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03int\"O\n\x08\x44\x65\x63Proto\x12\x43\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x03\x64\x65\x63\x42\xbe\x01\n\x17\x63om.cosmos.base.v1beta1B\tCoinProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Base.V1beta1\xca\x02\x13\x43osmos\\Base\\V1beta1\xe2\x02\x1f\x43osmos\\Base\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Base::V1beta1\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.v1beta1.coin_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.base.v1beta1B\tCoinProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBX\252\002\023Cosmos.Base.V1beta1\312\002\023Cosmos\\Base\\V1beta1\342\002\037Cosmos\\Base\\V1beta1\\GPBMetadata\352\002\025Cosmos::Base::V1beta1\330\341\036\000\200\342\036\000' _globals['_COIN'].fields_by_name['amount']._loaded_options = None _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_COIN']._loaded_options = None @@ -38,11 +48,11 @@ _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=216 - _globals['_DECCOIN']._serialized_start=218 - _globals['_DECCOIN']._serialized_end=315 - _globals['_INTPROTO']._serialized_start=317 - _globals['_INTPROTO']._serialized_end=385 - _globals['_DECPROTO']._serialized_start=387 - _globals['_DECPROTO']._serialized_end=461 + _globals['_COIN']._serialized_end=231 + _globals['_DECCOIN']._serialized_start=233 + _globals['_DECCOIN']._serialized_end=345 + _globals['_INTPROTO']._serialized_start=347 + _globals['_INTPROTO']._serialized_end=420 + _globals['_DECPROTO']._serialized_start=422 + _globals['_DECPROTO']._serialized_end=501 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 1de6a63b..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py index 2f7dd65e..9baafd7c 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitB\xae\x01\n\x1c\x63om.cosmos.circuit.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x18\x43osmos.Circuit.Module.V1\xca\x02\x18\x43osmos\\Circuit\\Module\\V1\xe2\x02$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Circuit::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.circuit.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\030Cosmos.Circuit.Module.V1\312\002\030Cosmos\\Circuit\\Module\\V1\342\002$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Circuit::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/circuit' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=171 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py index 8e7b1ab5..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py index 0a9ec565..dc14d131 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"&\n\x13QueryAccountRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"E\n\x0f\x41\x63\x63ountResponse\x12\x32\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x10\x41\x63\x63ountsResponse\x12>\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1a\n\x18QueryDisabledListRequest\"-\n\x14\x44isabledListResponse\x12\x15\n\rdisabled_list\x18\x01 \x03(\t2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"/\n\x13QueryAccountRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x0f\x41\x63\x63ountResponse\x12>\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\npermission\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa5\x01\n\x10\x41\x63\x63ountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x1a\n\x18QueryDisabledListRequest\";\n\x14\x44isabledListResponse\x12#\n\rdisabled_list\x18\x01 \x03(\tR\x0c\x64isabledList2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nQueryProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_QUERY'].methods_by_name['Account']._loaded_options = None _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\'\022%/cosmos/circuit/v1/accounts/{address}' _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None @@ -33,17 +43,17 @@ _globals['_QUERY'].methods_by_name['DisabledList']._loaded_options = None _globals['_QUERY'].methods_by_name['DisabledList']._serialized_options = b'\210\347\260*\001\202\323\344\223\002!\022\037/cosmos/circuit/v1/disable_list' _globals['_QUERYACCOUNTREQUEST']._serialized_start=186 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=224 - _globals['_ACCOUNTRESPONSE']._serialized_start=226 - _globals['_ACCOUNTRESPONSE']._serialized_end=295 - _globals['_QUERYACCOUNTSREQUEST']._serialized_start=297 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=379 - _globals['_ACCOUNTSRESPONSE']._serialized_start=382 - _globals['_ACCOUNTSRESPONSE']._serialized_end=525 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=527 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=553 - _globals['_DISABLEDLISTRESPONSE']._serialized_start=555 - _globals['_DISABLEDLISTRESPONSE']._serialized_end=600 - _globals['_QUERY']._serialized_start=603 - _globals['_QUERY']._serialized_end=1032 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=233 + _globals['_ACCOUNTRESPONSE']._serialized_start=235 + _globals['_ACCOUNTRESPONSE']._serialized_end=316 + _globals['_QUERYACCOUNTSREQUEST']._serialized_start=318 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=412 + _globals['_ACCOUNTSRESPONSE']._serialized_start=415 + _globals['_ACCOUNTSRESPONSE']._serialized_end=580 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=582 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=608 + _globals['_DISABLEDLISTRESPONSE']._serialized_start=610 + _globals['_DISABLEDLISTRESPONSE']._serialized_end=669 + _globals['_QUERY']._serialized_start=672 + _globals['_QUERY']._serialized_end=1101 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py index 178ccae2..677ccf27 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py index 42023b0a..d7a146b3 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\x81\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\x12\x33\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions:\x0c\x82\xe7\xb0*\x07granter\"5\n\"MsgAuthorizeCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"Q\n\x15MsgTripCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x02 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"0\n\x1dMsgTripCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"R\n\x16MsgResetCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x03 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"1\n\x1eMsgResetCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\xa0\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\x12@\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions:\x0c\x82\xe7\xb0*\x07granter\">\n\"MsgAuthorizeCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"i\n\x15MsgTripCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x02 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\"9\n\x1dMsgTripCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"j\n\x16MsgResetCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x03 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\":\n\x1eMsgResetCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa4\x01\n\x15\x63om.cosmos.circuit.v1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\007TxProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_MSGAUTHORIZECIRCUITBREAKER']._loaded_options = None _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_options = b'\202\347\260*\007granter' _globals['_MSGTRIPCIRCUITBREAKER']._loaded_options = None @@ -33,17 +43,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_start=106 - _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=235 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=237 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=290 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=292 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=373 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=375 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=423 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=425 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=507 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=509 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=558 - _globals['_MSG']._serialized_start=561 - _globals['_MSG']._serialized_end=933 + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=266 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=268 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=330 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=332 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=437 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=439 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=496 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=498 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=604 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=606 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=664 + _globals['_MSG']._serialized_start=667 + _globals['_MSG']._serialized_end=1039 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py index 43c4099c..ab4dcc13 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py index babef447..49649103 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,20 +24,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xc0\x01\n\x0bPermissions\x12\x33\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.Level\x12\x17\n\x0flimit_type_urls\x18\x02 \x03(\t\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"a\n\x19GenesisAccountPermissions\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x33\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"u\n\x0cGenesisState\x12I\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12\x1a\n\x12\x64isabled_type_urls\x18\x02 \x03(\tB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xd6\x01\n\x0bPermissions\x12:\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.LevelR\x05level\x12&\n\x0flimit_type_urls\x18\x02 \x03(\tR\rlimitTypeUrls\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"w\n\x19GenesisAccountPermissions\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions\"\x9b\x01\n\x0cGenesisState\x12]\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x12\x61\x63\x63ountPermissions\x12,\n\x12\x64isabled_type_urls\x18\x02 \x03(\tR\x10\x64isabledTypeUrlsB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nTypesProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nTypesProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_PERMISSIONS']._serialized_start=53 - _globals['_PERMISSIONS']._serialized_end=245 - _globals['_PERMISSIONS_LEVEL']._serialized_start=146 - _globals['_PERMISSIONS_LEVEL']._serialized_end=245 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=247 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=344 - _globals['_GENESISSTATE']._serialized_start=346 - _globals['_GENESISSTATE']._serialized_end=463 + _globals['_PERMISSIONS']._serialized_end=267 + _globals['_PERMISSIONS_LEVEL']._serialized_start=168 + _globals['_PERMISSIONS_LEVEL']._serialized_end=267 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=269 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=388 + _globals['_GENESISSTATE']._serialized_start=391 + _globals['_GENESISSTATE']._serialized_end=546 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py index b59ca76f..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index f95c5039..ff0a26c0 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"M\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"X\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusB\xb8\x01\n\x1e\x63om.cosmos.consensus.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x1a\x43osmos.Consensus.Module.V1\xca\x02\x1a\x43osmos\\Consensus\\Module\\V1\xe2\x02&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\xea\x02\x1d\x43osmos::Consensus::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.consensus.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\032Cosmos.Consensus.Module.V1\312\002\032Cosmos\\Consensus\\Module\\V1\342\002&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\352\002\035Cosmos::Consensus::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001*\n(github.com/cosmos/cosmos-sdk/x/consensus' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=182 + _globals['_MODULE']._serialized_end=193 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 93428b40..2daafffe 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index 5c6e405c..f02228b1 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,20 +26,20 @@ from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x06params2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB\xc3\x01\n\x17\x63om.cosmos.consensus.v1B\nQueryProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\nQueryProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/consensus/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=117 _globals['_QUERYPARAMSREQUEST']._serialized_end=137 _globals['_QUERYPARAMSRESPONSE']._serialized_start=139 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=211 - _globals['_QUERY']._serialized_start=214 - _globals['_QUERY']._serialized_end=352 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=219 + _globals['_QUERY']._serialized_start=222 + _globals['_QUERY']._serialized_end=360 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index f23bef0e..b1a719b2 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index a1d1452c..e7a4b451 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xea\x02\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x33\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc0\x01\n\x17\x63om.cosmos.consensus.v1B\x07TxProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\007TxProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=156 - _globals['_MSGUPDATEPARAMS']._serialized_end=473 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 - _globals['_MSG']._serialized_start=502 - _globals['_MSG']._serialized_end=614 + _globals['_MSGUPDATEPARAMS']._serialized_end=518 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=520 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=545 + _globals['_MSG']._serialized_start=547 + _globals['_MSG']._serialized_end=659 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index ee5d8bd4..da512ed6 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the consensus Msg service. diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index 9319713a..0bb8e588 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"f\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x83\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisB\xa9\x01\n\x1b\x63om.cosmos.crisis.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x17\x43osmos.Crisis.Module.V1\xca\x02\x17\x43osmos\\Crisis\\Module\\V1\xe2\x02#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Crisis::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crisis.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\027Cosmos.Crisis.Module.V1\312\002\027Cosmos\\Crisis\\Module\\V1\342\002#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Crisis::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/crisis' - _globals['_MODULE']._serialized_start=99 - _globals['_MODULE']._serialized_end=201 + _globals['_MODULE']._serialized_start=100 + _globals['_MODULE']._serialized_end=231 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 781018ac..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 52de3cc9..86e8cc40 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,16 +27,16 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"J\n\x0cGenesisState\x12:\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFeeB\xcc\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' _globals['_GENESISSTATE'].fields_by_name['constant_fee']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=209 + _globals['_GENESISSTATE']._serialized_end=222 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index b8a4124f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index 4f94c94e..945df17b 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xad\x01\n\x12MsgVerifyInvariant\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1d\n\x15invariant_module_name\x18\x02 \x01(\t\x12\x17\n\x0finvariant_route\x18\x03 \x01(\t:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xda\x01\n\x12MsgVerifyInvariant\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x32\n\x15invariant_module_name\x18\x02 \x01(\tR\x13invariantModuleName\x12\'\n\x0finvariant_route\x18\x03 \x01(\tR\x0einvariantRoute:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xca\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12G\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFee:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._loaded_options = None _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGVERIFYINVARIANT']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGVERIFYINVARIANT']._serialized_start=183 - _globals['_MSGVERIFYINVARIANT']._serialized_end=356 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=358 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=386 - _globals['_MSGUPDATEPARAMS']._serialized_start=389 - _globals['_MSGUPDATEPARAMS']._serialized_end=567 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=569 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=594 - _globals['_MSG']._serialized_start=597 - _globals['_MSG']._serialized_end=826 + _globals['_MSGVERIFYINVARIANT']._serialized_end=401 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=403 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=431 + _globals['_MSGUPDATEPARAMS']._serialized_start=434 + _globals['_MSGUPDATEPARAMS']._serialized_end=636 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=638 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=663 + _globals['_MSG']._serialized_start=666 + _globals['_MSG']._serialized_end=895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index dfdba894..1d15bace 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index a1ed9af2..7e0c1e81 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/ed25519/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/ed25519/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"d\n\x06PubKey\x12)\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKey:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"c\n\x07PrivKey\x12*\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKey:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB2Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"i\n\x06PubKey\x12.\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKeyR\x03key:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"h\n\x07PrivKey\x12/\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKeyR\x03key:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB\xce\x01\n\x19\x63om.cosmos.crypto.ed25519B\tKeysProtoP\x01Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\xa2\x02\x03\x43\x43\x45\xaa\x02\x15\x43osmos.Crypto.Ed25519\xca\x02\x15\x43osmos\\Crypto\\Ed25519\xe2\x02!Cosmos\\Crypto\\Ed25519\\GPBMetadata\xea\x02\x17\x43osmos::Crypto::Ed25519b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.ed25519.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crypto.ed25519B\tKeysProtoP\001Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\242\002\003CCE\252\002\025Cosmos.Crypto.Ed25519\312\002\025Cosmos\\Crypto\\Ed25519\342\002!Cosmos\\Crypto\\Ed25519\\GPBMetadata\352\002\027Cosmos::Crypto::Ed25519' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\030crypto/ed25519.PublicKey' _globals['_PUBKEY']._loaded_options = None @@ -33,7 +43,7 @@ _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\031tendermint/PrivKeyEd25519\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=100 - _globals['_PUBKEY']._serialized_end=200 - _globals['_PRIVKEY']._serialized_start=202 - _globals['_PRIVKEY']._serialized_end=301 + _globals['_PUBKEY']._serialized_end=205 + _globals['_PRIVKEY']._serialized_start=207 + _globals['_PRIVKEY']._serialized_end=311 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index ed86dc9b..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 69d0631a..57b80472 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/hd/v1/hd.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/hd/v1/hd.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,16 +26,16 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\x8e\x01\n\x0b\x42IP44Params\x12\x0f\n\x07purpose\x18\x01 \x01(\r\x12\x11\n\tcoin_type\x18\x02 \x01(\r\x12\x0f\n\x07\x61\x63\x63ount\x18\x03 \x01(\r\x12\x0e\n\x06\x63hange\x18\x04 \x01(\x08\x12\x15\n\raddress_index\x18\x05 \x01(\r:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB,Z&github.com/cosmos/cosmos-sdk/crypto/hd\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\xc0\x01\n\x0b\x42IP44Params\x12\x18\n\x07purpose\x18\x01 \x01(\rR\x07purpose\x12\x1b\n\tcoin_type\x18\x02 \x01(\rR\x08\x63oinType\x12\x18\n\x07\x61\x63\x63ount\x18\x03 \x01(\rR\x07\x61\x63\x63ount\x12\x16\n\x06\x63hange\x18\x04 \x01(\x08R\x06\x63hange\x12#\n\raddress_index\x18\x05 \x01(\rR\x0c\x61\x64\x64ressIndex:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB\xbd\x01\n\x17\x63om.cosmos.crypto.hd.v1B\x07HdProtoP\x01Z&github.com/cosmos/cosmos-sdk/crypto/hd\xa2\x02\x03\x43\x43H\xaa\x02\x13\x43osmos.Crypto.Hd.V1\xca\x02\x13\x43osmos\\Crypto\\Hd\\V1\xe2\x02\x1f\x43osmos\\Crypto\\Hd\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Crypto::Hd::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.hd.v1.hd_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/cosmos/cosmos-sdk/crypto/hd\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.crypto.hd.v1B\007HdProtoP\001Z&github.com/cosmos/cosmos-sdk/crypto/hd\242\002\003CCH\252\002\023Cosmos.Crypto.Hd.V1\312\002\023Cosmos\\Crypto\\Hd\\V1\342\002\037Cosmos\\Crypto\\Hd\\V1\\GPBMetadata\352\002\026Cosmos::Crypto::Hd::V1\310\341\036\000' _globals['_BIP44PARAMS']._loaded_options = None _globals['_BIP44PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\032crypto/keys/hd/BIP44Params' _globals['_BIP44PARAMS']._serialized_start=95 - _globals['_BIP44PARAMS']._serialized_end=237 + _globals['_BIP44PARAMS']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 03c80dec..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index 66cd1047..c1b8a4a2 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/keyring/v1/record.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/keyring/v1/record.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,22 +27,22 @@ from pyinjective.proto.cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xae\x03\n\x06Record\x12\x0c\n\x04name\x18\x01 \x01(\t\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x37\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00\x12\x39\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00\x12\x37\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00\x12;\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00\x1a/\n\x05Local\x12&\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x1a\x38\n\x06Ledger\x12.\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44Params\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB5Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xea\x03\n\x06Record\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12>\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00R\x05local\x12\x41\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00R\x06ledger\x12>\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00R\x05multi\x12\x44\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00R\x07offline\x1a\x38\n\x05Local\x12/\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07privKey\x1a>\n\x06Ledger\x12\x34\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44ParamsR\x04path\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB\xe3\x01\n\x1c\x63om.cosmos.crypto.keyring.v1B\x0bRecordProtoP\x01Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xa2\x02\x03\x43\x43K\xaa\x02\x18\x43osmos.Crypto.Keyring.V1\xca\x02\x18\x43osmos\\Crypto\\Keyring\\V1\xe2\x02$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Crypto::Keyring::V1\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.keyring.v1.record_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/crypto/keyring\310\341\036\000\230\343\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.crypto.keyring.v1B\013RecordProtoP\001Z+github.com/cosmos/cosmos-sdk/crypto/keyring\242\002\003CCK\252\002\030Cosmos.Crypto.Keyring.V1\312\002\030Cosmos\\Crypto\\Keyring\\V1\342\002$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\352\002\033Cosmos::Crypto::Keyring::V1\310\341\036\000\230\343\036\000' _globals['_RECORD']._serialized_start=147 - _globals['_RECORD']._serialized_end=577 - _globals['_RECORD_LOCAL']._serialized_start=444 - _globals['_RECORD_LOCAL']._serialized_end=491 - _globals['_RECORD_LEDGER']._serialized_start=493 - _globals['_RECORD_LEDGER']._serialized_end=549 - _globals['_RECORD_MULTI']._serialized_start=551 - _globals['_RECORD_MULTI']._serialized_end=558 - _globals['_RECORD_OFFLINE']._serialized_start=560 - _globals['_RECORD_OFFLINE']._serialized_end=569 + _globals['_RECORD']._serialized_end=637 + _globals['_RECORD_LOCAL']._serialized_start=489 + _globals['_RECORD_LOCAL']._serialized_end=545 + _globals['_RECORD_LEDGER']._serialized_start=547 + _globals['_RECORD_LEDGER']._serialized_end=609 + _globals['_RECORD_MULTI']._serialized_start=611 + _globals['_RECORD_MULTI']._serialized_end=618 + _globals['_RECORD_OFFLINE']._serialized_start=620 + _globals['_RECORD_OFFLINE']._serialized_end=629 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 8f877d97..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index 9e7f1bdc..3d93637a 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/multisig/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,18 +27,18 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n\x11LegacyAminoPubKey\x12\x11\n\tthreshold\x18\x01 \x01(\r\x12\x42\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB3Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisigb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xc3\x01\n\x11LegacyAminoPubKey\x12\x1c\n\tthreshold\x18\x01 \x01(\rR\tthreshold\x12N\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeysR\npublicKeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB\xd4\x01\n\x1a\x63om.cosmos.crypto.multisigB\tKeysProtoP\x01Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\xa2\x02\x03\x43\x43M\xaa\x02\x16\x43osmos.Crypto.Multisig\xca\x02\x16\x43osmos\\Crypto\\Multisig\xe2\x02\"Cosmos\\Crypto\\Multisig\\GPBMetadata\xea\x02\x18\x43osmos::Crypto::Multisigb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.crypto.multisigB\tKeysProtoP\001Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\242\002\003CCM\252\002\026Cosmos.Crypto.Multisig\312\002\026Cosmos\\Crypto\\Multisig\342\002\"Cosmos\\Crypto\\Multisig\\GPBMetadata\352\002\030Cosmos::Crypto::Multisig' _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._loaded_options = None _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._serialized_options = b'\342\336\037\007PubKeys\242\347\260*\007pubkeys' _globals['_LEGACYAMINOPUBKEY']._loaded_options = None _globals['_LEGACYAMINOPUBKEY']._serialized_options = b'\210\240\037\000\212\347\260*\"tendermint/PubKeyMultisigThreshold\222\347\260*\020threshold_string' _globals['_LEGACYAMINOPUBKEY']._serialized_start=130 - _globals['_LEGACYAMINOPUBKEY']._serialized_end=302 + _globals['_LEGACYAMINOPUBKEY']._serialized_end=325 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 813983af..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index 18de0b9b..2963ad03 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/v1beta1/multisig.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/multisig/v1beta1/multisig.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,20 +25,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"*\n\x0eMultiSignature\x12\x12\n\nsignatures\x18\x01 \x03(\x0c:\x04\xd0\xa1\x1f\x01\"A\n\x0f\x43ompactBitArray\x12\x19\n\x11\x65xtra_bits_stored\x18\x01 \x01(\r\x12\r\n\x05\x65lems\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/crypto/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"6\n\x0eMultiSignature\x12\x1e\n\nsignatures\x18\x01 \x03(\x0cR\nsignatures:\x04\xd0\xa1\x1f\x01\"Y\n\x0f\x43ompactBitArray\x12*\n\x11\x65xtra_bits_stored\x18\x01 \x01(\rR\x0f\x65xtraBitsStored\x12\x14\n\x05\x65lems\x18\x02 \x01(\x0cR\x05\x65lems:\x04\x98\xa0\x1f\x00\x42\xf9\x01\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\x01Z)github.com/cosmos/cosmos-sdk/crypto/types\xa2\x02\x03\x43\x43M\xaa\x02\x1e\x43osmos.Crypto.Multisig.V1beta1\xca\x02\x1e\x43osmos\\Crypto\\Multisig\\V1beta1\xe2\x02*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Crypto::Multisig::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.v1beta1.multisig_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/crypto/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\001Z)github.com/cosmos/cosmos-sdk/crypto/types\242\002\003CCM\252\002\036Cosmos.Crypto.Multisig.V1beta1\312\002\036Cosmos\\Crypto\\Multisig\\V1beta1\342\002*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\352\002!Cosmos::Crypto::Multisig::V1beta1' _globals['_MULTISIGNATURE']._loaded_options = None _globals['_MULTISIGNATURE']._serialized_options = b'\320\241\037\001' _globals['_COMPACTBITARRAY']._loaded_options = None _globals['_COMPACTBITARRAY']._serialized_options = b'\230\240\037\000' _globals['_MULTISIGNATURE']._serialized_start=103 - _globals['_MULTISIGNATURE']._serialized_end=145 - _globals['_COMPACTBITARRAY']._serialized_start=147 - _globals['_COMPACTBITARRAY']._serialized_end=212 + _globals['_MULTISIGNATURE']._serialized_end=157 + _globals['_COMPACTBITARRAY']._serialized_start=159 + _globals['_COMPACTBITARRAY']._serialized_end=248 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index d96cbfca..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index 3813cfec..06e7d31b 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256k1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/secp256k1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,20 +26,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"H\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"F\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB4Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"M\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"K\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB\xda\x01\n\x1b\x63om.cosmos.crypto.secp256k1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256k1\xca\x02\x17\x43osmos\\Crypto\\Secp256k1\xe2\x02#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256k1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256k1\312\002\027Cosmos\\Crypto\\Secp256k1\342\002#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\032tendermint/PubKeySecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\033tendermint/PrivKeySecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=104 - _globals['_PUBKEY']._serialized_end=176 - _globals['_PRIVKEY']._serialized_start=178 - _globals['_PRIVKEY']._serialized_end=248 + _globals['_PUBKEY']._serialized_end=181 + _globals['_PRIVKEY']._serialized_start=183 + _globals['_PRIVKEY']._serialized_end=258 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 5777851f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index c3eba82d..6cecc3ba 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256r1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/secp256r1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,20 +25,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\"\n\x06PubKey\x12\x18\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPK\"&\n\x07PrivKey\x12\x1b\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKB@Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\'\n\x06PubKey\x12\x1d\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPKR\x03key\".\n\x07PrivKey\x12#\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKR\x06secretB\xe6\x01\n\x1b\x63om.cosmos.crypto.secp256r1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256r1\xca\x02\x17\x43osmos\\Crypto\\Secp256r1\xe2\x02#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256r1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256r1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256r1\312\002\027Cosmos\\Crypto\\Secp256r1\342\002#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\332\336\037\007ecdsaPK' _globals['_PRIVKEY'].fields_by_name['secret']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['secret']._serialized_options = b'\332\336\037\007ecdsaSK' _globals['_PUBKEY']._serialized_start=85 - _globals['_PUBKEY']._serialized_end=119 - _globals['_PRIVKEY']._serialized_start=121 - _globals['_PRIVKEY']._serialized_end=159 + _globals['_PUBKEY']._serialized_end=124 + _globals['_PRIVKEY']._serialized_start=126 + _globals['_PRIVKEY']._serialized_end=172 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index b7d8d50a..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index 686cdb21..c02c6ad2 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"l\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x89\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionB\xc7\x01\n!com.cosmos.distribution.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x44M\xaa\x02\x1d\x43osmos.Distribution.Module.V1\xca\x02\x1d\x43osmos\\Distribution\\Module\\V1\xe2\x02)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\xea\x02 Cosmos::Distribution::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n!com.cosmos.distribution.module.v1B\013ModuleProtoP\001\242\002\003CDM\252\002\035Cosmos.Distribution.Module.V1\312\002\035Cosmos\\Distribution\\Module\\V1\342\002)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\352\002 Cosmos::Distribution::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/distribution' - _globals['_MODULE']._serialized_start=111 - _globals['_MODULE']._serialized_end=219 + _globals['_MODULE']._serialized_start=112 + _globals['_MODULE']._serialized_end=249 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index e573012c..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index f1fd9d52..9d3d74fe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/distribution.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/distribution.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9a\x03\n\x06Params\x12[\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0c\x63ommunityTax\x12j\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12\x62\x61seProposerReward\x12l\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13\x62onusProposerReward\x12\x32\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08R\x13withdrawAddrEnabled:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xd6\x01\n\x1aValidatorHistoricalRewards\x12\x8e\x01\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x15\x63umulativeRewardRatio\x12\'\n\x0freference_count\x18\x02 \x01(\rR\x0ereferenceCount\"\xa3\x01\n\x17ValidatorCurrentRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\"\x98\x01\n\x1eValidatorAccumulatedCommission\x12v\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\ncommission\"\x8f\x01\n\x1bValidatorOutstandingRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"\x8f\x01\n\x13ValidatorSlashEvent\x12)\n\x10validator_period\x18\x01 \x01(\x04R\x0fvalidatorPeriod\x12M\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x08\x66raction\"\x89\x01\n\x14ValidatorSlashEvents\x12q\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents\"\x88\x01\n\x07\x46\x65\x65Pool\x12}\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\rcommunityPool\"\x97\x02\n\x1a\x43ommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd4\x01\n\x15\x44\x65legatorStartingInfo\x12\'\n\x0fprevious_period\x18\x01 \x01(\x04R\x0epreviousPeriod\x12L\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x05stake\x12\x44\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01R\x06height\"\xe1\x01\n\x19\x44\x65legationDelegatorReward\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12n\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x06reward:\x04\x88\xa0\x1f\x00\"\xd3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12\x16\n\x06\x61mount\x18\x04 \x01(\tR\x06\x61mount\x12\x18\n\x07\x64\x65posit\x18\x05 \x01(\tR\x07\x64\x65posit:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xf9\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x11\x44istributionProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.distribution_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\021DistributionProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None @@ -65,27 +75,27 @@ _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=514 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 - _globals['_FEEPOOL']._serialized_start=1357 - _globals['_FEEPOOL']._serialized_end=1478 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 + _globals['_PARAMS']._serialized_end=590 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=593 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=807 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=810 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=973 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=976 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1128 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1131 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1274 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1277 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1420 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1423 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1560 + _globals['_FEEPOOL']._serialized_start=1563 + _globals['_FEEPOOL']._serialized_end=1699 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1702 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1981 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1984 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=2196 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=2199 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2424 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2427 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2638 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index ed9e15ba..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 41ad684f..844e3704 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x02\n!ValidatorOutstandingRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x87\x01\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x12outstandingRewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xea\x01\n$ValidatorAccumulatedCommissionRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12h\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x61\x63\x63umulated:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x01\n ValidatorHistoricalRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\x12\\\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd4\x01\n\x1dValidatorCurrentRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12Y\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x02\n\x1b\x44\x65legatorStartingInfoRecord\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x62\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cstartingInfo:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x96\x02\n\x19ValidatorSlashEventRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x16\n\x06period\x18\x03 \x01(\x04R\x06period\x12o\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13validatorSlashEvent:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8c\t\n\x0cGenesisState\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x66\x65\x65Pool\x12w\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorWithdrawInfos\x12\x45\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10previousProposer\x12z\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12outstandingRewards\x12\x98\x01\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1fvalidatorAccumulatedCommissions\x12\x8a\x01\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1avalidatorHistoricalRewards\x12\x81\x01\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x17validatorCurrentRewards\x12}\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorStartingInfos\x12w\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xf4\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x0cGenesisProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\014GenesisProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._loaded_options = None @@ -94,19 +104,19 @@ _globals['_GENESISSTATE']._loaded_options = None _globals['_GENESISSTATE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 - _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 - _globals['_GENESISSTATE']._serialized_start=1664 - _globals['_GENESISSTATE']._serialized_end=2614 + _globals['_DELEGATORWITHDRAWINFO']._serialized_end=396 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=399 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=662 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=665 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=899 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=902 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1144 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1147 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1359 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1362 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1652 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1655 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1933 + _globals['_GENESISSTATE']._serialized_start=1936 + _globals['_GENESISSTATE']._serialized_end=3100 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index ccfd6cca..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 469f5712..d56a1f10 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"]\n\x13QueryParamsResponse\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"w\n%QueryValidatorDistributionInfoRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\xee\x02\n&QueryValidatorDistributionInfoResponse\x12L\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x0foperatorAddress\x12\x82\x01\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x0fselfBondRewards\x12q\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoinsR\ncommission\"y\n\'QueryValidatorOutstandingRewardsRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x89\x01\n(QueryValidatorOutstandingRewardsResponse\x12]\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\"q\n\x1fQueryValidatorCommissionRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x8a\x01\n QueryValidatorCommissionResponse\x12\x66\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\"\x8a\x02\n\x1cQueryValidatorSlashesRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\'\n\x0fstarting_height\x18\x02 \x01(\x04R\x0estartingHeight\x12#\n\rending_height\x18\x03 \x01(\x04R\x0c\x65ndingHeight\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x04\x88\xa0\x1f\x00\"\xbf\x01\n\x1dQueryValidatorSlashesResponse\x12U\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07slashes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xc0\x01\n\x1dQueryDelegationRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x92\x01\n\x1eQueryDelegationRewardsResponse\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"u\n\"QueryDelegationTotalRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n#QueryDelegationTotalRewardsResponse\x12[\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\x12l\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x05total\"r\n\x1fQueryDelegatorValidatorsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n QueryDelegatorValidatorsResponse\x12\x1e\n\nvalidators\x18\x01 \x03(\tR\nvalidators:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"w\n$QueryDelegatorWithdrawAddressRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n%QueryDelegatorWithdrawAddressResponse\x12\x43\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x88\x01\n\x1aQueryCommunityPoolResponse\x12j\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x04pool2\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB\xee\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\nQueryProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\nQueryProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None @@ -108,43 +118,43 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=294 _globals['_QUERYPARAMSREQUEST']._serialized_end=314 _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 - _globals['_QUERY']._serialized_start=2831 - _globals['_QUERY']._serialized_end=5075 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=409 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=411 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=530 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=533 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=899 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=901 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=1022 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=1025 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1162 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1164 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1277 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1280 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1418 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1421 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1687 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1690 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1881 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1884 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=2076 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=2079 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=2225 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=2227 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2344 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2347 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2587 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2589 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2703 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2705 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2781 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2783 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2902 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2904 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=3022 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=3024 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=3051 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=3054 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=3190 + _globals['_QUERY']._serialized_start=3193 + _globals['_QUERY']._serialized_end=5437 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index f83d34ef..583d9bda 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for distribution module. diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index dd94e8bc..fd76fc3e 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xeb\x01\n\x15MsgSetWithdrawAddress\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xfe\x01\n\x1aMsgWithdrawDelegatorReward\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x9f\x01\n\"MsgWithdrawDelegatorRewardResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\xb8\x01\n\x1eMsgWithdrawValidatorCommission\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\xa3\x01\n&MsgWithdrawValidatorCommissionResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x85\x02\n\x14MsgFundCommunityPool\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xcd\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x46\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xa3\x02\n\x15MsgCommunityPoolSpend\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xe5\x02\n\x1eMsgDepositValidatorRewardsPool\x12\x36\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xef\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._loaded_options = None @@ -77,33 +87,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 - _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=443 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 - _globals['_MSGUPDATEPARAMS']._serialized_start=1458 - _globals['_MSGUPDATEPARAMS']._serialized_end=1644 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 - _globals['_MSG']._serialized_start=2336 - _globals['_MSG']._serialized_end=3340 + _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=478 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=480 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=511 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=514 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=768 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=771 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=930 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=933 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1117 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1120 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1283 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1286 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1547 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1549 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1579 + _globals['_MSGUPDATEPARAMS']._serialized_start=1582 + _globals['_MSGUPDATEPARAMS']._serialized_end=1787 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1789 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1814 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1817 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=2108 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=2110 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=2141 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=2144 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2501 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2503 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2543 + _globals['_MSG']._serialized_start=2546 + _globals['_MSG']._serialized_end=3550 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index df41d872..57ae313a 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index ff70c9fe..dce0bbfc 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceB\xb3\x01\n\x1d\x63om.cosmos.evidence.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x45M\xaa\x02\x19\x43osmos.Evidence.Module.V1\xca\x02\x19\x43osmos\\Evidence\\Module\\V1\xe2\x02%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Evidence::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.evidence.module.v1B\013ModuleProtoP\001\242\002\003CEM\252\002\031Cosmos.Evidence.Module.V1\312\002\031Cosmos\\Evidence\\Module\\V1\342\002%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Evidence::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 36ecbcf7..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 504515c5..7e4f86fa 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/evidence.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/evidence.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe8\x01\n\x0c\x45quivocation\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12=\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\x12\x45\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x63onsensusAddress:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB\xcd\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\rEvidenceProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\rEvidenceProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_EQUIVOCATION']._loaded_options = None _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=362 + _globals['_EQUIVOCATION']._serialized_end=401 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index b0655041..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 73a37669..5fd0a437 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"@\n\x0cGenesisState\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65videnceB\xc8\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x0cGenesisProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\014GenesisProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' _globals['_GENESISSTATE']._serialized_start=93 - _globals['_GENESISSTATE']._serialized_end=147 + _globals['_GENESISSTATE']._serialized_end=157 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index dc2ce73d..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 00b15add..6e6d9714 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"S\n\x14QueryEvidenceRequest\x12\'\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x0c\x65videnceHash\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"I\n\x15QueryEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\"a\n\x17QueryAllEvidenceRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x95\x01\n\x18QueryAllEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\xc6\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\nQueryProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\nQueryProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None @@ -32,13 +42,13 @@ _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 - _globals['_QUERY']._serialized_start=512 - _globals['_QUERY']._serialized_end=837 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=248 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=250 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=323 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=325 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=422 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=425 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=574 + _globals['_QUERY']._serialized_start=577 + _globals['_QUERY']._serialized_end=902 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index 2ba0feff..879e2663 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index fc71365d..1f547b3b 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xdc\x01\n\x11MsgSubmitEvidence\x12\x36\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tsubmitter\x12V\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.EvidenceR\x08\x65vidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\"/\n\x19MsgSubmitEvidenceResponse\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash2~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x07TxProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\007TxProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITEVIDENCE']._serialized_start=182 - _globals['_MSGSUBMITEVIDENCE']._serialized_end=381 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=383 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=424 - _globals['_MSG']._serialized_start=426 - _globals['_MSG']._serialized_end=552 + _globals['_MSGSUBMITEVIDENCE']._serialized_end=402 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=404 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=451 + _globals['_MSG']._serialized_start=453 + _globals['_MSG']._serialized_end=579 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index 7a42c197..404c0f89 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the evidence Msg service. diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 76e9e6a0..d765557d 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantB\xb3\x01\n\x1d\x63om.cosmos.feegrant.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x46M\xaa\x02\x19\x43osmos.Feegrant.Module.V1\xca\x02\x19\x43osmos\\Feegrant\\Module\\V1\xe2\x02%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Feegrant::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.feegrant.module.v1B\013ModuleProtoP\001\242\002\003CFM\252\002\031Cosmos.Feegrant.Module.V1\312\002\031Cosmos\\Feegrant\\Module\\V1\342\002%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Feegrant::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 6e78c597..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 62877c10..6cf5161d 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/feegrant.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/feegrant.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xa0\x02\n\x0e\x42\x61sicAllowance\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12@\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xd9\x04\n\x11PeriodicAllowance\x12H\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05\x62\x61sic\x12@\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x06period\x12\x8f\x01\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10periodSpendLimit\x12\x8b\x01\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0eperiodCanSpend\x12L\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bperiodReset:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xf1\x01\n\x13\x41llowedMsgAllowance\x12]\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance\x12)\n\x10\x61llowed_messages\x18\x02 \x03(\tR\x0f\x61llowedMessages:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xce\x01\n\x05Grant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowanceB\xc3\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\rFeegrantProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\rFeegrantProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None @@ -58,11 +68,11 @@ _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=523 - _globals['_PERIODICALLOWANCE']._serialized_start=526 - _globals['_PERIODICALLOWANCE']._serialized_end=1063 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 - _globals['_GRANT']._serialized_start=1282 - _globals['_GRANT']._serialized_end=1459 + _globals['_BASICALLOWANCE']._serialized_end=548 + _globals['_PERIODICALLOWANCE']._serialized_start=551 + _globals['_PERIODICALLOWANCE']._serialized_end=1152 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1155 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1396 + _globals['_GRANT']._serialized_start=1399 + _globals['_GRANT']._serialized_end=1605 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index a53e752f..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 7d1d4cb1..2f43b1fc 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"Y\n\x0cGenesisState\x12I\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nallowancesB\xc2\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x0cGenesisProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\014GenesisProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 - _globals['_GENESISSTATE']._serialized_end=224 + _globals['_GENESISSTATE']._serialized_end=236 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 627adfc3..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 010c4e43..f2866373 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x7f\n\x15QueryAllowanceRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"V\n\x16QueryAllowanceResponse\x12<\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\tallowance\"\x94\x01\n\x16QueryAllowancesRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa2\x01\n\x17QueryAllowancesResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9d\x01\n\x1fQueryAllowancesByGranterRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n QueryAllowancesByGranterResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\xc0\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\nQueryProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\nQueryProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -41,17 +51,17 @@ _globals['_QUERY'].methods_by_name['AllowancesByGranter']._loaded_options = None _globals['_QUERY'].methods_by_name['AllowancesByGranter']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/feegrant/v1beta1/issued/{granter}' _globals['_QUERYALLOWANCEREQUEST']._serialized_start=205 - _globals['_QUERYALLOWANCEREQUEST']._serialized_end=314 - _globals['_QUERYALLOWANCERESPONSE']._serialized_start=316 - _globals['_QUERYALLOWANCERESPONSE']._serialized_end=391 - _globals['_QUERYALLOWANCESREQUEST']._serialized_start=393 - _globals['_QUERYALLOWANCESREQUEST']._serialized_end=520 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=523 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=661 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=664 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=800 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=803 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=950 - _globals['_QUERY']._serialized_start=953 - _globals['_QUERY']._serialized_end=1496 + _globals['_QUERYALLOWANCEREQUEST']._serialized_end=332 + _globals['_QUERYALLOWANCERESPONSE']._serialized_start=334 + _globals['_QUERYALLOWANCERESPONSE']._serialized_end=420 + _globals['_QUERYALLOWANCESREQUEST']._serialized_start=423 + _globals['_QUERYALLOWANCESREQUEST']._serialized_end=571 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=574 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=736 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=739 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=896 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=899 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=1070 + _globals['_QUERY']._serialized_start=1073 + _globals['_QUERY']._serialized_end=1616 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index be8a13ef..e5f502ad 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 306af9c3..9696a2a3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x89\x02\n\x11MsgGrantAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\xac\x01\n\x12MsgRevokeAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"S\n\x12MsgPruneAllowances\x12\x30\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06pruner:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x07TxProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\007TxProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None @@ -47,17 +57,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 - _globals['_MSGGRANTALLOWANCE']._serialized_end=396 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=398 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=425 - _globals['_MSGREVOKEALLOWANCE']._serialized_start=428 - _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 - _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 - _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 - _globals['_MSG']._serialized_start=722 - _globals['_MSG']._serialized_end=1082 + _globals['_MSGGRANTALLOWANCE']._serialized_end=425 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=427 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=454 + _globals['_MSGREVOKEALLOWANCE']._serialized_start=457 + _globals['_MSGREVOKEALLOWANCE']._serialized_end=629 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=631 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=659 + _globals['_MSGPRUNEALLOWANCES']._serialized_start=661 + _globals['_MSGPRUNEALLOWANCES']._serialized_end=744 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=746 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=774 + _globals['_MSG']._serialized_start=777 + _globals['_MSG']._serialized_end=1137 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 8556e2b2..86ab0ccc 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index d6d845c4..91b72910 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/genutil/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,13 +25,14 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilB\xae\x01\n\x1c\x63om.cosmos.genutil.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x18\x43osmos.Genutil.Module.V1\xca\x02\x18\x43osmos\\Genutil\\Module\\V1\xe2\x02$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Genutil::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.genutil.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\030Cosmos.Genutil.Module.V1\312\002\030Cosmos\\Genutil\\Module\\V1\342\002$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Genutil::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/genutil' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 8fbc2deb..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index d3bdea72..fe6ce1f3 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/genutil/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,16 +26,16 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/genutil/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x0cGenesisState\x12O\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01R\x06genTxsB\xd2\x01\n\x1a\x63om.cosmos.genutil.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/genutil/types\xa2\x02\x03\x43GX\xaa\x02\x16\x43osmos.Genutil.V1beta1\xca\x02\x16\x43osmos\\Genutil\\V1beta1\xe2\x02\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Genutil::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/genutil/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.genutil.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/genutil/types\242\002\003CGX\252\002\026Cosmos.Genutil.V1beta1\312\002\026Cosmos\\Genutil\\V1beta1\342\002\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\352\002\030Cosmos::Genutil::V1beta1' _globals['_GENESISSTATE'].fields_by_name['gen_txs']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['gen_txs']._serialized_options = b'\352\336\037\006gentxs\372\336\037\030encoding/json.RawMessage\242\347\260*\006gentxs\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=105 - _globals['_GENESISSTATE']._serialized_end=192 + _globals['_GENESISSTATE']._serialized_end=200 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index e0c67349..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index 5a55cd96..a55065e7 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"a\n\x06Module\x12\x18\n\x10max_metadata_len\x18\x01 \x01(\x04\x12\x11\n\tauthority\x18\x02 \x01(\t:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"|\n\x06Module\x12(\n\x10max_metadata_len\x18\x01 \x01(\x04R\x0emaxMetadataLen\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govB\x9a\x01\n\x18\x63om.cosmos.gov.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x14\x43osmos.Gov.Module.V1\xca\x02\x14\x43osmos\\Gov\\Module\\V1\xe2\x02 Cosmos\\Gov\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Gov::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.gov.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\024Cosmos.Gov.Module.V1\312\002\024Cosmos\\Gov\\Module\\V1\342\002 Cosmos\\Gov\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Gov::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/gov' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=190 + _globals['_MODULE']._serialized_end=217 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index a66c0664..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index a192b756..407cadf9 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\x8b\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\x12\x14\n\x0c\x63onstitution\x18\t \x01(\tB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\xfb\x03\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12\x32\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12)\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12\x35\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x44\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12\x41\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\x12\"\n\x0c\x63onstitution\x18\t \x01(\tR\x0c\x63onstitutionB\xa4\x01\n\x11\x63om.cosmos.gov.v1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None @@ -30,5 +40,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE']._serialized_start=72 - _globals['_GENESISSTATE']._serialized_end=467 + _globals['_GENESISSTATE']._serialized_end=579 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index c5256a75..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index ecf8a88e..1e7b0a24 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/gov.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/gov.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"o\n\x12WeightedVoteOption\x12\x31\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12&\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06weight\"\xa0\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x84\x06\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x30\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x35\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x06status\x12H\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x10\x66inalTallyResult\x12\x41\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nsubmitTime\x12J\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0e\x64\x65positEndTime\x12I\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12L\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0fvotingStartTime\x12H\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\rvotingEndTime\x12\x1a\n\x08metadata\x18\n \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x0b \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0c \x01(\tR\x07summary\x12\x34\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1c\n\texpedited\x18\x0e \x01(\x08R\texpedited\x12#\n\rfailed_reason\x18\x0f \x01(\tR\x0c\x66\x61iledReason\"\xd7\x01\n\x0bTallyResult\x12+\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x08yesCount\x12\x33\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0c\x61\x62stainCount\x12)\n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x07noCount\x12;\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0fnoWithVetoCount\"\xb6\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x05 \x01(\tR\x08metadataJ\x04\x08\x03\x10\x04\"\xdd\x01\n\rDepositParams\x12Y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitemptyR\nminDeposit\x12m\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod:\x02\x18\x01\"X\n\x0cVotingParams\x12\x44\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod:\x02\x18\x01\"\x9e\x01\n\x0bTallyParams\x12&\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold:\x02\x18\x01\"\x8f\x08\n\x06Params\x12\x45\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nminDeposit\x12M\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x10maxDepositPeriod\x12\x44\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod\x12&\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold\x12I\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x16minInitialDepositRatio\x12\x42\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x13proposalCancelRatio\x12J\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12proposalCancelDest\x12W\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x15\x65xpeditedVotingPeriod\x12?\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x12\x65xpeditedThreshold\x12X\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x65xpeditedMinDeposit\x12(\n\x10\x62urn_vote_quorum\x18\r \x01(\x08R\x0e\x62urnVoteQuorum\x12\x41\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08R\x1a\x62urnProposalDepositPrevote\x12$\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08R\x0c\x62urnVoteVeto\x12:\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x0fminDepositRatio*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42\xa0\x01\n\x11\x63om.cosmos.gov.v1B\x08GovProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\010GovProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None @@ -101,26 +111,26 @@ _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2535 - _globals['_VOTEOPTION']._serialized_end=2672 - _globals['_PROPOSALSTATUS']._serialized_start=2675 - _globals['_PROPOSALSTATUS']._serialized_end=2881 + _globals['_VOTEOPTION']._serialized_start=3206 + _globals['_VOTEOPTION']._serialized_end=3343 + _globals['_PROPOSALSTATUS']._serialized_start=3346 + _globals['_PROPOSALSTATUS']._serialized_end=3552 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 - _globals['_DEPOSIT']._serialized_start=332 - _globals['_DEPOSIT']._serialized_end=461 - _globals['_PROPOSAL']._serialized_start=464 - _globals['_PROPOSAL']._serialized_end=1061 - _globals['_TALLYRESULT']._serialized_start=1064 - _globals['_TALLYRESULT']._serialized_end=1229 - _globals['_VOTE']._serialized_start=1232 - _globals['_VOTE']._serialized_end=1376 - _globals['_DEPOSITPARAMS']._serialized_start=1379 - _globals['_DEPOSITPARAMS']._serialized_end=1570 - _globals['_VOTINGPARAMS']._serialized_start=1572 - _globals['_VOTINGPARAMS']._serialized_end=1646 - _globals['_TALLYPARAMS']._serialized_start=1648 - _globals['_TALLYPARAMS']._serialized_end=1772 - _globals['_PARAMS']._serialized_start=1775 - _globals['_PARAMS']._serialized_end=2532 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=345 + _globals['_DEPOSIT']._serialized_start=348 + _globals['_DEPOSIT']._serialized_end=508 + _globals['_PROPOSAL']._serialized_start=511 + _globals['_PROPOSAL']._serialized_end=1283 + _globals['_TALLYRESULT']._serialized_start=1286 + _globals['_TALLYRESULT']._serialized_end=1501 + _globals['_VOTE']._serialized_start=1504 + _globals['_VOTE']._serialized_end=1686 + _globals['_DEPOSITPARAMS']._serialized_start=1689 + _globals['_DEPOSITPARAMS']._serialized_end=1910 + _globals['_VOTINGPARAMS']._serialized_start=1912 + _globals['_VOTINGPARAMS']._serialized_end=2000 + _globals['_TALLYPARAMS']._serialized_start=2003 + _globals['_TALLYPARAMS']._serialized_end=2161 + _globals['_PARAMS']._serialized_start=2164 + _globals['_PARAMS']._serialized_end=3203 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 42753a72..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index f6b63e25..691957f7 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"?\n\x19QueryConstitutionResponse\x12\"\n\x0c\x63onstitution\x18\x01 \x01(\tR\x0c\x63onstitution\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x15QueryProposalResponse\x12\x33\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.ProposalR\x08proposal\"\x8f\x02\n\x15QueryProposalsRequest\x12\x46\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x16QueryProposalsResponse\x12\x35\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"c\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"<\n\x11QueryVoteResponse\x12\'\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.VoteR\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x88\x01\n\x12QueryVotesResponse\x12)\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x96\x02\n\x13QueryParamsResponse\x12\x44\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12G\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x41\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\"n\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\"H\n\x14QueryDepositResponse\x12\x30\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.DepositR\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x15QueryDepositsResponse\x12\x32\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x18QueryTallyResultResponse\x12\x30\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x05tally2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB\xa2\x01\n\x11\x63om.cosmos.gov.v1B\nQueryProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\nQueryProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None @@ -61,39 +71,39 @@ _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 - _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 - _globals['_QUERYVOTEREQUEST']._serialized_start=722 - _globals['_QUERYVOTEREQUEST']._serialized_end=802 - _globals['_QUERYVOTERESPONSE']._serialized_start=804 - _globals['_QUERYVOTERESPONSE']._serialized_end=858 - _globals['_QUERYVOTESREQUEST']._serialized_start=860 - _globals['_QUERYVOTESREQUEST']._serialized_end=960 - _globals['_QUERYVOTESRESPONSE']._serialized_start=962 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 - _globals['_QUERY']._serialized_start=1862 - _globals['_QUERY']._serialized_end=3113 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=261 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=263 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=318 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=320 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=396 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=399 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=670 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=673 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=825 + _globals['_QUERYVOTEREQUEST']._serialized_start=827 + _globals['_QUERYVOTEREQUEST']._serialized_end=926 + _globals['_QUERYVOTERESPONSE']._serialized_start=928 + _globals['_QUERYVOTERESPONSE']._serialized_end=988 + _globals['_QUERYVOTESREQUEST']._serialized_start=990 + _globals['_QUERYVOTESREQUEST']._serialized_end=1114 + _globals['_QUERYVOTESRESPONSE']._serialized_start=1117 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1253 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1255 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1308 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1311 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1589 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1591 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1701 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1703 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1775 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1777 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1904 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1907 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2055 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2057 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2115 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2117 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2193 + _globals['_QUERY']._serialized_start=2196 + _globals['_QUERY']._serialized_end=3447 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 5096c960..4189082a 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 4c14e562..be5fce64 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xa5\x03\n\x11MsgSubmitProposal\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x05 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x06 \x01(\tR\x07summary\x12\x1c\n\texpedited\x18\x07 \x01(\x08R\texpedited:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xbb\x01\n\x14MsgExecLegacyContent\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xe5\x01\n\x07MsgVote\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x31\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xff\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xe6\x01\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xbb\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x8a\x01\n\x11MsgCancelProposal\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12\x34\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:\r\x82\xe7\xb0*\x08proposer\"\xc1\x01\n\x19MsgCancelProposalResponse\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12I\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x0c\x63\x61nceledTime\x12\'\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04R\x0e\x63\x61nceledHeight2\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x11\x63om.cosmos.gov.v1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None @@ -79,33 +89,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 - _globals['_MSGVOTE']._serialized_start=854 - _globals['_MSGVOTE']._serialized_end=1046 - _globals['_MSGVOTERESPONSE']._serialized_start=1048 - _globals['_MSGVOTERESPONSE']._serialized_end=1065 - _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 - _globals['_MSGDEPOSIT']._serialized_start=1315 - _globals['_MSGDEPOSIT']._serialized_end=1514 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 - _globals['_MSGUPDATEPARAMS']._serialized_start=1539 - _globals['_MSGUPDATEPARAMS']._serialized_end=1707 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 - _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 - _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 - _globals['_MSG']._serialized_start=2009 - _globals['_MSG']._serialized_end=2625 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=673 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=675 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=735 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=738 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=925 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=927 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=957 + _globals['_MSGVOTE']._serialized_start=960 + _globals['_MSGVOTE']._serialized_end=1189 + _globals['_MSGVOTERESPONSE']._serialized_start=1191 + _globals['_MSGVOTERESPONSE']._serialized_end=1208 + _globals['_MSGVOTEWEIGHTED']._serialized_start=1211 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1466 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1468 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1493 + _globals['_MSGDEPOSIT']._serialized_start=1496 + _globals['_MSGDEPOSIT']._serialized_end=1726 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1728 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1748 + _globals['_MSGUPDATEPARAMS']._serialized_start=1751 + _globals['_MSGUPDATEPARAMS']._serialized_end=1938 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1940 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1965 + _globals['_MSGCANCELPROPOSAL']._serialized_start=1968 + _globals['_MSGCANCELPROPOSAL']._serialized_end=2106 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=2109 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2302 + _globals['_MSG']._serialized_start=2305 + _globals['_MSG']._serialized_end=2921 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index f47f2cbf..a1defed3 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 20a4b3bd..9107f741 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\xc4\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12\x44\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01\x12;\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01\x12G\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\x9e\x04\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12N\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12\x42\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01R\x05votes\x12R\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01R\tproposals\x12S\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12P\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12M\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParamsB\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x0cGenesisProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\014GenesisProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_GENESISSTATE'].fields_by_name['deposits']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\252\337\037\010Deposits\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['votes']._loaded_options = None @@ -38,5 +48,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=128 - _globals['_GENESISSTATE']._serialized_end=580 + _globals['_GENESISSTATE']._serialized_end=670 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index e9b978c6..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 63b30b1a..a1fadb6e 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/gov.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/gov.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x12WeightedVoteOption\x12\x36\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option\x12N\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x06weight\"\x86\x01\n\x0cTextProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xd6\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12h\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x06\x61mount:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd9\x05\n\x08Proposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12N\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12:\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x06status\x12X\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12S\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x64\x65positEndTime\x12u\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12U\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingStartTime\x12Q\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\rvotingEndTime:\x04\xe8\xa0\x1f\x01\"\xa5\x02\n\x0bTallyResult\x12=\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03yes\x12\x45\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x61\x62stain\x12;\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x02no\x12M\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\nnoWithVeto:\x04\xe8\xa0\x1f\x01\"\xfa\x01\n\x04Vote\x12\x33\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12:\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01R\x06option\x12K\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:\x04\xe8\xa0\x1f\x00\"\x8a\x02\n\rDepositParams\x12\x85\x01\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nminDeposit\x12q\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod\"s\n\x0cVotingParams\x12\x63\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01R\x0cvotingPeriod\"\xca\x02\n\x0bTallyParams\x12]\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.DecR\x06quorum\x12\x66\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.DecR\tthreshold\x12t\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.DecR\rvetoThreshold*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x08GovProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\010GovProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1\310\341\036\000' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None @@ -113,26 +123,26 @@ _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2424 - _globals['_VOTEOPTION']._serialized_end=2654 - _globals['_PROPOSALSTATUS']._serialized_start=2657 - _globals['_PROPOSALSTATUS']._serialized_end=2989 + _globals['_VOTEOPTION']._serialized_start=2758 + _globals['_VOTEOPTION']._serialized_end=2988 + _globals['_PROPOSALSTATUS']._serialized_start=2991 + _globals['_PROPOSALSTATUS']._serialized_end=3323 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 - _globals['_TEXTPROPOSAL']._serialized_start=387 - _globals['_TEXTPROPOSAL']._serialized_end=501 - _globals['_DEPOSIT']._serialized_start=504 - _globals['_DEPOSIT']._serialized_end=687 - _globals['_PROPOSAL']._serialized_start=690 - _globals['_PROPOSAL']._serialized_end=1298 - _globals['_TALLYRESULT']._serialized_start=1301 - _globals['_TALLYRESULT']._serialized_end=1564 - _globals['_VOTE']._serialized_start=1567 - _globals['_VOTE']._serialized_end=1781 - _globals['_DEPOSITPARAMS']._serialized_start=1784 - _globals['_DEPOSITPARAMS']._serialized_end=2019 - _globals['_VOTINGPARAMS']._serialized_start=2021 - _globals['_VOTINGPARAMS']._serialized_end=2122 - _globals['_TALLYPARAMS']._serialized_start=2125 - _globals['_TALLYPARAMS']._serialized_end=2421 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=401 + _globals['_TEXTPROPOSAL']._serialized_start=404 + _globals['_TEXTPROPOSAL']._serialized_end=538 + _globals['_DEPOSIT']._serialized_start=541 + _globals['_DEPOSIT']._serialized_end=755 + _globals['_PROPOSAL']._serialized_start=758 + _globals['_PROPOSAL']._serialized_end=1487 + _globals['_TALLYRESULT']._serialized_start=1490 + _globals['_TALLYRESULT']._serialized_end=1783 + _globals['_VOTE']._serialized_start=1786 + _globals['_VOTE']._serialized_end=2036 + _globals['_DEPOSITPARAMS']._serialized_start=2039 + _globals['_DEPOSITPARAMS']._serialized_end=2305 + _globals['_VOTINGPARAMS']._serialized_start=2307 + _globals['_VOTINGPARAMS']._serialized_end=2422 + _globals['_TALLYPARAMS']._serialized_start=2425 + _globals['_TALLYPARAMS']._serialized_end=2755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 9f0fc764..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index 5c027a9c..5c3bcdea 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -20,14 +30,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x15QueryProposalResponse\x12\x39\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf0\x01\n\x15QueryProposalsRequest\x12;\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x16QueryProposalsResponse\x12:\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x11QueryVoteResponse\x12\x31\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x12QueryVotesResponse\x12\x32\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe1\x01\n\x13QueryParamsResponse\x12\x42\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"a\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"O\n\x14QueryDepositResponse\x12\x37\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8e\x01\n\x15QueryDepositsResponse\x12\x38\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"U\n\x18QueryTallyResultResponse\x12\x39\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB2Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x15QueryProposalResponse\x12\x43\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08proposal\"\x9e\x02\n\x15QueryProposalsRequest\x12K\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa8\x01\n\x16QueryProposalsResponse\x12\x45\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"m\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n\x11QueryVoteResponse\x12\x37\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x12QueryVotesResponse\x12\x39\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x8b\x02\n\x13QueryParamsResponse\x12P\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12S\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12M\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParams\"x\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x14QueryDepositResponse\x12@\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x15QueryDepositsResponse\x12\x42\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x18QueryTallyResultResponse\x12@\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally2\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB\xc0\x01\n\x16\x63om.cosmos.gov.v1beta1B\nQueryProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\nQueryProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None @@ -79,37 +89,37 @@ _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=226 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=269 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=271 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=353 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=356 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=596 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=599 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=744 - _globals['_QUERYVOTEREQUEST']._serialized_start=746 - _globals['_QUERYVOTEREQUEST']._serialized_end=836 - _globals['_QUERYVOTERESPONSE']._serialized_start=838 - _globals['_QUERYVOTERESPONSE']._serialized_end=908 - _globals['_QUERYVOTESREQUEST']._serialized_start=910 - _globals['_QUERYVOTESREQUEST']._serialized_end=1010 - _globals['_QUERYVOTESRESPONSE']._serialized_start=1013 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1146 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1148 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1189 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1192 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1417 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1419 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1516 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1518 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1597 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1599 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1702 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1705 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1847 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1849 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1895 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1897 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1982 - _globals['_QUERY']._serialized_start=1985 - _globals['_QUERY']._serialized_end=3221 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=281 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=283 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=375 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=378 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=664 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=667 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=835 + _globals['_QUERYVOTEREQUEST']._serialized_start=837 + _globals['_QUERYVOTEREQUEST']._serialized_end=946 + _globals['_QUERYVOTERESPONSE']._serialized_start=948 + _globals['_QUERYVOTERESPONSE']._serialized_end=1024 + _globals['_QUERYVOTESREQUEST']._serialized_start=1026 + _globals['_QUERYVOTESREQUEST']._serialized_end=1150 + _globals['_QUERYVOTESRESPONSE']._serialized_start=1153 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1305 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1307 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1360 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1363 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1630 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1632 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1752 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1754 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1842 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1844 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1971 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1974 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2138 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2140 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2198 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2200 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2292 + _globals['_QUERY']._serialized_start=2295 + _globals['_QUERY']._serialized_end=3531 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index 451332d6..1c268032 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 64bc3513..8d394d98 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xde\x02\n\x11MsgSubmitProposal\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"R\n\x19MsgSubmitProposalResponse\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\"\xbd\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xf8\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12K\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xac\x02\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x16\x63om.cosmos.gov.v1beta1B\x07TxProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\007TxProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None @@ -62,21 +72,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 - _globals['_MSGVOTE']._serialized_start=623 - _globals['_MSGVOTE']._serialized_end=785 - _globals['_MSGVOTERESPONSE']._serialized_start=787 - _globals['_MSGVOTERESPONSE']._serialized_end=804 - _globals['_MSGVOTEWEIGHTED']._serialized_start=807 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 - _globals['_MSGDEPOSIT']._serialized_start=1057 - _globals['_MSGDEPOSIT']._serialized_end=1326 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 - _globals['_MSG']._serialized_start=1351 - _globals['_MSG']._serialized_end=1722 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=584 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=586 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=668 + _globals['_MSGVOTE']._serialized_start=671 + _globals['_MSGVOTE']._serialized_end=860 + _globals['_MSGVOTERESPONSE']._serialized_start=862 + _globals['_MSGVOTERESPONSE']._serialized_end=879 + _globals['_MSGVOTEWEIGHTED']._serialized_start=882 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1130 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1132 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1157 + _globals['_MSGDEPOSIT']._serialized_start=1160 + _globals['_MSGDEPOSIT']._serialized_end=1460 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1462 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1482 + _globals['_MSG']._serialized_start=1485 + _globals['_MSG']._serialized_end=1856 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index 625f3321..a8fbf803 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the gov Msg service. diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index ea2688bf..fc34209d 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,17 +28,18 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x06Module\x12\x46\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x18\n\x10max_metadata_len\x18\x02 \x01(\x04:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\xbc\x01\n\x06Module\x12Z\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12maxExecutionPeriod\x12(\n\x10max_metadata_len\x18\x02 \x01(\x04R\x0emaxMetadataLen:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupB\xa4\x01\n\x1a\x63om.cosmos.group.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x16\x43osmos.Group.Module.V1\xca\x02\x16\x43osmos\\Group\\Module\\V1\xe2\x02\"Cosmos\\Group\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Group::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.group.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\026Cosmos.Group.Module.V1\312\002\026Cosmos\\Group\\Module\\V1\342\002\"Cosmos\\Group\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Group::Module::V1' _globals['_MODULE'].fields_by_name['max_execution_period']._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/group' _globals['_MODULE']._serialized_start=171 - _globals['_MODULE']._serialized_end=323 + _globals['_MODULE']._serialized_end=359 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 75848b93..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index 88e95a34..bd6945b0 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"$\n\x10\x45ventCreateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"$\n\x10\x45ventUpdateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"C\n\x16\x45ventCreateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"C\n\x16\x45ventUpdateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"*\n\x13\x45ventSubmitProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\",\n\x15\x45ventWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\" \n\tEventVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"g\n\tEventExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12\x0c\n\x04logs\x18\x03 \x01(\t\"N\n\x0f\x45ventLeaveGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8f\x01\n\x13\x45ventProposalPruned\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12/\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x32\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"-\n\x10\x45ventCreateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"-\n\x10\x45ventUpdateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"L\n\x16\x45ventCreateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"L\n\x16\x45ventUpdateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"6\n\x13\x45ventSubmitProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"8\n\x15\x45ventWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\",\n\tEventVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\x81\x01\n\tEventExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\x12\x12\n\x04logs\x18\x03 \x01(\tR\x04logs\"`\n\x0f\x45ventLeaveGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xb0\x01\n\x13\x45ventProposalPruned\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x37\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12?\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultR\x0btallyResultB\xa6\x01\n\x13\x63om.cosmos.group.v1B\x0b\x45ventsProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\013EventsProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None @@ -31,23 +41,23 @@ _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTCREATEGROUP']._serialized_start=105 - _globals['_EVENTCREATEGROUP']._serialized_end=141 - _globals['_EVENTUPDATEGROUP']._serialized_start=143 - _globals['_EVENTUPDATEGROUP']._serialized_end=179 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=181 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=248 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=250 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=317 - _globals['_EVENTSUBMITPROPOSAL']._serialized_start=319 - _globals['_EVENTSUBMITPROPOSAL']._serialized_end=361 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=363 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=407 - _globals['_EVENTVOTE']._serialized_start=409 - _globals['_EVENTVOTE']._serialized_end=441 - _globals['_EVENTEXEC']._serialized_start=443 - _globals['_EVENTEXEC']._serialized_end=546 - _globals['_EVENTLEAVEGROUP']._serialized_start=548 - _globals['_EVENTLEAVEGROUP']._serialized_end=626 - _globals['_EVENTPROPOSALPRUNED']._serialized_start=629 - _globals['_EVENTPROPOSALPRUNED']._serialized_end=772 + _globals['_EVENTCREATEGROUP']._serialized_end=150 + _globals['_EVENTUPDATEGROUP']._serialized_start=152 + _globals['_EVENTUPDATEGROUP']._serialized_end=197 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=199 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=275 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=277 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=353 + _globals['_EVENTSUBMITPROPOSAL']._serialized_start=355 + _globals['_EVENTSUBMITPROPOSAL']._serialized_end=409 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=411 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=467 + _globals['_EVENTVOTE']._serialized_start=469 + _globals['_EVENTVOTE']._serialized_end=513 + _globals['_EVENTEXEC']._serialized_start=516 + _globals['_EVENTEXEC']._serialized_end=645 + _globals['_EVENTLEAVEGROUP']._serialized_start=647 + _globals['_EVENTLEAVEGROUP']._serialized_end=743 + _globals['_EVENTPROPOSALPRUNED']._serialized_start=746 + _globals['_EVENTPROPOSALPRUNED']._serialized_end=922 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index ece303bf..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index 8ea60c47..d688d4cc 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\xc0\x02\n\x0cGenesisState\x12\x11\n\tgroup_seq\x18\x01 \x01(\x04\x12*\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12\x33\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12\x18\n\x10group_policy_seq\x18\x04 \x01(\x04\x12\x38\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12\x14\n\x0cproposal_seq\x18\x06 \x01(\x04\x12,\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12$\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\x9e\x03\n\x0cGenesisState\x12\x1b\n\tgroup_seq\x18\x01 \x01(\x04R\x08groupSeq\x12\x32\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12\x41\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x0cgroupMembers\x12(\n\x10group_policy_seq\x18\x04 \x01(\x04R\x0egroupPolicySeq\x12G\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12!\n\x0cproposal_seq\x18\x06 \x01(\x04R\x0bproposalSeq\x12\x37\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12+\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votesB\xa7\x01\n\x13\x63om.cosmos.group.v1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_GENESISSTATE']._serialized_start=80 - _globals['_GENESISSTATE']._serialized_end=400 + _globals['_GENESISSTATE']._serialized_end=494 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index e687ea6c..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index 598c1f42..92ab48cc 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -20,14 +30,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\")\n\x15QueryGroupInfoRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"B\n\x16QueryGroupInfoResponse\x12(\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\"H\n\x1bQueryGroupPolicyInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"N\n\x1cQueryGroupPolicyInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\"h\n\x18QueryGroupMembersRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x87\x01\n\x19QueryGroupMembersResponse\x12-\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x80\x01\n\x19QueryGroupsByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x1aQueryGroupsByAdminResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"p\n QueryGroupPoliciesByGroupRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByGroupResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x87\x01\n QueryGroupPoliciesByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByAdminResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"D\n\x15QueryProposalResponse\x12+\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.Proposal\"\x8b\x01\n\"QueryProposalsByGroupPolicyRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n#QueryProposalsByGroupPolicyResponse\x12,\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"_\n\x1fQueryVoteByProposalVoterRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"G\n QueryVoteByProposalVoterResponse\x12#\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.Vote\"n\n\x1bQueryVotesByProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x1cQueryVotesByProposalResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x7f\n\x18QueryVotesByVoterRequest\x12\'\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x19QueryVotesByVoterResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x83\x01\n\x1aQueryGroupsByMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x86\x01\n\x1bQueryGroupsByMemberResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x18QueryTallyResultResponse\x12\x36\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"P\n\x12QueryGroupsRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x13QueryGroupsResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"2\n\x15QueryGroupInfoRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"H\n\x16QueryGroupInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x04info\"Q\n\x1bQueryGroupPolicyInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"T\n\x1cQueryGroupPolicyInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\x04info\"}\n\x18QueryGroupMembersRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9c\x01\n\x19QueryGroupMembersResponse\x12\x36\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x07members\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x93\x01\n\x19QueryGroupsByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x99\x01\n\x1aQueryGroupsByAdminResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n QueryGroupPoliciesByGroupRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByGroupResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n QueryGroupPoliciesByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByAdminResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"N\n\x15QueryProposalResponse\x12\x35\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.ProposalR\x08proposal\"\xa0\x01\n\"QueryProposalsByGroupPolicyRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n#QueryProposalsByGroupPolicyResponse\x12\x37\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"r\n\x1fQueryVoteByProposalVoterRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"M\n QueryVoteByProposalVoterResponse\x12)\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.VoteR\x04vote\"\x86\x01\n\x1bQueryVotesByProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x1cQueryVotesByProposalResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x92\x01\n\x18QueryVotesByVoterRequest\x12.\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x91\x01\n\x19QueryVotesByVoterResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x98\x01\n\x1aQueryGroupsByMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9a\x01\n\x1bQueryGroupsByMemberResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"Y\n\x18QueryTallyResultResponse\x12=\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally\"\\\n\x12QueryGroupsRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x92\x01\n\x13QueryGroupsResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB\xa5\x01\n\x13\x63om.cosmos.group.v1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None @@ -73,61 +83,61 @@ _globals['_QUERY'].methods_by_name['Groups']._loaded_options = None _globals['_QUERY'].methods_by_name['Groups']._serialized_options = b'\202\323\344\223\002\031\022\027/cosmos/group/v1/groups' _globals['_QUERYGROUPINFOREQUEST']._serialized_start=219 - _globals['_QUERYGROUPINFOREQUEST']._serialized_end=260 - _globals['_QUERYGROUPINFORESPONSE']._serialized_start=262 - _globals['_QUERYGROUPINFORESPONSE']._serialized_end=328 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=330 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=402 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=404 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=482 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=484 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=588 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=591 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=726 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=729 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=857 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=860 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=993 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=995 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1107 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1110 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1264 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1267 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1402 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1405 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1559 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=1561 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=1604 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1606 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1674 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1677 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=1816 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=1819 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=1963 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=1965 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2060 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2062 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2133 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2135 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2245 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2248 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2377 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2379 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2506 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2508 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=2634 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=2637 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=2768 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=2771 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=2905 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2907 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2953 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2955 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3037 - _globals['_QUERYGROUPSREQUEST']._serialized_start=3039 - _globals['_QUERYGROUPSREQUEST']._serialized_end=3119 - _globals['_QUERYGROUPSRESPONSE']._serialized_start=3121 - _globals['_QUERYGROUPSRESPONSE']._serialized_end=3247 - _globals['_QUERY']._serialized_start=3250 - _globals['_QUERY']._serialized_end=5549 + _globals['_QUERYGROUPINFOREQUEST']._serialized_end=269 + _globals['_QUERYGROUPINFORESPONSE']._serialized_start=271 + _globals['_QUERYGROUPINFORESPONSE']._serialized_end=343 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=345 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=426 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=428 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=512 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=514 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=639 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=642 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=798 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=801 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=948 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=951 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=1104 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=1107 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1240 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1243 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1424 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1427 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1581 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1584 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1765 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=1767 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=1822 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1824 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1902 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1905 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=2065 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=2068 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=2235 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=2237 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2351 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2353 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2430 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2433 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2567 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2570 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2718 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2721 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2867 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2870 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=3015 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=3018 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=3170 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=3173 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=3327 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=3329 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=3387 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=3389 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3478 + _globals['_QUERYGROUPSREQUEST']._serialized_start=3480 + _globals['_QUERYGROUPSREQUEST']._serialized_end=3572 + _globals['_QUERYGROUPSRESPONSE']._serialized_start=3575 + _globals['_QUERYGROUPSRESPONSE']._serialized_end=3721 + _globals['_QUERY']._serialized_start=3724 + _globals['_QUERY']._serialized_end=6023 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index 67b5e465..3018bf10 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is the cosmos.group.v1 Query service. diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 5f9dddba..1dae82e7 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x01\n\x0eMsgCreateGroup\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"3\n\x16MsgCreateGroupResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"\xe5\x01\n\x15MsgUpdateGroupMembers\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12P\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rmemberUpdates:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xc6\x01\n\x13MsgUpdateGroupAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\xb1\x01\n\x16MsgUpdateGroupMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\x94\x02\n\x14MsgCreateGroupPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"R\n\x1cMsgCreateGroupPolicyResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\x83\x02\n\x19MsgUpdateGroupPolicyAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xb8\x03\n\x18MsgCreateGroupWithPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12%\n\x0egroup_metadata\x18\x03 \x01(\tR\rgroupMetadata\x12\x32\n\x15group_policy_metadata\x18\x04 \x01(\tR\x13groupPolicyMetadata\x12\x31\n\x15group_policy_as_admin\x18\x05 \x01(\x08R\x12groupPolicyAsAdmin\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"\x89\x01\n MsgCreateGroupWithPolicyResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\"\xbf\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xee\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\xe1\x02\n\x11MsgSubmitProposal\x12J\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1c\n\tproposers\x18\x02 \x03(\tR\tproposers\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x30\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec\x12\x14\n\x05title\x18\x06 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x07 \x01(\tR\x07summary:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xa1\x01\n\x13MsgWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xff\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"\x8c\x01\n\x07MsgExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x34\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x65xecutor:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"R\n\x0fMsgExecResponse\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\"\x8f\x01\n\rMsgLeaveGroup\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa2\x01\n\x13\x63om.cosmos.group.v1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_MSGCREATEGROUP'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEGROUP'].fields_by_name['members']._loaded_options = None @@ -112,64 +122,64 @@ _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=3743 - _globals['_EXEC']._serialized_end=3785 + _globals['_EXEC']._serialized_start=4346 + _globals['_EXEC']._serialized_end=4388 _globals['_MSGCREATEGROUP']._serialized_start=195 - _globals['_MSGCREATEGROUP']._serialized_end=372 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=416 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=419 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=617 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=619 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=650 - _globals['_MSGUPDATEGROUPADMIN']._serialized_start=653 - _globals['_MSGUPDATEGROUPADMIN']._serialized_end=825 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=827 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=856 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=859 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1010 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1012 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1044 - _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1047 - _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1281 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1283 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1356 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1359 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1581 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1583 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1618 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1621 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=1973 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=1975 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2083 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2086 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2362 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2364 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2408 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2411 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=2612 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=2614 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=2652 - _globals['_MSGSUBMITPROPOSAL']._serialized_start=2655 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=2935 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=2937 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=2985 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=2988 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3128 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3130 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3159 - _globals['_MSGVOTE']._serialized_start=3162 - _globals['_MSGVOTE']._serialized_end=3374 - _globals['_MSGVOTERESPONSE']._serialized_start=3376 - _globals['_MSGVOTERESPONSE']._serialized_end=3393 - _globals['_MSGEXEC']._serialized_start=3395 - _globals['_MSGEXEC']._serialized_end=3513 - _globals['_MSGEXECRESPONSE']._serialized_start=3515 - _globals['_MSGEXECRESPONSE']._serialized_end=3589 - _globals['_MSGLEAVEGROUP']._serialized_start=3591 - _globals['_MSGLEAVEGROUP']._serialized_end=3716 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 - _globals['_MSG']._serialized_start=3788 - _globals['_MSG']._serialized_end=5270 + _globals['_MSGCREATEGROUP']._serialized_end=398 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=400 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=451 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=454 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=683 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=685 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=716 + _globals['_MSGUPDATEGROUPADMIN']._serialized_start=719 + _globals['_MSGUPDATEGROUPADMIN']._serialized_end=917 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=919 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=948 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=951 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1128 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1130 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1162 + _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1165 + _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1441 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1443 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1525 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1528 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1787 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1789 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1824 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1827 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=2267 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=2270 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2407 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2410 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2729 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2731 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2775 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2778 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=3016 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=3018 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=3056 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=3059 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=3412 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=3414 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=3474 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=3477 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3638 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3640 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3669 + _globals['_MSGVOTE']._serialized_start=3672 + _globals['_MSGVOTE']._serialized_end=3927 + _globals['_MSGVOTERESPONSE']._serialized_start=3929 + _globals['_MSGVOTERESPONSE']._serialized_end=3946 + _globals['_MSGEXEC']._serialized_start=3949 + _globals['_MSGEXEC']._serialized_end=4089 + _globals['_MSGEXECRESPONSE']._serialized_start=4091 + _globals['_MSGEXECRESPONSE']._serialized_end=4173 + _globals['_MSGLEAVEGROUP']._serialized_start=4176 + _globals['_MSGLEAVEGROUP']._serialized_end=4319 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=4321 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=4344 + _globals['_MSG']._serialized_start=4391 + _globals['_MSG']._serialized_end=5873 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 0485f121..39d77388 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg is the cosmos.group.v1 Msg service. diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index edb7501f..dbad3d6b 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -20,14 +30,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x06Member\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12;\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\\\n\rMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\"\xb0\x01\n\x17ThresholdDecisionPolicy\x12\x11\n\tthreshold\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xb3\x01\n\x18PercentageDecisionPolicy\x12\x12\n\npercentage\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xa0\x01\n\x15\x44\x65\x63isionPolicyWindows\x12?\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x46\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xb8\x01\n\tGroupInfo\x12\n\n\x02id\x18\x01 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12\x0f\n\x07version\x18\x04 \x01(\x04\x12\x14\n\x0ctotal_weight\x18\x05 \x01(\t\x12=\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"H\n\x0bGroupMember\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\'\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.Member\"\xb6\x02\n\x0fGroupPolicyInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\x04\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x12=\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xce\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12+\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x15\n\rgroup_version\x18\x06 \x01(\x04\x12\x1c\n\x14group_policy_version\x18\x07 \x01(\x04\x12/\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x43\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12@\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12&\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05title\x18\r \x01(\t\x12\x0f\n\x07summary\x18\x0e \x01(\t:\x04\x88\xa0\x1f\x00\"k\n\x0bTallyResult\x12\x11\n\tyes_count\x18\x01 \x01(\t\x12\x15\n\rabstain_count\x18\x02 \x01(\t\x12\x10\n\x08no_count\x18\x03 \x01(\t\x12\x1a\n\x12no_with_veto_count\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xc3\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xb6\x01\n\x06Member\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x44\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x07\x61\x64\x64\x65\x64\x41t\"w\n\rMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\"\xc4\x01\n\x17ThresholdDecisionPolicy\x12\x1c\n\tthreshold\x18\x01 \x01(\tR\tthreshold\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xc8\x01\n\x18PercentageDecisionPolicy\x12\x1e\n\npercentage\x18\x01 \x01(\tR\npercentage\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xc2\x01\n\x15\x44\x65\x63isionPolicyWindows\x12M\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0cvotingPeriod\x12Z\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12minExecutionPeriod\"\xee\x01\n\tGroupInfo\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x04 \x01(\x04R\x07version\x12!\n\x0ctotal_weight\x18\x05 \x01(\tR\x0btotalWeight\x12H\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt\"Y\n\x0bGroupMember\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12/\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.MemberR\x06member\"\xfd\x02\n\x0fGroupPolicyInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x05 \x01(\x04R\x07version\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy\x12H\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfe\x05\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x36\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tproposers\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12#\n\rgroup_version\x18\x06 \x01(\x04R\x0cgroupVersion\x12\x30\n\x14group_policy_version\x18\x07 \x01(\x04R\x12groupPolicyVersion\x12\x37\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12U\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12U\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingPeriodEnd\x12P\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x0e\x65xecutorResult\x12\x30\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x14\n\x05title\x18\r \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0e \x01(\tR\x07summary:\x04\x88\xa0\x1f\x00\"\x9d\x01\n\x0bTallyResult\x12\x1b\n\tyes_count\x18\x01 \x01(\tR\x08yesCount\x12#\n\rabstain_count\x18\x02 \x01(\tR\x0c\x61\x62stainCount\x12\x19\n\x08no_count\x18\x03 \x01(\tR\x07noCount\x12+\n\x12no_with_veto_count\x18\x04 \x01(\tR\x0fnoWithVetoCount:\x04\x88\xa0\x1f\x00\"\xf4\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42\xa5\x01\n\x13\x63om.cosmos.group.v1B\nTypesProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nTypesProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_PROPOSALSTATUS']._loaded_options = None @@ -80,32 +90,32 @@ _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VOTE'].fields_by_name['submit_time']._loaded_options = None _globals['_VOTE'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VOTEOPTION']._serialized_start=2450 - _globals['_VOTEOPTION']._serialized_end=2593 - _globals['_PROPOSALSTATUS']._serialized_start=2596 - _globals['_PROPOSALSTATUS']._serialized_end=2802 - _globals['_PROPOSALEXECUTORRESULT']._serialized_start=2805 - _globals['_PROPOSALEXECUTORRESULT']._serialized_end=2991 + _globals['_VOTEOPTION']._serialized_start=3006 + _globals['_VOTEOPTION']._serialized_end=3149 + _globals['_PROPOSALSTATUS']._serialized_start=3152 + _globals['_PROPOSALSTATUS']._serialized_end=3358 + _globals['_PROPOSALEXECUTORRESULT']._serialized_start=3361 + _globals['_PROPOSALEXECUTORRESULT']._serialized_end=3547 _globals['_MEMBER']._serialized_start=209 - _globals['_MEMBER']._serialized_end=355 - _globals['_MEMBERREQUEST']._serialized_start=357 - _globals['_MEMBERREQUEST']._serialized_end=449 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=452 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=628 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=631 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=810 - _globals['_DECISIONPOLICYWINDOWS']._serialized_start=813 - _globals['_DECISIONPOLICYWINDOWS']._serialized_end=973 - _globals['_GROUPINFO']._serialized_start=976 - _globals['_GROUPINFO']._serialized_end=1160 - _globals['_GROUPMEMBER']._serialized_start=1162 - _globals['_GROUPMEMBER']._serialized_end=1234 - _globals['_GROUPPOLICYINFO']._serialized_start=1237 - _globals['_GROUPPOLICYINFO']._serialized_end=1547 - _globals['_PROPOSAL']._serialized_start=1550 - _globals['_PROPOSAL']._serialized_end=2140 - _globals['_TALLYRESULT']._serialized_start=2142 - _globals['_TALLYRESULT']._serialized_end=2249 - _globals['_VOTE']._serialized_start=2252 - _globals['_VOTE']._serialized_end=2447 + _globals['_MEMBER']._serialized_end=391 + _globals['_MEMBERREQUEST']._serialized_start=393 + _globals['_MEMBERREQUEST']._serialized_end=512 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=515 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=711 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=714 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=914 + _globals['_DECISIONPOLICYWINDOWS']._serialized_start=917 + _globals['_DECISIONPOLICYWINDOWS']._serialized_end=1111 + _globals['_GROUPINFO']._serialized_start=1114 + _globals['_GROUPINFO']._serialized_end=1352 + _globals['_GROUPMEMBER']._serialized_start=1354 + _globals['_GROUPMEMBER']._serialized_end=1443 + _globals['_GROUPPOLICYINFO']._serialized_start=1446 + _globals['_GROUPPOLICYINFO']._serialized_end=1827 + _globals['_PROPOSAL']._serialized_start=1830 + _globals['_PROPOSAL']._serialized_end=2596 + _globals['_TALLYRESULT']._serialized_start=2599 + _globals['_TALLYRESULT']._serialized_end=2756 + _globals['_VOTE']._serialized_start=2759 + _globals['_VOTE']._serialized_end=3003 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index c721892d..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py index ad2e39c6..0b1d7ea9 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/ics23/v1/proofs.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/ics23/v1/proofs.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,42 +24,42 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"{\n\x0e\x45xistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12&\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x7f\n\x11NonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12-\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\x12.\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\"\xef\x01\n\x0f\x43ommitmentProof\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x12,\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00\x12;\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00\x42\x07\n\x05proof\"\xc8\x01\n\x06LeafOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12,\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12.\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12)\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOp\x12\x0e\n\x06prefix\x18\x05 \x01(\x0c\"P\n\x07InnerOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x12\x0e\n\x06suffix\x18\x03 \x01(\x0c\"\xb4\x01\n\tProofSpec\x12*\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12.\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpec\x12\x11\n\tmax_depth\x18\x03 \x01(\x05\x12\x11\n\tmin_depth\x18\x04 \x01(\x05\x12%\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08\"\xa6\x01\n\tInnerSpec\x12\x13\n\x0b\x63hild_order\x18\x01 \x03(\x05\x12\x12\n\nchild_size\x18\x02 \x01(\x05\x12\x19\n\x11min_prefix_length\x18\x03 \x01(\x05\x12\x19\n\x11max_prefix_length\x18\x04 \x01(\x05\x12\x13\n\x0b\x65mpty_child\x18\x05 \x01(\x0c\x12%\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\":\n\nBatchProof\x12,\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntry\"\x7f\n\nBatchEntry\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x42\x07\n\x05proof\"\x7f\n\x14\x43ompressedBatchProof\x12\x36\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntry\x12/\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x9d\x01\n\x14\x43ompressedBatchEntry\x12:\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00\x42\x07\n\x05proof\"k\n\x18\x43ompressedExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12\x0c\n\x04path\x18\x04 \x03(\x05\"\x9d\x01\n\x1b\x43ompressedNonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x37\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof\x12\x38\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\"Z github.com/cosmos/ics23/go;ics23b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"\x93\x01\n\x0e\x45xistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12,\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x04path\"\x91\x01\n\x11NonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x33\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x04left\x12\x35\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x05right\"\x93\x02\n\x0f\x43ommitmentProof\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexist\x12\x33\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00R\x05\x62\x61tch\x12G\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00R\ncompressedB\x07\n\x05proof\"\xf8\x01\n\x06LeafOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x38\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\nprehashKey\x12<\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x0cprehashValue\x12\x31\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOpR\x06length\x12\x16\n\x06prefix\x18\x05 \x01(\x0cR\x06prefix\"f\n\x07InnerOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x12\x16\n\x06suffix\x18\x03 \x01(\x0cR\x06suffix\"\xf9\x01\n\tProofSpec\x12\x34\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x08leafSpec\x12\x39\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpecR\tinnerSpec\x12\x1b\n\tmax_depth\x18\x03 \x01(\x05R\x08maxDepth\x12\x1b\n\tmin_depth\x18\x04 \x01(\x05R\x08minDepth\x12\x41\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08R\x1aprehashKeyBeforeComparison\"\xf1\x01\n\tInnerSpec\x12\x1f\n\x0b\x63hild_order\x18\x01 \x03(\x05R\nchildOrder\x12\x1d\n\nchild_size\x18\x02 \x01(\x05R\tchildSize\x12*\n\x11min_prefix_length\x18\x03 \x01(\x05R\x0fminPrefixLength\x12*\n\x11max_prefix_length\x18\x04 \x01(\x05R\x0fmaxPrefixLength\x12\x1f\n\x0b\x65mpty_child\x18\x05 \x01(\x0cR\nemptyChild\x12+\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\"C\n\nBatchProof\x12\x35\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntryR\x07\x65ntries\"\x90\x01\n\nBatchEntry\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x96\x01\n\x14\x43ompressedBatchProof\x12?\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntryR\x07\x65ntries\x12=\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x0clookupInners\"\xae\x01\n\x14\x43ompressedBatchEntry\x12\x41\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00R\x05\x65xist\x12J\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x83\x01\n\x18\x43ompressedExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12\x12\n\x04path\x18\x04 \x03(\x05R\x04path\"\xaf\x01\n\x1b\x43ompressedNonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12=\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x04left\x12?\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x05right*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\xa2\x01\n\x13\x63om.cosmos.ics23.v1B\x0bProofsProtoP\x01Z github.com/cosmos/ics23/go;ics23\xa2\x02\x03\x43IX\xaa\x02\x0f\x43osmos.Ics23.V1\xca\x02\x0f\x43osmos\\Ics23\\V1\xe2\x02\x1b\x43osmos\\Ics23\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Ics23::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.ics23.v1.proofs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z github.com/cosmos/ics23/go;ics23' - _globals['_HASHOP']._serialized_start=1930 - _globals['_HASHOP']._serialized_end=2080 - _globals['_LENGTHOP']._serialized_start=2083 - _globals['_LENGTHOP']._serialized_end=2254 - _globals['_EXISTENCEPROOF']._serialized_start=49 - _globals['_EXISTENCEPROOF']._serialized_end=172 - _globals['_NONEXISTENCEPROOF']._serialized_start=174 - _globals['_NONEXISTENCEPROOF']._serialized_end=301 - _globals['_COMMITMENTPROOF']._serialized_start=304 - _globals['_COMMITMENTPROOF']._serialized_end=543 - _globals['_LEAFOP']._serialized_start=546 - _globals['_LEAFOP']._serialized_end=746 - _globals['_INNEROP']._serialized_start=748 - _globals['_INNEROP']._serialized_end=828 - _globals['_PROOFSPEC']._serialized_start=831 - _globals['_PROOFSPEC']._serialized_end=1011 - _globals['_INNERSPEC']._serialized_start=1014 - _globals['_INNERSPEC']._serialized_end=1180 - _globals['_BATCHPROOF']._serialized_start=1182 - _globals['_BATCHPROOF']._serialized_end=1240 - _globals['_BATCHENTRY']._serialized_start=1242 - _globals['_BATCHENTRY']._serialized_end=1369 - _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1371 - _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1498 - _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1501 - _globals['_COMPRESSEDBATCHENTRY']._serialized_end=1658 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=1660 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=1767 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=1770 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=1927 + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.ics23.v1B\013ProofsProtoP\001Z github.com/cosmos/ics23/go;ics23\242\002\003CIX\252\002\017Cosmos.Ics23.V1\312\002\017Cosmos\\Ics23\\V1\342\002\033Cosmos\\Ics23\\V1\\GPBMetadata\352\002\021Cosmos::Ics23::V1' + _globals['_HASHOP']._serialized_start=2335 + _globals['_HASHOP']._serialized_end=2485 + _globals['_LENGTHOP']._serialized_start=2488 + _globals['_LENGTHOP']._serialized_end=2659 + _globals['_EXISTENCEPROOF']._serialized_start=50 + _globals['_EXISTENCEPROOF']._serialized_end=197 + _globals['_NONEXISTENCEPROOF']._serialized_start=200 + _globals['_NONEXISTENCEPROOF']._serialized_end=345 + _globals['_COMMITMENTPROOF']._serialized_start=348 + _globals['_COMMITMENTPROOF']._serialized_end=623 + _globals['_LEAFOP']._serialized_start=626 + _globals['_LEAFOP']._serialized_end=874 + _globals['_INNEROP']._serialized_start=876 + _globals['_INNEROP']._serialized_end=978 + _globals['_PROOFSPEC']._serialized_start=981 + _globals['_PROOFSPEC']._serialized_end=1230 + _globals['_INNERSPEC']._serialized_start=1233 + _globals['_INNERSPEC']._serialized_end=1474 + _globals['_BATCHPROOF']._serialized_start=1476 + _globals['_BATCHPROOF']._serialized_end=1543 + _globals['_BATCHENTRY']._serialized_start=1546 + _globals['_BATCHENTRY']._serialized_end=1690 + _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1693 + _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1843 + _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1846 + _globals['_COMPRESSEDBATCHENTRY']._serialized_end=2020 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=2023 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=2154 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=2157 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=2332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index a82d5f8b..2daafffe 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index c8250546..b3176972 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"d\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x81\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintB\x9f\x01\n\x19\x63om.cosmos.mint.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43MM\xaa\x02\x15\x43osmos.Mint.Module.V1\xca\x02\x15\x43osmos\\Mint\\Module\\V1\xe2\x02!Cosmos\\Mint\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Mint::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.mint.module.v1B\013ModuleProtoP\001\242\002\003CMM\252\002\025Cosmos.Mint.Module.V1\312\002\025Cosmos\\Mint\\Module\\V1\342\002!Cosmos\\Mint\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Mint::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/mint' - _globals['_MODULE']._serialized_start=95 - _globals['_MODULE']._serialized_end=195 + _globals['_MODULE']._serialized_start=96 + _globals['_MODULE']._serialized_end=225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index f7416d70..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index 8473c6b2..c020f7eb 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,18 +27,18 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"~\n\x0cGenesisState\x12\x36\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x8e\x01\n\x0cGenesisState\x12>\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06minter\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06paramsB\xc0\x01\n\x17\x63om.cosmos.mint.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_GENESISSTATE'].fields_by_name['minter']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['minter']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=131 - _globals['_GENESISSTATE']._serialized_end=257 + _globals['_GENESISSTATE']._serialized_start=132 + _globals['_GENESISSTATE']._serialized_end=274 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 3c40b433..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index fd4c0ca2..c6054776 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/mint.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/mint.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb9\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tinflation\x12^\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x10\x61nnualProvisions\"\xed\x03\n\x06Params\x12\x1d\n\nmint_denom\x18\x01 \x01(\tR\tmintDenom\x12j\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13inflationRateChange\x12[\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMax\x12[\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMin\x12W\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\ngoalBonded\x12&\n\x0f\x62locks_per_year\x18\x06 \x01(\x04R\rblocksPerYear:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB\xbd\x01\n\x17\x63om.cosmos.mint.v1beta1B\tMintProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.mint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\tMintProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None @@ -40,7 +50,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=280 - _globals['_PARAMS']._serialized_start=283 - _globals['_PARAMS']._serialized_end=689 + _globals['_MINTER']._serialized_end=309 + _globals['_PARAMS']._serialized_start=312 + _globals['_PARAMS']._serialized_end=805 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index f6da96cd..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index 523443a7..d2b1ce39 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\x17\n\x15QueryInflationRequest\"n\n\x16QueryInflationResponse\x12T\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\tinflation\"\x1e\n\x1cQueryAnnualProvisionsRequest\"\x84\x01\n\x1dQueryAnnualProvisionsResponse\x12\x63\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x10\x61nnualProvisions2\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB\xbe\x01\n\x17\x63om.cosmos.mint.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None @@ -42,15 +52,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=186 _globals['_QUERYPARAMSREQUEST']._serialized_end=206 _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 - _globals['_QUERY']._serialized_start=562 - _globals['_QUERY']._serialized_end=1015 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=293 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=295 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=318 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=320 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=430 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=432 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=462 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=465 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=597 + _globals['_QUERY']._serialized_start=600 + _globals['_QUERY']._serialized_end=1053 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index 735d907d..c9ec00cb 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index 2ab614af..45a3937c 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.mint.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=351 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 - _globals['_MSG']._serialized_start=380 - _globals['_MSG']._serialized_end=492 + _globals['_MSGUPDATEPARAMS']._serialized_end=370 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 + _globals['_MSG']._serialized_start=399 + _globals['_MSG']._serialized_end=511 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index cbf01952..0d6e1328 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the x/mint Msg service. diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py index 5079cb52..f49c3b0e 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/textual/v1/textual.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/msg/textual/v1/textual.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,11 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:B\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:X\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tR\x14\x65xpertCustomRendererB\xa0\x01\n\x19\x63om.cosmos.msg.textual.v1B\x0cTextualProtoP\x01\xa2\x02\x03\x43MT\xaa\x02\x15\x43osmos.Msg.Textual.V1\xca\x02\x15\x43osmos\\Msg\\Textual\\V1\xe2\x02!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Msg::Textual::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.textual.v1.textual_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.msg.textual.v1B\014TextualProtoP\001\242\002\003CMT\252\002\025Cosmos.Msg.Textual.V1\312\002\025Cosmos\\Msg\\Textual\\V1\342\002!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\352\002\030Cosmos::Msg::Textual::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py index 2952b60a..2daafffe 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/msg/textual/v1/textual_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py index a4ce7eb7..dd518c15 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/v1/msg.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/msg/v1/msg.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:3\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08:2\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tB/Z-github.com/cosmos/cosmos-sdk/types/msgserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:<\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08R\x07service::\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tR\x06signerB\xa2\x01\n\x11\x63om.cosmos.msg.v1B\x08MsgProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/msgservice\xa2\x02\x03\x43MX\xaa\x02\rCosmos.Msg.V1\xca\x02\rCosmos\\Msg\\V1\xe2\x02\x19\x43osmos\\Msg\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Msg::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.v1.msg_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/msgservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.msg.v1B\010MsgProtoP\001Z-github.com/cosmos/cosmos-sdk/types/msgservice\242\002\003CMX\252\002\rCosmos.Msg.V1\312\002\rCosmos\\Msg\\V1\342\002\031Cosmos\\Msg\\V1\\GPBMetadata\352\002\017Cosmos::Msg::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 3730ba40..2daafffe 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index 217d6013..4c40db0f 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftB\x9a\x01\n\x18\x63om.cosmos.nft.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43NM\xaa\x02\x14\x43osmos.Nft.Module.V1\xca\x02\x14\x43osmos\\Nft\\Module\\V1\xe2\x02 Cosmos\\Nft\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Nft::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.nft.module.v1B\013ModuleProtoP\001\242\002\003CNM\252\002\024Cosmos.Nft.Module.V1\312\002\024Cosmos\\Nft\\Module\\V1\342\002 Cosmos\\Nft\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Nft::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' _globals['_MODULE']._serialized_start=93 diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 22737655..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 86d74c90..9af5816f 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/event.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/event.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,18 +24,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"j\n\tEventSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\"L\n\tEventMint\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05owner\"L\n\tEventBurn\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05ownerB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nEventProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nEventProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_EVENTSEND']._serialized_start=54 - _globals['_EVENTSEND']._serialized_end=129 - _globals['_EVENTMINT']._serialized_start=131 - _globals['_EVENTMINT']._serialized_end=187 - _globals['_EVENTBURN']._serialized_start=189 - _globals['_EVENTBURN']._serialized_end=245 + _globals['_EVENTSEND']._serialized_end=160 + _globals['_EVENTMINT']._serialized_start=162 + _globals['_EVENTMINT']._serialized_end=238 + _globals['_EVENTBURN']._serialized_start=240 + _globals['_EVENTBURN']._serialized_end=316 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 4f50dde7..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index c44e63ca..1c599164 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"x\n\x0cGenesisState\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12\x33\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.EntryR\x07\x65ntries\"J\n\x05\x45ntry\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12+\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nftsB\xa4\x01\n\x16\x63om.cosmos.nft.v1beta1B\x0cGenesisProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\014GenesisProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_GENESISSTATE']._serialized_start=86 - _globals['_GENESISSTATE']._serialized_end=188 - _globals['_ENTRY']._serialized_start=190 - _globals['_ENTRY']._serialized_end=251 + _globals['_GENESISSTATE']._serialized_end=206 + _globals['_ENTRY']._serialized_start=208 + _globals['_ENTRY']._serialized_end=282 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index ffcfec91..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 0ea652f4..697464e4 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/nft.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/nft.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,16 +25,16 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\xbc\x01\n\x05\x43lass\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12 \n\x0b\x64\x65scription\x18\x04 \x01(\tR\x0b\x64\x65scription\x12\x10\n\x03uri\x18\x05 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x06 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61ta\"\x87\x01\n\x03NFT\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x10\n\x03uri\x18\x03 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x04 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61taB\xa0\x01\n\x16\x63om.cosmos.nft.v1beta1B\x08NftProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\010NftProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_CLASS']._serialized_start=80 - _globals['_CLASS']._serialized_end=217 - _globals['_NFT']._serialized_start=219 - _globals['_NFT']._serialized_end=321 + _globals['_CLASS']._serialized_end=268 + _globals['_NFT']._serialized_start=271 + _globals['_NFT']._serialized_end=406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 72c83091..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index b6f45782..e9a1374a 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"F\n\x13QueryBalanceRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\".\n\x14QueryBalanceResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\">\n\x11QueryOwnerRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"*\n\x12QueryOwnerResponse\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\"/\n\x12QuerySupplyRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"-\n\x13QuerySupplyResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\"\x8b\x01\n\x10QueryNFTsRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x89\x01\n\x11QueryNFTsResponse\x12+\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nfts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"<\n\x0fQueryNFTRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"=\n\x10QueryNFTResponse\x12)\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x03nft\".\n\x11QueryClassRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"E\n\x12QueryClassResponse\x12/\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x05\x63lass\"]\n\x13QueryClassesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x14QueryClassesResponse\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nQueryProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nQueryProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None @@ -40,33 +50,33 @@ _globals['_QUERY'].methods_by_name['Classes']._loaded_options = None _globals['_QUERY'].methods_by_name['Classes']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/nft/v1beta1/classes' _globals['_QUERYBALANCEREQUEST']._serialized_start=158 - _globals['_QUERYBALANCEREQUEST']._serialized_end=212 - _globals['_QUERYBALANCERESPONSE']._serialized_start=214 - _globals['_QUERYBALANCERESPONSE']._serialized_end=252 - _globals['_QUERYOWNERREQUEST']._serialized_start=254 - _globals['_QUERYOWNERREQUEST']._serialized_end=303 - _globals['_QUERYOWNERRESPONSE']._serialized_start=305 - _globals['_QUERYOWNERRESPONSE']._serialized_end=340 - _globals['_QUERYSUPPLYREQUEST']._serialized_start=342 - _globals['_QUERYSUPPLYREQUEST']._serialized_end=380 - _globals['_QUERYSUPPLYRESPONSE']._serialized_start=382 - _globals['_QUERYSUPPLYRESPONSE']._serialized_end=419 - _globals['_QUERYNFTSREQUEST']._serialized_start=421 - _globals['_QUERYNFTSREQUEST']._serialized_end=532 - _globals['_QUERYNFTSRESPONSE']._serialized_start=534 - _globals['_QUERYNFTSRESPONSE']._serialized_end=653 - _globals['_QUERYNFTREQUEST']._serialized_start=655 - _globals['_QUERYNFTREQUEST']._serialized_end=702 - _globals['_QUERYNFTRESPONSE']._serialized_start=704 - _globals['_QUERYNFTRESPONSE']._serialized_end=760 - _globals['_QUERYCLASSREQUEST']._serialized_start=762 - _globals['_QUERYCLASSREQUEST']._serialized_end=799 - _globals['_QUERYCLASSRESPONSE']._serialized_start=801 - _globals['_QUERYCLASSRESPONSE']._serialized_end=863 - _globals['_QUERYCLASSESREQUEST']._serialized_start=865 - _globals['_QUERYCLASSESREQUEST']._serialized_end=946 - _globals['_QUERYCLASSESRESPONSE']._serialized_start=948 - _globals['_QUERYCLASSESRESPONSE']._serialized_end=1075 - _globals['_QUERY']._serialized_start=1078 - _globals['_QUERY']._serialized_end=2036 + _globals['_QUERYBALANCEREQUEST']._serialized_end=228 + _globals['_QUERYBALANCERESPONSE']._serialized_start=230 + _globals['_QUERYBALANCERESPONSE']._serialized_end=276 + _globals['_QUERYOWNERREQUEST']._serialized_start=278 + _globals['_QUERYOWNERREQUEST']._serialized_end=340 + _globals['_QUERYOWNERRESPONSE']._serialized_start=342 + _globals['_QUERYOWNERRESPONSE']._serialized_end=384 + _globals['_QUERYSUPPLYREQUEST']._serialized_start=386 + _globals['_QUERYSUPPLYREQUEST']._serialized_end=433 + _globals['_QUERYSUPPLYRESPONSE']._serialized_start=435 + _globals['_QUERYSUPPLYRESPONSE']._serialized_end=480 + _globals['_QUERYNFTSREQUEST']._serialized_start=483 + _globals['_QUERYNFTSREQUEST']._serialized_end=622 + _globals['_QUERYNFTSRESPONSE']._serialized_start=625 + _globals['_QUERYNFTSRESPONSE']._serialized_end=762 + _globals['_QUERYNFTREQUEST']._serialized_start=764 + _globals['_QUERYNFTREQUEST']._serialized_end=824 + _globals['_QUERYNFTRESPONSE']._serialized_start=826 + _globals['_QUERYNFTRESPONSE']._serialized_end=887 + _globals['_QUERYCLASSREQUEST']._serialized_start=889 + _globals['_QUERYCLASSREQUEST']._serialized_end=935 + _globals['_QUERYCLASSRESPONSE']._serialized_start=937 + _globals['_QUERYCLASSRESPONSE']._serialized_end=1006 + _globals['_QUERYCLASSESREQUEST']._serialized_start=1008 + _globals['_QUERYCLASSESREQUEST']._serialized_end=1101 + _globals['_QUERYCLASSESRESPONSE']._serialized_start=1104 + _globals['_QUERYCLASSESRESPONSE']._serialized_end=1252 + _globals['_QUERY']._serialized_start=1255 + _globals['_QUERY']._serialized_end=2213 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index a0205de7..ab1f20be 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 40b885d6..ca2833b1 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xa9\x01\n\x07MsgSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x30\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08receiver:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x16\x63om.cosmos.nft.v1beta1B\x07TxProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\007TxProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=104 - _globals['_MSGSEND']._serialized_end=242 - _globals['_MSGSENDRESPONSE']._serialized_start=244 - _globals['_MSGSENDRESPONSE']._serialized_end=261 - _globals['_MSG']._serialized_start=263 - _globals['_MSG']._serialized_end=349 + _globals['_MSGSEND']._serialized_end=273 + _globals['_MSGSENDRESPONSE']._serialized_start=275 + _globals['_MSGSENDRESPONSE']._serialized_end=292 + _globals['_MSG']._serialized_start=294 + _globals['_MSG']._serialized_end=380 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 1b54c4c3..c932a6d7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the nft Msg service. diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 26694fcc..01fa977c 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/module/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/module/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormB\xb8\x01\n\x1e\x63om.cosmos.orm.module.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43OM\xaa\x02\x1a\x43osmos.Orm.Module.V1alpha1\xca\x02\x1a\x43osmos\\Orm\\Module\\V1alpha1\xe2\x02&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\xea\x02\x1d\x43osmos::Orm::Module::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.module.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.orm.module.v1alpha1B\013ModuleProtoP\001\242\002\003COM\252\002\032Cosmos.Orm.Module.V1alpha1\312\002\032Cosmos\\Orm\\Module\\V1alpha1\342\002&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\352\002\035Cosmos::Orm::Module::V1alpha1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' _globals['_MODULE']._serialized_start=105 diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index bd028b7a..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index b212d9a9..0ffda7ce 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/query/v1alpha1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/query/v1alpha1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,27 +28,28 @@ from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"h\n\nGetRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12\x35\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\"3\n\x0bGetResponse\x12$\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xab\x03\n\x0bListRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12?\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00\x12=\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00\x12:\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a?\n\x06Prefix\x12\x35\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x1aq\n\x05Range\x12\x34\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x12\x32\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueB\x07\n\x05query\"r\n\x0cListResponse\x12%\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xd4\x01\n\nIndexValue\x12\x0e\n\x04uint\x18\x01 \x01(\x04H\x00\x12\r\n\x03int\x18\x02 \x01(\x03H\x00\x12\r\n\x03str\x18\x03 \x01(\tH\x00\x12\x0f\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00\x12\x0e\n\x04\x65num\x18\x05 \x01(\tH\x00\x12\x0e\n\x04\x62ool\x18\x06 \x01(\x08H\x00\x12/\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x12-\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00\x42\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"\x84\x01\n\nGetRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12=\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\";\n\x0bGetResponse\x12,\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06result\"\xee\x03\n\x0bListRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12G\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00R\x06prefix\x12\x44\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00R\x05range\x12\x46\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x1aG\n\x06Prefix\x12=\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\x1a}\n\x05Range\x12;\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x05start\x12\x37\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x03\x65ndB\x07\n\x05query\"\x87\x01\n\x0cListResponse\x12.\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x07results\x12G\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x8c\x02\n\nIndexValue\x12\x14\n\x04uint\x18\x01 \x01(\x04H\x00R\x04uint\x12\x12\n\x03int\x18\x02 \x01(\x03H\x00R\x03int\x12\x12\n\x03str\x18\x03 \x01(\tH\x00R\x03str\x12\x16\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00R\x05\x62ytes\x12\x14\n\x04\x65num\x18\x05 \x01(\tH\x00R\x04\x65num\x12\x14\n\x04\x62ool\x18\x06 \x01(\x08H\x00R\x04\x62ool\x12:\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00R\ttimestamp\x12\x37\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00R\x08\x64urationB\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseB\xb2\x01\n\x1d\x63om.cosmos.orm.query.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43OQ\xaa\x02\x19\x43osmos.Orm.Query.V1alpha1\xca\x02\x19\x43osmos\\Orm\\Query\\V1alpha1\xe2\x02%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\xea\x02\x1c\x43osmos::Orm::Query::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.query.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_GETREQUEST']._serialized_start=204 - _globals['_GETREQUEST']._serialized_end=308 - _globals['_GETRESPONSE']._serialized_start=310 - _globals['_GETRESPONSE']._serialized_end=361 - _globals['_LISTREQUEST']._serialized_start=364 - _globals['_LISTREQUEST']._serialized_end=791 - _globals['_LISTREQUEST_PREFIX']._serialized_start=604 - _globals['_LISTREQUEST_PREFIX']._serialized_end=667 - _globals['_LISTREQUEST_RANGE']._serialized_start=669 - _globals['_LISTREQUEST_RANGE']._serialized_end=782 - _globals['_LISTRESPONSE']._serialized_start=793 - _globals['_LISTRESPONSE']._serialized_end=907 - _globals['_INDEXVALUE']._serialized_start=910 - _globals['_INDEXVALUE']._serialized_end=1122 - _globals['_QUERY']._serialized_start=1125 - _globals['_QUERY']._serialized_end=1307 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.orm.query.v1alpha1B\nQueryProtoP\001\242\002\003COQ\252\002\031Cosmos.Orm.Query.V1alpha1\312\002\031Cosmos\\Orm\\Query\\V1alpha1\342\002%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\352\002\034Cosmos::Orm::Query::V1alpha1' + _globals['_GETREQUEST']._serialized_start=205 + _globals['_GETREQUEST']._serialized_end=337 + _globals['_GETRESPONSE']._serialized_start=339 + _globals['_GETRESPONSE']._serialized_end=398 + _globals['_LISTREQUEST']._serialized_start=401 + _globals['_LISTREQUEST']._serialized_end=895 + _globals['_LISTREQUEST_PREFIX']._serialized_start=688 + _globals['_LISTREQUEST_PREFIX']._serialized_end=759 + _globals['_LISTREQUEST_RANGE']._serialized_start=761 + _globals['_LISTREQUEST_RANGE']._serialized_end=886 + _globals['_LISTRESPONSE']._serialized_start=898 + _globals['_LISTRESPONSE']._serialized_end=1033 + _globals['_INDEXVALUE']._serialized_start=1036 + _globals['_INDEXVALUE']._serialized_end=1304 + _globals['_QUERY']._serialized_start=1307 + _globals['_QUERY']._serialized_end=1489 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index e6df1818..fdcaaba1 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is a generic gRPC service for querying ORM data. diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py index 19b13b87..b285b131 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1/orm.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/v1/orm.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,19 +25,20 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\x8f\x01\n\x0fTableDescriptor\x12\x38\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptor\x12\x36\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptor\x12\n\n\x02id\x18\x03 \x01(\r\">\n\x14PrimaryKeyDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\x16\n\x0e\x61uto_increment\x18\x02 \x01(\x08\"F\n\x18SecondaryIndexDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\r\x12\x0e\n\x06unique\x18\x03 \x01(\x08\"!\n\x13SingletonDescriptor\x12\n\n\x02id\x18\x01 \x01(\r:Q\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptor:Y\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\xa6\x01\n\x0fTableDescriptor\x12\x44\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptorR\nprimaryKey\x12=\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptorR\x05index\x12\x0e\n\x02id\x18\x03 \x01(\rR\x02id\"U\n\x14PrimaryKeyDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12%\n\x0e\x61uto_increment\x18\x02 \x01(\x08R\rautoIncrement\"Z\n\x18SecondaryIndexDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12\x0e\n\x02id\x18\x02 \x01(\rR\x02id\x12\x16\n\x06unique\x18\x03 \x01(\x08R\x06unique\"%\n\x13SingletonDescriptor\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id:X\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptorR\x05table:d\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorR\tsingletonBs\n\x11\x63om.cosmos.orm.v1B\x08OrmProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\rCosmos.Orm.V1\xca\x02\rCosmos\\Orm\\V1\xe2\x02\x19\x43osmos\\Orm\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Orm::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1.orm_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.orm.v1B\010OrmProtoP\001\242\002\003COX\252\002\rCosmos.Orm.V1\312\002\rCosmos\\Orm\\V1\342\002\031Cosmos\\Orm\\V1\\GPBMetadata\352\002\017Cosmos::Orm::V1' _globals['_TABLEDESCRIPTOR']._serialized_start=77 - _globals['_TABLEDESCRIPTOR']._serialized_end=220 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=222 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=284 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=286 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=356 - _globals['_SINGLETONDESCRIPTOR']._serialized_start=358 - _globals['_SINGLETONDESCRIPTOR']._serialized_end=391 + _globals['_TABLEDESCRIPTOR']._serialized_end=243 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=245 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=330 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=332 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=422 + _globals['_SINGLETONDESCRIPTOR']._serialized_start=424 + _globals['_SINGLETONDESCRIPTOR']._serialized_end=461 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 0f03d13d..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 3e072baf..06498708 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1alpha1/schema.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/v1alpha1/schema.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\x93\x02\n\x16ModuleSchemaDescriptor\x12V\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntryR\nschemaFile\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x1a\x88\x01\n\tFileEntry\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id\x12&\n\x0fproto_file_name\x18\x02 \x01(\tR\rprotoFileName\x12\x43\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageTypeR\x0bstorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:t\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorR\x0cmoduleSchemaB\x94\x01\n\x17\x63om.cosmos.orm.v1alpha1B\x0bSchemaProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\x13\x43osmos.Orm.V1alpha1\xca\x02\x13\x43osmos\\Orm\\V1alpha1\xe2\x02\x1f\x43osmos\\Orm\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::Orm::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_STORAGETYPE']._serialized_start=316 - _globals['_STORAGETYPE']._serialized_end=420 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.orm.v1alpha1B\013SchemaProtoP\001\242\002\003COX\252\002\023Cosmos.Orm.V1alpha1\312\002\023Cosmos\\Orm\\V1alpha1\342\002\037Cosmos\\Orm\\V1alpha1\\GPBMetadata\352\002\025Cosmos::Orm::V1alpha1' + _globals['_STORAGETYPE']._serialized_start=369 + _globals['_STORAGETYPE']._serialized_end=473 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 - _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=314 + _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=367 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=231 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=367 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 40712371..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index c7babbc7..c3f25450 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,13 +25,14 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsB\xa9\x01\n\x1b\x63om.cosmos.params.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43PM\xaa\x02\x17\x43osmos.Params.Module.V1\xca\x02\x17\x43osmos\\Params\\Module\\V1\xe2\x02#Cosmos\\Params\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Params::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.params.module.v1B\013ModuleProtoP\001\242\002\003CPM\252\002\027Cosmos.Params.Module.V1\312\002\027Cosmos\\Params\\Module\\V1\342\002#Cosmos\\Params\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Params::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/params' _globals['_MODULE']._serialized_start=99 diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 4bad0bd0..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 53c2cc22..77a10b2b 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe5\x01\n\x17ParameterChangeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x63hanges:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"Q\n\x0bParamChange\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\x12\x14\n\x05value\x18\x03 \x01(\tR\x05valueB\xd8\x01\n\x19\x63om.cosmos.params.v1beta1B\x0bParamsProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\013ParamsProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1\250\342\036\001' _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 - _globals['_PARAMCHANGE']._serialized_start=332 - _globals['_PARAMCHANGE']._serialized_end=391 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=359 + _globals['_PARAMCHANGE']._serialized_start=361 + _globals['_PARAMCHANGE']._serialized_end=442 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index cdfe7f6d..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index b5746630..be62e574 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,14 +28,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"3\n\x12QueryParamsRequest\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"S\n\x13QueryParamsResponse\x12<\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QuerySubspacesRequest\"L\n\x16QuerySubspacesResponse\x12\x32\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.Subspace\"*\n\x08Subspace\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0c\n\x04keys\x18\x02 \x03(\t2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB6Z4github.com/cosmos/cosmos-sdk/x/params/types/proposalb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"B\n\x12QueryParamsRequest\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"Z\n\x13QueryParamsResponse\x12\x43\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05param\"\x17\n\x15QuerySubspacesRequest\"W\n\x16QuerySubspacesResponse\x12=\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.SubspaceR\tsubspaces\":\n\x08Subspace\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x12\n\x04keys\x18\x02 \x03(\tR\x04keys2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB\xd3\x01\n\x19\x63om.cosmos.params.v1beta1B\nQueryProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\nQueryProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -33,15 +43,15 @@ _globals['_QUERY'].methods_by_name['Subspaces']._loaded_options = None _globals['_QUERY'].methods_by_name['Subspaces']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/params/v1beta1/subspaces' _globals['_QUERYPARAMSREQUEST']._serialized_start=167 - _globals['_QUERYPARAMSREQUEST']._serialized_end=218 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=220 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=303 - _globals['_QUERYSUBSPACESREQUEST']._serialized_start=305 - _globals['_QUERYSUBSPACESREQUEST']._serialized_end=328 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=330 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=406 - _globals['_SUBSPACE']._serialized_start=408 - _globals['_SUBSPACE']._serialized_end=450 - _globals['_QUERY']._serialized_start=453 - _globals['_QUERY']._serialized_end=746 + _globals['_QUERYPARAMSREQUEST']._serialized_end=233 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=235 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=325 + _globals['_QUERYSUBSPACESREQUEST']._serialized_start=327 + _globals['_QUERYSUBSPACESREQUEST']._serialized_end=350 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=352 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=439 + _globals['_SUBSPACE']._serialized_start=441 + _globals['_SUBSPACE']._serialized_end=499 + _globals['_QUERY']._serialized_start=502 + _globals['_QUERY']._serialized_end=795 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index 85d305b2..b9ed1797 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2.py b/pyinjective/proto/cosmos/query/v1/query_pb2.py index 9e13f960..052f2e56 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/query/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/query/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:<\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:M\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08R\x0fmoduleQuerySafeB\xa9\x01\n\x13\x63om.cosmos.query.v1B\nQueryProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43QX\xaa\x02\x0f\x43osmos.Query.V1\xca\x02\x0f\x43osmos\\Query\\V1\xe2\x02\x1b\x43osmos\\Query\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Query::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.query.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.query.v1B\nQueryProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CQX\252\002\017Cosmos.Query.V1\312\002\017Cosmos\\Query\\V1\342\002\033Cosmos\\Query\\V1\\GPBMetadata\352\002\021Cosmos::Query::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 51870a49..2daafffe 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index 4b95cfb8..541cddee 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/reflection/v1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/reflection/v1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,19 +26,20 @@ from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"N\n\x17\x46ileDescriptorsResponse\x12\x33\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProto2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"U\n\x17\x46ileDescriptorsResponse\x12:\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProtoR\x05\x66iles2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x42\x9d\x01\n\x18\x63om.cosmos.reflection.v1B\x0fReflectionProtoP\x01\xa2\x02\x03\x43RX\xaa\x02\x14\x43osmos.Reflection.V1\xca\x02\x14\x43osmos\\Reflection\\V1\xe2\x02 Cosmos\\Reflection\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Reflection::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.reflection.v1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.reflection.v1B\017ReflectionProtoP\001\242\002\003CRX\252\002\024Cosmos.Reflection.V1\312\002\024Cosmos\\Reflection\\V1\342\002 Cosmos\\Reflection\\V1\\GPBMetadata\352\002\026Cosmos::Reflection::V1' _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._serialized_options = b'\210\347\260*\000' _globals['_FILEDESCRIPTORSREQUEST']._serialized_start=126 _globals['_FILEDESCRIPTORSREQUEST']._serialized_end=150 _globals['_FILEDESCRIPTORSRESPONSE']._serialized_start=152 - _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=230 - _globals['_REFLECTIONSERVICE']._serialized_start=233 - _globals['_REFLECTIONSERVICE']._serialized_end=371 + _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=237 + _globals['_REFLECTIONSERVICE']._serialized_start=240 + _globals['_REFLECTIONSERVICE']._serialized_end=378 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index 82787229..0c311309 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """Package cosmos.reflection.v1 provides support for inspecting protobuf diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index 24f538dc..f9850969 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"L\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"W\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingB\xb3\x01\n\x1d\x63om.cosmos.slashing.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x19\x43osmos.Slashing.Module.V1\xca\x02\x19\x43osmos\\Slashing\\Module\\V1\xe2\x02%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Slashing::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.slashing.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\031Cosmos.Slashing.Module.V1\312\002\031Cosmos\\Slashing\\Module\\V1\342\002%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Slashing::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/slashing' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=179 + _globals['_MODULE']._serialized_end=190 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 34467489..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index 21e1f022..b5a19521 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x88\x02\n\x0cGenesisState\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12T\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0csigningInfos\x12^\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\"\xba\x01\n\x0bSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12n\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSigningInfo\"\xaa\x01\n\x15ValidatorMissedBlocks\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12T\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\";\n\x0bMissedBlock\x12\x14\n\x05index\x18\x01 \x01(\x03R\x05index\x12\x16\n\x06missed\x18\x02 \x01(\x08R\x06missedB\xd8\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x0cGenesisProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\014GenesisProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['signing_infos']._loaded_options = None @@ -41,11 +51,11 @@ _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=403 - _globals['_SIGNINGINFO']._serialized_start=406 - _globals['_SIGNINGINFO']._serialized_end=561 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 - _globals['_MISSEDBLOCK']._serialized_start=713 - _globals['_MISSEDBLOCK']._serialized_end=757 + _globals['_GENESISSTATE']._serialized_end=439 + _globals['_SIGNINGINFO']._serialized_start=442 + _globals['_SIGNINGINFO']._serialized_end=628 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=631 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=801 + _globals['_MISSEDBLOCK']._serialized_start=803 + _globals['_MISSEDBLOCK']._serialized_end=862 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 5b3f838a..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index 51c319ef..adf14d29 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Y\n\x13QueryParamsResponse\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"_\n\x17QuerySigningInfoRequest\x12\x44\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x0b\x63onsAddress\"~\n\x18QuerySigningInfoResponse\x12\x62\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evalSigningInfo\"b\n\x18QuerySigningInfosRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb2\x01\n\x19QuerySigningInfosResponse\x12L\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04info\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB\xd6\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None @@ -45,15 +55,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=246 _globals['_QUERYPARAMSREQUEST']._serialized_end=266 _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 - _globals['_QUERY']._serialized_start=799 - _globals['_QUERY']._serialized_end=1297 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=357 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=359 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=454 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=456 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=582 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=584 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=682 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=685 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=863 + _globals['_QUERY']._serialized_start=866 + _globals['_QUERY']._serialized_end=1364 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index 5a80748e..69674eb7 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 7b8da5d3..e6461b91 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/slashing.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/slashing.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc1\x02\n\x14ValidatorSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12!\n\x0cstart_height\x18\x02 \x01(\x03R\x0bstartHeight\x12!\n\x0cindex_offset\x18\x03 \x01(\x03R\x0bindexOffset\x12L\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bjailedUntil\x12\x1e\n\ntombstoned\x18\x05 \x01(\x08R\ntombstoned\x12\x32\n\x15missed_blocks_counter\x18\x06 \x01(\x03R\x13missedBlocksCounter:\x04\xe8\xa0\x1f\x01\"\x8d\x04\n\x06Params\x12\x30\n\x14signed_blocks_window\x18\x01 \x01(\x03R\x12signedBlocksWindow\x12i\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12minSignedPerWindow\x12^\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x14\x64owntimeJailDuration\x12s\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x17slashFractionDoubleSign\x12n\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x15slashFractionDowntime:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB\xdd\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\rSlashingProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.slashing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\rSlashingProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None @@ -44,7 +54,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 - _globals['_PARAMS']._serialized_start=444 - _globals['_PARAMS']._serialized_end=859 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=522 + _globals['_PARAMS']._serialized_start=525 + _globals['_PARAMS']._serialized_end=1050 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 42aa6035..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index e8467771..8e978f9e 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa3\x01\n\tMsgUnjail\x12\x64\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01R\rvalidatorAddr:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xc7\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd7\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x07TxProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\007TxProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' _globals['_MSGUNJAIL']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=343 - _globals['_MSGUNJAILRESPONSE']._serialized_start=345 - _globals['_MSGUNJAILRESPONSE']._serialized_end=364 - _globals['_MSGUPDATEPARAMS']._serialized_start=367 - _globals['_MSGUPDATEPARAMS']._serialized_end=547 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 - _globals['_MSG']._serialized_start=577 - _globals['_MSG']._serialized_end=787 + _globals['_MSGUNJAIL']._serialized_end=358 + _globals['_MSGUNJAILRESPONSE']._serialized_start=360 + _globals['_MSGUNJAILRESPONSE']._serialized_end=379 + _globals['_MSGUPDATEPARAMS']._serialized_start=382 + _globals['_MSGUPDATEPARAMS']._serialized_end=581 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=583 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=608 + _globals['_MSG']._serialized_start=611 + _globals['_MSG']._serialized_end=821 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index d4ac67c0..63fd5cdd 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the slashing Msg service. diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index 9e66ac80..a7b48ea8 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xa2\x01\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe7\x01\n\x06Module\x12\x1f\n\x0bhooks_order\x18\x01 \x03(\tR\nhooksOrder\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12\x36\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\tR\x15\x62\x65\x63h32PrefixValidator\x12\x36\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\tR\x15\x62\x65\x63h32PrefixConsensus:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingB\xae\x01\n\x1c\x63om.cosmos.staking.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x18\x43osmos.Staking.Module.V1\xca\x02\x18\x43osmos\\Staking\\Module\\V1\xe2\x02$Cosmos\\Staking\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Staking::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.staking.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\030Cosmos.Staking.Module.V1\312\002\030Cosmos\\Staking\\Module\\V1\342\002$Cosmos\\Staking\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Staking::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/staking' _globals['_MODULE']._serialized_start=102 - _globals['_MODULE']._serialized_end=264 + _globals['_MODULE']._serialized_end=333 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 246d99d1..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 29a3e9b3..6f048828 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xfa\x04\n\x12StakeAuthorization\x12\x65\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tmaxTokens\x12\x84\x01\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00R\tallowList\x12\x81\x01\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00R\x08\x64\x65nyList\x12X\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationTypeR\x11\x61uthorizationType\x1a@\n\nValidators\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nAuthzProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nAuthzProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._loaded_options = None _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None @@ -36,10 +46,10 @@ _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=738 - _globals['_AUTHORIZATIONTYPE']._serialized_end=948 + _globals['_AUTHORIZATIONTYPE']._serialized_start=800 + _globals['_AUTHORIZATIONTYPE']._serialized_end=1010 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=735 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 + _globals['_STAKEAUTHORIZATION']._serialized_end=797 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=645 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=709 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 129a33db..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index ed1cacb1..bae112d1 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x97\x05\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12Z\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0elastTotalPower\x12i\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13lastValidatorPowers\x12L\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12O\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65legations\x12k\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14unbondingDelegations\x12U\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rredelegations\x12\x1a\n\x08\x65xported\x18\x08 \x01(\x08R\x08\x65xported\"h\n\x12LastValidatorPower\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None @@ -45,7 +55,7 @@ _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=717 - _globals['_LASTVALIDATORPOWER']._serialized_start=719 - _globals['_LASTVALIDATORPOWER']._serialized_end=807 + _globals['_GENESISSTATE']._serialized_end=834 + _globals['_LASTVALIDATORPOWER']._serialized_start=836 + _globals['_LASTVALIDATORPOWER']._serialized_end=940 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 06c7bacd..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index f47e5634..1184e931 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"x\n\x16QueryValidatorsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb0\x01\n\x17QueryValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x15QueryValidatorRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\"d\n\x16QueryValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"\xb4\x01\n QueryValidatorDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xed\x01\n!QueryValidatorDelegationsResponse\x12\x7f\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbd\x01\n)QueryValidatorUnbondingDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n*QueryValidatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xad\x01\n\x16QueryDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n\x17QueryDelegationResponse\x12[\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseR\x12\x64\x65legationResponse\"\xb6\x01\n\x1fQueryUnbondingDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"r\n QueryUnbondingDelegationResponse\x12N\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06unbond\"\xb5\x01\n QueryDelegatorDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n!QueryDelegatorDelegationsResponse\x12h\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x02\n\x19QueryRedelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10srcValidatorAddr\x12\x46\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64stValidatorAddr\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x1aQueryRedelegationsResponse\x12n\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15redelegationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb4\x01\n\x1fQueryDelegatorValidatorsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n QueryDelegatorValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb5\x01\n\x1eQueryDelegatorValidatorRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"m\n\x1fQueryDelegatorValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"4\n\x1aQueryHistoricalInfoRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"Y\n\x1bQueryHistoricalInfoResponse\x12:\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfoR\x04hist\"\x12\n\x10QueryPoolRequest\"P\n\x11QueryPoolResponse\x12;\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04pool\"\x14\n\x12QueryParamsRequest\"X\n\x13QueryParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params2\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nQueryProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nQueryProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None @@ -126,61 +136,61 @@ _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002 \022\036/cosmos/staking/v1beta1/params' _globals['_QUERYVALIDATORSREQUEST']._serialized_start=271 - _globals['_QUERYVALIDATORSREQUEST']._serialized_end=371 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 - _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 - _globals['_QUERYPOOLREQUEST']._serialized_start=3777 - _globals['_QUERYPOOLREQUEST']._serialized_end=3795 - _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 - _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 - _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 - _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 - _globals['_QUERY']._serialized_start=3978 - _globals['_QUERY']._serialized_end=6842 + _globals['_QUERYVALIDATORSREQUEST']._serialized_end=391 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=394 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=570 + _globals['_QUERYVALIDATORREQUEST']._serialized_start=572 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=669 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=671 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=771 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=774 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=954 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=957 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1194 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1197 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1386 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1389 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1611 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1614 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1787 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1789 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1907 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1910 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=2092 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=2094 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=2208 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=2211 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2392 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2395 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2609 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2612 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2802 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2805 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=3027 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=3030 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=3348 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=3351 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3564 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3567 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3747 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3750 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3935 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3938 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=4119 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=4121 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=4230 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=4232 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=4284 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=4286 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=4375 + _globals['_QUERYPOOLREQUEST']._serialized_start=4377 + _globals['_QUERYPOOLREQUEST']._serialized_end=4395 + _globals['_QUERYPOOLRESPONSE']._serialized_start=4397 + _globals['_QUERYPOOLRESPONSE']._serialized_end=4477 + _globals['_QUERYPARAMSREQUEST']._serialized_start=4479 + _globals['_QUERYPARAMSREQUEST']._serialized_end=4499 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=4501 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=4589 + _globals['_QUERY']._serialized_start=4592 + _globals['_QUERY']._serialized_end=7456 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index e78d7188..9ed468d7 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 968e7a69..fe6561ff 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/staking.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/staking.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x93\x01\n\x0eHistoricalInfo\x12;\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x44\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06valset\"\x96\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x04rate\x12Q\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x07maxRate\x12^\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\rmaxChangeRate:\x04\xe8\xa0\x1f\x01\"\xc1\x01\n\nCommission\x12\x61\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01R\x0f\x63ommissionRates\x12J\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nupdateTime:\x04\xe8\xa0\x1f\x01\"\xa8\x01\n\x0b\x44\x65scription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails:\x04\xe8\xa0\x1f\x01\"\x8a\x07\n\tValidator\x12\x43\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0foperatorAddress\x12Y\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x0f\x63onsensusPubkey\x12\x16\n\x06jailed\x18\x03 \x01(\x08R\x06jailed\x12:\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatusR\x06status\x12\x43\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x06tokens\x12\\\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0f\x64\x65legatorShares\x12P\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\x08 \x01(\x03R\x0funbondingHeight\x12P\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12M\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12[\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation\x12<\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03R\x17unbondingOnHoldRefCount\x12#\n\runbonding_ids\x18\r \x03(\x04R\x0cunbondingIds:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x0cValAddresses\x12\x36\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses\"\xa9\x01\n\x06\x44VPair\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"J\n\x07\x44VPairs\x12?\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05pairs\"\x8b\x02\n\nDVVTriplet\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x0b\x44VVTriplets\x12I\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08triplets\"\xf8\x01\n\nDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12I\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06shares:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8d\x02\n\x13UnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12U\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9b\x03\n\x18UnbondingDelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x11RedelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12P\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tsharesDst\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\xdd\x02\n\x0cRedelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12N\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9c\x03\n\x06Params\x12O\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12%\n\x0emax_validators\x18\x02 \x01(\rR\rmaxValidators\x12\x1f\n\x0bmax_entries\x18\x03 \x01(\rR\nmaxEntries\x12-\n\x12historical_entries\x18\x04 \x01(\rR\x11historicalEntries\x12\x1d\n\nbond_denom\x18\x05 \x01(\tR\tbondDenom\x12\x84\x01\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x11minCommissionRate:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\xa9\x01\n\x12\x44\x65legationResponse\x12M\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ndelegation\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance:\x04\xe8\xa0\x1f\x00\"\xcd\x01\n\x19RedelegationEntryResponse\x12\x63\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11redelegationEntry\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance:\x04\xe8\xa0\x1f\x01\"\xc9\x01\n\x14RedelegationResponse\x12S\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0credelegation\x12V\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0fnotBondedTokens\x12\x66\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0c\x62ondedTokens:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"Y\n\x10ValidatorUpdates\x12\x45\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07updates*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cStakingProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.staking_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014StakingProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_BONDSTATUS']._loaded_options = None _globals['_BONDSTATUS']._serialized_options = b'\210\243\036\000' _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._loaded_options = None @@ -173,50 +183,50 @@ _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=4740 - _globals['_BONDSTATUS']._serialized_end=4922 - _globals['_INFRACTION']._serialized_start=4924 - _globals['_INFRACTION']._serialized_end=5017 + _globals['_BONDSTATUS']._serialized_start=5738 + _globals['_BONDSTATUS']._serialized_end=5920 + _globals['_INFRACTION']._serialized_start=5922 + _globals['_INFRACTION']._serialized_end=6015 _globals['_HISTORICALINFO']._serialized_start=316 - _globals['_HISTORICALINFO']._serialized_end=447 - _globals['_COMMISSIONRATES']._serialized_start=450 - _globals['_COMMISSIONRATES']._serialized_end=698 - _globals['_COMMISSION']._serialized_start=701 - _globals['_COMMISSION']._serialized_end=865 - _globals['_DESCRIPTION']._serialized_start=867 - _globals['_DESCRIPTION']._serialized_end=981 - _globals['_VALIDATOR']._serialized_start=984 - _globals['_VALIDATOR']._serialized_end=1700 - _globals['_VALADDRESSES']._serialized_start=1702 - _globals['_VALADDRESSES']._serialized_end=1761 - _globals['_DVPAIR']._serialized_start=1764 - _globals['_DVPAIR']._serialized_end=1897 - _globals['_DVPAIRS']._serialized_start=1899 - _globals['_DVPAIRS']._serialized_end=1966 - _globals['_DVVTRIPLET']._serialized_start=1969 - _globals['_DVVTRIPLET']._serialized_end=2176 - _globals['_DVVTRIPLETS']._serialized_start=2178 - _globals['_DVVTRIPLETS']._serialized_end=2256 - _globals['_DELEGATION']._serialized_start=2259 - _globals['_DELEGATION']._serialized_end=2463 - _globals['_UNBONDINGDELEGATION']._serialized_start=2466 - _globals['_UNBONDINGDELEGATION']._serialized_end=2690 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 - _globals['_REDELEGATIONENTRY']._serialized_start=3012 - _globals['_REDELEGATIONENTRY']._serialized_end=3330 - _globals['_REDELEGATION']._serialized_start=3333 - _globals['_REDELEGATION']._serialized_end=3613 - _globals['_PARAMS']._serialized_start=3616 - _globals['_PARAMS']._serialized_end=3936 - _globals['_DELEGATIONRESPONSE']._serialized_start=3939 - _globals['_DELEGATIONRESPONSE']._serialized_end=4087 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 - _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 - _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 - _globals['_POOL']._serialized_start=4451 - _globals['_POOL']._serialized_end=4655 - _globals['_VALIDATORUPDATES']._serialized_start=4657 - _globals['_VALIDATORUPDATES']._serialized_end=4737 + _globals['_HISTORICALINFO']._serialized_end=463 + _globals['_COMMISSIONRATES']._serialized_start=466 + _globals['_COMMISSIONRATES']._serialized_end=744 + _globals['_COMMISSION']._serialized_start=747 + _globals['_COMMISSION']._serialized_end=940 + _globals['_DESCRIPTION']._serialized_start=943 + _globals['_DESCRIPTION']._serialized_end=1111 + _globals['_VALIDATOR']._serialized_start=1114 + _globals['_VALIDATOR']._serialized_end=2020 + _globals['_VALADDRESSES']._serialized_start=2022 + _globals['_VALADDRESSES']._serialized_end=2092 + _globals['_DVPAIR']._serialized_start=2095 + _globals['_DVPAIR']._serialized_end=2264 + _globals['_DVPAIRS']._serialized_start=2266 + _globals['_DVPAIRS']._serialized_end=2340 + _globals['_DVVTRIPLET']._serialized_start=2343 + _globals['_DVVTRIPLET']._serialized_end=2610 + _globals['_DVVTRIPLETS']._serialized_start=2612 + _globals['_DVVTRIPLETS']._serialized_end=2700 + _globals['_DELEGATION']._serialized_start=2703 + _globals['_DELEGATION']._serialized_end=2951 + _globals['_UNBONDINGDELEGATION']._serialized_start=2954 + _globals['_UNBONDINGDELEGATION']._serialized_end=3223 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=3226 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3637 + _globals['_REDELEGATIONENTRY']._serialized_start=3640 + _globals['_REDELEGATIONENTRY']._serialized_end=4055 + _globals['_REDELEGATION']._serialized_start=4058 + _globals['_REDELEGATION']._serialized_end=4407 + _globals['_PARAMS']._serialized_start=4410 + _globals['_PARAMS']._serialized_end=4822 + _globals['_DELEGATIONRESPONSE']._serialized_start=4825 + _globals['_DELEGATIONRESPONSE']._serialized_end=4994 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4997 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=5202 + _globals['_REDELEGATIONRESPONSE']._serialized_start=5205 + _globals['_REDELEGATIONRESPONSE']._serialized_end=5406 + _globals['_POOL']._serialized_start=5409 + _globals['_POOL']._serialized_end=5644 + _globals['_VALIDATORUPDATES']._serialized_start=5646 + _globals['_VALIDATORUPDATES']._serialized_end=5735 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 57d3c259..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index edd8777a..37cb3f9b 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,22 +24,22 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x04\n\x12MsgCreateValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12R\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12`\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x11minSelfDelegation\x12G\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x46\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x06pubkey\x12:\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05value:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xa5\x03\n\x10MsgEditValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12V\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0e\x63ommissionRate\x12W\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\x9d\x02\n\x0bMsgDelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\x89\x03\n\x12MsgBeginRedelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12<\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"p\n\x1aMsgBeginRedelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\"\xa1\x02\n\rMsgUndelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\xa9\x01\n\x15MsgUndelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12<\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\xe8\x02\n\x1cMsgCancelUnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\x12\'\n\x0f\x63reation_height\x18\x04 \x01(\x03R\x0e\x63reationHeight:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xc5\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcd\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x07TxProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\007TxProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None @@ -105,33 +115,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=823 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 - _globals['_MSGEDITVALIDATOR']._serialized_start=856 - _globals['_MSGEDITVALIDATOR']._serialized_end=1211 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 - _globals['_MSGDELEGATE']._serialized_start=1242 - _globals['_MSGDELEGATE']._serialized_end=1483 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 - _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 - _globals['_MSGUNDELEGATE']._serialized_start=1935 - _globals['_MSGUNDELEGATE']._serialized_end=2180 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 - _globals['_MSGUPDATEPARAMS']._serialized_start=2674 - _globals['_MSGUPDATEPARAMS']._serialized_end=2852 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 - _globals['_MSG']._serialized_start=2882 - _globals['_MSG']._serialized_end=3679 + _globals['_MSGCREATEVALIDATOR']._serialized_end=918 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=920 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=948 + _globals['_MSGEDITVALIDATOR']._serialized_start=951 + _globals['_MSGEDITVALIDATOR']._serialized_end=1372 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1374 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1400 + _globals['_MSGDELEGATE']._serialized_start=1403 + _globals['_MSGDELEGATE']._serialized_end=1688 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1690 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1711 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1714 + _globals['_MSGBEGINREDELEGATE']._serialized_end=2107 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=2109 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=2221 + _globals['_MSGUNDELEGATE']._serialized_start=2224 + _globals['_MSGUNDELEGATE']._serialized_end=2513 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2516 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2685 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2688 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=3048 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=3050 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=3088 + _globals['_MSGUPDATEPARAMS']._serialized_start=3091 + _globals['_MSGUPDATEPARAMS']._serialized_end=3288 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3290 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3315 + _globals['_MSG']._serialized_start=3318 + _globals['_MSG']._serialized_end=4115 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index 8b4e8887..f4113b4b 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the staking Msg service. diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py index d9c99515..a37e7a1d 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/internal/kv/v1beta1/kv.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/internal/kv/v1beta1/kv.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"D\n\x05Pairs\x12;\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42 Z\x1e\x63osmossdk.io/store/internal/kvb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"K\n\x05Pairs\x12\x42\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00R\x05pairs\".\n\x04Pair\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05valueB\xf4\x01\n$com.cosmos.store.internal.kv.v1beta1B\x07KvProtoP\x01Z\x1e\x63osmossdk.io/store/internal/kv\xa2\x02\x04\x43SIK\xaa\x02 Cosmos.Store.Internal.Kv.V1beta1\xca\x02 Cosmos\\Store\\Internal\\Kv\\V1beta1\xe2\x02,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\xea\x02$Cosmos::Store::Internal::Kv::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.internal.kv.v1beta1.kv_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\036cosmossdk.io/store/internal/kv' + _globals['DESCRIPTOR']._serialized_options = b'\n$com.cosmos.store.internal.kv.v1beta1B\007KvProtoP\001Z\036cosmossdk.io/store/internal/kv\242\002\004CSIK\252\002 Cosmos.Store.Internal.Kv.V1beta1\312\002 Cosmos\\Store\\Internal\\Kv\\V1beta1\342\002,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\352\002$Cosmos::Store::Internal::Kv::V1beta1' _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' _globals['_PAIRS']._serialized_start=101 - _globals['_PAIRS']._serialized_end=169 - _globals['_PAIR']._serialized_start=171 - _globals['_PAIR']._serialized_end=205 + _globals['_PAIRS']._serialized_end=176 + _globals['_PAIR']._serialized_start=178 + _globals['_PAIR']._serialized_end=224 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py index f3b3da38..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py index 33940244..fde48a20 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py @@ -1,44 +1,54 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/snapshots/v1/snapshot.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/snapshots/v1/snapshot.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\x85\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12;\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xb5\x02\n\x0cSnapshotItem\x12=\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00\x12\x45\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12\x45\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00\x12P\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\x42$Z\"cosmossdk.io/store/snapshots/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\xad\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x45\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadata\"-\n\x08Metadata\x12!\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0cR\x0b\x63hunkHashes\"\xdf\x02\n\x0cSnapshotItem\x12\x44\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00R\x05store\x12K\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00R\x04iavl\x12P\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00R\textension\x12\x62\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00R\x10\x65xtensionPayloadB\x06\n\x04item\"\'\n\x11SnapshotStoreItem\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"l\n\x10SnapshotIAVLItem\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x18\n\x07version\x18\x03 \x01(\x03R\x07version\x12\x16\n\x06height\x18\x04 \x01(\x05R\x06height\"C\n\x15SnapshotExtensionMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\"4\n\x18SnapshotExtensionPayload\x12\x18\n\x07payload\x18\x01 \x01(\x0cR\x07payloadB\xd9\x01\n\x1d\x63om.cosmos.store.snapshots.v1B\rSnapshotProtoP\x01Z\"cosmossdk.io/store/snapshots/types\xa2\x02\x03\x43SS\xaa\x02\x19\x43osmos.Store.Snapshots.V1\xca\x02\x19\x43osmos\\Store\\Snapshots\\V1\xe2\x02%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Store::Snapshots::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.snapshots.v1.snapshot_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"cosmossdk.io/store/snapshots/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.store.snapshots.v1B\rSnapshotProtoP\001Z\"cosmossdk.io/store/snapshots/types\242\002\003CSS\252\002\031Cosmos.Store.Snapshots.V1\312\002\031Cosmos\\Store\\Snapshots\\V1\342\002%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\352\002\034Cosmos::Store::Snapshots::V1' _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' _globals['_SNAPSHOT']._serialized_start=94 - _globals['_SNAPSHOT']._serialized_end=227 - _globals['_METADATA']._serialized_start=229 - _globals['_METADATA']._serialized_end=261 - _globals['_SNAPSHOTITEM']._serialized_start=264 - _globals['_SNAPSHOTITEM']._serialized_end=573 - _globals['_SNAPSHOTSTOREITEM']._serialized_start=575 - _globals['_SNAPSHOTSTOREITEM']._serialized_end=608 - _globals['_SNAPSHOTIAVLITEM']._serialized_start=610 - _globals['_SNAPSHOTIAVLITEM']._serialized_end=689 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=691 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=744 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=746 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=789 + _globals['_SNAPSHOT']._serialized_end=267 + _globals['_METADATA']._serialized_start=269 + _globals['_METADATA']._serialized_end=314 + _globals['_SNAPSHOTITEM']._serialized_start=317 + _globals['_SNAPSHOTITEM']._serialized_end=668 + _globals['_SNAPSHOTSTOREITEM']._serialized_start=670 + _globals['_SNAPSHOTSTOREITEM']._serialized_end=709 + _globals['_SNAPSHOTIAVLITEM']._serialized_start=711 + _globals['_SNAPSHOTIAVLITEM']._serialized_end=819 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=821 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=888 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=890 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=942 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py index 66bea308..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/snapshots/v1/snapshot_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py index 513be0e0..95cb15a0 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py @@ -1,37 +1,47 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/streaming/abci/grpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/streaming/abci/grpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x85\x01\n\x1aListenFinalizeBlockRequest\x12\x32\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12\x33\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"\x1d\n\x1bListenFinalizeBlockResponse\"\x90\x01\n\x13ListenCommitRequest\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12,\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x35\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPair\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB#Z!cosmossdk.io/store/streaming/abcib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x8f\x01\n\x1aListenFinalizeBlockRequest\x12\x37\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x03req\x12\x38\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x03res\"\x1d\n\x1bListenFinalizeBlockResponse\"\xad\x01\n\x13ListenCommitRequest\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12\x31\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x03res\x12@\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPairR\tchangeSet\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB\xdf\x01\n\x1f\x63om.cosmos.store.streaming.abciB\tGrpcProtoP\x01Z!cosmossdk.io/store/streaming/abci\xa2\x02\x04\x43SSA\xaa\x02\x1b\x43osmos.Store.Streaming.Abci\xca\x02\x1b\x43osmos\\Store\\Streaming\\Abci\xe2\x02\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\xea\x02\x1e\x43osmos::Store::Streaming::Abcib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.streaming.abci.grpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z!cosmossdk.io/store/streaming/abci' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.store.streaming.abciB\tGrpcProtoP\001Z!cosmossdk.io/store/streaming/abci\242\002\004CSSA\252\002\033Cosmos.Store.Streaming.Abci\312\002\033Cosmos\\Store\\Streaming\\Abci\342\002\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\352\002\036Cosmos::Store::Streaming::Abci' _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_start=139 - _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=272 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=274 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=303 - _globals['_LISTENCOMMITREQUEST']._serialized_start=306 - _globals['_LISTENCOMMITREQUEST']._serialized_end=450 - _globals['_LISTENCOMMITRESPONSE']._serialized_start=452 - _globals['_LISTENCOMMITRESPONSE']._serialized_end=474 - _globals['_ABCILISTENERSERVICE']._serialized_start=477 - _globals['_ABCILISTENERSERVICE']._serialized_end=754 + _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=282 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=284 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=313 + _globals['_LISTENCOMMITREQUEST']._serialized_start=316 + _globals['_LISTENCOMMITREQUEST']._serialized_end=489 + _globals['_LISTENCOMMITRESPONSE']._serialized_start=491 + _globals['_LISTENCOMMITRESPONSE']._serialized_end=513 + _globals['_ABCILISTENERSERVICE']._serialized_start=516 + _globals['_ABCILISTENERSERVICE']._serialized_end=793 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py index fd9a2422..da99ee14 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/streaming/abci/grpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 class ABCIListenerServiceStub(object): diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py index 6ce6f2d3..24c85955 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/commit_info.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/v1beta1/commit_info.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x92\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12:\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"R\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x37\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb2\x01\n\nCommitInfo\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x46\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00R\nstoreInfos\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"b\n\tStoreInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x41\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00R\x08\x63ommitId\">\n\x08\x43ommitID\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash:\x04\x98\xa0\x1f\x00\x42\xb7\x01\n\x18\x63om.cosmos.store.v1beta1B\x0f\x43ommitInfoProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.commit_info_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\017CommitInfoProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_COMMITID']._loaded_options = None _globals['_COMMITID']._serialized_options = b'\230\240\037\000' _globals['_COMMITINFO']._serialized_start=120 - _globals['_COMMITINFO']._serialized_end=266 - _globals['_STOREINFO']._serialized_start=268 - _globals['_STOREINFO']._serialized_end=350 - _globals['_COMMITID']._serialized_start=352 - _globals['_COMMITID']._serialized_end=399 + _globals['_COMMITINFO']._serialized_end=298 + _globals['_STOREINFO']._serialized_start=300 + _globals['_STOREINFO']._serialized_end=398 + _globals['_COMMITID']._serialized_start=400 + _globals['_COMMITID']._serialized_end=462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py index 03188415..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/v1beta1/commit_info_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py index 662659f9..fc9bd848 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/listening.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/v1beta1/listening.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\xf7\x01\n\rBlockMetadata\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x45\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12G\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"j\n\x0bStoreKVPair\x12\x1b\n\tstore_key\x18\x01 \x01(\tR\x08storeKey\x12\x16\n\x06\x64\x65lete\x18\x02 \x01(\x08R\x06\x64\x65lete\x12\x10\n\x03key\x18\x03 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x0cR\x05value\"\xb4\x02\n\rBlockMetadata\x12H\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x0eresponseCommit\x12[\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x14requestFinalizeBlock\x12^\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x15responseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\xb6\x01\n\x18\x63om.cosmos.store.v1beta1B\x0eListeningProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.listening_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\016ListeningProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' _globals['_STOREKVPAIR']._serialized_start=91 - _globals['_STOREKVPAIR']._serialized_end=167 - _globals['_BLOCKMETADATA']._serialized_start=170 - _globals['_BLOCKMETADATA']._serialized_end=417 + _globals['_STOREKVPAIR']._serialized_end=197 + _globals['_BLOCKMETADATA']._serialized_start=200 + _globals['_BLOCKMETADATA']._serialized_end=508 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py index cb16a173..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/v1beta1/listening_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index 2e20813d..b5a0ac3f 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/config/v1/config.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/config/v1/config.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,15 +25,16 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"n\n\x06\x43onfig\x12\x19\n\x11skip_ante_handler\x18\x01 \x01(\x08\x12\x19\n\x11skip_post_handler\x18\x02 \x01(\x08:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"\x90\x01\n\x06\x43onfig\x12*\n\x11skip_ante_handler\x18\x01 \x01(\x08R\x0fskipAnteHandler\x12*\n\x11skip_post_handler\x18\x02 \x01(\x08R\x0fskipPostHandler:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txB\x95\x01\n\x17\x63om.cosmos.tx.config.v1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43TC\xaa\x02\x13\x43osmos.Tx.Config.V1\xca\x02\x13\x43osmos\\Tx\\Config\\V1\xe2\x02\x1f\x43osmos\\Tx\\Config\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Tx::Config::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.config.v1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.tx.config.v1B\013ConfigProtoP\001\242\002\003CTC\252\002\023Cosmos.Tx.Config.V1\312\002\023Cosmos\\Tx\\Config\\V1\342\002\037Cosmos\\Tx\\Config\\V1\\GPBMetadata\352\002\026Cosmos::Tx::Config::V1' _globals['_CONFIG']._loaded_options = None _globals['_CONFIG']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/auth/tx' - _globals['_CONFIG']._serialized_start=91 - _globals['_CONFIG']._serialized_end=201 + _globals['_CONFIG']._serialized_start=92 + _globals['_CONFIG']._serialized_end=236 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 98c32a53..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index fb3ac7e8..f4597c3b 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/signing/v1beta1/signing.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/signing/v1beta1/signing.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,24 +26,24 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"Z\n\x14SignatureDescriptors\x12\x42\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptor\"\xa4\x04\n\x13SignatureDescriptor\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x41\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x1a\x8d\x03\n\x04\x44\x61ta\x12L\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00\x12J\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00\x1aN\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x1a\x93\x01\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12G\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataB\x05\n\x03sum*\xa5\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42/Z-github.com/cosmos/cosmos-sdk/types/tx/signingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"f\n\x14SignatureDescriptors\x12N\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptorR\nsignatures\"\xf5\x04\n\x13SignatureDescriptor\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12G\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x1a\xc3\x03\n\x04\x44\x61ta\x12T\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00R\x06single\x12Q\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00R\x05multi\x1a_\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x1a\xa9\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12S\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\nsignaturesB\x05\n\x03sum*\xbf\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x18\n\x13SIGN_MODE_EIP712_V2\x10\x80\x01\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42\xe3\x01\n\x1d\x63om.cosmos.tx.signing.v1beta1B\x0cSigningProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/tx/signing\xa2\x02\x03\x43TS\xaa\x02\x19\x43osmos.Tx.Signing.V1beta1\xca\x02\x19\x43osmos\\Tx\\Signing\\V1beta1\xe2\x02%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Tx::Signing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.signing.v1beta1.signing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/tx/signing' - _globals['_SIGNMODE']._serialized_start=788 - _globals['_SIGNMODE']._serialized_end=953 + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.tx.signing.v1beta1B\014SigningProtoP\001Z-github.com/cosmos/cosmos-sdk/types/tx/signing\242\002\003CTS\252\002\031Cosmos.Tx.Signing.V1beta1\312\002\031Cosmos\\Tx\\Signing\\V1beta1\342\002%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\352\002\034Cosmos::Tx::Signing::V1beta1' + _globals['_SIGNMODE']._serialized_start=881 + _globals['_SIGNMODE']._serialized_end=1072 _globals['_SIGNATUREDESCRIPTORS']._serialized_start=144 - _globals['_SIGNATUREDESCRIPTORS']._serialized_end=234 - _globals['_SIGNATUREDESCRIPTOR']._serialized_start=237 - _globals['_SIGNATUREDESCRIPTOR']._serialized_end=785 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=388 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=785 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=550 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=628 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=631 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=778 + _globals['_SIGNATUREDESCRIPTORS']._serialized_end=246 + _globals['_SIGNATUREDESCRIPTOR']._serialized_start=249 + _globals['_SIGNATUREDESCRIPTOR']._serialized_end=878 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=427 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=878 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=604 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=699 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=702 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=871 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index c2fc4c5b..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 844c95bd..56cf0f23 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/service.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/v1beta1/service.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 -from cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 +from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xf3\x01\n\x12GetTxsEventRequest\x12\x1a\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01R\x06\x65vents\x12J\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01R\npagination\x12\x35\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderByR\x07orderBy\x12\x12\n\x04page\x18\x04 \x01(\x04R\x04page\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x14\n\x05query\x18\x06 \x01(\tR\x05query\"\xea\x01\n\x13GetTxsEventResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12G\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x0btxResponses\x12K\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01R\npagination\x12\x14\n\x05total\x18\x04 \x01(\x04R\x05total\"e\n\x12\x42roadcastTxRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\x12\x34\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastModeR\x04mode\"\\\n\x13\x42roadcastTxResponse\x12\x45\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"W\n\x0fSimulateRequest\x12)\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01R\x02tx\x12\x19\n\x08tx_bytes\x18\x02 \x01(\x0cR\x07txBytes\"\x8a\x01\n\x10SimulateResponse\x12<\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoR\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"}\n\rGetTxResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\x12\x45\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"x\n\x16GetBlockWithTxsRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xf0\x01\n\x17GetBlockWithTxsResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12\x34\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12G\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x0fTxDecodeRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"9\n\x10TxDecodeResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"8\n\x0fTxEncodeRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"-\n\x10TxEncodeResponse\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"5\n\x14TxEncodeAminoRequest\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson\":\n\x15TxEncodeAminoResponse\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"9\n\x14TxDecodeAminoRequest\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"6\n\x15TxDecodeAminoResponse\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\xb2\x01\n\x15\x63om.cosmos.tx.v1beta1B\x0cServiceProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.service_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\014ServiceProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None @@ -56,46 +66,46 @@ _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=1838 - _globals['_ORDERBY']._serialized_end=1910 - _globals['_BROADCASTMODE']._serialized_start=1913 - _globals['_BROADCASTMODE']._serialized_end=2041 + _globals['_ORDERBY']._serialized_start=2131 + _globals['_ORDERBY']._serialized_end=2203 + _globals['_BROADCASTMODE']._serialized_start=2206 + _globals['_BROADCASTMODE']._serialized_end=2334 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=448 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 - _globals['_BROADCASTTXREQUEST']._serialized_start=650 - _globals['_BROADCASTTXREQUEST']._serialized_end=736 - _globals['_BROADCASTTXRESPONSE']._serialized_start=738 - _globals['_BROADCASTTXRESPONSE']._serialized_end=818 - _globals['_SIMULATEREQUEST']._serialized_start=820 - _globals['_SIMULATEREQUEST']._serialized_end=894 - _globals['_SIMULATERESPONSE']._serialized_start=896 - _globals['_SIMULATERESPONSE']._serialized_end=1017 - _globals['_GETTXREQUEST']._serialized_start=1019 - _globals['_GETTXREQUEST']._serialized_end=1047 - _globals['_GETTXRESPONSE']._serialized_start=1049 - _globals['_GETTXRESPONSE']._serialized_end=1158 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 - _globals['_TXDECODEREQUEST']._serialized_start=1472 - _globals['_TXDECODEREQUEST']._serialized_end=1507 - _globals['_TXDECODERESPONSE']._serialized_start=1509 - _globals['_TXDECODERESPONSE']._serialized_end=1562 - _globals['_TXENCODEREQUEST']._serialized_start=1564 - _globals['_TXENCODEREQUEST']._serialized_end=1616 - _globals['_TXENCODERESPONSE']._serialized_start=1618 - _globals['_TXENCODERESPONSE']._serialized_end=1654 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 - _globals['_SERVICE']._serialized_start=2044 - _globals['_SERVICE']._serialized_end=3238 + _globals['_GETTXSEVENTREQUEST']._serialized_end=497 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=500 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=734 + _globals['_BROADCASTTXREQUEST']._serialized_start=736 + _globals['_BROADCASTTXREQUEST']._serialized_end=837 + _globals['_BROADCASTTXRESPONSE']._serialized_start=839 + _globals['_BROADCASTTXRESPONSE']._serialized_end=931 + _globals['_SIMULATEREQUEST']._serialized_start=933 + _globals['_SIMULATEREQUEST']._serialized_end=1020 + _globals['_SIMULATERESPONSE']._serialized_start=1023 + _globals['_SIMULATERESPONSE']._serialized_end=1161 + _globals['_GETTXREQUEST']._serialized_start=1163 + _globals['_GETTXREQUEST']._serialized_end=1197 + _globals['_GETTXRESPONSE']._serialized_start=1199 + _globals['_GETTXRESPONSE']._serialized_end=1324 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1326 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1446 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1449 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1689 + _globals['_TXDECODEREQUEST']._serialized_start=1691 + _globals['_TXDECODEREQUEST']._serialized_end=1735 + _globals['_TXDECODERESPONSE']._serialized_start=1737 + _globals['_TXDECODERESPONSE']._serialized_end=1794 + _globals['_TXENCODEREQUEST']._serialized_start=1796 + _globals['_TXENCODEREQUEST']._serialized_end=1852 + _globals['_TXENCODERESPONSE']._serialized_start=1854 + _globals['_TXENCODERESPONSE']._serialized_end=1899 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1901 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1954 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1956 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=2014 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=2016 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=2073 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=2075 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=2129 + _globals['_SERVICE']._serialized_start=2337 + _globals['_SERVICE']._serialized_end=3531 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index f0c2456a..df830953 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ServiceStub(object): """Service defines a gRPC service for interacting with transactions. diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 53036ec8..b039573a 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x8d\x01\n\x02Tx\x12-\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBodyR\x04\x62ody\x12\x38\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfoR\x08\x61uthInfo\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"n\n\x05TxRaw\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"\x92\x01\n\x07SignDoc\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\"\xf2\x01\n\x10SignDocDirectAux\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12\x33\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x05 \x01(\x04R\x08sequence\x12,\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x95\x02\n\x06TxBody\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x12\n\x04memo\x18\x02 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x03 \x01(\x04R\rtimeoutHeight\x12\x42\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.AnyR\x10\x65xtensionOptions\x12Z\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.AnyR\x1bnonCriticalExtensionOptions\"\xa4\x01\n\x08\x41uthInfo\x12@\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfoR\x0bsignerInfos\x12(\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.FeeR\x03\x66\x65\x65\x12,\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x97\x01\n\nSignerInfo\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x38\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\x08modeInfo\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xe0\x02\n\x08ModeInfo\x12<\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00R\x06single\x12\x39\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00R\x05multi\x1a\x41\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x1a\x90\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12:\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\tmodeInfosB\x05\n\x03sum\"\x81\x02\n\x03\x46\x65\x65\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12.\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05payer\x12\x32\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\"\xb6\x01\n\x03Tip\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x30\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06tipper:\x02\x18\x01\"\xce\x01\n\rAuxSignerData\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAuxR\x07signDoc\x12\x37\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x10\n\x03sig\x18\x04 \x01(\x0cR\x03sigB\xad\x01\n\x15\x63om.cosmos.tx.v1beta1B\x07TxProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\007TxProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None @@ -47,30 +57,30 @@ _globals['_TIP']._serialized_options = b'\030\001' _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=264 - _globals['_TX']._serialized_end=377 - _globals['_TXRAW']._serialized_start=379 - _globals['_TXRAW']._serialized_end=451 - _globals['_SIGNDOC']._serialized_start=453 - _globals['_SIGNDOC']._serialized_end=549 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 - _globals['_TXBODY']._serialized_start=736 - _globals['_TXBODY']._serialized_end=935 - _globals['_AUTHINFO']._serialized_start=938 - _globals['_AUTHINFO']._serialized_end=1079 - _globals['_SIGNERINFO']._serialized_start=1081 - _globals['_SIGNERINFO']._serialized_end=1201 - _globals['_MODEINFO']._serialized_start=1204 - _globals['_MODEINFO']._serialized_end=1513 - _globals['_MODEINFO_SINGLE']._serialized_start=1322 - _globals['_MODEINFO_SINGLE']._serialized_end=1381 - _globals['_MODEINFO_MULTI']._serialized_start=1383 - _globals['_MODEINFO_MULTI']._serialized_end=1506 - _globals['_FEE']._serialized_start=1516 - _globals['_FEE']._serialized_end=1739 - _globals['_TIP']._serialized_start=1742 - _globals['_TIP']._serialized_end=1908 - _globals['_AUXSIGNERDATA']._serialized_start=1911 - _globals['_AUXSIGNERDATA']._serialized_end=2088 + _globals['_TX']._serialized_start=265 + _globals['_TX']._serialized_end=406 + _globals['_TXRAW']._serialized_start=408 + _globals['_TXRAW']._serialized_end=518 + _globals['_SIGNDOC']._serialized_start=521 + _globals['_SIGNDOC']._serialized_end=667 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=670 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=912 + _globals['_TXBODY']._serialized_start=915 + _globals['_TXBODY']._serialized_end=1192 + _globals['_AUTHINFO']._serialized_start=1195 + _globals['_AUTHINFO']._serialized_end=1359 + _globals['_SIGNERINFO']._serialized_start=1362 + _globals['_SIGNERINFO']._serialized_end=1513 + _globals['_MODEINFO']._serialized_start=1516 + _globals['_MODEINFO']._serialized_end=1868 + _globals['_MODEINFO_SINGLE']._serialized_start=1649 + _globals['_MODEINFO_SINGLE']._serialized_end=1714 + _globals['_MODEINFO_MULTI']._serialized_start=1717 + _globals['_MODEINFO_MULTI']._serialized_end=1861 + _globals['_FEE']._serialized_start=1871 + _globals['_FEE']._serialized_end=2128 + _globals['_TIP']._serialized_start=2131 + _globals['_TIP']._serialized_end=2313 + _globals['_AUXSIGNERDATA']._serialized_start=2316 + _globals['_AUXSIGNERDATA']._serialized_end=2522 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index cbbb3eb8..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 9a841acf..5f8ad033 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeB\xae\x01\n\x1c\x63om.cosmos.upgrade.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43UM\xaa\x02\x18\x43osmos.Upgrade.Module.V1\xca\x02\x18\x43osmos\\Upgrade\\Module\\V1\xe2\x02$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Upgrade::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.upgrade.module.v1B\013ModuleProtoP\001\242\002\003CUM\252\002\030Cosmos.Upgrade.Module.V1\312\002\030Cosmos\\Upgrade\\Module\\V1\342\002$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Upgrade::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=171 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 81d877e2..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index a362e0b7..3dcf27be 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"L\n\x18QueryCurrentPlanResponse\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanR\x04plan\"-\n\x17QueryAppliedPlanRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"2\n\x18QueryAppliedPlanResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"I\n\"QueryUpgradedConsensusStateRequest\x12\x1f\n\x0blast_height\x18\x01 \x01(\x03R\nlastHeight:\x02\x18\x01\"i\n#QueryUpgradedConsensusStateResponse\x12\x38\n\x18upgraded_consensus_state\x18\x02 \x01(\x0cR\x16upgradedConsensusState:\x02\x18\x01J\x04\x08\x01\x10\x02\"=\n\x1aQueryModuleVersionsRequest\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\"m\n\x1bQueryModuleVersionsResponse\x12N\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersionR\x0emoduleVersions\"\x17\n\x15QueryAuthorityRequest\"2\n\x16QueryAuthorityResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\xc0\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\nQueryProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None @@ -41,23 +51,23 @@ _globals['_QUERYCURRENTPLANREQUEST']._serialized_start=130 _globals['_QUERYCURRENTPLANREQUEST']._serialized_end=155 _globals['_QUERYCURRENTPLANRESPONSE']._serialized_start=157 - _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=227 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=229 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=268 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=270 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=312 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=314 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=375 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=377 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=458 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=460 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=509 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=511 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=604 - _globals['_QUERYAUTHORITYREQUEST']._serialized_start=606 - _globals['_QUERYAUTHORITYREQUEST']._serialized_end=629 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=631 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=672 - _globals['_QUERY']._serialized_start=675 - _globals['_QUERY']._serialized_end=1559 + _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=233 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=235 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=280 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=282 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=332 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=334 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=407 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=409 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=514 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=516 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=577 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=579 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=688 + _globals['_QUERYAUTHORITYREQUEST']._serialized_start=690 + _globals['_QUERYAUTHORITYREQUEST']._serialized_end=713 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=715 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=765 + _globals['_QUERY']._serialized_start=768 + _globals['_QUERY']._serialized_end=1652 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index d8057d8d..d5092b8d 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC upgrade querier service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 3da13e1f..e19a86c2 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbb\x01\n\x12MsgSoftwareUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"z\n\x10MsgCancelUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\007TxProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSOFTWAREUPGRADE']._serialized_start=191 - _globals['_MSGSOFTWAREUPGRADE']._serialized_end=361 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=363 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=391 - _globals['_MSGCANCELUPGRADE']._serialized_start=393 - _globals['_MSGCANCELUPGRADE']._serialized_end=504 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=506 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=532 - _globals['_MSG']._serialized_start=535 - _globals['_MSG']._serialized_end=771 + _globals['_MSGSOFTWAREUPGRADE']._serialized_end=378 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=380 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=408 + _globals['_MSGCANCELUPGRADE']._serialized_start=410 + _globals['_MSGCANCELUPGRADE']._serialized_end=532 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=534 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=560 + _globals['_MSG']._serialized_start=563 + _globals['_MSG']._serialized_end=799 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 247034c8..2a4012ac 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the upgrade Msg service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 2c9251d2..2a97d175 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/upgrade.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/upgrade.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xef\x01\n\x04Plan\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12?\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12L\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01R\x13upgradedClientState:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xdb\x01\n\x17SoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12;\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\xaa\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"C\n\rModuleVersion\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07version\x18\x02 \x01(\x04R\x07version:\x04\xe8\xa0\x1f\x01\x42\xc6\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x0cUpgradeProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\014UpgradeProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1\310\341\036\000' _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None @@ -42,11 +52,11 @@ _globals['_MODULEVERSION']._loaded_options = None _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=385 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 - _globals['_MODULEVERSION']._serialized_start=736 - _globals['_MODULEVERSION']._serialized_end=788 + _globals['_PLAN']._serialized_end=432 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=435 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=654 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=657 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=827 + _globals['_MODULEVERSION']._serialized_start=829 + _globals['_MODULEVERSION']._serialized_end=896 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index cce8a2dc..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index f74b0221..61c60ff3 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,13 +25,14 @@ from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingB\xae\x01\n\x1c\x63om.cosmos.vesting.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43VM\xaa\x02\x18\x43osmos.Vesting.Module.V1\xca\x02\x18\x43osmos\\Vesting\\Module\\V1\xe2\x02$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Vesting::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.vesting.module.v1B\013ModuleProtoP\001\242\002\003CVM\252\002\030Cosmos.Vesting.Module.V1\312\002\030Cosmos\\Vesting\\Module\\V1\342\002$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Vesting::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/auth/vesting' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 34cc657c..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 7cf26be0..34b222fe 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfd\x02\n\x17MsgCreateVestingAccount\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x03R\x07\x65ndTime\x12\x18\n\x07\x64\x65layed\x18\x05 \x01(\x08R\x07\x64\x65layed:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xcf\x02\n\x1fMsgCreatePermanentLockedAccount\x12:\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"R\x0b\x66romAddress\x12\x34\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"R\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\x97\x02\n\x1fMsgCreatePeriodicVestingAccount\x12!\n\x0c\x66rom_address\x18\x01 \x01(\tR\x0b\x66romAddress\x12\x1d\n\nto_address\x18\x02 \x01(\tR\ttoAddress\x12\x1d\n\nstart_time\x18\x03 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd2\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None @@ -51,17 +61,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 - _globals['_MSG']._serialized_start=1215 - _globals['_MSG']._serialized_end=1668 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=604 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=606 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=639 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=642 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=977 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=979 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=1020 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=1023 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1302 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1304 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1345 + _globals['_MSG']._serialized_start=1348 + _globals['_MSG']._serialized_end=1801 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index ce2c508e..023b77e1 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index 7435bce5..f268eea0 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/vesting.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/v1beta1/vesting.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcd\x04\n\x12\x42\x61seVestingAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x8c\x01\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0foriginalVesting\x12\x88\x01\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\rdelegatedFree\x12\x8e\x01\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10\x64\x65legatedVesting\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x03R\x07\x65ndTime:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xcb\x01\n\x18\x43ontinuousVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\xa6\x01\n\x15\x44\x65layedVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x9b\x01\n\x06Period\x12\x16\n\x06length\x18\x01 \x01(\x03R\x06length\x12y\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x9b\x02\n\x16PeriodicVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\xa8\x01\n\x16PermanentLockedAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB\xd7\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x0cVestingProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.vesting_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\014VestingProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None @@ -57,15 +67,15 @@ _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=684 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 - _globals['_PERIOD']._serialized_start=1011 - _globals['_PERIOD']._serialized_end=1150 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 + _globals['_BASEVESTINGACCOUNT']._serialized_end=759 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=762 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=965 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=968 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1134 + _globals['_PERIOD']._serialized_start=1137 + _globals['_PERIOD']._serialized_end=1292 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1295 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1578 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1581 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 585a3132..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2.py b/pyinjective/proto/cosmos_proto/cosmos_pb2.py index 46c8df48..1aa51c90 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos_proto/cosmos.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos_proto/cosmos.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,18 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"8\n\x13InterfaceDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"c\n\x10ScalarDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12,\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:?\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\t::\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\t:/\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\t:\\\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptor:V\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorB-Z+github.com/cosmos/cosmos-proto;cosmos_protob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"K\n\x13InterfaceDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"\x81\x01\n\x10ScalarDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x37\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarTypeR\tfieldType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:T\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\tR\x13implementsInterface:L\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\tR\x10\x61\x63\x63\x65ptsInterface:7\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\tR\x06scalar:n\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptorR\x10\x64\x65\x63lareInterface:e\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorR\rdeclareScalarB\x98\x01\n\x10\x63om.cosmos_protoB\x0b\x43osmosProtoP\x01Z+github.com/cosmos/cosmos-proto;cosmos_proto\xa2\x02\x03\x43XX\xaa\x02\x0b\x43osmosProto\xca\x02\x0b\x43osmosProto\xe2\x02\x17\x43osmosProto\\GPBMetadata\xea\x02\x0b\x43osmosProtob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos_proto.cosmos_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-proto;cosmos_proto' - _globals['_SCALARTYPE']._serialized_start=236 - _globals['_SCALARTYPE']._serialized_end=324 + _globals['DESCRIPTOR']._serialized_options = b'\n\020com.cosmos_protoB\013CosmosProtoP\001Z+github.com/cosmos/cosmos-proto;cosmos_proto\242\002\003CXX\252\002\013CosmosProto\312\002\013CosmosProto\342\002\027CosmosProto\\GPBMetadata\352\002\013CosmosProto' + _globals['_SCALARTYPE']._serialized_start=286 + _globals['_SCALARTYPE']._serialized_end=374 _globals['_INTERFACEDESCRIPTOR']._serialized_start=77 - _globals['_INTERFACEDESCRIPTOR']._serialized_end=133 - _globals['_SCALARDESCRIPTOR']._serialized_start=135 - _globals['_SCALARDESCRIPTOR']._serialized_end=234 + _globals['_INTERFACEDESCRIPTOR']._serialized_end=152 + _globals['_SCALARDESCRIPTOR']._serialized_start=155 + _globals['_SCALARDESCRIPTOR']._serialized_end=284 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 6fc327ab..2daafffe 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index 6419c101..dc1f9779 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xa0\x01\n\x16StoreCodeAuthorization\x12>\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xb4\x01\n\x1e\x43ontractExecutionAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xb4\x01\n\x1e\x43ontractMigrationAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"\x7f\n\tCodeGrant\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12U\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\"\xf4\x01\n\rContractGrant\x12\x34\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12T\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitXR\x05limit\x12W\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterXR\x06\x66ilter\"n\n\rMaxCallsLimit\x12\x1c\n\tremaining\x18\x01 \x01(\x04R\tremaining:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xcd\x01\n\rMaxFundsLimit\x12{\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xf6\x01\n\rCombinedLimit\x12\'\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04R\x0e\x63\x61llsRemaining\x12{\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"}\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x12\n\x04keys\x18\x01 \x03(\tR\x04keys:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\xa7\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12\x42\n\x08messages\x18\x01 \x03(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x08messages:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB\xb0\x01\n\x14\x63om.cosmwasm.wasm.v1B\nAuthzProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nAuthzProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_STORECODEAUTHORIZATION']._loaded_options = None @@ -49,11 +59,11 @@ _globals['_MAXCALLSLIMIT']._loaded_options = None _globals['_MAXCALLSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxCallsLimit' _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MAXFUNDSLIMIT']._loaded_options = None _globals['_MAXFUNDSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxFundsLimit' _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_COMBINEDLIMIT']._loaded_options = None _globals['_COMBINEDLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/CombinedLimit' _globals['_ALLOWALLMESSAGESFILTER']._loaded_options = None @@ -61,29 +71,29 @@ _globals['_ACCEPTEDMESSAGEKEYSFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\036wasm/AcceptedMessageKeysFilter' _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._loaded_options = None - _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_ACCEPTEDMESSAGESFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AcceptedMessagesFilter' _globals['_STORECODEAUTHORIZATION']._serialized_start=208 - _globals['_STORECODEAUTHORIZATION']._serialized_end=360 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=363 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=535 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=538 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=710 - _globals['_CODEGRANT']._serialized_start=712 - _globals['_CODEGRANT']._serialized_end=806 - _globals['_CONTRACTGRANT']._serialized_start=809 - _globals['_CONTRACTGRANT']._serialized_end=1028 - _globals['_MAXCALLSLIMIT']._serialized_start=1030 - _globals['_MAXCALLSLIMIT']._serialized_end=1129 - _globals['_MAXFUNDSLIMIT']._serialized_start=1132 - _globals['_MAXFUNDSLIMIT']._serialized_end=1311 - _globals['_COMBINEDLIMIT']._serialized_start=1314 - _globals['_COMBINEDLIMIT']._serialized_end=1518 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 + _globals['_STORECODEAUTHORIZATION']._serialized_end=368 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=371 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=551 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=554 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=734 + _globals['_CODEGRANT']._serialized_start=736 + _globals['_CODEGRANT']._serialized_end=863 + _globals['_CONTRACTGRANT']._serialized_start=866 + _globals['_CONTRACTGRANT']._serialized_end=1110 + _globals['_MAXCALLSLIMIT']._serialized_start=1112 + _globals['_MAXCALLSLIMIT']._serialized_end=1222 + _globals['_MAXFUNDSLIMIT']._serialized_start=1225 + _globals['_MAXFUNDSLIMIT']._serialized_end=1430 + _globals['_COMBINEDLIMIT']._serialized_start=1433 + _globals['_COMBINEDLIMIT']._serialized_end=1679 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1681 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1780 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1782 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1907 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1910 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=2077 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 08368e00..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index 578f303d..a1dd4068 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xcf\x02\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01R\x05\x63odes\x12Z\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01R\tcontracts\x12Z\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01R\tsequences\"\xa6\x01\n\x04\x43ode\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x42\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x63odeInfo\x12\x1d\n\ncode_bytes\x18\x03 \x01(\x0cR\tcodeBytes\x12\x16\n\x06pinned\x18\x04 \x01(\x08R\x06pinned\"\xd5\x02\n\x08\x43ontract\x12\x43\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0f\x63ontractAddress\x12N\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo\x12I\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rcontractState\x12i\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x63ontractCodeHistory\"B\n\x08Sequence\x12 \n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKeyR\x05idKey\x12\x14\n\x05value\x18\x02 \x01(\x04R\x05valueB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x0cGenesisProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\014GenesisProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None @@ -49,11 +59,11 @@ _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' _globals['_GENESISSTATE']._serialized_start=151 - _globals['_GENESISSTATE']._serialized_end=449 - _globals['_CODE']._serialized_start=452 - _globals['_CODE']._serialized_end=581 - _globals['_CONTRACT']._serialized_start=584 - _globals['_CONTRACT']._serialized_end=858 - _globals['_SEQUENCE']._serialized_start=860 - _globals['_SEQUENCE']._serialized_end=912 + _globals['_GENESISSTATE']._serialized_end=486 + _globals['_CODE']._serialized_start=489 + _globals['_CODE']._serialized_end=655 + _globals['_CONTRACT']._serialized_start=658 + _globals['_CONTRACT']._serialized_end=999 + _globals['_SEQUENCE']._serialized_start=1001 + _globals['_SEQUENCE']._serialized_end=1067 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index a7fa61f0..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index dff97f9e..29b30528 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/ibc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/ibc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xb2\x01\n\nMsgIBCSend\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x31\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\"&\n\x12MsgIBCSendResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\"@\n\x12MsgIBCCloseChannel\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"B,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xe2\x01\n\nMsgIBCSend\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannel\x12@\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"R\rtimeoutHeight\x12I\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"R\x10timeoutTimestamp\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\"0\n\x12MsgIBCSendResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\"I\n\x12MsgIBCCloseChannel\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannelB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x08IbcProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.ibc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\010IbcProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_MSGIBCSEND'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._loaded_options = None @@ -32,9 +42,9 @@ _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND']._serialized_start=71 - _globals['_MSGIBCSEND']._serialized_end=249 - _globals['_MSGIBCSENDRESPONSE']._serialized_start=251 - _globals['_MSGIBCSENDRESPONSE']._serialized_end=289 - _globals['_MSGIBCCLOSECHANNEL']._serialized_start=291 - _globals['_MSGIBCCLOSECHANNEL']._serialized_end=355 + _globals['_MSGIBCSEND']._serialized_end=297 + _globals['_MSGIBCSENDRESPONSE']._serialized_start=299 + _globals['_MSGIBCSENDRESPONSE']._serialized_end=347 + _globals['_MSGIBCCLOSECHANNEL']._serialized_start=349 + _globals['_MSGIBCCLOSECHANNEL']._serialized_end=422 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index b6513996..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index e131047b..b17192d8 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/proposal_legacy.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/proposal_legacy.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xdc\x02\n\x11StoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x08 \x01(\x08\x12\x0e\n\x06source\x18\t \x01(\t\x12\x0f\n\x07\x62uilder\x18\n \x01(\t\x12\x11\n\tcode_hash\x18\x0b \x01(\x0c:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\x8d\x03\n\x1bInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\xae\x03\n\x1cInstantiateContract2Proposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\t \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\n \x01(\x08:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xee\x01\n\x17MigrateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x06 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xcb\x01\n\x14SudoContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xdc\x02\n\x17\x45xecuteContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\xe5\x01\n\x13UpdateAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12?\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xa2\x01\n\x12\x43learAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xa4\x01\n\x10PinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xa8\x01\n\x12UnpinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"|\n\x12\x41\x63\x63\x65ssConfigUpdate\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12I\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x02\n\x1fUpdateInstantiateConfigProposal\x12\x1f\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"\x12+\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"\x12N\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\x98\x04\n#StoreAndInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x06 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x07 \x01(\t\x12\r\n\x05label\x18\x08 \x01(\t\x12#\n\x03msg\x18\t \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\x0b \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0c \x01(\t\x12\x11\n\tcode_hash\x18\r \x01(\x0c:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB4Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xc2\x03\n\x11StoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x08 \x01(\x08R\tunpinCode\x12\x16\n\x06source\x18\t \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\n \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0b \x01(\x0cR\x08\x63odeHash:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\xeb\x03\n\x1bInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\x9a\x04\n\x1cInstantiateContract2Proposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\t \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\n \x01(\x08R\x06\x66ixMsg:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xa9\x02\n\x17MigrateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x06 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xfe\x01\n\x14SudoContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xae\x03\n\x17\x45xecuteContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\x8d\x02\n\x13UpdateAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12I\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xc0\x01\n\x12\x43learAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xc1\x01\n\x10PinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xc5\x01\n\x12UnpinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"\x9b\x01\n\x12\x41\x63\x63\x65ssConfigUpdate\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12`\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission\"\xb3\x02\n\x1fUpdateInstantiateConfigProposal\x12&\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"R\x05title\x12\x38\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"R\x0b\x64\x65scription\x12\x63\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x61\x63\x63\x65ssConfigUpdates:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\xb9\x05\n#StoreAndInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x06 \x01(\x08R\tunpinCode\x12\x14\n\x05\x61\x64min\x18\x07 \x01(\tR\x05\x61\x64min\x12\x14\n\x05label\x18\x08 \x01(\tR\x05label\x12\x38\n\x03msg\x18\t \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\x0b \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0c \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\r \x01(\x0cR\x08\x63odeHash:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB\xc1\x01\n\x14\x63om.cosmwasm.wasm.v1B\x13ProposalLegacyProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.proposal_legacy_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\330\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\023ProposalLegacyProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\330\341\036\000\250\342\036\001' _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -40,9 +50,9 @@ _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_INSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260* wasm/InstantiateContractProposal' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -52,9 +62,9 @@ _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_INSTANTIATECONTRACT2PROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!wasm/InstantiateContract2Proposal' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None @@ -62,13 +72,13 @@ _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MIGRATECONTRACTPROPOSAL']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/MigrateContractProposal' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_SUDOCONTRACTPROPOSAL']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\031wasm/SudoContractProposal' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -76,9 +86,9 @@ _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_EXECUTECONTRACTPROPOSAL']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/ExecuteContractProposal' _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._loaded_options = None @@ -116,35 +126,35 @@ _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(wasm/StoreAndInstantiateContractProposal' _globals['_STORECODEPROPOSAL']._serialized_start=191 - _globals['_STORECODEPROPOSAL']._serialized_end=539 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=542 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=939 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=942 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1372 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1375 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1613 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1616 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=1819 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=1822 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2170 - _globals['_UPDATEADMINPROPOSAL']._serialized_start=2173 - _globals['_UPDATEADMINPROPOSAL']._serialized_end=2402 - _globals['_CLEARADMINPROPOSAL']._serialized_start=2405 - _globals['_CLEARADMINPROPOSAL']._serialized_end=2567 - _globals['_PINCODESPROPOSAL']._serialized_start=2570 - _globals['_PINCODESPROPOSAL']._serialized_end=2734 - _globals['_UNPINCODESPROPOSAL']._serialized_start=2737 - _globals['_UNPINCODESPROPOSAL']._serialized_end=2905 - _globals['_ACCESSCONFIGUPDATE']._serialized_start=2907 - _globals['_ACCESSCONFIGUPDATE']._serialized_end=3031 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3034 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3300 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=3303 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=3839 + _globals['_STORECODEPROPOSAL']._serialized_end=641 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=644 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=1135 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=1138 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1676 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1679 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1976 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1979 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=2233 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=2236 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2666 + _globals['_UPDATEADMINPROPOSAL']._serialized_start=2669 + _globals['_UPDATEADMINPROPOSAL']._serialized_end=2938 + _globals['_CLEARADMINPROPOSAL']._serialized_start=2941 + _globals['_CLEARADMINPROPOSAL']._serialized_end=3133 + _globals['_PINCODESPROPOSAL']._serialized_start=3136 + _globals['_PINCODESPROPOSAL']._serialized_end=3329 + _globals['_UNPINCODESPROPOSAL']._serialized_start=3332 + _globals['_UNPINCODESPROPOSAL']._serialized_end=3529 + _globals['_ACCESSCONFIGUPDATE']._serialized_start=3532 + _globals['_ACCESSCONFIGUPDATE']._serialized_end=3687 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3690 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3997 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=4000 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=4697 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 416372a7..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 9b0fe0f7..66e6e7f1 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"N\n\x18QueryContractInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xad\x01\n\x19QueryContractInfoResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo:\x04\xe8\xa0\x1f\x01\"\x99\x01\n\x1bQueryContractHistoryRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb8\x01\n\x1cQueryContractHistoryResponse\x12O\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1bQueryContractsByCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9f\x01\n\x1cQueryContractsByCodeResponse\x12\x36\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tcontracts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n\x1cQueryAllContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x1dQueryAllContractStateResponse\x12:\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06models\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"q\n\x1cQueryRawContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x1d\n\nquery_data\x18\x02 \x01(\x0cR\tqueryData\"3\n\x1dQueryRawContractStateResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x9b\x01\n\x1eQuerySmartContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x45\n\nquery_data\x18\x02 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\tqueryData\"]\n\x1fQuerySmartContractStateResponse\x12:\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x04\x64\x61ta\"+\n\x10QueryCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\"\xb8\x02\n\x10\x43odeInfoResponse\x12)\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02idR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12Q\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x08\x64\x61taHash\x12`\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"\x82\x01\n\x11QueryCodeResponse\x12I\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00R\x08\x63odeInfo\x12\x1c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"[\n\x11QueryCodesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n\x12QueryCodesResponse\x12L\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tcodeInfos\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x17QueryPinnedCodesRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x8b\x01\n\x18QueryPinnedCodesResponse\x12&\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDsR\x07\x63odeIds\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\xab\x01\n\x1eQueryContractsByCreatorRequest\x12\x41\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb3\x01\n\x1fQueryContractsByCreatorResponse\x12G\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x11\x63ontractAddresses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xab\x01\n\x18QueryBuildAddressRequest\x12\x1b\n\tcode_hash\x18\x01 \x01(\tR\x08\x63odeHash\x12\x41\n\x0f\x63reator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x12\n\x04salt\x18\x03 \x01(\tR\x04salt\x12\x1b\n\tinit_args\x18\x04 \x01(\x0cR\x08initArgs\"O\n\x19QueryBuildAddressResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress2\xdf\x0e\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}\x12\x99\x01\n\x0c\x42uildAddress\x12*.cosmwasm.wasm.v1.QueryBuildAddressRequest\x1a+.cosmwasm.wasm.v1.QueryBuildAddressResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmwasm/wasm/v1/contract/build_addressB\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nQueryProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nQueryProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\000' _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None @@ -51,9 +61,9 @@ _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None @@ -80,6 +90,10 @@ _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._loaded_options = None + _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None @@ -102,52 +116,58 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' + _globals['_QUERY'].methods_by_name['BuildAddress']._loaded_options = None + _globals['_QUERY'].methods_by_name['BuildAddress']._serialized_options = b'\202\323\344\223\002*\022(/cosmwasm/wasm/v1/contract/build_address' _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 - _globals['_QUERYCODEREQUEST']._serialized_start=1613 - _globals['_QUERYCODEREQUEST']._serialized_end=1648 - _globals['_CODEINFORESPONSE']._serialized_start=1651 - _globals['_CODEINFORESPONSE']._serialized_end=1913 - _globals['_QUERYCODERESPONSE']._serialized_start=1915 - _globals['_QUERYCODERESPONSE']._serialized_end=2029 - _globals['_QUERYCODESREQUEST']._serialized_start=2031 - _globals['_QUERYCODESREQUEST']._serialized_end=2110 - _globals['_QUERYCODESRESPONSE']._serialized_start=2113 - _globals['_QUERYCODESRESPONSE']._serialized_end=2261 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 - _globals['_QUERY']._serialized_start=2866 - _globals['_QUERY']._serialized_end=4597 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=300 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=303 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=476 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=479 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=632 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=635 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=819 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=821 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=947 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=950 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=1109 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=1112 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1266 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1269 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1433 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1435 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1548 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1550 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1601 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1604 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1759 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1761 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1854 + _globals['_QUERYCODEREQUEST']._serialized_start=1856 + _globals['_QUERYCODEREQUEST']._serialized_end=1899 + _globals['_CODEINFORESPONSE']._serialized_start=1902 + _globals['_CODEINFORESPONSE']._serialized_end=2214 + _globals['_QUERYCODERESPONSE']._serialized_start=2217 + _globals['_QUERYCODERESPONSE']._serialized_end=2347 + _globals['_QUERYCODESREQUEST']._serialized_start=2349 + _globals['_QUERYCODESREQUEST']._serialized_end=2440 + _globals['_QUERYCODESRESPONSE']._serialized_start=2443 + _globals['_QUERYCODESRESPONSE']._serialized_end=2614 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2616 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2713 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2716 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2855 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2857 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2877 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2879 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2961 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2964 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=3135 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=3138 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=3317 + _globals['_QUERYBUILDADDRESSREQUEST']._serialized_start=3320 + _globals['_QUERYBUILDADDRESSREQUEST']._serialized_end=3491 + _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_start=3493 + _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_end=3572 + _globals['_QUERY']._serialized_start=3575 + _globals['_QUERY']._serialized_end=5462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 24135987..ed773a07 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service @@ -119,6 +70,11 @@ def __init__(self, channel): request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, _registered_method=True) + self.BuildAddress = channel.unary_unary( + '/cosmwasm.wasm.v1.Query/BuildAddress', + request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, + response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -202,6 +158,13 @@ def ContractsByCreator(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def BuildAddress(self, request, context): + """BuildAddress builds a contract address + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -260,6 +223,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.FromString, response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.SerializeToString, ), + 'BuildAddress': grpc.unary_unary_rpc_method_handler( + servicer.BuildAddress, + request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.FromString, + response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Query', rpc_method_handlers) @@ -568,3 +536,30 @@ def ContractsByCreator(request, timeout, metadata, _registered_method=True) + + @staticmethod + def BuildAddress(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/BuildAddress', + cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, + cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index afbaeabf..819f5e81 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xfe\x01\n\x0cMsgStoreCode\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"W\n\x14MsgStoreCodeResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\"\x95\x03\n\x16MsgInstantiateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"h\n\x1eMsgInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc4\x03\n\x17MsgInstantiateContract2\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\x07 \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\x08 \x01(\x08R\x06\x66ixMsg:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"i\n\x1fMsgInstantiateContract2Response\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xd8\x02\n\x12MsgExecuteContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"0\n\x1aMsgExecuteContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x84\x02\n\x12MsgMigrateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"0\n\x1aMsgMigrateContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xd4\x01\n\x0eMsgUpdateAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x35\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x9b\x01\n\rMsgClearAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\x82\x02\n\x1aMsgUpdateInstantiateConfig\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\\\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x18newInstantiatePermission:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\xaf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe2\x01\n\x0fMsgSudoContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"-\n\x17MsgSudoContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xa5\x01\n\x0bMsgPinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\xa9\x01\n\rMsgUnpinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\x86\x05\n\x1eMsgStoreAndInstantiateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x05 \x01(\x08R\tunpinCode\x12.\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x08 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\n \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0b \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0c \x01(\x0cR\x08\x63odeHash:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"p\n&MsgStoreAndInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc6\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xcc\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\xed\x02\n\x1aMsgStoreAndMigrateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1a\n\x08\x63ontract\x18\x04 \x01(\tR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"y\n\"MsgStoreAndMigrateContractResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"\xca\x01\n\x16MsgUpdateContractLabel\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x1b\n\tnew_label\x18\x02 \x01(\tR\x08newLabel\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xad\x01\n\x14\x63om.cosmwasm.wasm.v1B\x07TxProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\007TxProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -43,9 +53,9 @@ _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -57,9 +67,9 @@ _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None @@ -69,9 +79,9 @@ _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None @@ -81,7 +91,7 @@ _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None @@ -115,7 +125,7 @@ _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSUDOCONTRACT']._loaded_options = None _globals['_MSGSUDOCONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgSudoContract' _globals['_MSGPINCODES'].fields_by_name['authority']._loaded_options = None @@ -137,9 +147,9 @@ _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -161,7 +171,7 @@ _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSTOREANDMIGRATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\037wasm/MsgStoreAndMigrateContract' _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._loaded_options = None @@ -175,73 +185,73 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=412 - _globals['_MSGSTORECODERESPONSE']._serialized_start=414 - _globals['_MSGSTORECODERESPONSE']._serialized_end=483 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 - _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 - _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 - _globals['_MSGUPDATEADMIN']._serialized_start=1956 - _globals['_MSGUPDATEADMIN']._serialized_end=2140 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 - _globals['_MSGCLEARADMIN']._serialized_start=2169 - _globals['_MSGCLEARADMIN']._serialized_end=2306 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 - _globals['_MSGUPDATEPARAMS']._serialized_start=2591 - _globals['_MSGUPDATEPARAMS']._serialized_end=2747 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 - _globals['_MSGSUDOCONTRACT']._serialized_start=2777 - _globals['_MSGSUDOCONTRACT']._serialized_end=2961 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 - _globals['_MSGPINCODES']._serialized_start=3005 - _globals['_MSGPINCODES']._serialized_end=3150 - _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 - _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 - _globals['_MSGUNPINCODES']._serialized_start=3176 - _globals['_MSGUNPINCODES']._serialized_end=3325 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 - _globals['_MSG']._serialized_start=5008 - _globals['_MSG']._serialized_end=6885 + _globals['_MSGSTORECODE']._serialized_end=457 + _globals['_MSGSTORECODERESPONSE']._serialized_start=459 + _globals['_MSGSTORECODERESPONSE']._serialized_end=546 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=549 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=954 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=956 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=1060 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=1063 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1515 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1517 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1622 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1625 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1969 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1971 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=2019 + _globals['_MSGMIGRATECONTRACT']._serialized_start=2022 + _globals['_MSGMIGRATECONTRACT']._serialized_end=2282 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=2284 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=2332 + _globals['_MSGUPDATEADMIN']._serialized_start=2335 + _globals['_MSGUPDATEADMIN']._serialized_end=2547 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2549 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2573 + _globals['_MSGCLEARADMIN']._serialized_start=2576 + _globals['_MSGCLEARADMIN']._serialized_end=2731 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2733 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2756 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2759 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=3017 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=3019 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=3055 + _globals['_MSGUPDATEPARAMS']._serialized_start=3058 + _globals['_MSGUPDATEPARAMS']._serialized_end=3233 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3235 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3260 + _globals['_MSGSUDOCONTRACT']._serialized_start=3263 + _globals['_MSGSUDOCONTRACT']._serialized_end=3489 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=3491 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3536 + _globals['_MSGPINCODES']._serialized_start=3539 + _globals['_MSGPINCODES']._serialized_end=3704 + _globals['_MSGPINCODESRESPONSE']._serialized_start=3706 + _globals['_MSGPINCODESRESPONSE']._serialized_end=3727 + _globals['_MSGUNPINCODES']._serialized_start=3730 + _globals['_MSGUNPINCODES']._serialized_end=3899 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3901 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3924 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3927 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=4573 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=4575 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=4687 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=4690 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4888 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4890 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4931 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4934 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=5138 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=5140 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=5184 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=5187 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=5552 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=5554 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=5675 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=5678 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=5880 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=5882 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5914 + _globals['_MSG']._serialized_start=5917 + _globals['_MSG']._serialized_end=7794 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index 27e481ad..7dbc1734 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the wasm Msg service. diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index 3db7c709..e8785138 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"]\n\x0f\x41\x63\x63\x65ssTypeParam\x12\x44\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\"R\x05value:\x04\x98\xa0\x1f\x01\"\xa7\x01\n\x0c\x41\x63\x63\x65ssConfig\x12S\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"R\npermission\x12\x36\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\x94\x02\n\x06Params\x12t\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01R\x10\x63odeUploadAccess\x12\x8d\x01\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\"R\x1cinstantiateDefaultPermission:\x04\x98\xa0\x1f\x00\"\xc1\x01\n\x08\x43odeInfo\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12X\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11instantiateConfigJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x82\x03\n\x0c\x43ontractInfo\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12>\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07\x63reated\x12-\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortIDR\tibcPortId\x12^\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtensionR\textension:\x04\xe8\xa0\x1f\x01\"\x8b\x02\n\x18\x43ontractCodeHistoryEntry\x12P\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationTypeR\toperation\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12>\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07updated\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\"R\n\x12\x41\x62soluteTxPosition\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x19\n\x08tx_index\x18\x02 \x01(\x04R\x07txIndex\"e\n\x05Model\x12\x46\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\"\xb1\x01\n\x0f\x45ventCodeStored\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x18\n\x07\x63reator\x18\x02 \x01(\tR\x07\x63reator\x12\x43\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x0c\x61\x63\x63\x65ssConfig\x12\x1a\n\x08\x63hecksum\x18\x04 \x01(\x0cR\x08\x63hecksum\"\xbe\x02\n\x19\x45ventContractInstantiated\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x14\n\x05\x61\x64min\x18\x02 \x01(\tR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x61\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x66unds\x12(\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x18\n\x07\x63reator\x18\x07 \x01(\tR\x07\x63reator\"\x91\x01\n\x15\x45ventContractMigrated\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12(\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\"_\n\x15\x45ventContractAdminSet\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tnew_admin\x18\x02 \x01(\tR\x08newAdmin*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nTypesProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nTypesProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\001' _globals['_ACCESSTYPE']._loaded_options = None _globals['_ACCESSTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._loaded_options = None @@ -82,7 +92,7 @@ _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._loaded_options = None - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MODEL'].fields_by_name['key']._loaded_options = None _globals['_MODEL'].fields_by_name['key']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_EVENTCODESTORED'].fields_by_name['code_id']._loaded_options = None @@ -97,32 +107,32 @@ _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2089 - _globals['_ACCESSTYPE']._serialized_end=2335 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 + _globals['_ACCESSTYPE']._serialized_start=2510 + _globals['_ACCESSTYPE']._serialized_end=2756 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2759 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=3181 _globals['_ACCESSTYPEPARAM']._serialized_start=177 - _globals['_ACCESSTYPEPARAM']._serialized_end=263 - _globals['_ACCESSCONFIG']._serialized_start=266 - _globals['_ACCESSCONFIG']._serialized_end=410 - _globals['_PARAMS']._serialized_start=413 - _globals['_PARAMS']._serialized_end=640 - _globals['_CODEINFO']._serialized_start=643 - _globals['_CODEINFO']._serialized_end=798 - _globals['_CONTRACTINFO']._serialized_start=801 - _globals['_CONTRACTINFO']._serialized_end=1125 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 - _globals['_MODEL']._serialized_start=1410 - _globals['_MODEL']._serialized_end=1499 - _globals['_EVENTCODESTORED']._serialized_start=1502 - _globals['_EVENTCODESTORED']._serialized_end=1638 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 + _globals['_ACCESSTYPEPARAM']._serialized_end=270 + _globals['_ACCESSCONFIG']._serialized_start=273 + _globals['_ACCESSCONFIG']._serialized_end=440 + _globals['_PARAMS']._serialized_start=443 + _globals['_PARAMS']._serialized_end=719 + _globals['_CODEINFO']._serialized_start=722 + _globals['_CODEINFO']._serialized_end=915 + _globals['_CONTRACTINFO']._serialized_start=918 + _globals['_CONTRACTINFO']._serialized_end=1304 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1307 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1574 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1576 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1658 + _globals['_MODEL']._serialized_start=1660 + _globals['_MODEL']._serialized_end=1761 + _globals['_EVENTCODESTORED']._serialized_start=1764 + _globals['_EVENTCODESTORED']._serialized_end=1941 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1944 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=2262 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=2265 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2410 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=2412 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2507 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 5cb4c9d9..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2.py b/pyinjective/proto/exchange/event_provider_api_pb2.py index f815c155..d1af1fff 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/event_provider_api.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/event_provider_api.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,54 +24,54 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"o\n\x17GetLatestHeightResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x33\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeight\"#\n\x11LatestBlockHeight\x12\x0e\n\x06height\x18\x01 \x01(\x04\";\n\x18StreamBlockEventsRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"F\n\x19StreamBlockEventsResponse\x12)\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.Block\"i\n\x05\x42lock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x0f\n\x07version\x18\x02 \x01(\t\x12.\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEvent\x12\x0f\n\x07in_sync\x18\x04 \x01(\x08\">\n\nBlockEvent\x12\x10\n\x08type_url\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07tx_hash\x18\x03 \x01(\x0c\";\n\x18GetBlockEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"n\n\x19GetBlockEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"\xa5\x01\n\x0e\x42lockEventsRPC\x12\r\n\x05types\x18\x01 \x03(\t\x12\x0e\n\x06\x65vents\x18\x02 \x03(\x0c\x12\x43\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntry\x1a/\n\rTxHashesEntry\x12\x0b\n\x03key\x18\x01 \x01(\x11\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x38\x01\"L\n\x19GetCustomEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\x12\x0e\n\x06\x65vents\x18\x03 \x01(\t\"o\n\x1aGetCustomEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"@\n\x19GetABCIBlockEventsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x11\x12\x13\n\x0b\x65vent_types\x18\x02 \x03(\t\"n\n\x1aGetABCIBlockEventsResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12/\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlock\"\xfb\x01\n\x08RawBlock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x12\n\nblock_time\x18\x05 \x01(\t\x12\x17\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12\x12>\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTx\x12\x39\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x37\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\"\xb9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x11\x12\x0b\n\x03log\x18\x02 \x01(\t\x12\x0c\n\x04info\x18\x03 \x01(\t\x12\x12\n\ngas_wanted\x18\x04 \x01(\x12\x12\x10\n\x08gas_used\x18\x05 \x01(\x12\x12-\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x11\n\tcodespace\x18\x07 \x01(\t\x12\x0f\n\x07tx_hash\x18\x08 \x01(\x0c\"P\n\tABCIEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x35\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttribute\"+\n\rABCIAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\x17Z\x15/event_provider_apipbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"~\n\x17GetLatestHeightResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeightR\x04\x64\x61ta\"+\n\x11LatestBlockHeight\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\"L\n\x18StreamBlockEventsRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"N\n\x19StreamBlockEventsResponse\x12\x31\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.BlockR\x06\x62locks\"\x8a\x01\n\x05\x42lock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x36\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEventR\x06\x65vents\x12\x17\n\x07in_sync\x18\x04 \x01(\x08R\x06inSync\"V\n\nBlockEvent\x12\x19\n\x08type_url\x18\x01 \x01(\tR\x07typeUrl\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x17\n\x07tx_hash\x18\x03 \x01(\x0cR\x06txHash\"L\n\x18GetBlockEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"}\n\x19GetBlockEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"\xca\x01\n\x0e\x42lockEventsRPC\x12\x14\n\x05types\x18\x01 \x03(\tR\x05types\x12\x16\n\x06\x65vents\x18\x02 \x03(\x0cR\x06\x65vents\x12M\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntryR\x08txHashes\x1a;\n\rTxHashesEntry\x12\x10\n\x03key\x18\x01 \x01(\x11R\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x02\x38\x01\"e\n\x19GetCustomEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\x12\x16\n\x06\x65vents\x18\x03 \x01(\tR\x06\x65vents\"~\n\x1aGetCustomEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"T\n\x19GetABCIBlockEventsRequest\x12\x16\n\x06height\x18\x01 \x01(\x11R\x06height\x12\x1f\n\x0b\x65vent_types\x18\x02 \x03(\tR\neventTypes\"\x81\x01\n\x1aGetABCIBlockEventsResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlockR\x08rawBlock\"\xcc\x02\n\x08RawBlock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x1d\n\nblock_time\x18\x05 \x01(\tR\tblockTime\x12\'\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12R\x0e\x62lockTimestamp\x12J\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTxR\ntxsResults\x12K\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x10\x62\x65ginBlockEvents\x12G\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x0e\x65ndBlockEvents\"\xf9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\x11R\x04\x63ode\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x12\n\x04info\x18\x03 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\x04 \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\x05 \x01(\x12R\x07gasUsed\x12\x35\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x06\x65vents\x12\x1c\n\tcodespace\x18\x07 \x01(\tR\tcodespace\x12\x17\n\x07tx_hash\x18\x08 \x01(\x0cR\x06txHash\"b\n\tABCIEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttributeR\nattributes\"7\n\rABCIAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\xa6\x01\n\x16\x63om.event_provider_apiB\x15\x45ventProviderApiProtoP\x01Z\x15/event_provider_apipb\xa2\x02\x03\x45XX\xaa\x02\x10\x45ventProviderApi\xca\x02\x10\x45ventProviderApi\xe2\x02\x1c\x45ventProviderApi\\GPBMetadata\xea\x02\x10\x45ventProviderApib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.event_provider_api_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\025/event_provider_apipb' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.event_provider_apiB\025EventProviderApiProtoP\001Z\025/event_provider_apipb\242\002\003EXX\252\002\020EventProviderApi\312\002\020EventProviderApi\342\002\034EventProviderApi\\GPBMetadata\352\002\020EventProviderApi' _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._loaded_options = None _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_options = b'8\001' _globals['_GETLATESTHEIGHTREQUEST']._serialized_start=57 _globals['_GETLATESTHEIGHTREQUEST']._serialized_end=81 _globals['_GETLATESTHEIGHTRESPONSE']._serialized_start=83 - _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=194 - _globals['_LATESTBLOCKHEIGHT']._serialized_start=196 - _globals['_LATESTBLOCKHEIGHT']._serialized_end=231 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=233 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=292 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=294 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=364 - _globals['_BLOCK']._serialized_start=366 - _globals['_BLOCK']._serialized_end=471 - _globals['_BLOCKEVENT']._serialized_start=473 - _globals['_BLOCKEVENT']._serialized_end=535 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=537 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=596 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=598 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=708 - _globals['_BLOCKEVENTSRPC']._serialized_start=711 - _globals['_BLOCKEVENTSRPC']._serialized_end=876 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=829 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=876 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=878 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=954 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=956 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1067 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1069 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1133 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1135 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1245 - _globals['_RAWBLOCK']._serialized_start=1248 - _globals['_RAWBLOCK']._serialized_end=1499 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1502 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=1687 - _globals['_ABCIEVENT']._serialized_start=1689 - _globals['_ABCIEVENT']._serialized_end=1769 - _globals['_ABCIATTRIBUTE']._serialized_start=1771 - _globals['_ABCIATTRIBUTE']._serialized_end=1814 - _globals['_EVENTPROVIDERAPI']._serialized_start=1817 - _globals['_EVENTPROVIDERAPI']._serialized_end=2407 + _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=209 + _globals['_LATESTBLOCKHEIGHT']._serialized_start=211 + _globals['_LATESTBLOCKHEIGHT']._serialized_end=254 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=256 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=332 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=334 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=412 + _globals['_BLOCK']._serialized_start=415 + _globals['_BLOCK']._serialized_end=553 + _globals['_BLOCKEVENT']._serialized_start=555 + _globals['_BLOCKEVENT']._serialized_end=641 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=643 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=719 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=721 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=846 + _globals['_BLOCKEVENTSRPC']._serialized_start=849 + _globals['_BLOCKEVENTSRPC']._serialized_end=1051 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=992 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=1051 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=1053 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=1154 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=1156 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1282 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1284 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1368 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1371 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1500 + _globals['_RAWBLOCK']._serialized_start=1503 + _globals['_RAWBLOCK']._serialized_end=1835 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1838 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=2087 + _globals['_ABCIEVENT']._serialized_start=2089 + _globals['_ABCIEVENT']._serialized_end=2187 + _globals['_ABCIATTRIBUTE']._serialized_start=2189 + _globals['_ABCIATTRIBUTE']._serialized_end=2244 + _globals['_EVENTPROVIDERAPI']._serialized_start=2247 + _globals['_EVENTPROVIDERAPI']._serialized_end=2837 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index cc485fcc..7a17ca12 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class EventProviderAPIStub(object): """EventProviderAPI provides processed block events for different backends. diff --git a/pyinjective/proto/exchange/health_pb2.py b/pyinjective/proto/exchange/health_pb2.py index b92feb01..e0a403b4 100644 --- a/pyinjective/proto/exchange/health_pb2.py +++ b/pyinjective/proto/exchange/health_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/health.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/health.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,20 +24,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"b\n\x11GetStatusResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatus\x12\x0e\n\x06status\x18\x04 \x01(\t\"p\n\x0cHealthStatus\x12\x14\n\x0clocal_height\x18\x01 \x01(\x11\x12\x17\n\x0flocal_timestamp\x18\x02 \x01(\x11\x12\x16\n\x0ehoracle_height\x18\x03 \x01(\x11\x12\x19\n\x11horacle_timestamp\x18\x04 \x01(\x11\x32J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB\x0bZ\t/api.v1pbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"{\n\x11GetStatusResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12(\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatusR\x04\x64\x61ta\x12\x16\n\x06status\x18\x04 \x01(\tR\x06status\"\xae\x01\n\x0cHealthStatus\x12!\n\x0clocal_height\x18\x01 \x01(\x11R\x0blocalHeight\x12\'\n\x0flocal_timestamp\x18\x02 \x01(\x11R\x0elocalTimestamp\x12%\n\x0ehoracle_height\x18\x03 \x01(\x11R\rhoracleHeight\x12+\n\x11horacle_timestamp\x18\x04 \x01(\x11R\x10horacleTimestamp2J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB]\n\ncom.api.v1B\x0bHealthProtoP\x01Z\t/api.v1pb\xa2\x02\x03\x41XX\xaa\x02\x06\x41pi.V1\xca\x02\x06\x41pi\\V1\xe2\x02\x12\x41pi\\V1\\GPBMetadata\xea\x02\x07\x41pi::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.health_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\t/api.v1pb' + _globals['DESCRIPTOR']._serialized_options = b'\n\ncom.api.v1B\013HealthProtoP\001Z\t/api.v1pb\242\002\003AXX\252\002\006Api.V1\312\002\006Api\\V1\342\002\022Api\\V1\\GPBMetadata\352\002\007Api::V1' _globals['_GETSTATUSREQUEST']._serialized_start=33 _globals['_GETSTATUSREQUEST']._serialized_end=51 _globals['_GETSTATUSRESPONSE']._serialized_start=53 - _globals['_GETSTATUSRESPONSE']._serialized_end=151 - _globals['_HEALTHSTATUS']._serialized_start=153 - _globals['_HEALTHSTATUS']._serialized_end=265 - _globals['_HEALTH']._serialized_start=267 - _globals['_HEALTH']._serialized_end=341 + _globals['_GETSTATUSRESPONSE']._serialized_end=176 + _globals['_HEALTHSTATUS']._serialized_start=179 + _globals['_HEALTHSTATUS']._serialized_end=353 + _globals['_HEALTH']._serialized_start=355 + _globals['_HEALTH']._serialized_end=429 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index b2ab3fd1..f83f04db 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import health_pb2 as exchange_dot_health__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/health_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/health_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class HealthStub(object): """HealthAPI allows to check if backend data is up-to-date and reliable or not. diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py index 12ca180c..a3426046 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_accounts_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_accounts_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,106 +24,106 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\"+\n\x10PortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"P\n\x11PortfolioResponse\x12;\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolio\"\xb8\x01\n\x10\x41\x63\x63ountPortfolio\x12\x17\n\x0fportfolio_value\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\x12@\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolio\"w\n\x13SubaccountPortfolio\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\"P\n\x12OrderStatesRequest\x12\x19\n\x11spot_order_hashes\x18\x01 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\t\"\xa5\x01\n\x13OrderStatesResponse\x12\x43\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\x12I\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\"\x83\x02\n\x10OrderStateRecord\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x12\n\norder_type\x18\x04 \x01(\t\x12\x12\n\norder_side\x18\x05 \x01(\t\x12\r\n\x05state\x18\x06 \x01(\t\x12\x17\n\x0fquantity_filled\x18\x07 \x01(\t\x12\x1a\n\x12quantity_remaining\x18\x08 \x01(\t\x12\x12\n\ncreated_at\x18\t \x01(\x12\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\r\n\x05price\x18\x0b \x01(\t\x12\x0e\n\x06margin\x18\x0c \x01(\t\"1\n\x16SubaccountsListRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\".\n\x17SubaccountsListResponse\x12\x13\n\x0bsubaccounts\x18\x01 \x03(\t\"F\n\x1dSubaccountBalancesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"]\n\x1eSubaccountBalancesListResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"\x8e\x01\n\x11SubaccountBalance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12:\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"H\n SubaccountBalanceEndpointRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"_\n!SubaccountBalanceEndpointResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"G\n\x1eStreamSubaccountBalanceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"p\n\x1fStreamSubaccountBalanceResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\x87\x01\n\x18SubaccountHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x16\n\x0etransfer_types\x18\x03 \x03(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\"\x91\x01\n\x19SubaccountHistoryResponse\x12\x44\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransfer\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.Paging\"\xeb\x01\n\x19SubaccountBalanceTransfer\x12\x15\n\rtransfer_type\x18\x01 \x01(\t\x12\x19\n\x11src_subaccount_id\x18\x02 \x01(\t\x12\x1b\n\x13src_account_address\x18\x03 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x04 \x01(\t\x12\x1b\n\x13\x64st_account_address\x18\x05 \x01(\t\x12\x32\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoin\x12\x13\n\x0b\x65xecuted_at\x18\x07 \x01(\x12\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"b\n\x1dSubaccountOrderSummaryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0forder_direction\x18\x03 \x01(\t\"\\\n\x1eSubaccountOrderSummaryResponse\x12\x19\n\x11spot_orders_total\x18\x01 \x01(\x12\x12\x1f\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12\"8\n\x0eRewardsRequest\x12\r\n\x05\x65poch\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"B\n\x0fRewardsResponse\x12/\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.Reward\"h\n\x06Reward\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12-\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.Coin\x12\x16\n\x0e\x64istributed_at\x18\x03 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"3\n\x18StreamAccountDataRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"\x95\x03\n\x19StreamAccountDataResponse\x12K\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResult\x12\x39\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResult\x12\x32\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResult\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResult\x12\x41\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResult\x12\x45\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResult\"h\n\x17SubaccountBalanceResult\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"X\n\x0fPositionsResult\x12\x32\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.Position\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xe5\x01\n\x08Position\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\"\xbf\x01\n\x0bTradeResult\x12\x37\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00\x12\x43\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05trade\"\xa3\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x31\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xc4\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12=\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xc9\x01\n\x0bOrderResult\x12<\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00\x12H\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05order\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xec\x01\n\x12OrderHistoryResult\x12\x46\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00\x12R\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x0f\n\rorder_history\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x83\x01\n\x14\x46undingPaymentResult\x12@\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPayment\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\x1bZ\x19/injective_accounts_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\";\n\x10PortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"[\n\x11PortfolioResponse\x12\x46\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolioR\tportfolio\"\x85\x02\n\x10\x41\x63\x63ountPortfolio\x12\'\n\x0fportfolio_value\x18\x01 \x01(\tR\x0eportfolioValue\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\x12M\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolioR\x0bsubaccounts\"\xb5\x01\n\x13SubaccountPortfolio\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\"x\n\x12OrderStatesRequest\x12*\n\x11spot_order_hashes\x18\x01 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\tR\x15\x64\x65rivativeOrderHashes\"\xcd\x01\n\x13OrderStatesResponse\x12T\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x0fspotOrderStates\x12`\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x15\x64\x65rivativeOrderStates\"\x8b\x03\n\x10OrderStateRecord\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x1d\n\norder_type\x18\x04 \x01(\tR\torderType\x12\x1d\n\norder_side\x18\x05 \x01(\tR\torderSide\x12\x14\n\x05state\x18\x06 \x01(\tR\x05state\x12\'\n\x0fquantity_filled\x18\x07 \x01(\tR\x0equantityFilled\x12-\n\x12quantity_remaining\x18\x08 \x01(\tR\x11quantityRemaining\x12\x1d\n\ncreated_at\x18\t \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x14\n\x05price\x18\x0b \x01(\tR\x05price\x12\x16\n\x06margin\x18\x0c \x01(\tR\x06margin\"A\n\x16SubaccountsListRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\";\n\x17SubaccountsListResponse\x12 \n\x0bsubaccounts\x18\x01 \x03(\tR\x0bsubaccounts\"\\\n\x1dSubaccountBalancesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"g\n\x1eSubaccountBalancesListResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x08\x62\x61lances\"\xbc\x01\n\x11SubaccountBalance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"]\n SubaccountBalanceEndpointRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"h\n!SubaccountBalanceEndpointResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\"]\n\x1eStreamSubaccountBalanceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"\x84\x01\n\x1fStreamSubaccountBalanceResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xc1\x01\n\x18SubaccountHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12%\n\x0etransfer_types\x18\x03 \x03(\tR\rtransferTypes\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\"\xa4\x01\n\x19SubaccountHistoryResponse\x12O\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransferR\ttransfers\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.PagingR\x06paging\"\xd5\x02\n\x19SubaccountBalanceTransfer\x12#\n\rtransfer_type\x18\x01 \x01(\tR\x0ctransferType\x12*\n\x11src_subaccount_id\x18\x02 \x01(\tR\x0fsrcSubaccountId\x12.\n\x13src_account_address\x18\x03 \x01(\tR\x11srcAccountAddress\x12*\n\x11\x64st_subaccount_id\x18\x04 \x01(\tR\x0f\x64stSubaccountId\x12.\n\x13\x64st_account_address\x18\x05 \x01(\tR\x11\x64stAccountAddress\x12:\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoinR\x06\x61mount\x12\x1f\n\x0b\x65xecuted_at\x18\x07 \x01(\x12R\nexecutedAt\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x8a\x01\n\x1dSubaccountOrderSummaryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0forder_direction\x18\x03 \x01(\tR\x0eorderDirection\"\x84\x01\n\x1eSubaccountOrderSummaryResponse\x12*\n\x11spot_orders_total\x18\x01 \x01(\x12R\x0fspotOrdersTotal\x12\x36\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12R\x15\x64\x65rivativeOrdersTotal\"O\n\x0eRewardsRequest\x12\x14\n\x05\x65poch\x18\x01 \x01(\x12R\x05\x65poch\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"K\n\x0fRewardsResponse\x12\x38\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.RewardR\x07rewards\"\x90\x01\n\x06Reward\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x36\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.CoinR\x07rewards\x12%\n\x0e\x64istributed_at\x18\x03 \x01(\x12R\rdistributedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"C\n\x18StreamAccountDataRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xde\x03\n\x19StreamAccountDataResponse\x12^\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResultR\x11subaccountBalance\x12\x43\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResultR\x08position\x12\x39\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResultR\x05trade\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResultR\x05order\x12O\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResultR\x0corderHistory\x12U\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResultR\x0e\x66undingPayment\"|\n\x17SubaccountBalanceResult\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"m\n\x0fPositionsResult\x12<\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.PositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xe1\x02\n\x08Position\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\"\xf5\x01\n\x0bTradeResult\x12\x42\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00R\tspotTrade\x12T\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00R\x0f\x64\x65rivativeTrade\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05trade\"\xad\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12\x38\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xdd\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12L\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xff\x01\n\x0bOrderResult\x12G\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00R\tspotOrder\x12Y\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00R\x0f\x64\x65rivativeOrder\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05order\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xb0\x02\n\x12OrderHistoryResult\x12X\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00R\x10spotOrderHistory\x12j\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00R\x16\x64\x65rivativeOrderHistory\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x0f\n\rorder_history\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xae\x01\n\x14\x46undingPaymentResult\x12Q\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPaymentR\x0f\x66undingPayments\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_accounts_rpcB\x19InjectiveAccountsRpcProtoP\x01Z\x19/injective_accounts_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveAccountsRpc\xca\x02\x14InjectiveAccountsRpc\xe2\x02 InjectiveAccountsRpc\\GPBMetadata\xea\x02\x14InjectiveAccountsRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_accounts_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_accounts_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_accounts_rpcB\031InjectiveAccountsRpcProtoP\001Z\031/injective_accounts_rpcpb\242\002\003IXX\252\002\024InjectiveAccountsRpc\312\002\024InjectiveAccountsRpc\342\002 InjectiveAccountsRpc\\GPBMetadata\352\002\024InjectiveAccountsRpc' _globals['_PORTFOLIOREQUEST']._serialized_start=65 - _globals['_PORTFOLIOREQUEST']._serialized_end=108 - _globals['_PORTFOLIORESPONSE']._serialized_start=110 - _globals['_PORTFOLIORESPONSE']._serialized_end=190 - _globals['_ACCOUNTPORTFOLIO']._serialized_start=193 - _globals['_ACCOUNTPORTFOLIO']._serialized_end=377 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=379 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=498 - _globals['_ORDERSTATESREQUEST']._serialized_start=500 - _globals['_ORDERSTATESREQUEST']._serialized_end=580 - _globals['_ORDERSTATESRESPONSE']._serialized_start=583 - _globals['_ORDERSTATESRESPONSE']._serialized_end=748 - _globals['_ORDERSTATERECORD']._serialized_start=751 - _globals['_ORDERSTATERECORD']._serialized_end=1010 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1012 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1061 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1063 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1109 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1111 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1181 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1183 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1276 - _globals['_SUBACCOUNTBALANCE']._serialized_start=1279 - _globals['_SUBACCOUNTBALANCE']._serialized_end=1421 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1423 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1492 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=1494 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=1566 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=1568 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=1663 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=1665 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=1736 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=1738 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=1850 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=1853 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=1988 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=1991 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2136 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2139 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=2374 - _globals['_COSMOSCOIN']._serialized_start=2376 - _globals['_COSMOSCOIN']._serialized_end=2419 - _globals['_PAGING']._serialized_start=2421 - _globals['_PAGING']._serialized_end=2513 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=2515 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=2613 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=2615 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=2707 - _globals['_REWARDSREQUEST']._serialized_start=2709 - _globals['_REWARDSREQUEST']._serialized_end=2765 - _globals['_REWARDSRESPONSE']._serialized_start=2767 - _globals['_REWARDSRESPONSE']._serialized_end=2833 - _globals['_REWARD']._serialized_start=2835 - _globals['_REWARD']._serialized_end=2939 - _globals['_COIN']._serialized_start=2941 - _globals['_COIN']._serialized_end=2978 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=2980 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=3031 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=3034 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=3439 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=3441 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=3545 - _globals['_POSITIONSRESULT']._serialized_start=3547 - _globals['_POSITIONSRESULT']._serialized_end=3635 - _globals['_POSITION']._serialized_start=3638 - _globals['_POSITION']._serialized_end=3867 - _globals['_TRADERESULT']._serialized_start=3870 - _globals['_TRADERESULT']._serialized_end=4061 - _globals['_SPOTTRADE']._serialized_start=4064 - _globals['_SPOTTRADE']._serialized_end=4355 - _globals['_PRICELEVEL']._serialized_start=4357 - _globals['_PRICELEVEL']._serialized_end=4421 - _globals['_DERIVATIVETRADE']._serialized_start=4424 - _globals['_DERIVATIVETRADE']._serialized_end=4748 - _globals['_POSITIONDELTA']._serialized_start=4750 - _globals['_POSITIONDELTA']._serialized_end=4869 - _globals['_ORDERRESULT']._serialized_start=4872 - _globals['_ORDERRESULT']._serialized_end=5073 - _globals['_SPOTLIMITORDER']._serialized_start=5076 - _globals['_SPOTLIMITORDER']._serialized_end=5365 - _globals['_DERIVATIVELIMITORDER']._serialized_start=5368 - _globals['_DERIVATIVELIMITORDER']._serialized_end=5840 - _globals['_ORDERHISTORYRESULT']._serialized_start=5843 - _globals['_ORDERHISTORYRESULT']._serialized_end=6079 - _globals['_SPOTORDERHISTORY']._serialized_start=6082 - _globals['_SPOTORDERHISTORY']._serialized_end=6410 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=6413 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=6858 - _globals['_FUNDINGPAYMENTRESULT']._serialized_start=6861 - _globals['_FUNDINGPAYMENTRESULT']._serialized_end=6992 - _globals['_FUNDINGPAYMENT']._serialized_start=6994 - _globals['_FUNDINGPAYMENT']._serialized_end=7087 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=7090 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=8334 + _globals['_PORTFOLIOREQUEST']._serialized_end=124 + _globals['_PORTFOLIORESPONSE']._serialized_start=126 + _globals['_PORTFOLIORESPONSE']._serialized_end=217 + _globals['_ACCOUNTPORTFOLIO']._serialized_start=220 + _globals['_ACCOUNTPORTFOLIO']._serialized_end=481 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=484 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=665 + _globals['_ORDERSTATESREQUEST']._serialized_start=667 + _globals['_ORDERSTATESREQUEST']._serialized_end=787 + _globals['_ORDERSTATESRESPONSE']._serialized_start=790 + _globals['_ORDERSTATESRESPONSE']._serialized_end=995 + _globals['_ORDERSTATERECORD']._serialized_start=998 + _globals['_ORDERSTATERECORD']._serialized_end=1393 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1395 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1460 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1462 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1521 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1523 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1615 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1617 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1720 + _globals['_SUBACCOUNTBALANCE']._serialized_start=1723 + _globals['_SUBACCOUNTBALANCE']._serialized_end=1911 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1913 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2014 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=2016 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=2109 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=2111 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=2215 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=2217 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=2310 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=2313 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=2445 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=2448 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=2641 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=2644 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2808 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2811 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=3152 + _globals['_COSMOSCOIN']._serialized_start=3154 + _globals['_COSMOSCOIN']._serialized_end=3212 + _globals['_PAGING']._serialized_start=3215 + _globals['_PAGING']._serialized_end=3349 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=3352 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=3490 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=3493 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=3625 + _globals['_REWARDSREQUEST']._serialized_start=3627 + _globals['_REWARDSREQUEST']._serialized_end=3706 + _globals['_REWARDSRESPONSE']._serialized_start=3708 + _globals['_REWARDSRESPONSE']._serialized_end=3783 + _globals['_REWARD']._serialized_start=3786 + _globals['_REWARD']._serialized_end=3930 + _globals['_COIN']._serialized_start=3932 + _globals['_COIN']._serialized_end=3984 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=3986 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=4053 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=4056 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=4534 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=4536 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=4660 + _globals['_POSITIONSRESULT']._serialized_start=4662 + _globals['_POSITIONSRESULT']._serialized_end=4771 + _globals['_POSITION']._serialized_start=4774 + _globals['_POSITION']._serialized_end=5127 + _globals['_TRADERESULT']._serialized_start=5130 + _globals['_TRADERESULT']._serialized_end=5375 + _globals['_SPOTTRADE']._serialized_start=5378 + _globals['_SPOTTRADE']._serialized_end=5807 + _globals['_PRICELEVEL']._serialized_start=5809 + _globals['_PRICELEVEL']._serialized_end=5901 + _globals['_DERIVATIVETRADE']._serialized_start=5904 + _globals['_DERIVATIVETRADE']._serialized_end=6381 + _globals['_POSITIONDELTA']._serialized_start=6384 + _globals['_POSITIONDELTA']._serialized_end=6571 + _globals['_ORDERRESULT']._serialized_start=6574 + _globals['_ORDERRESULT']._serialized_end=6829 + _globals['_SPOTLIMITORDER']._serialized_start=6832 + _globals['_SPOTLIMITORDER']._serialized_end=7272 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7275 + _globals['_DERIVATIVELIMITORDER']._serialized_end=8002 + _globals['_ORDERHISTORYRESULT']._serialized_start=8005 + _globals['_ORDERHISTORYRESULT']._serialized_end=8309 + _globals['_SPOTORDERHISTORY']._serialized_start=8312 + _globals['_SPOTORDERHISTORY']._serialized_end=8811 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=8814 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=9495 + _globals['_FUNDINGPAYMENTRESULT']._serialized_start=9498 + _globals['_FUNDINGPAYMENTRESULT']._serialized_end=9672 + _globals['_FUNDINGPAYMENT']._serialized_start=9675 + _globals['_FUNDINGPAYMENT']._serialized_end=9811 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=9814 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=11058 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 9af0a6bc..7289d020 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_accounts_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 class InjectiveAccountsRPCStub(object): diff --git a/pyinjective/proto/exchange/injective_archiver_rpc_pb2.py b/pyinjective/proto/exchange/injective_archiver_rpc_pb2.py new file mode 100644 index 00000000..1b9ca3c8 --- /dev/null +++ b/pyinjective/proto/exchange/injective_archiver_rpc_pb2.py @@ -0,0 +1,55 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: exchange/injective_archiver_rpc.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_archiver_rpc.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_archiver_rpc.proto\x12\x16injective_archiver_rpc\"J\n\x0e\x42\x61lanceRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x1e\n\nresolution\x18\x02 \x01(\tR\nresolution\"k\n\x0f\x42\x61lanceResponse\x12X\n\x12historical_balance\x18\x01 \x01(\x0b\x32).injective_archiver_rpc.HistoricalBalanceR\x11historicalBalance\"/\n\x11HistoricalBalance\x12\x0c\n\x01t\x18\x01 \x03(\x11R\x01t\x12\x0c\n\x01v\x18\x02 \x03(\x01R\x01v\"G\n\x0bRpnlRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x1e\n\nresolution\x18\x02 \x01(\tR\nresolution\"_\n\x0cRpnlResponse\x12O\n\x0fhistorical_rpnl\x18\x01 \x01(\x0b\x32&.injective_archiver_rpc.HistoricalRPNLR\x0ehistoricalRpnl\",\n\x0eHistoricalRPNL\x12\x0c\n\x01t\x18\x01 \x03(\x11R\x01t\x12\x0c\n\x01v\x18\x02 \x03(\x01R\x01v\"J\n\x0eVolumesRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x1e\n\nresolution\x18\x02 \x01(\tR\nresolution\"k\n\x0fVolumesResponse\x12X\n\x12historical_volumes\x18\x01 \x01(\x0b\x32).injective_archiver_rpc.HistoricalVolumesR\x11historicalVolumes\"/\n\x11HistoricalVolumes\x12\x0c\n\x01t\x18\x01 \x03(\x11R\x01t\x12\x0c\n\x01v\x18\x02 \x03(\x01R\x01v2\xa1\x02\n\x14InjectiveArchiverRPC\x12Z\n\x07\x42\x61lance\x12&.injective_archiver_rpc.BalanceRequest\x1a\'.injective_archiver_rpc.BalanceResponse\x12Q\n\x04Rpnl\x12#.injective_archiver_rpc.RpnlRequest\x1a$.injective_archiver_rpc.RpnlResponse\x12Z\n\x07Volumes\x12&.injective_archiver_rpc.VolumesRequest\x1a\'.injective_archiver_rpc.VolumesResponseB\xc2\x01\n\x1a\x63om.injective_archiver_rpcB\x19InjectiveArchiverRpcProtoP\x01Z\x19/injective_archiver_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveArchiverRpc\xca\x02\x14InjectiveArchiverRpc\xe2\x02 InjectiveArchiverRpc\\GPBMetadata\xea\x02\x14InjectiveArchiverRpcb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_archiver_rpc_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_archiver_rpcB\031InjectiveArchiverRpcProtoP\001Z\031/injective_archiver_rpcpb\242\002\003IXX\252\002\024InjectiveArchiverRpc\312\002\024InjectiveArchiverRpc\342\002 InjectiveArchiverRpc\\GPBMetadata\352\002\024InjectiveArchiverRpc' + _globals['_BALANCEREQUEST']._serialized_start=65 + _globals['_BALANCEREQUEST']._serialized_end=139 + _globals['_BALANCERESPONSE']._serialized_start=141 + _globals['_BALANCERESPONSE']._serialized_end=248 + _globals['_HISTORICALBALANCE']._serialized_start=250 + _globals['_HISTORICALBALANCE']._serialized_end=297 + _globals['_RPNLREQUEST']._serialized_start=299 + _globals['_RPNLREQUEST']._serialized_end=370 + _globals['_RPNLRESPONSE']._serialized_start=372 + _globals['_RPNLRESPONSE']._serialized_end=467 + _globals['_HISTORICALRPNL']._serialized_start=469 + _globals['_HISTORICALRPNL']._serialized_end=513 + _globals['_VOLUMESREQUEST']._serialized_start=515 + _globals['_VOLUMESREQUEST']._serialized_end=589 + _globals['_VOLUMESRESPONSE']._serialized_start=591 + _globals['_VOLUMESRESPONSE']._serialized_end=698 + _globals['_HISTORICALVOLUMES']._serialized_start=700 + _globals['_HISTORICALVOLUMES']._serialized_end=747 + _globals['_INJECTIVEARCHIVERRPC']._serialized_start=750 + _globals['_INJECTIVEARCHIVERRPC']._serialized_end=1039 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_archiver_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_archiver_rpc_pb2_grpc.py new file mode 100644 index 00000000..5e23e919 --- /dev/null +++ b/pyinjective/proto/exchange/injective_archiver_rpc_pb2_grpc.py @@ -0,0 +1,169 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + +from pyinjective.proto.exchange import injective_archiver_rpc_pb2 as exchange_dot_injective__archiver__rpc__pb2 + + +class InjectiveArchiverRPCStub(object): + """InjectiveArchiverRPC defines gRPC API of Archiver provider. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.Balance = channel.unary_unary( + '/injective_archiver_rpc.InjectiveArchiverRPC/Balance', + request_serializer=exchange_dot_injective__archiver__rpc__pb2.BalanceRequest.SerializeToString, + response_deserializer=exchange_dot_injective__archiver__rpc__pb2.BalanceResponse.FromString, + _registered_method=True) + self.Rpnl = channel.unary_unary( + '/injective_archiver_rpc.InjectiveArchiverRPC/Rpnl', + request_serializer=exchange_dot_injective__archiver__rpc__pb2.RpnlRequest.SerializeToString, + response_deserializer=exchange_dot_injective__archiver__rpc__pb2.RpnlResponse.FromString, + _registered_method=True) + self.Volumes = channel.unary_unary( + '/injective_archiver_rpc.InjectiveArchiverRPC/Volumes', + request_serializer=exchange_dot_injective__archiver__rpc__pb2.VolumesRequest.SerializeToString, + response_deserializer=exchange_dot_injective__archiver__rpc__pb2.VolumesResponse.FromString, + _registered_method=True) + + +class InjectiveArchiverRPCServicer(object): + """InjectiveArchiverRPC defines gRPC API of Archiver provider. + """ + + def Balance(self, request, context): + """Provide historical balance data for a given account address. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Rpnl(self, request, context): + """Provide historical realized profit and loss data for a given account address. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Volumes(self, request, context): + """Provide historical volumes for a given account address. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_InjectiveArchiverRPCServicer_to_server(servicer, server): + rpc_method_handlers = { + 'Balance': grpc.unary_unary_rpc_method_handler( + servicer.Balance, + request_deserializer=exchange_dot_injective__archiver__rpc__pb2.BalanceRequest.FromString, + response_serializer=exchange_dot_injective__archiver__rpc__pb2.BalanceResponse.SerializeToString, + ), + 'Rpnl': grpc.unary_unary_rpc_method_handler( + servicer.Rpnl, + request_deserializer=exchange_dot_injective__archiver__rpc__pb2.RpnlRequest.FromString, + response_serializer=exchange_dot_injective__archiver__rpc__pb2.RpnlResponse.SerializeToString, + ), + 'Volumes': grpc.unary_unary_rpc_method_handler( + servicer.Volumes, + request_deserializer=exchange_dot_injective__archiver__rpc__pb2.VolumesRequest.FromString, + response_serializer=exchange_dot_injective__archiver__rpc__pb2.VolumesResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'injective_archiver_rpc.InjectiveArchiverRPC', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('injective_archiver_rpc.InjectiveArchiverRPC', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class InjectiveArchiverRPC(object): + """InjectiveArchiverRPC defines gRPC API of Archiver provider. + """ + + @staticmethod + def Balance(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_archiver_rpc.InjectiveArchiverRPC/Balance', + exchange_dot_injective__archiver__rpc__pb2.BalanceRequest.SerializeToString, + exchange_dot_injective__archiver__rpc__pb2.BalanceResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Rpnl(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_archiver_rpc.InjectiveArchiverRPC/Rpnl', + exchange_dot_injective__archiver__rpc__pb2.RpnlRequest.SerializeToString, + exchange_dot_injective__archiver__rpc__pb2.RpnlResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Volumes(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_archiver_rpc.InjectiveArchiverRPC/Volumes', + exchange_dot_injective__archiver__rpc__pb2.VolumesRequest.SerializeToString, + exchange_dot_injective__archiver__rpc__pb2.VolumesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py index 1958d92a..cea8324c 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_auction_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_auction_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\"\'\n\x16\x41uctionEndpointRequest\x12\r\n\x05round\x18\x01 \x01(\x12\"t\n\x17\x41uctionEndpointResponse\x12/\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.Auction\x12(\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.Bid\"\x9c\x01\n\x07\x41uction\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12+\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.Coin\x12\x1a\n\x12winning_bid_amount\x18\x03 \x01(\t\x12\r\n\x05round\x18\x04 \x01(\x04\x12\x15\n\rend_timestamp\x18\x05 \x01(\x12\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"8\n\x03\x42id\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x11\n\x0f\x41uctionsRequest\"D\n\x10\x41uctionsResponse\x12\x30\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.Auction\"\x13\n\x11StreamBidsRequest\"Z\n\x12StreamBidsResponse\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x12\n\nbid_amount\x18\x02 \x01(\t\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\x1aZ\x18/injective_auction_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\".\n\x16\x41uctionEndpointRequest\x12\x14\n\x05round\x18\x01 \x01(\x12R\x05round\"\x83\x01\n\x17\x41uctionEndpointResponse\x12\x38\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x07\x61uction\x12.\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.BidR\x04\x62ids\"\xde\x01\n\x07\x41uction\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12\x33\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.CoinR\x06\x62\x61sket\x12,\n\x12winning_bid_amount\x18\x03 \x01(\tR\x10winningBidAmount\x12\x14\n\x05round\x18\x04 \x01(\x04R\x05round\x12#\n\rend_timestamp\x18\x05 \x01(\x12R\x0c\x65ndTimestamp\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"S\n\x03\x42id\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x11\n\x0f\x41uctionsRequest\"N\n\x10\x41uctionsResponse\x12:\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x08\x61uctions\"\x13\n\x11StreamBidsRequest\"\x7f\n\x12StreamBidsResponse\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x1d\n\nbid_amount\x18\x02 \x01(\tR\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\xbb\x01\n\x19\x63om.injective_auction_rpcB\x18InjectiveAuctionRpcProtoP\x01Z\x18/injective_auction_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveAuctionRpc\xca\x02\x13InjectiveAuctionRpc\xe2\x02\x1fInjectiveAuctionRpc\\GPBMetadata\xea\x02\x13InjectiveAuctionRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_auction_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_auction_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_auction_rpcB\030InjectiveAuctionRpcProtoP\001Z\030/injective_auction_rpcpb\242\002\003IXX\252\002\023InjectiveAuctionRpc\312\002\023InjectiveAuctionRpc\342\002\037InjectiveAuctionRpc\\GPBMetadata\352\002\023InjectiveAuctionRpc' _globals['_AUCTIONENDPOINTREQUEST']._serialized_start=63 - _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=102 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=104 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=220 - _globals['_AUCTION']._serialized_start=223 - _globals['_AUCTION']._serialized_end=379 - _globals['_COIN']._serialized_start=381 - _globals['_COIN']._serialized_end=418 - _globals['_BID']._serialized_start=420 - _globals['_BID']._serialized_end=476 - _globals['_AUCTIONSREQUEST']._serialized_start=478 - _globals['_AUCTIONSREQUEST']._serialized_end=495 - _globals['_AUCTIONSRESPONSE']._serialized_start=497 - _globals['_AUCTIONSRESPONSE']._serialized_end=565 - _globals['_STREAMBIDSREQUEST']._serialized_start=567 - _globals['_STREAMBIDSREQUEST']._serialized_end=586 - _globals['_STREAMBIDSRESPONSE']._serialized_start=588 - _globals['_STREAMBIDSRESPONSE']._serialized_end=678 - _globals['_INJECTIVEAUCTIONRPC']._serialized_start=681 - _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1010 + _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=109 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=112 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=243 + _globals['_AUCTION']._serialized_start=246 + _globals['_AUCTION']._serialized_end=468 + _globals['_COIN']._serialized_start=470 + _globals['_COIN']._serialized_end=522 + _globals['_BID']._serialized_start=524 + _globals['_BID']._serialized_end=607 + _globals['_AUCTIONSREQUEST']._serialized_start=609 + _globals['_AUCTIONSREQUEST']._serialized_end=626 + _globals['_AUCTIONSRESPONSE']._serialized_start=628 + _globals['_AUCTIONSRESPONSE']._serialized_end=706 + _globals['_STREAMBIDSREQUEST']._serialized_start=708 + _globals['_STREAMBIDSREQUEST']._serialized_end=727 + _globals['_STREAMBIDSRESPONSE']._serialized_start=729 + _globals['_STREAMBIDSRESPONSE']._serialized_end=856 + _globals['_INJECTIVEAUCTIONRPC']._serialized_start=859 + _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1188 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index 5f94c381..d2492e84 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveAuctionRPCStub(object): """InjectiveAuctionRPC defines gRPC API of the Auction API. diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index fdd3f308..65b7f36b 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_campaign_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_campaign_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,48 +24,48 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\x88\x01\n\x0eRankingRequest\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\"\xaa\x01\n\x0fRankingResponse\x12\x32\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x33\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUser\x12.\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\"\xe6\x02\n\x08\x43\x61mpaign\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0btotal_score\x18\x04 \x01(\t\x12\x14\n\x0clast_updated\x18\x05 \x01(\x12\x12\x12\n\nstart_date\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_date\x18\x07 \x01(\x12\x12\x14\n\x0cis_claimable\x18\x08 \x01(\x08\x12\x10\n\x08round_id\x18\t \x01(\x11\x12\x18\n\x10manager_contract\x18\n \x01(\t\x12-\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x12\n\nuser_score\x18\x0c \x01(\t\x12\x14\n\x0cuser_claimed\x18\r \x01(\x08\x12\x1c\n\x14subaccount_id_suffix\x18\x0e \x01(\t\x12\x17\n\x0freward_contract\x18\x0f \x01(\t\x12\x0f\n\x07version\x18\x10 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\xeb\x01\n\x0c\x43\x61mpaignUser\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05score\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_updated\x18\x05 \x01(\x08\x12\x14\n\x0c\x62lock_height\x18\x06 \x01(\x12\x12\x12\n\nblock_time\x18\x07 \x01(\x12\x12\x18\n\x10purchased_amount\x18\x08 \x01(\t\x12\x15\n\rgalxe_updated\x18\t \x01(\x08\x12\x16\n\x0ereward_claimed\x18\n \x01(\x08\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"l\n\x10\x43\x61mpaignsRequest\x12\x10\n\x08round_id\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\x13\n\x0bto_round_id\x18\x03 \x01(\x11\x12\x18\n\x10\x63ontract_address\x18\x04 \x01(\t\"\x99\x01\n\x11\x43\x61mpaignsResponse\x12\x33\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x39\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x14\n\x0creward_count\x18\x03 \x01(\x11\"\\\n\x11ListGuildsRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\x0f\n\x07sort_by\x18\x04 \x01(\t\"\xca\x01\n\x12ListGuildsResponse\x12-\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.Guild\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x12\n\nupdated_at\x18\x03 \x01(\x12\x12\x41\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummary\"\xb9\x02\n\x05Guild\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x16\n\x0emaster_address\x18\x03 \x01(\t\x12\x12\n\ncreated_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x16\n\x0erank_by_volume\x18\x07 \x01(\x11\x12\x13\n\x0brank_by_tvl\x18\x08 \x01(\x11\x12\x0c\n\x04logo\x18\t \x01(\t\x12\x11\n\ttotal_tvl\x18\n \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\x0c\n\x04name\x18\x0e \x01(\t\x12\x11\n\tis_active\x18\r \x01(\x08\x12\x16\n\x0emaster_balance\x18\x0f \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x10 \x01(\t\"\xf8\x01\n\x0f\x43\x61mpaignSummary\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x19\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\t\x12\x1a\n\x12total_guilds_count\x18\x03 \x01(\x11\x12\x11\n\ttotal_tvl\x18\x04 \x01(\t\x12\x19\n\x11total_average_tvl\x18\x05 \x01(\t\x12\x14\n\x0ctotal_volume\x18\x06 \x01(\t\x12\x12\n\nupdated_at\x18\x07 \x01(\x12\x12\x1b\n\x13total_members_count\x18\x08 \x01(\x11\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\"\x90\x01\n\x17ListGuildMembersRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x11\x12\x1a\n\x12include_guild_info\x18\x05 \x01(\x08\x12\x0f\n\x07sort_by\x18\x06 \x01(\t\"\xb3\x01\n\x18ListGuildMembersResponse\x12\x34\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMember\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x31\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.Guild\"\xc0\x02\n\x0bGuildMember\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\x11\n\tjoined_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x11\n\ttotal_tvl\x18\x07 \x01(\t\x12\x1f\n\x17volume_score_percentage\x18\x08 \x01(\x01\x12\x1c\n\x14tvl_score_percentage\x18\t \x01(\x01\x12\x30\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x33\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"C\n\x15GetGuildMemberRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"K\n\x16GetGuildMemberResponse\x12\x31\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMember2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\x1bZ\x19/injective_campaign_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\xcc\x01\n\x0eRankingRequest\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\"\xc3\x01\n\x0fRankingResponse\x12<\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.CampaignR\x08\x63\x61mpaign\x12:\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUserR\x05users\x12\x36\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\"\x9e\x04\n\x08\x43\x61mpaign\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12!\n\x0clast_updated\x18\x05 \x01(\x12R\x0blastUpdated\x12\x1d\n\nstart_date\x18\x06 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x07 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\x08 \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\t \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\n \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x1d\n\nuser_score\x18\x0c \x01(\tR\tuserScore\x12!\n\x0cuser_claimed\x18\r \x01(\x08R\x0buserClaimed\x12\x30\n\x14subaccount_id_suffix\x18\x0e \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0f \x01(\tR\x0erewardContract\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xef\x02\n\x0c\x43\x61mpaignUser\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05score\x18\x04 \x01(\tR\x05score\x12)\n\x10\x63ontract_updated\x18\x05 \x01(\x08R\x0f\x63ontractUpdated\x12!\n\x0c\x62lock_height\x18\x06 \x01(\x12R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x07 \x01(\x12R\tblockTime\x12)\n\x10purchased_amount\x18\x08 \x01(\tR\x0fpurchasedAmount\x12#\n\rgalxe_updated\x18\t \x01(\x08R\x0cgalxeUpdated\x12%\n\x0ereward_claimed\x18\n \x01(\x08R\rrewardClaimed\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xa1\x01\n\x10\x43\x61mpaignsRequest\x12\x19\n\x08round_id\x18\x01 \x01(\x12R\x07roundId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x1e\n\x0bto_round_id\x18\x03 \x01(\x11R\ttoRoundId\x12)\n\x10\x63ontract_address\x18\x04 \x01(\tR\x0f\x63ontractAddress\"\xc5\x01\n\x11\x43\x61mpaignsResponse\x12>\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.CampaignR\tcampaigns\x12M\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x12\x61\x63\x63umulatedRewards\x12!\n\x0creward_count\x18\x03 \x01(\x11R\x0brewardCount\"\x83\x01\n\x11ListGuildsRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x17\n\x07sort_by\x18\x04 \x01(\tR\x06sortBy\"\xf6\x01\n\x12ListGuildsResponse\x12\x35\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.GuildR\x06guilds\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12\x1d\n\nupdated_at\x18\x03 \x01(\x12R\tupdatedAt\x12R\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummaryR\x0f\x63\x61mpaignSummary\"\xe5\x03\n\x05Guild\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12%\n\x0emaster_address\x18\x03 \x01(\tR\rmasterAddress\x12\x1d\n\ncreated_at\x18\x04 \x01(\x12R\tcreatedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12$\n\x0erank_by_volume\x18\x07 \x01(\x11R\x0crankByVolume\x12\x1e\n\x0brank_by_tvl\x18\x08 \x01(\x11R\trankByTvl\x12\x12\n\x04logo\x18\t \x01(\tR\x04logo\x12\x1b\n\ttotal_tvl\x18\n \x01(\tR\x08totalTvl\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x12\n\x04name\x18\x0e \x01(\tR\x04name\x12\x1b\n\tis_active\x18\r \x01(\x08R\x08isActive\x12%\n\x0emaster_balance\x18\x0f \x01(\tR\rmasterBalance\x12 \n\x0b\x64\x65scription\x18\x10 \x01(\tR\x0b\x64\x65scription\"\x82\x03\n\x0f\x43\x61mpaignSummary\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12+\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\tR\x10\x63\x61mpaignContract\x12,\n\x12total_guilds_count\x18\x03 \x01(\x11R\x10totalGuildsCount\x12\x1b\n\ttotal_tvl\x18\x04 \x01(\tR\x08totalTvl\x12*\n\x11total_average_tvl\x18\x05 \x01(\tR\x0ftotalAverageTvl\x12!\n\x0ctotal_volume\x18\x06 \x01(\tR\x0btotalVolume\x12\x1d\n\nupdated_at\x18\x07 \x01(\x12R\tupdatedAt\x12.\n\x13total_members_count\x18\x08 \x01(\x11R\x11totalMembersCount\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\"\xd2\x01\n\x17ListGuildMembersRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x11R\x04skip\x12,\n\x12include_guild_info\x18\x05 \x01(\x08R\x10includeGuildInfo\x12\x17\n\x07sort_by\x18\x06 \x01(\tR\x06sortBy\"\xcf\x01\n\x18ListGuildMembersResponse\x12=\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x07members\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12<\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.GuildR\tguildInfo\"\xd3\x03\n\x0bGuildMember\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x1b\n\tjoined_at\x18\x04 \x01(\x12R\x08joinedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12\x1b\n\ttotal_tvl\x18\x07 \x01(\tR\x08totalTvl\x12\x36\n\x17volume_score_percentage\x18\x08 \x01(\x01R\x15volumeScorePercentage\x12\x30\n\x14tvl_score_percentage\x18\t \x01(\x01R\x12tvlScorePercentage\x12;\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\ttvlReward\x12\x41\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x0cvolumeReward\"^\n\x15GetGuildMemberRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x16GetGuildMemberResponse\x12\x37\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x04info2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\xc2\x01\n\x1a\x63om.injective_campaign_rpcB\x19InjectiveCampaignRpcProtoP\x01Z\x19/injective_campaign_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveCampaignRpc\xca\x02\x14InjectiveCampaignRpc\xe2\x02 InjectiveCampaignRpc\\GPBMetadata\xea\x02\x14InjectiveCampaignRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_campaign_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_campaign_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_campaign_rpcB\031InjectiveCampaignRpcProtoP\001Z\031/injective_campaign_rpcpb\242\002\003IXX\252\002\024InjectiveCampaignRpc\312\002\024InjectiveCampaignRpc\342\002 InjectiveCampaignRpc\\GPBMetadata\352\002\024InjectiveCampaignRpc' _globals['_RANKINGREQUEST']._serialized_start=66 - _globals['_RANKINGREQUEST']._serialized_end=202 - _globals['_RANKINGRESPONSE']._serialized_start=205 - _globals['_RANKINGRESPONSE']._serialized_end=375 - _globals['_CAMPAIGN']._serialized_start=378 - _globals['_CAMPAIGN']._serialized_end=736 - _globals['_COIN']._serialized_start=738 - _globals['_COIN']._serialized_end=775 - _globals['_CAMPAIGNUSER']._serialized_start=778 - _globals['_CAMPAIGNUSER']._serialized_end=1013 - _globals['_PAGING']._serialized_start=1015 - _globals['_PAGING']._serialized_end=1107 - _globals['_CAMPAIGNSREQUEST']._serialized_start=1109 - _globals['_CAMPAIGNSREQUEST']._serialized_end=1217 - _globals['_CAMPAIGNSRESPONSE']._serialized_start=1220 - _globals['_CAMPAIGNSRESPONSE']._serialized_end=1373 - _globals['_LISTGUILDSREQUEST']._serialized_start=1375 - _globals['_LISTGUILDSREQUEST']._serialized_end=1467 - _globals['_LISTGUILDSRESPONSE']._serialized_start=1470 - _globals['_LISTGUILDSRESPONSE']._serialized_end=1672 - _globals['_GUILD']._serialized_start=1675 - _globals['_GUILD']._serialized_end=1988 - _globals['_CAMPAIGNSUMMARY']._serialized_start=1991 - _globals['_CAMPAIGNSUMMARY']._serialized_end=2239 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=2242 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=2386 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=2389 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=2568 - _globals['_GUILDMEMBER']._serialized_start=2571 - _globals['_GUILDMEMBER']._serialized_end=2891 - _globals['_GETGUILDMEMBERREQUEST']._serialized_start=2893 - _globals['_GETGUILDMEMBERREQUEST']._serialized_end=2960 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=2962 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=3037 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=3040 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=3585 + _globals['_RANKINGREQUEST']._serialized_end=270 + _globals['_RANKINGRESPONSE']._serialized_start=273 + _globals['_RANKINGRESPONSE']._serialized_end=468 + _globals['_CAMPAIGN']._serialized_start=471 + _globals['_CAMPAIGN']._serialized_end=1013 + _globals['_COIN']._serialized_start=1015 + _globals['_COIN']._serialized_end=1067 + _globals['_CAMPAIGNUSER']._serialized_start=1070 + _globals['_CAMPAIGNUSER']._serialized_end=1437 + _globals['_PAGING']._serialized_start=1440 + _globals['_PAGING']._serialized_end=1574 + _globals['_CAMPAIGNSREQUEST']._serialized_start=1577 + _globals['_CAMPAIGNSREQUEST']._serialized_end=1738 + _globals['_CAMPAIGNSRESPONSE']._serialized_start=1741 + _globals['_CAMPAIGNSRESPONSE']._serialized_end=1938 + _globals['_LISTGUILDSREQUEST']._serialized_start=1941 + _globals['_LISTGUILDSREQUEST']._serialized_end=2072 + _globals['_LISTGUILDSRESPONSE']._serialized_start=2075 + _globals['_LISTGUILDSRESPONSE']._serialized_end=2321 + _globals['_GUILD']._serialized_start=2324 + _globals['_GUILD']._serialized_end=2809 + _globals['_CAMPAIGNSUMMARY']._serialized_start=2812 + _globals['_CAMPAIGNSUMMARY']._serialized_end=3198 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=3201 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=3411 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=3414 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=3621 + _globals['_GUILDMEMBER']._serialized_start=3624 + _globals['_GUILDMEMBER']._serialized_end=4091 + _globals['_GETGUILDMEMBERREQUEST']._serialized_start=4093 + _globals['_GETGUILDMEMBERREQUEST']._serialized_end=4187 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=4189 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=4270 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=4273 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=4818 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index 9a8ff1a4..d43b921d 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveCampaignRPCStub(object): """InjectiveCampaignRPC defined a gRPC service for Injective Campaigns. diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index 9164a7c5..deb13aa0 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_derivative_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_derivative_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,154 +24,154 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"U\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x03 \x03(\t\"[\n\x0fMarketsResponse\x12H\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\"\xff\x05\n\x14\x44\x65rivativeMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14initial_margin_ratio\x18\x08 \x01(\t\x12 \n\x18maintenance_margin_ratio\x18\t \x01(\t\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x14\n\x0cis_perpetual\x18\x0f \x01(\x08\x12\x1b\n\x13min_price_tick_size\x18\x10 \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x11 \x01(\t\x12U\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfo\x12[\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFunding\x12^\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfo\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x8e\x01\n\x13PerpetualMarketInfo\x12\x1f\n\x17hourly_funding_rate_cap\x18\x01 \x01(\t\x12\x1c\n\x14hourly_interest_rate\x18\x02 \x01(\t\x12\x1e\n\x16next_funding_timestamp\x18\x03 \x01(\x12\x12\x18\n\x10\x66unding_interval\x18\x04 \x01(\x12\"f\n\x16PerpetualMarketFunding\x12\x1a\n\x12\x63umulative_funding\x18\x01 \x01(\t\x12\x18\n\x10\x63umulative_price\x18\x02 \x01(\t\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x12\"Q\n\x17\x45xpiryFuturesMarketInfo\x12\x1c\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12\x12\x18\n\x10settlement_price\x18\x02 \x01(\t\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Y\n\x0eMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\")\n\x13StreamMarketRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x8a\x01\n\x14StreamMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"f\n\x1b\x42inaryOptionsMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa6\x01\n\x1c\x42inaryOptionsMarketsResponse\x12K\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xf3\x03\n\x17\x42inaryOptionsMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x12\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0f \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x10 \x01(\t\x12\x18\n\x10settlement_price\x18\x11 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"/\n\x1a\x42inaryOptionsMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"i\n\x1b\x42inaryOptionsMarketResponse\x12J\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n\x13OrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\"\xbc\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12<\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2\"\x87\x01\n SingleDerivativeLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12P\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xab\x01\n\x19StreamOrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb8\x01\n\x1dStreamOrderbookUpdateResponse\x12Y\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xd7\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x42\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xaa\x02\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x94\x01\n\x0eOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xe3\x01\n\x10PositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x98\x01\n\x11PositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\"\xe5\x01\n\x12PositionsV2Request\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x9c\x01\n\x13PositionsV2Response\x12J\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xec\x01\n\x14\x44\x65rivativePositionV2\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\r\n\x05\x64\x65nom\x18\x0c \x01(\t\"L\n\x1aLiquidablePositionsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\"g\n\x1bLiquidablePositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\"\x85\x01\n\x16\x46undingPaymentsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x12\x12\x12\n\nmarket_ids\x18\x06 \x03(\t\"\x99\x01\n\x17\x46undingPaymentsResponse\x12\x43\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPayment\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"W\n\x13\x46undingRatesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x12\"\x98\x01\n\x14\x46undingRatesResponse\x12\x45\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRate\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"A\n\x0b\x46undingRate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04rate\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x87\x01\n\x16StreamPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nmarket_ids\x18\x03 \x03(\t\x12\x16\n\x0esubaccount_ids\x18\x04 \x03(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\t\"u\n\x17StreamPositionsResponse\x12G\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xb0\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x89\x01\n\x14StreamOrdersResponse\x12\x46\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8f\x01\n\x0eTradesResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xcf\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12H\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x91\x01\n\x10TradesV2Response\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x84\x01\n\x14StreamTradesResponse\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x86\x01\n\x16StreamTradesV2Response\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa2\x01\n\x1cSubaccountOrdersListResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"b\n\x1cSubaccountTradesListResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\"\xcf\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x0c \x03(\t\x12\x12\n\nmarket_ids\x18\r \x03(\t\x12\x10\n\x08trade_id\x18\x0e \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x9d\x01\n\x15OrdersHistoryResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x92\x01\n\x1bStreamOrdersHistoryResponse\x12H\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x32\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42&Z$/injective_derivative_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"\x7f\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x03 \x03(\tR\x0emarketStatuses\"d\n\x0fMarketsResponse\x12Q\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x07markets\"\xc9\x08\n\x14\x44\x65rivativeMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x30\n\x14initial_margin_ratio\x18\x08 \x01(\tR\x12initialMarginRatio\x12\x38\n\x18maintenance_margin_ratio\x18\t \x01(\tR\x16maintenanceMarginRatio\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12!\n\x0cis_perpetual\x18\x0f \x01(\x08R\x0bisPerpetual\x12-\n\x13min_price_tick_size\x18\x10 \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x11 \x01(\tR\x13minQuantityTickSize\x12j\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfoR\x13perpetualMarketInfo\x12s\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFundingR\x16perpetualMarketFunding\x12w\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfoR\x17\x65xpiryFuturesMarketInfo\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"\xdf\x01\n\x13PerpetualMarketInfo\x12\x35\n\x17hourly_funding_rate_cap\x18\x01 \x01(\tR\x14hourlyFundingRateCap\x12\x30\n\x14hourly_interest_rate\x18\x02 \x01(\tR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x03 \x01(\x12R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x04 \x01(\x12R\x0f\x66undingInterval\"\x99\x01\n\x16PerpetualMarketFunding\x12-\n\x12\x63umulative_funding\x18\x01 \x01(\tR\x11\x63umulativeFunding\x12)\n\x10\x63umulative_price\x18\x02 \x01(\tR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x12R\rlastTimestamp\"w\n\x17\x45xpiryFuturesMarketInfo\x12\x31\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12R\x13\x65xpirationTimestamp\x12)\n\x10settlement_price\x18\x02 \x01(\tR\x0fsettlementPrice\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"a\n\x0eMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\"4\n\x13StreamMarketRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xac\x01\n\x14StreamMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x8d\x01\n\x1b\x42inaryOptionsMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb7\x01\n\x1c\x42inaryOptionsMarketsResponse\x12T\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x07markets\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xfe\x05\n\x17\x42inaryOptionsMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x12R\x13settlementTimestamp\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0f \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x10 \x01(\tR\x13minQuantityTickSize\x12)\n\x10settlement_price\x18\x11 \x01(\tR\x0fsettlementPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"9\n\x1a\x42inaryOptionsMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"q\n\x1b\x42inaryOptionsMarketResponse\x12R\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x06market\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"r\n\x13OrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"\xde\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12\x41\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x04\x62uys\x12\x43\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"{\n\x14OrderbooksV2Response\x12\x63\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2R\norderbooks\"\x9c\x01\n SingleDerivativeLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12[\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xda\x01\n\x19StreamOrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xf3\x01\n\x1dStreamOrderbookUpdateResponse\x12p\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\x83\x02\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12G\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12I\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\xc9\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa4\x01\n\x0eOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xdc\x02\n\x10PositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xab\x01\n\x11PositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"\xde\x02\n\x12PositionsV2Request\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xaf\x01\n\x13PositionsV2Response\x12U\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2R\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe4\x02\n\x14\x44\x65rivativePositionV2\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x14\n\x05\x64\x65nom\x18\x0c \x01(\tR\x05\x64\x65nom\"c\n\x1aLiquidablePositionsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"r\n\x1bLiquidablePositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\"\xbe\x01\n\x16\x46undingPaymentsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x06 \x03(\tR\tmarketIds\"\xab\x01\n\x17\x46undingPaymentsResponse\x12M\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPaymentR\x08payments\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"w\n\x13\x46undingRatesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x12R\x07\x65ndTime\"\xae\x01\n\x14\x46undingRatesResponse\x12S\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRateR\x0c\x66undingRates\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\\\n\x0b\x46undingRate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04rate\x18\x02 \x01(\tR\x04rate\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc9\x01\n\x16StreamPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nmarket_ids\x18\x03 \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\x04 \x03(\tR\rsubaccountIds\x12\'\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x8a\x01\n\x17StreamPositionsResponse\x12Q\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xcf\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xaa\x01\n\x14StreamOrdersResponse\x12M\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9f\x01\n\x0eTradesResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe8\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12W\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa1\x01\n\x10TradesV2Response\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa5\x01\n\x14StreamTradesResponse\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa7\x01\n\x16StreamTradesV2Response\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb2\x01\n\x1cSubaccountOrdersListResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"j\n\x1cSubaccountTradesListResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\"\xfc\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x0c \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\r \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0e \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xad\x01\n\x15OrdersHistoryResponse\x12Q\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xb3\x01\n\x1bStreamOrdersHistoryResponse\x12O\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp2\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42\x8a\x02\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\x01Z$/injective_derivative_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x1eInjectiveDerivativeExchangeRpc\xca\x02\x1eInjectiveDerivativeExchangeRpc\xe2\x02*InjectiveDerivativeExchangeRpc\\GPBMetadata\xea\x02\x1eInjectiveDerivativeExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_derivative_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$/injective_derivative_exchange_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\001Z$/injective_derivative_exchange_rpcpb\242\002\003IXX\252\002\036InjectiveDerivativeExchangeRpc\312\002\036InjectiveDerivativeExchangeRpc\342\002*InjectiveDerivativeExchangeRpc\\GPBMetadata\352\002\036InjectiveDerivativeExchangeRpc' _globals['_MARKETSREQUEST']._serialized_start=87 - _globals['_MARKETSREQUEST']._serialized_end=172 - _globals['_MARKETSRESPONSE']._serialized_start=174 - _globals['_MARKETSRESPONSE']._serialized_end=265 - _globals['_DERIVATIVEMARKETINFO']._serialized_start=268 - _globals['_DERIVATIVEMARKETINFO']._serialized_end=1035 - _globals['_TOKENMETA']._serialized_start=1037 - _globals['_TOKENMETA']._serialized_end=1147 - _globals['_PERPETUALMARKETINFO']._serialized_start=1150 - _globals['_PERPETUALMARKETINFO']._serialized_end=1292 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=1294 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=1396 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1398 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=1479 - _globals['_MARKETREQUEST']._serialized_start=1481 - _globals['_MARKETREQUEST']._serialized_end=1515 - _globals['_MARKETRESPONSE']._serialized_start=1517 - _globals['_MARKETRESPONSE']._serialized_end=1606 - _globals['_STREAMMARKETREQUEST']._serialized_start=1608 - _globals['_STREAMMARKETREQUEST']._serialized_end=1649 - _globals['_STREAMMARKETRESPONSE']._serialized_start=1652 - _globals['_STREAMMARKETRESPONSE']._serialized_end=1790 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=1792 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=1894 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=1897 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2063 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2066 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=2565 - _globals['_PAGING']._serialized_start=2567 - _globals['_PAGING']._serialized_end=2659 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=2661 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=2708 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=2710 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=2815 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=2817 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=2856 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=2858 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=2961 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=2964 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=3152 - _globals['_PRICELEVEL']._serialized_start=3154 - _globals['_PRICELEVEL']._serialized_end=3218 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=3220 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=3261 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=3263 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=3374 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=3377 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=3512 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=3514 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=3560 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=3563 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=3734 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=3736 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=3786 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=3789 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=3973 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=3976 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=4191 - _globals['_PRICELEVELUPDATE']._serialized_start=4193 - _globals['_PRICELEVELUPDATE']._serialized_end=4282 - _globals['_ORDERSREQUEST']._serialized_start=4285 - _globals['_ORDERSREQUEST']._serialized_end=4583 - _globals['_ORDERSRESPONSE']._serialized_start=4586 - _globals['_ORDERSRESPONSE']._serialized_end=4734 - _globals['_DERIVATIVELIMITORDER']._serialized_start=4737 - _globals['_DERIVATIVELIMITORDER']._serialized_end=5209 - _globals['_POSITIONSREQUEST']._serialized_start=5212 - _globals['_POSITIONSREQUEST']._serialized_end=5439 - _globals['_POSITIONSRESPONSE']._serialized_start=5442 - _globals['_POSITIONSRESPONSE']._serialized_end=5594 - _globals['_DERIVATIVEPOSITION']._serialized_start=5597 - _globals['_DERIVATIVEPOSITION']._serialized_end=5876 - _globals['_POSITIONSV2REQUEST']._serialized_start=5879 - _globals['_POSITIONSV2REQUEST']._serialized_end=6108 - _globals['_POSITIONSV2RESPONSE']._serialized_start=6111 - _globals['_POSITIONSV2RESPONSE']._serialized_end=6267 - _globals['_DERIVATIVEPOSITIONV2']._serialized_start=6270 - _globals['_DERIVATIVEPOSITIONV2']._serialized_end=6506 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=6508 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=6584 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=6586 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=6689 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=6692 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=6825 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=6828 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=6981 - _globals['_FUNDINGPAYMENT']._serialized_start=6983 - _globals['_FUNDINGPAYMENT']._serialized_end=7076 - _globals['_FUNDINGRATESREQUEST']._serialized_start=7078 - _globals['_FUNDINGRATESREQUEST']._serialized_end=7165 - _globals['_FUNDINGRATESRESPONSE']._serialized_start=7168 - _globals['_FUNDINGRATESRESPONSE']._serialized_end=7320 - _globals['_FUNDINGRATE']._serialized_start=7322 - _globals['_FUNDINGRATE']._serialized_end=7387 - _globals['_STREAMPOSITIONSREQUEST']._serialized_start=7390 - _globals['_STREAMPOSITIONSREQUEST']._serialized_end=7525 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=7527 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=7644 - _globals['_STREAMORDERSREQUEST']._serialized_start=7647 - _globals['_STREAMORDERSREQUEST']._serialized_end=7951 - _globals['_STREAMORDERSRESPONSE']._serialized_start=7954 - _globals['_STREAMORDERSRESPONSE']._serialized_end=8091 - _globals['_TRADESREQUEST']._serialized_start=8094 - _globals['_TRADESREQUEST']._serialized_end=8386 - _globals['_TRADESRESPONSE']._serialized_start=8389 - _globals['_TRADESRESPONSE']._serialized_end=8532 - _globals['_DERIVATIVETRADE']._serialized_start=8535 - _globals['_DERIVATIVETRADE']._serialized_end=8870 - _globals['_POSITIONDELTA']._serialized_start=8872 - _globals['_POSITIONDELTA']._serialized_end=8991 - _globals['_TRADESV2REQUEST']._serialized_start=8994 - _globals['_TRADESV2REQUEST']._serialized_end=9288 - _globals['_TRADESV2RESPONSE']._serialized_start=9291 - _globals['_TRADESV2RESPONSE']._serialized_end=9436 - _globals['_STREAMTRADESREQUEST']._serialized_start=9439 - _globals['_STREAMTRADESREQUEST']._serialized_end=9737 - _globals['_STREAMTRADESRESPONSE']._serialized_start=9740 - _globals['_STREAMTRADESRESPONSE']._serialized_end=9872 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=9875 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=10175 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=10178 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=10312 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=10314 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=10414 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=10417 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=10579 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=10582 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=10725 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=10727 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=10825 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=10828 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=11163 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=11166 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=11323 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=11326 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=11771 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=11774 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=11924 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=11927 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=12073 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=12076 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=15472 + _globals['_MARKETSREQUEST']._serialized_end=214 + _globals['_MARKETSRESPONSE']._serialized_start=216 + _globals['_MARKETSRESPONSE']._serialized_end=316 + _globals['_DERIVATIVEMARKETINFO']._serialized_start=319 + _globals['_DERIVATIVEMARKETINFO']._serialized_end=1416 + _globals['_TOKENMETA']._serialized_start=1419 + _globals['_TOKENMETA']._serialized_end=1579 + _globals['_PERPETUALMARKETINFO']._serialized_start=1582 + _globals['_PERPETUALMARKETINFO']._serialized_end=1805 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=1808 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=1961 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1963 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=2082 + _globals['_MARKETREQUEST']._serialized_start=2084 + _globals['_MARKETREQUEST']._serialized_end=2128 + _globals['_MARKETRESPONSE']._serialized_start=2130 + _globals['_MARKETRESPONSE']._serialized_end=2227 + _globals['_STREAMMARKETREQUEST']._serialized_start=2229 + _globals['_STREAMMARKETREQUEST']._serialized_end=2281 + _globals['_STREAMMARKETRESPONSE']._serialized_start=2284 + _globals['_STREAMMARKETRESPONSE']._serialized_end=2456 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=2459 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=2600 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=2603 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2786 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2789 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=3555 + _globals['_PAGING']._serialized_start=3558 + _globals['_PAGING']._serialized_end=3692 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=3694 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=3751 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=3753 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=3866 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=3868 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=3917 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=3919 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=4033 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=4036 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=4258 + _globals['_PRICELEVEL']._serialized_start=4260 + _globals['_PRICELEVEL']._serialized_end=4352 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=4354 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=4406 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=4408 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=4531 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=4534 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=4690 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=4692 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=4749 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=4752 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=4970 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=4972 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=5033 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=5036 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=5279 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=5282 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=5541 + _globals['_PRICELEVELUPDATE']._serialized_start=5543 + _globals['_PRICELEVELUPDATE']._serialized_end=5670 + _globals['_ORDERSREQUEST']._serialized_start=5673 + _globals['_ORDERSREQUEST']._serialized_end=6130 + _globals['_ORDERSRESPONSE']._serialized_start=6133 + _globals['_ORDERSRESPONSE']._serialized_end=6297 + _globals['_DERIVATIVELIMITORDER']._serialized_start=6300 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7027 + _globals['_POSITIONSREQUEST']._serialized_start=7030 + _globals['_POSITIONSREQUEST']._serialized_end=7378 + _globals['_POSITIONSRESPONSE']._serialized_start=7381 + _globals['_POSITIONSRESPONSE']._serialized_end=7552 + _globals['_DERIVATIVEPOSITION']._serialized_start=7555 + _globals['_DERIVATIVEPOSITION']._serialized_end=7987 + _globals['_POSITIONSV2REQUEST']._serialized_start=7990 + _globals['_POSITIONSV2REQUEST']._serialized_end=8340 + _globals['_POSITIONSV2RESPONSE']._serialized_start=8343 + _globals['_POSITIONSV2RESPONSE']._serialized_end=8518 + _globals['_DERIVATIVEPOSITIONV2']._serialized_start=8521 + _globals['_DERIVATIVEPOSITIONV2']._serialized_end=8877 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=8879 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=8978 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=8980 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=9094 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=9097 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=9287 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=9290 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=9461 + _globals['_FUNDINGPAYMENT']._serialized_start=9464 + _globals['_FUNDINGPAYMENT']._serialized_end=9600 + _globals['_FUNDINGRATESREQUEST']._serialized_start=9602 + _globals['_FUNDINGRATESREQUEST']._serialized_end=9721 + _globals['_FUNDINGRATESRESPONSE']._serialized_start=9724 + _globals['_FUNDINGRATESRESPONSE']._serialized_end=9898 + _globals['_FUNDINGRATE']._serialized_start=9900 + _globals['_FUNDINGRATE']._serialized_end=9992 + _globals['_STREAMPOSITIONSREQUEST']._serialized_start=9995 + _globals['_STREAMPOSITIONSREQUEST']._serialized_end=10196 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=10199 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=10337 + _globals['_STREAMORDERSREQUEST']._serialized_start=10340 + _globals['_STREAMORDERSREQUEST']._serialized_end=10803 + _globals['_STREAMORDERSRESPONSE']._serialized_start=10806 + _globals['_STREAMORDERSRESPONSE']._serialized_end=10976 + _globals['_TRADESREQUEST']._serialized_start=10979 + _globals['_TRADESREQUEST']._serialized_end=11426 + _globals['_TRADESRESPONSE']._serialized_start=11429 + _globals['_TRADESRESPONSE']._serialized_end=11588 + _globals['_DERIVATIVETRADE']._serialized_start=11591 + _globals['_DERIVATIVETRADE']._serialized_end=12079 + _globals['_POSITIONDELTA']._serialized_start=12082 + _globals['_POSITIONDELTA']._serialized_end=12269 + _globals['_TRADESV2REQUEST']._serialized_start=12272 + _globals['_TRADESV2REQUEST']._serialized_end=12721 + _globals['_TRADESV2RESPONSE']._serialized_start=12724 + _globals['_TRADESV2RESPONSE']._serialized_end=12885 + _globals['_STREAMTRADESREQUEST']._serialized_start=12888 + _globals['_STREAMTRADESREQUEST']._serialized_end=13341 + _globals['_STREAMTRADESRESPONSE']._serialized_start=13344 + _globals['_STREAMTRADESRESPONSE']._serialized_end=13509 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=13512 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=13967 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=13970 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=14137 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=14140 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=14277 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=14280 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=14458 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=14461 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=14667 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=14669 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=14775 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=14778 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=15286 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=15289 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=15462 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=15465 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=16146 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=16149 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=16369 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=16372 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=16551 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=16554 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=19950 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index 31596a12..fd5d2b43 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveDerivativeExchangeRPCStub(object): """InjectiveDerivativeExchangeRPC defines gRPC API of Derivative Markets diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py index 41989732..e4cdef0b 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,44 +24,44 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"\x92\x01\n\rGetTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xb4\x01\n\x10PrepareTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esigner_address\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04memo\x18\x04 \x01(\t\x12\x16\n\x0etimeout_height\x18\x05 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x07 \x03(\x0c\"c\n\x0b\x43osmosTxFee\x12\x31\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoin\x12\x0b\n\x03gas\x18\x02 \x01(\x04\x12\x14\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x86\x01\n\x11PrepareTxResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x11\n\tsign_mode\x18\x03 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x04 \x01(\t\x12\x11\n\tfee_payer\x18\x05 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x06 \x01(\t\"\xc2\x01\n\x12\x42roadcastTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\n\n\x02tx\x18\x02 \x01(\x0c\x12\x0c\n\x04msgs\x18\x03 \x03(\x0c\x12\x35\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x05 \x01(\t\x12\x11\n\tfee_payer\x18\x06 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x07 \x01(\t\x12\x0c\n\x04mode\x18\x08 \x01(\t\")\n\x0c\x43osmosPubKey\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"\x98\x01\n\x13\x42roadcastTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xa8\x01\n\x16PrepareCosmosTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esender_address\x18\x02 \x01(\t\x12\x0c\n\x04memo\x18\x03 \x01(\t\x12\x16\n\x0etimeout_height\x18\x04 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x06 \x03(\x0c\"\xb9\x01\n\x17PrepareCosmosTxResponse\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x11\n\tsign_mode\x18\x02 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x03 \x01(\t\x12\x11\n\tfee_payer\x18\x04 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x05 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\"\x88\x01\n\x18\x42roadcastCosmosTxRequest\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x35\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x03 \x01(\t\x12\x16\n\x0esender_address\x18\x04 \x01(\t\"\x9e\x01\n\x19\x42roadcastCosmosTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\x14\n\x12GetFeePayerRequest\"i\n\x13GetFeePayerResponse\x12\x11\n\tfee_payer\x18\x01 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\x1bZ\x19/injective_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"\xd3\x01\n\rGetTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x9d\x02\n\x10PrepareTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esigner_address\x18\x02 \x01(\tR\rsignerAddress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04memo\x18\x04 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x05 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x07 \x03(\x0cR\x04msgs\x12%\n\x0e\x65ip712_wrapper\x18\x08 \x01(\tR\reip712Wrapper\"|\n\x0b\x43osmosTxFee\x12\x38\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoinR\x05price\x12\x10\n\x03gas\x18\x02 \x01(\x04R\x03gas\x12!\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08R\x0b\x64\x65legateFee\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xc3\x01\n\x11PrepareTxResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x1b\n\tsign_mode\x18\x03 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x04 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x05 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x06 \x01(\tR\x0b\x66\x65\x65PayerSig\"\x85\x02\n\x12\x42roadcastTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12\x0e\n\x02tx\x18\x02 \x01(\x0cR\x02tx\x12\x12\n\x04msgs\x18\x03 \x03(\x0cR\x04msgs\x12=\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature\x12\x1b\n\tfee_payer\x18\x06 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x07 \x01(\tR\x0b\x66\x65\x65PayerSig\x12\x12\n\x04mode\x18\x08 \x01(\tR\x04mode\"4\n\x0c\x43osmosPubKey\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"\xd9\x01\n\x13\x42roadcastTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\xe0\x01\n\x16PrepareCosmosTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esender_address\x18\x02 \x01(\tR\rsenderAddress\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x04 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x06 \x03(\x0cR\x04msgs\"\xfa\x01\n\x17PrepareCosmosTxResponse\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x1b\n\tsign_mode\x18\x02 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x03 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x04 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x05 \x01(\tR\x0b\x66\x65\x65PayerSig\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey\"\xae\x01\n\x18\x42roadcastCosmosTxRequest\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12=\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x03 \x01(\tR\tsignature\x12%\n\x0esender_address\x18\x04 \x01(\tR\rsenderAddress\"\xdf\x01\n\x19\x42roadcastCosmosTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x14\n\x12GetFeePayerRequest\"\x83\x01\n\x13GetFeePayerResponse\x12\x1b\n\tfee_payer\x18\x01 \x01(\tR\x08\x66\x65\x65Payer\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\xc2\x01\n\x1a\x63om.injective_exchange_rpcB\x19InjectiveExchangeRpcProtoP\x01Z\x19/injective_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExchangeRpc\xca\x02\x14InjectiveExchangeRpc\xe2\x02 InjectiveExchangeRpc\\GPBMetadata\xea\x02\x14InjectiveExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_exchange_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_exchange_rpcB\031InjectiveExchangeRpcProtoP\001Z\031/injective_exchange_rpcpb\242\002\003IXX\252\002\024InjectiveExchangeRpc\312\002\024InjectiveExchangeRpc\342\002 InjectiveExchangeRpc\\GPBMetadata\352\002\024InjectiveExchangeRpc' _globals['_GETTXREQUEST']._serialized_start=65 - _globals['_GETTXREQUEST']._serialized_end=93 - _globals['_GETTXRESPONSE']._serialized_start=96 - _globals['_GETTXRESPONSE']._serialized_end=242 - _globals['_PREPARETXREQUEST']._serialized_start=245 - _globals['_PREPARETXREQUEST']._serialized_end=425 - _globals['_COSMOSTXFEE']._serialized_start=427 - _globals['_COSMOSTXFEE']._serialized_end=526 - _globals['_COSMOSCOIN']._serialized_start=528 - _globals['_COSMOSCOIN']._serialized_end=571 - _globals['_PREPARETXRESPONSE']._serialized_start=574 - _globals['_PREPARETXRESPONSE']._serialized_end=708 - _globals['_BROADCASTTXREQUEST']._serialized_start=711 - _globals['_BROADCASTTXREQUEST']._serialized_end=905 - _globals['_COSMOSPUBKEY']._serialized_start=907 - _globals['_COSMOSPUBKEY']._serialized_end=948 - _globals['_BROADCASTTXRESPONSE']._serialized_start=951 - _globals['_BROADCASTTXRESPONSE']._serialized_end=1103 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1106 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1274 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1277 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=1462 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=1465 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=1601 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=1604 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=1762 - _globals['_GETFEEPAYERREQUEST']._serialized_start=1764 - _globals['_GETFEEPAYERREQUEST']._serialized_end=1784 - _globals['_GETFEEPAYERRESPONSE']._serialized_start=1786 - _globals['_GETFEEPAYERRESPONSE']._serialized_end=1891 - _globals['_INJECTIVEEXCHANGERPC']._serialized_start=1894 - _globals['_INJECTIVEEXCHANGERPC']._serialized_end=2546 + _globals['_GETTXREQUEST']._serialized_end=99 + _globals['_GETTXRESPONSE']._serialized_start=102 + _globals['_GETTXRESPONSE']._serialized_end=313 + _globals['_PREPARETXREQUEST']._serialized_start=316 + _globals['_PREPARETXREQUEST']._serialized_end=601 + _globals['_COSMOSTXFEE']._serialized_start=603 + _globals['_COSMOSTXFEE']._serialized_end=727 + _globals['_COSMOSCOIN']._serialized_start=729 + _globals['_COSMOSCOIN']._serialized_end=787 + _globals['_PREPARETXRESPONSE']._serialized_start=790 + _globals['_PREPARETXRESPONSE']._serialized_end=985 + _globals['_BROADCASTTXREQUEST']._serialized_start=988 + _globals['_BROADCASTTXREQUEST']._serialized_end=1249 + _globals['_COSMOSPUBKEY']._serialized_start=1251 + _globals['_COSMOSPUBKEY']._serialized_end=1303 + _globals['_BROADCASTTXRESPONSE']._serialized_start=1306 + _globals['_BROADCASTTXRESPONSE']._serialized_end=1523 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1526 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1750 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1753 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=2003 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=2006 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=2180 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=2183 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=2406 + _globals['_GETFEEPAYERREQUEST']._serialized_start=2408 + _globals['_GETFEEPAYERREQUEST']._serialized_end=2428 + _globals['_GETFEEPAYERRESPONSE']._serialized_start=2431 + _globals['_GETFEEPAYERRESPONSE']._serialized_end=2562 + _globals['_INJECTIVEEXCHANGERPC']._serialized_start=2565 + _globals['_INJECTIVEEXCHANGERPC']._serialized_end=3217 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index 33cd1201..cddca5ba 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveExchangeRPCStub(object): """InjectiveExchangeRPC defines gRPC API of an Injective Exchange service. diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py index d78d4f45..85d828f5 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_explorer_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_explorer_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,166 +24,166 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xdf\x01\n\x14GetAccountTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x0c\n\x04type\x18\x06 \x01(\t\x12\x0e\n\x06module\x18\x07 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x08 \x01(\x12\x12\x11\n\tto_number\x18\t \x01(\x12\x12\x12\n\nstart_time\x18\n \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x0b \x01(\x12\x12\x0e\n\x06status\x18\x0c \x01(\t\"{\n\x15GetAccountTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\xe7\x03\n\x0cTxDetailData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x12\x12\x10\n\x08gas_used\x18\n \x01(\x12\x12/\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFee\x12\x11\n\tcodespace\x18\x0c \x01(\t\x12-\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.Event\x12\x0f\n\x07tx_type\x18\x0e \x01(\t\x12\x10\n\x08messages\x18\x0f \x01(\x0c\x12\x35\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.Signature\x12\x0c\n\x04memo\x18\x11 \x01(\t\x12\x11\n\ttx_number\x18\x12 \x01(\x04\x12\x1c\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04\x12\x11\n\terror_log\x18\x14 \x01(\t\x12\x0c\n\x04logs\x18\x15 \x01(\x0c\x12\x11\n\tclaim_ids\x18\x16 \x03(\x12\"o\n\x06GasFee\x12\x32\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoin\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\r\n\x05payer\x18\x03 \x01(\t\x12\x0f\n\x07granter\x18\x04 \x01(\t\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8b\x01\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntry\x1a\x31\n\x0f\x41ttributesEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"Q\n\tSignature\x12\x0e\n\x06pubkey\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\tsignature\x18\x04 \x01(\t\"m\n\x15GetContractTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\x13\n\x0b\x66rom_number\x18\x04 \x01(\x12\x12\x11\n\tto_number\x18\x05 \x01(\x12\"|\n\x16GetContractTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"r\n\x17GetContractTxsV2Request\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0c\n\x04\x66rom\x18\x03 \x01(\x12\x12\n\n\x02to\x18\x04 \x01(\x12\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\r\n\x05token\x18\x06 \x01(\t\"\\\n\x18GetContractTxsV2Response\x12\x0c\n\x04next\x18\x01 \x03(\t\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x10GetBlocksRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04\x66rom\x18\x04 \x01(\x04\x12\n\n\x02to\x18\x05 \x01(\x04\"t\n\x11GetBlocksResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12/\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfo\"\xd4\x01\n\tBlockInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t\"\xc0\x01\n\tTxDataRPC\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x1d\n\x0fGetBlockRequest\x12\n\n\x02id\x18\x01 \x01(\t\"d\n\x10GetBlockResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfo\"\xea\x01\n\x0f\x42lockDetailInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12\x11\n\ttotal_txs\x18\x08 \x01(\x12\x12+\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\x12\x11\n\ttimestamp\x18\n \x01(\t\"\xe1\x01\n\x06TxData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\x0c\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x14\n\x0ctx_msg_types\x18\n \x01(\x0c\x12\x0c\n\x04logs\x18\x0b \x01(\x0c\x12\x11\n\tclaim_ids\x18\x0c \x03(\x12\"\x16\n\x14GetValidatorsRequest\"c\n\x15GetValidatorsResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.Validator\"\x83\x05\n\tValidator\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0f\n\x07moniker\x18\x02 \x01(\t\x12\x18\n\x10operator_address\x18\x03 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x04 \x01(\t\x12\x0e\n\x06jailed\x18\x05 \x01(\x08\x12\x0e\n\x06status\x18\x06 \x01(\x11\x12\x0e\n\x06tokens\x18\x07 \x01(\t\x12\x18\n\x10\x64\x65legator_shares\x18\x08 \x01(\t\x12\x41\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescription\x12\x18\n\x10unbonding_height\x18\n \x01(\x12\x12\x16\n\x0eunbonding_time\x18\x0b \x01(\t\x12\x17\n\x0f\x63ommission_rate\x18\x0c \x01(\t\x12\x1b\n\x13\x63ommission_max_rate\x18\r \x01(\t\x12\"\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\t\x12\x1e\n\x16\x63ommission_update_time\x18\x0f \x01(\t\x12\x10\n\x08proposed\x18\x10 \x01(\x04\x12\x0e\n\x06signed\x18\x11 \x01(\x04\x12\x0e\n\x06missed\x18\x12 \x01(\x04\x12\x11\n\ttimestamp\x18\x13 \x01(\t\x12\x38\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\x12>\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEvent\x12\x19\n\x11uptime_percentage\x18\x16 \x01(\x01\x12\x11\n\timage_url\x18\x17 \x01(\t\"\x88\x01\n\x14ValidatorDescription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t\x12\x11\n\timage_url\x18\x06 \x01(\t\"7\n\x0fValidatorUptime\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\"\x95\x01\n\rSlashingEvent\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\r\n\x05power\x18\x04 \x01(\x04\x12\x0e\n\x06reason\x18\x05 \x01(\t\x12\x0e\n\x06jailed\x18\x06 \x01(\t\x12\x15\n\rmissed_blocks\x18\x07 \x01(\x04\"&\n\x13GetValidatorRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x14GetValidatorResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.Validator\",\n\x19GetValidatorUptimeRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"n\n\x1aGetValidatorUptimeResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\"\xc7\x01\n\rGetTxsRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\x0c\n\x04type\x18\x05 \x01(\t\x12\x0e\n\x06module\x18\x06 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x07 \x01(\x12\x12\x11\n\tto_number\x18\x08 \x01(\x12\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\x12\x0e\n\x06status\x18\x0b \x01(\t\"n\n\x0eGetTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12,\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\"$\n\x14GetTxByTxHashRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"f\n\x15GetTxByTxHashResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x32\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x19GetPeggyDepositTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"S\n\x1aGetPeggyDepositTxsResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTx\"\xf8\x01\n\x0ePeggyDepositTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\x03 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x04 \x01(\x04\x12\x0e\n\x06\x61mount\x18\x05 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x06 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x07 \x01(\t\x12\r\n\x05state\x18\x08 \x01(\t\x12\x12\n\nclaim_type\x18\t \x01(\x11\x12\x11\n\ttx_hashes\x18\n \x03(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\t\"]\n\x1cGetPeggyWithdrawalTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"Y\n\x1dGetPeggyWithdrawalTxsResponse\x12\x38\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTx\"\xd3\x02\n\x11PeggyWithdrawalTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x04 \x01(\t\x12\x12\n\nbridge_fee\x18\x05 \x01(\t\x12\x16\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x07 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\n \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x0b \x01(\x04\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\nclaim_type\x18\r \x01(\x11\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"\xa9\x01\n\x18GetIBCTransferTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsrc_channel\x18\x03 \x01(\t\x12\x10\n\x08src_port\x18\x04 \x01(\t\x12\x14\n\x0c\x64\x65st_channel\x18\x05 \x01(\t\x12\x11\n\tdest_port\x18\x06 \x01(\t\x12\r\n\x05limit\x18\x07 \x01(\x11\x12\x0c\n\x04skip\x18\x08 \x01(\x04\"Q\n\x19GetIBCTransferTxsResponse\x12\x34\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTx\"\xdc\x02\n\rIBCTransferTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsource_port\x18\x03 \x01(\t\x12\x16\n\x0esource_channel\x18\x04 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x05 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x06 \x01(\t\x12\x0e\n\x06\x61mount\x18\x07 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x08 \x01(\t\x12\x16\n\x0etimeout_height\x18\t \x01(\t\x12\x19\n\x11timeout_timestamp\x18\n \x01(\x04\x12\x17\n\x0fpacket_sequence\x18\x0b \x01(\x04\x12\x10\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0c\x12\r\n\x05state\x18\r \x01(\t\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"L\n\x13GetWasmCodesRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x02 \x01(\x12\x12\x11\n\tto_number\x18\x03 \x01(\x12\"v\n\x14GetWasmCodesResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12.\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCode\"\xd5\x02\n\x08WasmCode\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"+\n\x08\x43hecksum\x12\x11\n\talgorithm\x18\x01 \x01(\t\x12\x0c\n\x04hash\x18\x02 \x01(\t\":\n\x12\x43ontractPermission\x12\x13\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\")\n\x16GetWasmCodeByIDRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x12\"\xe4\x02\n\x17GetWasmCodeByIDResponse\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"\x93\x01\n\x17GetWasmContractsRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x0f\n\x07\x63ode_id\x18\x02 \x01(\x12\x12\x13\n\x0b\x66rom_number\x18\x03 \x01(\x12\x12\x11\n\tto_number\x18\x04 \x01(\x12\x12\x13\n\x0b\x61ssets_only\x18\x05 \x01(\x08\x12\x0c\n\x04skip\x18\x06 \x01(\x12\x12\r\n\x05label\x18\x07 \x01(\t\"~\n\x18GetWasmContractsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContract\"\xab\x03\n\x0cWasmContract\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"-\n\x0c\x43ontractFund\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8c\x01\n\x0c\x43w20Metadata\x12\x39\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfo\x12\x41\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfo\"U\n\rCw20TokenInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12\x12\x14\n\x0ctotal_supply\x18\x04 \x01(\t\"Z\n\x11\x43w20MarketingInfo\x12\x0f\n\x07project\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04logo\x18\x03 \x01(\t\x12\x11\n\tmarketing\x18\x04 \x01(\x0c\";\n\x1fGetWasmContractByAddressRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"\xbf\x03\n GetWasmContractByAddressResponse\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"7\n\x15GetCw20BalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\"P\n\x16GetCw20BalanceResponse\x12\x36\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20Balance\"\x9e\x01\n\x0fWasmCw20Balance\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x63\x63ount\x18\x02 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x03 \x01(\t\x12\x12\n\nupdated_at\x18\x04 \x01(\x12\x12;\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\"&\n\x0fRelayersRequest\x12\x13\n\x0bmarket_i_ds\x18\x01 \x03(\t\"I\n\x10RelayersResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarkets\"V\n\x0eRelayerMarkets\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x31\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.Relayer\"$\n\x07Relayer\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0b\n\x03\x63ta\x18\x02 \x01(\t\"\xd6\x01\n\x17GetBankTransfersRequest\x12\x0f\n\x07senders\x18\x01 \x03(\t\x12\x12\n\nrecipients\x18\x02 \x03(\t\x12!\n\x19is_community_pool_related\x18\x03 \x01(\x08\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x0f\n\x07\x61\x64\x64ress\x18\x08 \x03(\t\x12\x10\n\x08per_page\x18\t \x01(\x11\x12\r\n\x05token\x18\n \x01(\t\"~\n\x18GetBankTransfersResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransfer\"\x8f\x01\n\x0c\x42\x61nkTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\trecipient\x18\x02 \x01(\t\x12-\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.Coin\x12\x14\n\x0c\x62lock_number\x18\x04 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x05 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x12\n\x10StreamTxsRequest\"\xc8\x01\n\x11StreamTxsResponse\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x15\n\x13StreamBlocksRequest\"\xdf\x01\n\x14StreamBlocksResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\x1bZ\x19/injective_explorer_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xc4\x02\n\x14GetAccountTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x03 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x06 \x01(\tR\x04type\x12\x16\n\x06module\x18\x07 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x08 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\t \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\n \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x0b \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0c \x01(\tR\x06status\"\x89\x01\n\x15GetAccountTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xab\x05\n\x0cTxDetailData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x12R\x07gasUsed\x12\x37\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFeeR\x06gasFee\x12\x1c\n\tcodespace\x18\x0c \x01(\tR\tcodespace\x12\x35\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.EventR\x06\x65vents\x12\x17\n\x07tx_type\x18\x0e \x01(\tR\x06txType\x12\x1a\n\x08messages\x18\x0f \x01(\x0cR\x08messages\x12\x41\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.SignatureR\nsignatures\x12\x12\n\x04memo\x18\x11 \x01(\tR\x04memo\x12\x1b\n\ttx_number\x18\x12 \x01(\x04R\x08txNumber\x12\x30\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04R\x12\x62lockUnixTimestamp\x12\x1b\n\terror_log\x18\x14 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04logs\x18\x15 \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x16 \x03(\x12R\x08\x63laimIds\"\x91\x01\n\x06GasFee\x12:\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoinR\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x14\n\x05payer\x18\x03 \x01(\tR\x05payer\x12\x18\n\x07granter\x18\x04 \x01(\tR\x07granter\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa9\x01\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12M\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntryR\nattributes\x1a=\n\x0f\x41ttributesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"w\n\tSignature\x12\x16\n\x06pubkey\x18\x01 \x01(\tR\x06pubkey\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature\"\x99\x01\n\x15GetContractTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x1f\n\x0b\x66rom_number\x18\x04 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x05 \x01(\x12R\x08toNumber\"\x8a\x01\n\x16GetContractTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x9b\x01\n\x17GetContractTxsV2Request\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x12\n\x04\x66rom\x18\x03 \x01(\x12R\x04\x66rom\x12\x0e\n\x02to\x18\x04 \x01(\x12R\x02to\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x14\n\x05token\x18\x06 \x01(\tR\x05token\"h\n\x18GetContractTxsV2Response\x12\x12\n\x04next\x18\x01 \x03(\tR\x04next\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"z\n\x10GetBlocksRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04\x66rom\x18\x04 \x01(\x04R\x04\x66rom\x12\x0e\n\x02to\x18\x05 \x01(\x04R\x02to\"\x82\x01\n\x11GetBlocksResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfoR\x04\x64\x61ta\"\xad\x02\n\tBlockInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp\"\xa0\x02\n\tTxDataRPC\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"!\n\x0fGetBlockRequest\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\"u\n\x10GetBlockResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfoR\x04\x64\x61ta\"\xcd\x02\n\x0f\x42lockDetailInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x1b\n\ttotal_txs\x18\x08 \x01(\x12R\x08totalTxs\x12\x30\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x03txs\x12\x1c\n\ttimestamp\x18\n \x01(\tR\ttimestamp\"\xd3\x02\n\x06TxData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\x0cR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12 \n\x0ctx_msg_types\x18\n \x01(\x0cR\ntxMsgTypes\x12\x12\n\x04logs\x18\x0b \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x0c \x03(\x12R\x08\x63laimIds\"\x16\n\x14GetValidatorsRequest\"t\n\x15GetValidatorsResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"\xb5\x07\n\tValidator\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x18\n\x07moniker\x18\x02 \x01(\tR\x07moniker\x12)\n\x10operator_address\x18\x03 \x01(\tR\x0foperatorAddress\x12+\n\x11\x63onsensus_address\x18\x04 \x01(\tR\x10\x63onsensusAddress\x12\x16\n\x06jailed\x18\x05 \x01(\x08R\x06jailed\x12\x16\n\x06status\x18\x06 \x01(\x11R\x06status\x12\x16\n\x06tokens\x18\x07 \x01(\tR\x06tokens\x12)\n\x10\x64\x65legator_shares\x18\x08 \x01(\tR\x0f\x64\x65legatorShares\x12N\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescriptionR\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\n \x01(\x12R\x0funbondingHeight\x12%\n\x0eunbonding_time\x18\x0b \x01(\tR\runbondingTime\x12\'\n\x0f\x63ommission_rate\x18\x0c \x01(\tR\x0e\x63ommissionRate\x12.\n\x13\x63ommission_max_rate\x18\r \x01(\tR\x11\x63ommissionMaxRate\x12;\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\tR\x17\x63ommissionMaxChangeRate\x12\x34\n\x16\x63ommission_update_time\x18\x0f \x01(\tR\x14\x63ommissionUpdateTime\x12\x1a\n\x08proposed\x18\x10 \x01(\x04R\x08proposed\x12\x16\n\x06signed\x18\x11 \x01(\x04R\x06signed\x12\x16\n\x06missed\x18\x12 \x01(\x04R\x06missed\x12\x1c\n\ttimestamp\x18\x13 \x01(\tR\ttimestamp\x12\x41\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x07uptimes\x12N\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEventR\x0eslashingEvents\x12+\n\x11uptime_percentage\x18\x16 \x01(\x01R\x10uptimePercentage\x12\x1b\n\timage_url\x18\x17 \x01(\tR\x08imageUrl\"\xc8\x01\n\x14ValidatorDescription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails\x12\x1b\n\timage_url\x18\x06 \x01(\tR\x08imageUrl\"L\n\x0fValidatorUptime\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\"\xe0\x01\n\rSlashingEvent\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x02 \x01(\tR\x0e\x62lockTimestamp\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x04 \x01(\x04R\x05power\x12\x16\n\x06reason\x18\x05 \x01(\tR\x06reason\x12\x16\n\x06jailed\x18\x06 \x01(\tR\x06jailed\x12#\n\rmissed_blocks\x18\x07 \x01(\x04R\x0cmissedBlocks\"/\n\x13GetValidatorRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"s\n\x14GetValidatorResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"5\n\x19GetValidatorUptimeRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x7f\n\x1aGetValidatorUptimeResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x04\x64\x61ta\"\xa3\x02\n\rGetTxsRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x05 \x01(\tR\x04type\x12\x16\n\x06module\x18\x06 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x07 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x08 \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0b \x01(\tR\x06status\"|\n\x0eGetTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x04\x64\x61ta\"*\n\x14GetTxByTxHashRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"w\n\x15GetTxByTxHashResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x38\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"y\n\x19GetPeggyDepositTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"Z\n\x1aGetPeggyDepositTxsResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTxR\x05\x66ield\"\xf9\x02\n\x0ePeggyDepositTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0b\x65vent_nonce\x18\x03 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x04 \x01(\x04R\x0b\x65ventHeight\x12\x16\n\x06\x61mount\x18\x05 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x06 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x07 \x01(\tR\x13orchestratorAddress\x12\x14\n\x05state\x18\x08 \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\t \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\n \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0b \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\tR\tupdatedAt\"|\n\x1cGetPeggyWithdrawalTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"`\n\x1dGetPeggyWithdrawalTxsResponse\x12?\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTxR\x05\x66ield\"\x87\x04\n\x11PeggyWithdrawalTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x04 \x01(\tR\x05\x64\x65nom\x12\x1d\n\nbridge_fee\x18\x05 \x01(\tR\tbridgeFee\x12$\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04R\x0coutgoingTxId\x12#\n\rbatch_timeout\x18\x07 \x01(\x04R\x0c\x62\x61tchTimeout\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x65vent_nonce\x18\n \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x0b \x01(\x04R\x0b\x65ventHeight\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\r \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"\xf4\x01\n\x18GetIBCTransferTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsrc_channel\x18\x03 \x01(\tR\nsrcChannel\x12\x19\n\x08src_port\x18\x04 \x01(\tR\x07srcPort\x12!\n\x0c\x64\x65st_channel\x18\x05 \x01(\tR\x0b\x64\x65stChannel\x12\x1b\n\tdest_port\x18\x06 \x01(\tR\x08\x64\x65stPort\x12\x14\n\x05limit\x18\x07 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x08 \x01(\x04R\x04skip\"X\n\x19GetIBCTransferTxsResponse\x12;\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTxR\x05\x66ield\"\x9e\x04\n\rIBCTransferTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsource_port\x18\x03 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x04 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x05 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x06 \x01(\tR\x12\x64\x65stinationChannel\x12\x16\n\x06\x61mount\x18\x07 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x08 \x01(\tR\x05\x64\x65nom\x12%\n\x0etimeout_height\x18\t \x01(\tR\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\n \x01(\x04R\x10timeoutTimestamp\x12\'\n\x0fpacket_sequence\x18\x0b \x01(\x04R\x0epacketSequence\x12\x19\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0cR\x07\x64\x61taHex\x12\x14\n\x05state\x18\r \x01(\tR\x05state\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"i\n\x13GetWasmCodesRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x02 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x03 \x01(\x12R\x08toNumber\"\x84\x01\n\x14GetWasmCodesResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x34\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCodeR\x04\x64\x61ta\"\xe2\x03\n\x08WasmCode\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"<\n\x08\x43hecksum\x12\x1c\n\talgorithm\x18\x01 \x01(\tR\talgorithm\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"O\n\x12\x43ontractPermission\x12\x1f\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11R\naccessType\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x16GetWasmCodeByIDRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x12R\x06\x63odeId\"\xf1\x03\n\x17GetWasmCodeByIDResponse\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"\xd1\x01\n\x17GetWasmContractsRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x17\n\x07\x63ode_id\x18\x02 \x01(\x12R\x06\x63odeId\x12\x1f\n\x0b\x66rom_number\x18\x03 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x04 \x01(\x12R\x08toNumber\x12\x1f\n\x0b\x61ssets_only\x18\x05 \x01(\x08R\nassetsOnly\x12\x12\n\x04skip\x18\x06 \x01(\x12R\x04skip\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\"\x8c\x01\n\x18GetWasmContractsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContractR\x04\x64\x61ta\"\xe9\x04\n\x0cWasmContract\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"<\n\x0c\x43ontractFund\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa6\x01\n\x0c\x43w20Metadata\x12\x44\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfoR\ttokenInfo\x12P\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfoR\rmarketingInfo\"z\n\rCw20TokenInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12R\x08\x64\x65\x63imals\x12!\n\x0ctotal_supply\x18\x04 \x01(\tR\x0btotalSupply\"\x81\x01\n\x11\x43w20MarketingInfo\x12\x18\n\x07project\x18\x01 \x01(\tR\x07project\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04logo\x18\x03 \x01(\tR\x04logo\x12\x1c\n\tmarketing\x18\x04 \x01(\x0cR\tmarketing\"L\n\x1fGetWasmContractByAddressRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"\xfd\x04\n GetWasmContractByAddressResponse\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"G\n\x15GetCw20BalanceRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\"W\n\x16GetCw20BalanceResponse\x12=\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20BalanceR\x05\x66ield\"\xda\x01\n\x0fWasmCw20Balance\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x18\n\x07\x61\x63\x63ount\x18\x02 \x01(\tR\x07\x61\x63\x63ount\x12\x18\n\x07\x62\x61lance\x18\x03 \x01(\tR\x07\x62\x61lance\x12\x1d\n\nupdated_at\x18\x04 \x01(\x12R\tupdatedAt\x12I\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\"1\n\x0fRelayersRequest\x12\x1e\n\x0bmarket_i_ds\x18\x01 \x03(\tR\tmarketIDs\"P\n\x10RelayersResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarketsR\x05\x66ield\"j\n\x0eRelayerMarkets\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12;\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.RelayerR\x08relayers\"/\n\x07Relayer\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x10\n\x03\x63ta\x18\x02 \x01(\tR\x03\x63ta\"\xbd\x02\n\x17GetBankTransfersRequest\x12\x18\n\x07senders\x18\x01 \x03(\tR\x07senders\x12\x1e\n\nrecipients\x18\x02 \x03(\tR\nrecipients\x12\x39\n\x19is_community_pool_related\x18\x03 \x01(\x08R\x16isCommunityPoolRelated\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x18\n\x07\x61\x64\x64ress\x18\x08 \x03(\tR\x07\x61\x64\x64ress\x12\x19\n\x08per_page\x18\t \x01(\x11R\x07perPage\x12\x14\n\x05token\x18\n \x01(\tR\x05token\"\x8c\x01\n\x18GetBankTransfersResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransferR\x04\x64\x61ta\"\xc8\x01\n\x0c\x42\x61nkTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12\x36\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.CoinR\x07\x61mounts\x12!\n\x0c\x62lock_number\x18\x04 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x05 \x01(\tR\x0e\x62lockTimestamp\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x12\n\x10StreamTxsRequest\"\xa8\x02\n\x11StreamTxsResponse\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"\x15\n\x13StreamBlocksRequest\"\xb8\x02\n\x14StreamBlocksResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_explorer_rpcB\x19InjectiveExplorerRpcProtoP\x01Z\x19/injective_explorer_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExplorerRpc\xca\x02\x14InjectiveExplorerRpc\xe2\x02 InjectiveExplorerRpc\\GPBMetadata\xea\x02\x14InjectiveExplorerRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_explorer_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_explorer_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_explorer_rpcB\031InjectiveExplorerRpcProtoP\001Z\031/injective_explorer_rpcpb\242\002\003IXX\252\002\024InjectiveExplorerRpc\312\002\024InjectiveExplorerRpc\342\002 InjectiveExplorerRpc\\GPBMetadata\352\002\024InjectiveExplorerRpc' _globals['_EVENT_ATTRIBUTESENTRY']._loaded_options = None _globals['_EVENT_ATTRIBUTESENTRY']._serialized_options = b'8\001' _globals['_GETACCOUNTTXSREQUEST']._serialized_start=66 - _globals['_GETACCOUNTTXSREQUEST']._serialized_end=289 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=291 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=414 - _globals['_PAGING']._serialized_start=416 - _globals['_PAGING']._serialized_end=508 - _globals['_TXDETAILDATA']._serialized_start=511 - _globals['_TXDETAILDATA']._serialized_end=998 - _globals['_GASFEE']._serialized_start=1000 - _globals['_GASFEE']._serialized_end=1111 - _globals['_COSMOSCOIN']._serialized_start=1113 - _globals['_COSMOSCOIN']._serialized_end=1156 - _globals['_EVENT']._serialized_start=1159 - _globals['_EVENT']._serialized_end=1298 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1249 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1298 - _globals['_SIGNATURE']._serialized_start=1300 - _globals['_SIGNATURE']._serialized_end=1381 - _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1383 - _globals['_GETCONTRACTTXSREQUEST']._serialized_end=1492 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=1494 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=1618 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=1620 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=1734 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=1736 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=1828 - _globals['_GETBLOCKSREQUEST']._serialized_start=1830 - _globals['_GETBLOCKSREQUEST']._serialized_end=1920 - _globals['_GETBLOCKSRESPONSE']._serialized_start=1922 - _globals['_GETBLOCKSRESPONSE']._serialized_end=2038 - _globals['_BLOCKINFO']._serialized_start=2041 - _globals['_BLOCKINFO']._serialized_end=2253 - _globals['_TXDATARPC']._serialized_start=2256 - _globals['_TXDATARPC']._serialized_end=2448 - _globals['_GETBLOCKREQUEST']._serialized_start=2450 - _globals['_GETBLOCKREQUEST']._serialized_end=2479 - _globals['_GETBLOCKRESPONSE']._serialized_start=2481 - _globals['_GETBLOCKRESPONSE']._serialized_end=2581 - _globals['_BLOCKDETAILINFO']._serialized_start=2584 - _globals['_BLOCKDETAILINFO']._serialized_end=2818 - _globals['_TXDATA']._serialized_start=2821 - _globals['_TXDATA']._serialized_end=3046 - _globals['_GETVALIDATORSREQUEST']._serialized_start=3048 - _globals['_GETVALIDATORSREQUEST']._serialized_end=3070 - _globals['_GETVALIDATORSRESPONSE']._serialized_start=3072 - _globals['_GETVALIDATORSRESPONSE']._serialized_end=3171 - _globals['_VALIDATOR']._serialized_start=3174 - _globals['_VALIDATOR']._serialized_end=3817 - _globals['_VALIDATORDESCRIPTION']._serialized_start=3820 - _globals['_VALIDATORDESCRIPTION']._serialized_end=3956 - _globals['_VALIDATORUPTIME']._serialized_start=3958 - _globals['_VALIDATORUPTIME']._serialized_end=4013 - _globals['_SLASHINGEVENT']._serialized_start=4016 - _globals['_SLASHINGEVENT']._serialized_end=4165 - _globals['_GETVALIDATORREQUEST']._serialized_start=4167 - _globals['_GETVALIDATORREQUEST']._serialized_end=4205 - _globals['_GETVALIDATORRESPONSE']._serialized_start=4207 - _globals['_GETVALIDATORRESPONSE']._serialized_end=4305 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=4307 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=4351 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=4353 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=4463 - _globals['_GETTXSREQUEST']._serialized_start=4466 - _globals['_GETTXSREQUEST']._serialized_end=4665 - _globals['_GETTXSRESPONSE']._serialized_start=4667 - _globals['_GETTXSRESPONSE']._serialized_end=4777 - _globals['_GETTXBYTXHASHREQUEST']._serialized_start=4779 - _globals['_GETTXBYTXHASHREQUEST']._serialized_end=4815 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=4817 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=4919 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=4921 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=5011 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=5013 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=5096 - _globals['_PEGGYDEPOSITTX']._serialized_start=5099 - _globals['_PEGGYDEPOSITTX']._serialized_end=5347 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=5349 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=5442 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=5444 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=5533 - _globals['_PEGGYWITHDRAWALTX']._serialized_start=5536 - _globals['_PEGGYWITHDRAWALTX']._serialized_end=5875 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=5878 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=6047 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=6049 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=6130 - _globals['_IBCTRANSFERTX']._serialized_start=6133 - _globals['_IBCTRANSFERTX']._serialized_end=6481 - _globals['_GETWASMCODESREQUEST']._serialized_start=6483 - _globals['_GETWASMCODESREQUEST']._serialized_end=6559 - _globals['_GETWASMCODESRESPONSE']._serialized_start=6561 - _globals['_GETWASMCODESRESPONSE']._serialized_end=6679 - _globals['_WASMCODE']._serialized_start=6682 - _globals['_WASMCODE']._serialized_end=7023 - _globals['_CHECKSUM']._serialized_start=7025 - _globals['_CHECKSUM']._serialized_end=7068 - _globals['_CONTRACTPERMISSION']._serialized_start=7070 - _globals['_CONTRACTPERMISSION']._serialized_end=7128 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=7130 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=7171 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=7174 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=7530 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=7533 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=7680 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=7682 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=7808 - _globals['_WASMCONTRACT']._serialized_start=7811 - _globals['_WASMCONTRACT']._serialized_end=8238 - _globals['_CONTRACTFUND']._serialized_start=8240 - _globals['_CONTRACTFUND']._serialized_end=8285 - _globals['_CW20METADATA']._serialized_start=8288 - _globals['_CW20METADATA']._serialized_end=8428 - _globals['_CW20TOKENINFO']._serialized_start=8430 - _globals['_CW20TOKENINFO']._serialized_end=8515 - _globals['_CW20MARKETINGINFO']._serialized_start=8517 - _globals['_CW20MARKETINGINFO']._serialized_end=8607 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=8609 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=8668 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=8671 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=9118 - _globals['_GETCW20BALANCEREQUEST']._serialized_start=9120 - _globals['_GETCW20BALANCEREQUEST']._serialized_end=9175 - _globals['_GETCW20BALANCERESPONSE']._serialized_start=9177 - _globals['_GETCW20BALANCERESPONSE']._serialized_end=9257 - _globals['_WASMCW20BALANCE']._serialized_start=9260 - _globals['_WASMCW20BALANCE']._serialized_end=9418 - _globals['_RELAYERSREQUEST']._serialized_start=9420 - _globals['_RELAYERSREQUEST']._serialized_end=9458 - _globals['_RELAYERSRESPONSE']._serialized_start=9460 - _globals['_RELAYERSRESPONSE']._serialized_end=9533 - _globals['_RELAYERMARKETS']._serialized_start=9535 - _globals['_RELAYERMARKETS']._serialized_end=9621 - _globals['_RELAYER']._serialized_start=9623 - _globals['_RELAYER']._serialized_end=9659 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=9662 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=9876 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=9878 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=10004 - _globals['_BANKTRANSFER']._serialized_start=10007 - _globals['_BANKTRANSFER']._serialized_end=10150 - _globals['_COIN']._serialized_start=10152 - _globals['_COIN']._serialized_end=10189 - _globals['_STREAMTXSREQUEST']._serialized_start=10191 - _globals['_STREAMTXSREQUEST']._serialized_end=10209 - _globals['_STREAMTXSRESPONSE']._serialized_start=10212 - _globals['_STREAMTXSRESPONSE']._serialized_end=10412 - _globals['_STREAMBLOCKSREQUEST']._serialized_start=10414 - _globals['_STREAMBLOCKSREQUEST']._serialized_end=10435 - _globals['_STREAMBLOCKSRESPONSE']._serialized_start=10438 - _globals['_STREAMBLOCKSRESPONSE']._serialized_end=10661 - _globals['_INJECTIVEEXPLORERRPC']._serialized_start=10664 - _globals['_INJECTIVEEXPLORERRPC']._serialized_end=13166 + _globals['_GETACCOUNTTXSREQUEST']._serialized_end=390 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=393 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=530 + _globals['_PAGING']._serialized_start=533 + _globals['_PAGING']._serialized_end=667 + _globals['_TXDETAILDATA']._serialized_start=670 + _globals['_TXDETAILDATA']._serialized_end=1353 + _globals['_GASFEE']._serialized_start=1356 + _globals['_GASFEE']._serialized_end=1501 + _globals['_COSMOSCOIN']._serialized_start=1503 + _globals['_COSMOSCOIN']._serialized_end=1561 + _globals['_EVENT']._serialized_start=1564 + _globals['_EVENT']._serialized_end=1733 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1672 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1733 + _globals['_SIGNATURE']._serialized_start=1735 + _globals['_SIGNATURE']._serialized_end=1854 + _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1857 + _globals['_GETCONTRACTTXSREQUEST']._serialized_end=2010 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=2013 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=2151 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=2154 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=2309 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=2311 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=2415 + _globals['_GETBLOCKSREQUEST']._serialized_start=2417 + _globals['_GETBLOCKSREQUEST']._serialized_end=2539 + _globals['_GETBLOCKSRESPONSE']._serialized_start=2542 + _globals['_GETBLOCKSRESPONSE']._serialized_end=2672 + _globals['_BLOCKINFO']._serialized_start=2675 + _globals['_BLOCKINFO']._serialized_end=2976 + _globals['_TXDATARPC']._serialized_start=2979 + _globals['_TXDATARPC']._serialized_end=3267 + _globals['_GETBLOCKREQUEST']._serialized_start=3269 + _globals['_GETBLOCKREQUEST']._serialized_end=3302 + _globals['_GETBLOCKRESPONSE']._serialized_start=3304 + _globals['_GETBLOCKRESPONSE']._serialized_end=3421 + _globals['_BLOCKDETAILINFO']._serialized_start=3424 + _globals['_BLOCKDETAILINFO']._serialized_end=3757 + _globals['_TXDATA']._serialized_start=3760 + _globals['_TXDATA']._serialized_end=4099 + _globals['_GETVALIDATORSREQUEST']._serialized_start=4101 + _globals['_GETVALIDATORSREQUEST']._serialized_end=4123 + _globals['_GETVALIDATORSRESPONSE']._serialized_start=4125 + _globals['_GETVALIDATORSRESPONSE']._serialized_end=4241 + _globals['_VALIDATOR']._serialized_start=4244 + _globals['_VALIDATOR']._serialized_end=5193 + _globals['_VALIDATORDESCRIPTION']._serialized_start=5196 + _globals['_VALIDATORDESCRIPTION']._serialized_end=5396 + _globals['_VALIDATORUPTIME']._serialized_start=5398 + _globals['_VALIDATORUPTIME']._serialized_end=5474 + _globals['_SLASHINGEVENT']._serialized_start=5477 + _globals['_SLASHINGEVENT']._serialized_end=5701 + _globals['_GETVALIDATORREQUEST']._serialized_start=5703 + _globals['_GETVALIDATORREQUEST']._serialized_end=5750 + _globals['_GETVALIDATORRESPONSE']._serialized_start=5752 + _globals['_GETVALIDATORRESPONSE']._serialized_end=5867 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=5869 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=5922 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=5924 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=6051 + _globals['_GETTXSREQUEST']._serialized_start=6054 + _globals['_GETTXSREQUEST']._serialized_end=6345 + _globals['_GETTXSRESPONSE']._serialized_start=6347 + _globals['_GETTXSRESPONSE']._serialized_end=6471 + _globals['_GETTXBYTXHASHREQUEST']._serialized_start=6473 + _globals['_GETTXBYTXHASHREQUEST']._serialized_end=6515 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=6517 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=6636 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=6638 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=6759 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=6761 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=6851 + _globals['_PEGGYDEPOSITTX']._serialized_start=6854 + _globals['_PEGGYDEPOSITTX']._serialized_end=7231 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=7233 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=7357 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=7359 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=7455 + _globals['_PEGGYWITHDRAWALTX']._serialized_start=7458 + _globals['_PEGGYWITHDRAWALTX']._serialized_end=7977 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=7980 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=8224 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=8226 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=8314 + _globals['_IBCTRANSFERTX']._serialized_start=8317 + _globals['_IBCTRANSFERTX']._serialized_end=8859 + _globals['_GETWASMCODESREQUEST']._serialized_start=8861 + _globals['_GETWASMCODESREQUEST']._serialized_end=8966 + _globals['_GETWASMCODESRESPONSE']._serialized_start=8969 + _globals['_GETWASMCODESRESPONSE']._serialized_end=9101 + _globals['_WASMCODE']._serialized_start=9104 + _globals['_WASMCODE']._serialized_end=9586 + _globals['_CHECKSUM']._serialized_start=9588 + _globals['_CHECKSUM']._serialized_end=9648 + _globals['_CONTRACTPERMISSION']._serialized_start=9650 + _globals['_CONTRACTPERMISSION']._serialized_end=9729 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=9731 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=9780 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=9783 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=10280 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=10283 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=10492 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=10495 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=10635 + _globals['_WASMCONTRACT']._serialized_start=10638 + _globals['_WASMCONTRACT']._serialized_end=11255 + _globals['_CONTRACTFUND']._serialized_start=11257 + _globals['_CONTRACTFUND']._serialized_end=11317 + _globals['_CW20METADATA']._serialized_start=11320 + _globals['_CW20METADATA']._serialized_end=11486 + _globals['_CW20TOKENINFO']._serialized_start=11488 + _globals['_CW20TOKENINFO']._serialized_end=11610 + _globals['_CW20MARKETINGINFO']._serialized_start=11613 + _globals['_CW20MARKETINGINFO']._serialized_end=11742 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=11744 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=11820 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=11823 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=12460 + _globals['_GETCW20BALANCEREQUEST']._serialized_start=12462 + _globals['_GETCW20BALANCEREQUEST']._serialized_end=12533 + _globals['_GETCW20BALANCERESPONSE']._serialized_start=12535 + _globals['_GETCW20BALANCERESPONSE']._serialized_end=12622 + _globals['_WASMCW20BALANCE']._serialized_start=12625 + _globals['_WASMCW20BALANCE']._serialized_end=12843 + _globals['_RELAYERSREQUEST']._serialized_start=12845 + _globals['_RELAYERSREQUEST']._serialized_end=12894 + _globals['_RELAYERSRESPONSE']._serialized_start=12896 + _globals['_RELAYERSRESPONSE']._serialized_end=12976 + _globals['_RELAYERMARKETS']._serialized_start=12978 + _globals['_RELAYERMARKETS']._serialized_end=13084 + _globals['_RELAYER']._serialized_start=13086 + _globals['_RELAYER']._serialized_end=13133 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=13136 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=13453 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=13456 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=13596 + _globals['_BANKTRANSFER']._serialized_start=13599 + _globals['_BANKTRANSFER']._serialized_end=13799 + _globals['_COIN']._serialized_start=13801 + _globals['_COIN']._serialized_end=13853 + _globals['_STREAMTXSREQUEST']._serialized_start=13855 + _globals['_STREAMTXSREQUEST']._serialized_end=13873 + _globals['_STREAMTXSRESPONSE']._serialized_start=13876 + _globals['_STREAMTXSRESPONSE']._serialized_end=14172 + _globals['_STREAMBLOCKSREQUEST']._serialized_start=14174 + _globals['_STREAMBLOCKSREQUEST']._serialized_end=14195 + _globals['_STREAMBLOCKSRESPONSE']._serialized_start=14198 + _globals['_STREAMBLOCKSRESPONSE']._serialized_end=14510 + _globals['_INJECTIVEEXPLORERRPC']._serialized_start=14513 + _globals['_INJECTIVEEXPLORERRPC']._serialized_end=17015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index af6ca547..24ce812f 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_explorer_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 class InjectiveExplorerRPCStub(object): diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py index 05ca3a16..d4b9a9c9 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_insurance_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_insurance_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"F\n\rFundsResponse\x12\x35\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"\xcb\x02\n\rInsuranceFund\x12\x15\n\rmarket_ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rdeposit_denom\x18\x03 \x01(\t\x12\x18\n\x10pool_token_denom\x18\x04 \x01(\t\x12)\n!redemption_notice_period_duration\x18\x05 \x01(\x12\x12\x0f\n\x07\x62\x61lance\x18\x06 \x01(\t\x12\x13\n\x0btotal_share\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x13\n\x0boracle_type\x18\n \x01(\t\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x12\x12>\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMeta\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x1c\n\x0b\x46undRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"D\n\x0c\x46undResponse\x12\x34\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"P\n\x12RedemptionsRequest\x12\x10\n\x08redeemer\x18\x01 \x01(\t\x12\x18\n\x10redemption_denom\x18\x02 \x01(\t\x12\x0e\n\x06status\x18\x03 \x01(\t\"`\n\x13RedemptionsResponse\x12I\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionSchedule\"\x84\x02\n\x12RedemptionSchedule\x12\x15\n\rredemption_id\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12!\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12\x12\x19\n\x11redemption_amount\x18\x05 \x01(\t\x12\x18\n\x10redemption_denom\x18\x06 \x01(\t\x12\x14\n\x0crequested_at\x18\x07 \x01(\x12\x12\x18\n\x10\x64isbursed_amount\x18\x08 \x01(\t\x12\x17\n\x0f\x64isbursed_denom\x18\t \x01(\t\x12\x14\n\x0c\x64isbursed_at\x18\n \x01(\x12\x32\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\x1cZ\x1a/injective_insurance_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"M\n\rFundsResponse\x12<\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x05\x66unds\"\xf5\x03\n\rInsuranceFund\x12#\n\rmarket_ticker\x18\x01 \x01(\tR\x0cmarketTicker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rdeposit_denom\x18\x03 \x01(\tR\x0c\x64\x65positDenom\x12(\n\x10pool_token_denom\x18\x04 \x01(\tR\x0epoolTokenDenom\x12I\n!redemption_notice_period_duration\x18\x05 \x01(\x12R\x1eredemptionNoticePeriodDuration\x12\x18\n\x07\x62\x61lance\x18\x06 \x01(\tR\x07\x62\x61lance\x12\x1f\n\x0btotal_share\x18\x07 \x01(\tR\ntotalShare\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\n \x01(\tR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x12R\x06\x65xpiry\x12P\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMetaR\x10\x64\x65positTokenMeta\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"#\n\x0b\x46undRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"J\n\x0c\x46undResponse\x12:\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x04\x66und\"s\n\x12RedemptionsRequest\x12\x1a\n\x08redeemer\x18\x01 \x01(\tR\x08redeemer\x12)\n\x10redemption_denom\x18\x02 \x01(\tR\x0fredemptionDenom\x12\x16\n\x06status\x18\x03 \x01(\tR\x06status\"u\n\x13RedemptionsResponse\x12^\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionScheduleR\x13redemptionSchedules\"\x9b\x03\n\x12RedemptionSchedule\x12#\n\rredemption_id\x18\x01 \x01(\x04R\x0credemptionId\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12:\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12R\x17\x63laimableRedemptionTime\x12+\n\x11redemption_amount\x18\x05 \x01(\tR\x10redemptionAmount\x12)\n\x10redemption_denom\x18\x06 \x01(\tR\x0fredemptionDenom\x12!\n\x0crequested_at\x18\x07 \x01(\x12R\x0brequestedAt\x12)\n\x10\x64isbursed_amount\x18\x08 \x01(\tR\x0f\x64isbursedAmount\x12\'\n\x0f\x64isbursed_denom\x18\t \x01(\tR\x0e\x64isbursedDenom\x12!\n\x0c\x64isbursed_at\x18\n \x01(\x12R\x0b\x64isbursedAt2\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\xc9\x01\n\x1b\x63om.injective_insurance_rpcB\x1aInjectiveInsuranceRpcProtoP\x01Z\x1a/injective_insurance_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectiveInsuranceRpc\xca\x02\x15InjectiveInsuranceRpc\xe2\x02!InjectiveInsuranceRpc\\GPBMetadata\xea\x02\x15InjectiveInsuranceRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_insurance_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_insurance_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_insurance_rpcB\032InjectiveInsuranceRpcProtoP\001Z\032/injective_insurance_rpcpb\242\002\003IXX\252\002\025InjectiveInsuranceRpc\312\002\025InjectiveInsuranceRpc\342\002!InjectiveInsuranceRpc\\GPBMetadata\352\002\025InjectiveInsuranceRpc' _globals['_FUNDSREQUEST']._serialized_start=67 _globals['_FUNDSREQUEST']._serialized_end=81 _globals['_FUNDSRESPONSE']._serialized_start=83 - _globals['_FUNDSRESPONSE']._serialized_end=153 - _globals['_INSURANCEFUND']._serialized_start=156 - _globals['_INSURANCEFUND']._serialized_end=487 - _globals['_TOKENMETA']._serialized_start=489 - _globals['_TOKENMETA']._serialized_end=599 - _globals['_FUNDREQUEST']._serialized_start=601 - _globals['_FUNDREQUEST']._serialized_end=629 - _globals['_FUNDRESPONSE']._serialized_start=631 - _globals['_FUNDRESPONSE']._serialized_end=699 - _globals['_REDEMPTIONSREQUEST']._serialized_start=701 - _globals['_REDEMPTIONSREQUEST']._serialized_end=781 - _globals['_REDEMPTIONSRESPONSE']._serialized_start=783 - _globals['_REDEMPTIONSRESPONSE']._serialized_end=879 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=882 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1142 - _globals['_INJECTIVEINSURANCERPC']._serialized_start=1145 - _globals['_INJECTIVEINSURANCERPC']._serialized_end=1447 + _globals['_FUNDSRESPONSE']._serialized_end=160 + _globals['_INSURANCEFUND']._serialized_start=163 + _globals['_INSURANCEFUND']._serialized_end=664 + _globals['_TOKENMETA']._serialized_start=667 + _globals['_TOKENMETA']._serialized_end=827 + _globals['_FUNDREQUEST']._serialized_start=829 + _globals['_FUNDREQUEST']._serialized_end=864 + _globals['_FUNDRESPONSE']._serialized_start=866 + _globals['_FUNDRESPONSE']._serialized_end=940 + _globals['_REDEMPTIONSREQUEST']._serialized_start=942 + _globals['_REDEMPTIONSREQUEST']._serialized_end=1057 + _globals['_REDEMPTIONSRESPONSE']._serialized_start=1059 + _globals['_REDEMPTIONSRESPONSE']._serialized_end=1176 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=1179 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1590 + _globals['_INJECTIVEINSURANCERPC']._serialized_start=1593 + _globals['_INJECTIVEINSURANCERPC']._serialized_end=1895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index cadd2b99..1992ac88 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_insurance_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 class InjectiveInsuranceRPCStub(object): diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py index e52826cf..b44a0888 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_meta_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_meta_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\x8f\x01\n\x0fVersionResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12=\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntry\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\" \n\x0bInfoRequest\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\"\xc1\x01\n\x0cInfoResponse\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\x12\x13\n\x0bserver_time\x18\x02 \x01(\x12\x12\x0f\n\x07version\x18\x03 \x01(\t\x12:\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntry\x12\x0e\n\x06region\x18\x05 \x01(\t\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"Q\n\x17StreamKeepaliveResponse\x12\r\n\x05\x65vent\x18\x01 \x01(\t\x12\x14\n\x0cnew_endpoint\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"&\n\x14TokenMetadataRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"Q\n\x15TokenMetadataResponse\x12\x38\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElement\"\x93\x01\n\x14TokenMetadataElement\x12\x18\n\x10\x65thereum_address\x18\x01 \x01(\t\x12\x14\n\x0c\x63oingecko_id\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12\x0c\n\x04name\x18\x04 \x01(\t\x12\x0e\n\x06symbol\x18\x05 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11\x12\x0c\n\x04logo\x18\x07 \x01(\t2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\x17Z\x15/injective_meta_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\xab\x01\n\x0fVersionResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x44\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntryR\x05\x62uild\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"+\n\x0bInfoRequest\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\"\xfc\x01\n\x0cInfoResponse\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\x12\x1f\n\x0bserver_time\x18\x02 \x01(\x12R\nserverTime\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x41\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntryR\x05\x62uild\x12\x16\n\x06region\x18\x05 \x01(\tR\x06region\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"p\n\x17StreamKeepaliveResponse\x12\x14\n\x05\x65vent\x18\x01 \x01(\tR\x05\x65vent\x12!\n\x0cnew_endpoint\x18\x02 \x01(\tR\x0bnewEndpoint\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\".\n\x14TokenMetadataRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"Y\n\x15TokenMetadataResponse\x12@\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElementR\x06tokens\"\xd6\x01\n\x14TokenMetadataElement\x12)\n\x10\x65thereum_address\x18\x01 \x01(\tR\x0f\x65thereumAddress\x12!\n\x0c\x63oingecko_id\x18\x02 \x01(\tR\x0b\x63oingeckoId\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04name\x18\x04 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x05 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11R\x08\x64\x65\x63imals\x12\x12\n\x04logo\x18\x07 \x01(\tR\x04logo2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\xa6\x01\n\x16\x63om.injective_meta_rpcB\x15InjectiveMetaRpcProtoP\x01Z\x15/injective_meta_rpcpb\xa2\x02\x03IXX\xaa\x02\x10InjectiveMetaRpc\xca\x02\x10InjectiveMetaRpc\xe2\x02\x1cInjectiveMetaRpc\\GPBMetadata\xea\x02\x10InjectiveMetaRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_meta_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\025/injective_meta_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective_meta_rpcB\025InjectiveMetaRpcProtoP\001Z\025/injective_meta_rpcpb\242\002\003IXX\252\002\020InjectiveMetaRpc\312\002\020InjectiveMetaRpc\342\002\034InjectiveMetaRpc\\GPBMetadata\352\002\020InjectiveMetaRpc' _globals['_VERSIONRESPONSE_BUILDENTRY']._loaded_options = None _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_options = b'8\001' _globals['_INFORESPONSE_BUILDENTRY']._loaded_options = None @@ -33,25 +43,25 @@ _globals['_VERSIONREQUEST']._serialized_start=88 _globals['_VERSIONREQUEST']._serialized_end=104 _globals['_VERSIONRESPONSE']._serialized_start=107 - _globals['_VERSIONRESPONSE']._serialized_end=250 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=206 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=250 - _globals['_INFOREQUEST']._serialized_start=252 - _globals['_INFOREQUEST']._serialized_end=284 - _globals['_INFORESPONSE']._serialized_start=287 - _globals['_INFORESPONSE']._serialized_end=480 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=206 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=250 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=482 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=506 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=508 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=589 - _globals['_TOKENMETADATAREQUEST']._serialized_start=591 - _globals['_TOKENMETADATAREQUEST']._serialized_end=629 - _globals['_TOKENMETADATARESPONSE']._serialized_start=631 - _globals['_TOKENMETADATARESPONSE']._serialized_end=712 - _globals['_TOKENMETADATAELEMENT']._serialized_start=715 - _globals['_TOKENMETADATAELEMENT']._serialized_end=862 - _globals['_INJECTIVEMETARPC']._serialized_start=865 - _globals['_INJECTIVEMETARPC']._serialized_end=1329 + _globals['_VERSIONRESPONSE']._serialized_end=278 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=222 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=278 + _globals['_INFOREQUEST']._serialized_start=280 + _globals['_INFOREQUEST']._serialized_end=323 + _globals['_INFORESPONSE']._serialized_start=326 + _globals['_INFORESPONSE']._serialized_end=578 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=222 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=278 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=580 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=604 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=606 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=718 + _globals['_TOKENMETADATAREQUEST']._serialized_start=720 + _globals['_TOKENMETADATAREQUEST']._serialized_end=766 + _globals['_TOKENMETADATARESPONSE']._serialized_start=768 + _globals['_TOKENMETADATARESPONSE']._serialized_end=857 + _globals['_TOKENMETADATAELEMENT']._serialized_start=860 + _globals['_TOKENMETADATAELEMENT']._serialized_end=1074 + _globals['_INJECTIVEMETARPC']._serialized_start=1077 + _globals['_INJECTIVEMETARPC']._serialized_end=1541 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 3e1fd64a..3939655c 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveMetaRPCStub(object): """InjectiveMetaRPC is a special API subset to get info about server. diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py index c4469143..60a3dbdb 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_oracle_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_oracle_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"C\n\x12OracleListResponse\x12-\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.Oracle\"g\n\x06Oracle\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x13\n\x0b\x62\x61se_symbol\x18\x02 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x03 \x01(\t\x12\x13\n\x0boracle_type\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\"k\n\x0cPriceRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x04 \x01(\r\"\x1e\n\rPriceResponse\x12\r\n\x05price\x18\x01 \x01(\t\"U\n\x13StreamPricesRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\"8\n\x14StreamPricesResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"2\n\x1cStreamPricesByMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"T\n\x1dStreamPricesByMarketsResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\x12\x11\n\tmarket_id\x18\x03 \x01(\t2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\x19Z\x17/injective_oracle_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"L\n\x12OracleListResponse\x12\x36\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.OracleR\x07oracles\"\x9b\x01\n\x06Oracle\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1f\n\x0b\x62\x61se_symbol\x18\x02 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x03 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x04 \x01(\tR\noracleType\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\"\xa3\x01\n\x0cPriceRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x04 \x01(\rR\x11oracleScaleFactor\"%\n\rPriceResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\"z\n\x13StreamPricesRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\"J\n\x14StreamPricesResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"=\n\x1cStreamPricesByMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"p\n\x1dStreamPricesByMarketsResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\xb4\x01\n\x18\x63om.injective_oracle_rpcB\x17InjectiveOracleRpcProtoP\x01Z\x17/injective_oracle_rpcpb\xa2\x02\x03IXX\xaa\x02\x12InjectiveOracleRpc\xca\x02\x12InjectiveOracleRpc\xe2\x02\x1eInjectiveOracleRpc\\GPBMetadata\xea\x02\x12InjectiveOracleRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_oracle_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027/injective_oracle_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.injective_oracle_rpcB\027InjectiveOracleRpcProtoP\001Z\027/injective_oracle_rpcpb\242\002\003IXX\252\002\022InjectiveOracleRpc\312\002\022InjectiveOracleRpc\342\002\036InjectiveOracleRpc\\GPBMetadata\352\002\022InjectiveOracleRpc' _globals['_ORACLELISTREQUEST']._serialized_start=61 _globals['_ORACLELISTREQUEST']._serialized_end=80 _globals['_ORACLELISTRESPONSE']._serialized_start=82 - _globals['_ORACLELISTRESPONSE']._serialized_end=149 - _globals['_ORACLE']._serialized_start=151 - _globals['_ORACLE']._serialized_end=254 - _globals['_PRICEREQUEST']._serialized_start=256 - _globals['_PRICEREQUEST']._serialized_end=363 - _globals['_PRICERESPONSE']._serialized_start=365 - _globals['_PRICERESPONSE']._serialized_end=395 - _globals['_STREAMPRICESREQUEST']._serialized_start=397 - _globals['_STREAMPRICESREQUEST']._serialized_end=482 - _globals['_STREAMPRICESRESPONSE']._serialized_start=484 - _globals['_STREAMPRICESRESPONSE']._serialized_end=540 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=542 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=592 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=594 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=678 - _globals['_INJECTIVEORACLERPC']._serialized_start=681 - _globals['_INJECTIVEORACLERPC']._serialized_end=1118 + _globals['_ORACLELISTRESPONSE']._serialized_end=158 + _globals['_ORACLE']._serialized_start=161 + _globals['_ORACLE']._serialized_end=316 + _globals['_PRICEREQUEST']._serialized_start=319 + _globals['_PRICEREQUEST']._serialized_end=482 + _globals['_PRICERESPONSE']._serialized_start=484 + _globals['_PRICERESPONSE']._serialized_end=521 + _globals['_STREAMPRICESREQUEST']._serialized_start=523 + _globals['_STREAMPRICESREQUEST']._serialized_end=645 + _globals['_STREAMPRICESRESPONSE']._serialized_start=647 + _globals['_STREAMPRICESRESPONSE']._serialized_end=721 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=723 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=784 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=786 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=898 + _globals['_INJECTIVEORACLERPC']._serialized_start=901 + _globals['_INJECTIVEORACLERPC']._serialized_end=1338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 4c90619e..9f317b59 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveOracleRPCStub(object): """InjectiveOracleRPC defines gRPC API of Exchange Oracle provider. diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py index bd9c8d14..210ef870 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_portfolio_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_portfolio_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,46 +24,46 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"C\n\x13TokenHoldersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x63ursor\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\"^\n\x14TokenHoldersResponse\x12\x30\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.Holder\x12\x14\n\x0cnext_cursors\x18\x02 \x03(\t\"2\n\x06Holder\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x02 \x01(\t\"2\n\x17\x41\x63\x63ountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"Q\n\x18\x41\x63\x63ountPortfolioResponse\x12\x35\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.Portfolio\"\xe6\x01\n\tPortfolio\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\x12G\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNL\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"x\n\x13SubaccountBalanceV2\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12;\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"j\n\x11PositionsWithUPNL\x12=\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePosition\x12\x16\n\x0eunrealized_pnl\x18\x02 \x01(\t\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\":\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"a\n AccountPortfolioBalancesResponse\x12=\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalances\"\xa5\x01\n\x11PortfolioBalances\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\"]\n\x1dStreamAccountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0c\n\x04type\x18\x03 \x01(\t\"w\n\x1eStreamAccountPortfolioResponse\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x11\n\ttimestamp\x18\x05 \x01(\x12\x32\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\x1cZ\x1a/injective_portfolio_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"Y\n\x13TokenHoldersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x63ursor\x18\x02 \x01(\tR\x06\x63ursor\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"t\n\x14TokenHoldersResponse\x12\x39\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.HolderR\x07holders\x12!\n\x0cnext_cursors\x18\x02 \x03(\tR\x0bnextCursors\"K\n\x06Holder\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x18\n\x07\x62\x61lance\x18\x02 \x01(\tR\x07\x62\x61lance\"B\n\x17\x41\x63\x63ountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\\\n\x18\x41\x63\x63ountPortfolioResponse\x12@\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.PortfolioR\tportfolio\"\xa4\x02\n\tPortfolio\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\x12Z\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNLR\x11positionsWithUpnl\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x96\x01\n\x13SubaccountBalanceV2\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x44\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"\x83\x01\n\x11PositionsWithUPNL\x12G\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePositionR\x08position\x12%\n\x0eunrealized_pnl\x18\x02 \x01(\tR\runrealizedPnl\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"J\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"l\n AccountPortfolioBalancesResponse\x12H\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalancesR\tportfolio\"\xd0\x01\n\x11PortfolioBalances\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\"\x81\x01\n\x1dStreamAccountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xa5\x01\n\x1eStreamAccountPortfolioResponse\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x1c\n\ttimestamp\x18\x05 \x01(\x12R\ttimestamp2\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\xc9\x01\n\x1b\x63om.injective_portfolio_rpcB\x1aInjectivePortfolioRpcProtoP\x01Z\x1a/injective_portfolio_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectivePortfolioRpc\xca\x02\x15InjectivePortfolioRpc\xe2\x02!InjectivePortfolioRpc\\GPBMetadata\xea\x02\x15InjectivePortfolioRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_portfolio_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_portfolio_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_portfolio_rpcB\032InjectivePortfolioRpcProtoP\001Z\032/injective_portfolio_rpcpb\242\002\003IXX\252\002\025InjectivePortfolioRpc\312\002\025InjectivePortfolioRpc\342\002!InjectivePortfolioRpc\\GPBMetadata\352\002\025InjectivePortfolioRpc' _globals['_TOKENHOLDERSREQUEST']._serialized_start=67 - _globals['_TOKENHOLDERSREQUEST']._serialized_end=134 - _globals['_TOKENHOLDERSRESPONSE']._serialized_start=136 - _globals['_TOKENHOLDERSRESPONSE']._serialized_end=230 - _globals['_HOLDER']._serialized_start=232 - _globals['_HOLDER']._serialized_end=282 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=284 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=334 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=336 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=417 - _globals['_PORTFOLIO']._serialized_start=420 - _globals['_PORTFOLIO']._serialized_end=650 - _globals['_COIN']._serialized_start=652 - _globals['_COIN']._serialized_end=689 - _globals['_SUBACCOUNTBALANCEV2']._serialized_start=691 - _globals['_SUBACCOUNTBALANCEV2']._serialized_end=811 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=813 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=882 - _globals['_POSITIONSWITHUPNL']._serialized_start=884 - _globals['_POSITIONSWITHUPNL']._serialized_end=990 - _globals['_DERIVATIVEPOSITION']._serialized_start=993 - _globals['_DERIVATIVEPOSITION']._serialized_end=1272 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1274 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1332 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1334 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1431 - _globals['_PORTFOLIOBALANCES']._serialized_start=1434 - _globals['_PORTFOLIOBALANCES']._serialized_end=1599 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=1601 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=1694 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=1696 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=1815 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=1818 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2359 + _globals['_TOKENHOLDERSREQUEST']._serialized_end=156 + _globals['_TOKENHOLDERSRESPONSE']._serialized_start=158 + _globals['_TOKENHOLDERSRESPONSE']._serialized_end=274 + _globals['_HOLDER']._serialized_start=276 + _globals['_HOLDER']._serialized_end=351 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=353 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=419 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=421 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=513 + _globals['_PORTFOLIO']._serialized_start=516 + _globals['_PORTFOLIO']._serialized_end=808 + _globals['_COIN']._serialized_start=810 + _globals['_COIN']._serialized_end=862 + _globals['_SUBACCOUNTBALANCEV2']._serialized_start=865 + _globals['_SUBACCOUNTBALANCEV2']._serialized_end=1015 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1017 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1118 + _globals['_POSITIONSWITHUPNL']._serialized_start=1121 + _globals['_POSITIONSWITHUPNL']._serialized_end=1252 + _globals['_DERIVATIVEPOSITION']._serialized_start=1255 + _globals['_DERIVATIVEPOSITION']._serialized_end=1687 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1689 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1763 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1765 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1873 + _globals['_PORTFOLIOBALANCES']._serialized_start=1876 + _globals['_PORTFOLIOBALANCES']._serialized_end=2084 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=2087 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=2216 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=2219 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=2384 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=2387 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2928 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index 7f4fcabe..dea15cb0 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectivePortfolioRPCStub(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index 9299d5c8..d87cf1c1 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_spot_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_spot_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,112 +24,112 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"i\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x04 \x03(\t\"O\n\x0fMarketsResponse\x12<\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"\x81\x03\n\x0eSpotMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12?\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12@\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x08 \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\t \x01(\t\x12\x1c\n\x14service_provider_fee\x18\n \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0b \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x0c \x01(\t\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"M\n\x0eMarketResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"*\n\x14StreamMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x7f\n\x15StreamMarketsResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"[\n\x13OrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\"\xaa\x01\n\x14SpotLimitOrderbookV2\x12\x35\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x36\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"c\n\x14OrderbooksV2Response\x12K\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2\"u\n\x1aSingleSpotLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x9f\x01\n\x19StreamOrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb2\x01\n\x1dStreamOrderbookUpdateResponse\x12S\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xcb\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12;\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12<\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xfe\x01\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\x82\x01\n\x0eOrdersResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\x84\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"}\n\x14StreamOrdersResponse\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"}\n\x0eTradesResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa8\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x36\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"x\n\x14StreamTradesResponse\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x7f\n\x10TradesV2Response\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"z\n\x16StreamTradesV2Response\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\x90\x01\n\x1cSubaccountOrdersListResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"V\n\x1cSubaccountTradesListResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\"\xa3\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\r\n\x05state\x18\t \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\n \x03(\t\x12\x12\n\nmarket_ids\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8b\x01\n\x15OrdersHistoryResponse\x12=\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x86\x01\n\x1bStreamOrdersHistoryResponse\x12<\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x8a\x01\n\x18\x41tomicSwapHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x05 \x01(\x11\x12\x11\n\tto_number\x18\x06 \x01(\x11\"\x87\x01\n\x19\x41tomicSwapHistoryResponse\x12\x33\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwap\"\xdc\x02\n\nAtomicSwap\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05route\x18\x02 \x01(\t\x12\x36\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x34\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12/\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\x12\x17\n\x0findex_by_sender\x18\x07 \x01(\x11\x12 \n\x18index_by_sender_contract\x18\x08 \x01(\x11\x12\x0f\n\x07tx_hash\x18\t \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\n \x01(\x12\x12\x15\n\rrefund_amount\x18\x0b \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB Z\x1e/injective_spot_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"\x9e\x01\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x04 \x03(\tR\x0emarketStatuses\"X\n\x0fMarketsResponse\x12\x45\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x07markets\"\xae\x04\n\x0eSpotMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12N\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\rbaseTokenMeta\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12P\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x08 \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\t \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\n \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0b \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x0c \x01(\tR\x13minQuantityTickSize\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"U\n\x0eMarketResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\"5\n\x14StreamMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xa1\x01\n\x15StreamMarketsResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"f\n\x13OrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"\xcc\x01\n\x14SpotLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x04\x62uys\x12=\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2R\norderbooks\"\x8a\x01\n\x1aSingleSpotLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xce\x01\n\x19StreamOrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xed\x01\n\x1dStreamOrderbookUpdateResponse\x12j\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\xf7\x01\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12\x43\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x83\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x92\x01\n\x0eOrdersResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x89\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x9e\x01\n\x14StreamOrdersResponse\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8d\x01\n\x0eTradesResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb2\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12=\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x99\x01\n\x14StreamTradesResponse\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8f\x01\n\x10TradesV2Response\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x16StreamTradesV2Response\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xa0\x01\n\x1cSubaccountOrdersListResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"^\n\x1cSubaccountTradesListResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\"\xb6\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05state\x18\t \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\n \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\x0b \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x15OrdersHistoryResponse\x12\x45\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xa7\x01\n\x1bStreamOrdersHistoryResponse\x12\x43\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x01\n\x18\x41tomicSwapHistoryRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x05 \x01(\x11R\nfromNumber\x12\x1b\n\tto_number\x18\x06 \x01(\x11R\x08toNumber\"\x95\x01\n\x19\x41tomicSwapHistoryResponse\x12;\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\x12;\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwapR\x04\x64\x61ta\"\xe0\x03\n\nAtomicSwap\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05route\x18\x02 \x01(\tR\x05route\x12\x42\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\nsourceCoin\x12>\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x08\x64\x65stCoin\x12\x35\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x04\x66\x65\x65s\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\x12&\n\x0findex_by_sender\x18\x07 \x01(\x11R\rindexBySender\x12\x37\n\x18index_by_sender_contract\x18\x08 \x01(\x11R\x15indexBySenderContract\x12\x17\n\x07tx_hash\x18\t \x01(\tR\x06txHash\x12\x1f\n\x0b\x65xecuted_at\x18\n \x01(\x12R\nexecutedAt\x12#\n\rrefund_amount\x18\x0b \x01(\tR\x0crefundAmount\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB\xe0\x01\n\x1f\x63om.injective_spot_exchange_rpcB\x1dInjectiveSpotExchangeRpcProtoP\x01Z\x1e/injective_spot_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x18InjectiveSpotExchangeRpc\xca\x02\x18InjectiveSpotExchangeRpc\xe2\x02$InjectiveSpotExchangeRpc\\GPBMetadata\xea\x02\x18InjectiveSpotExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_spot_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\036/injective_spot_exchange_rpcpb' - _globals['_MARKETSREQUEST']._serialized_start=75 - _globals['_MARKETSREQUEST']._serialized_end=180 - _globals['_MARKETSRESPONSE']._serialized_start=182 - _globals['_MARKETSRESPONSE']._serialized_end=261 - _globals['_SPOTMARKETINFO']._serialized_start=264 - _globals['_SPOTMARKETINFO']._serialized_end=649 - _globals['_TOKENMETA']._serialized_start=651 - _globals['_TOKENMETA']._serialized_end=761 - _globals['_MARKETREQUEST']._serialized_start=763 - _globals['_MARKETREQUEST']._serialized_end=797 - _globals['_MARKETRESPONSE']._serialized_start=799 - _globals['_MARKETRESPONSE']._serialized_end=876 - _globals['_STREAMMARKETSREQUEST']._serialized_start=878 - _globals['_STREAMMARKETSREQUEST']._serialized_end=920 - _globals['_STREAMMARKETSRESPONSE']._serialized_start=922 - _globals['_STREAMMARKETSRESPONSE']._serialized_end=1049 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=1051 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=1090 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1092 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1183 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1186 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1356 - _globals['_PRICELEVEL']._serialized_start=1358 - _globals['_PRICELEVEL']._serialized_end=1422 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1424 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1465 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1467 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=1566 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=1568 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=1685 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=1687 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=1733 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=1736 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=1895 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=1897 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=1947 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=1950 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2128 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2131 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2334 - _globals['_PRICELEVELUPDATE']._serialized_start=2336 - _globals['_PRICELEVELUPDATE']._serialized_end=2425 - _globals['_ORDERSREQUEST']._serialized_start=2428 - _globals['_ORDERSREQUEST']._serialized_end=2682 - _globals['_ORDERSRESPONSE']._serialized_start=2685 - _globals['_ORDERSRESPONSE']._serialized_end=2815 - _globals['_SPOTLIMITORDER']._serialized_start=2818 - _globals['_SPOTLIMITORDER']._serialized_end=3107 - _globals['_PAGING']._serialized_start=3109 - _globals['_PAGING']._serialized_end=3201 - _globals['_STREAMORDERSREQUEST']._serialized_start=3204 - _globals['_STREAMORDERSREQUEST']._serialized_end=3464 - _globals['_STREAMORDERSRESPONSE']._serialized_start=3466 - _globals['_STREAMORDERSRESPONSE']._serialized_end=3591 - _globals['_TRADESREQUEST']._serialized_start=3594 - _globals['_TRADESREQUEST']._serialized_end=3886 - _globals['_TRADESRESPONSE']._serialized_start=3888 - _globals['_TRADESRESPONSE']._serialized_end=4013 - _globals['_SPOTTRADE']._serialized_start=4016 - _globals['_SPOTTRADE']._serialized_end=4312 - _globals['_STREAMTRADESREQUEST']._serialized_start=4315 - _globals['_STREAMTRADESREQUEST']._serialized_end=4613 - _globals['_STREAMTRADESRESPONSE']._serialized_start=4615 - _globals['_STREAMTRADESRESPONSE']._serialized_end=4735 - _globals['_TRADESV2REQUEST']._serialized_start=4738 - _globals['_TRADESV2REQUEST']._serialized_end=5032 - _globals['_TRADESV2RESPONSE']._serialized_start=5034 - _globals['_TRADESV2RESPONSE']._serialized_end=5161 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=5164 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=5464 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=5466 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=5588 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=5590 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=5690 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=5693 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=5837 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=5840 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=5983 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=5985 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=6071 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=6074 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=6365 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=6368 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=6507 - _globals['_SPOTORDERHISTORY']._serialized_start=6510 - _globals['_SPOTORDERHISTORY']._serialized_end=6838 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=6841 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=6991 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=6994 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=7128 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=7131 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=7269 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=7272 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=7407 - _globals['_ATOMICSWAP']._serialized_start=7410 - _globals['_ATOMICSWAP']._serialized_end=7758 - _globals['_COIN']._serialized_start=7760 - _globals['_COIN']._serialized_end=7797 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=7800 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=10006 + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective_spot_exchange_rpcB\035InjectiveSpotExchangeRpcProtoP\001Z\036/injective_spot_exchange_rpcpb\242\002\003IXX\252\002\030InjectiveSpotExchangeRpc\312\002\030InjectiveSpotExchangeRpc\342\002$InjectiveSpotExchangeRpc\\GPBMetadata\352\002\030InjectiveSpotExchangeRpc' + _globals['_MARKETSREQUEST']._serialized_start=76 + _globals['_MARKETSREQUEST']._serialized_end=234 + _globals['_MARKETSRESPONSE']._serialized_start=236 + _globals['_MARKETSRESPONSE']._serialized_end=324 + _globals['_SPOTMARKETINFO']._serialized_start=327 + _globals['_SPOTMARKETINFO']._serialized_end=885 + _globals['_TOKENMETA']._serialized_start=888 + _globals['_TOKENMETA']._serialized_end=1048 + _globals['_MARKETREQUEST']._serialized_start=1050 + _globals['_MARKETREQUEST']._serialized_end=1094 + _globals['_MARKETRESPONSE']._serialized_start=1096 + _globals['_MARKETRESPONSE']._serialized_end=1181 + _globals['_STREAMMARKETSREQUEST']._serialized_start=1183 + _globals['_STREAMMARKETSREQUEST']._serialized_end=1236 + _globals['_STREAMMARKETSRESPONSE']._serialized_start=1239 + _globals['_STREAMMARKETSRESPONSE']._serialized_end=1400 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=1402 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=1451 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1453 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1555 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1558 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1762 + _globals['_PRICELEVEL']._serialized_start=1764 + _globals['_PRICELEVEL']._serialized_end=1856 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1858 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1910 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1912 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=2023 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=2026 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=2164 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=2166 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=2223 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=2226 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=2432 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=2434 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=2495 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=2498 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2735 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2738 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2985 + _globals['_PRICELEVELUPDATE']._serialized_start=2987 + _globals['_PRICELEVELUPDATE']._serialized_end=3114 + _globals['_ORDERSREQUEST']._serialized_start=3117 + _globals['_ORDERSREQUEST']._serialized_end=3504 + _globals['_ORDERSRESPONSE']._serialized_start=3507 + _globals['_ORDERSRESPONSE']._serialized_end=3653 + _globals['_SPOTLIMITORDER']._serialized_start=3656 + _globals['_SPOTLIMITORDER']._serialized_end=4096 + _globals['_PAGING']._serialized_start=4099 + _globals['_PAGING']._serialized_end=4233 + _globals['_STREAMORDERSREQUEST']._serialized_start=4236 + _globals['_STREAMORDERSREQUEST']._serialized_end=4629 + _globals['_STREAMORDERSRESPONSE']._serialized_start=4632 + _globals['_STREAMORDERSRESPONSE']._serialized_end=4790 + _globals['_TRADESREQUEST']._serialized_start=4793 + _globals['_TRADESREQUEST']._serialized_end=5240 + _globals['_TRADESRESPONSE']._serialized_start=5243 + _globals['_TRADESRESPONSE']._serialized_end=5384 + _globals['_SPOTTRADE']._serialized_start=5387 + _globals['_SPOTTRADE']._serialized_end=5821 + _globals['_STREAMTRADESREQUEST']._serialized_start=5824 + _globals['_STREAMTRADESREQUEST']._serialized_end=6277 + _globals['_STREAMTRADESRESPONSE']._serialized_start=6280 + _globals['_STREAMTRADESRESPONSE']._serialized_end=6433 + _globals['_TRADESV2REQUEST']._serialized_start=6436 + _globals['_TRADESV2REQUEST']._serialized_end=6885 + _globals['_TRADESV2RESPONSE']._serialized_start=6888 + _globals['_TRADESV2RESPONSE']._serialized_end=7031 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=7034 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=7489 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=7492 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=7647 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=7650 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=7787 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=7790 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=7950 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=7953 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=8159 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=8161 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=8255 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=8258 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=8696 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=8699 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=8854 + _globals['_SPOTORDERHISTORY']._serialized_start=8857 + _globals['_SPOTORDERHISTORY']._serialized_end=9356 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=9359 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=9579 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=9582 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=9749 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=9752 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=9951 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=9954 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=10103 + _globals['_ATOMICSWAP']._serialized_start=10106 + _globals['_ATOMICSWAP']._serialized_end=10586 + _globals['_COIN']._serialized_start=10588 + _globals['_COIN']._serialized_end=10640 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=10643 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=12849 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index 0a07bb27..5559f838 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveSpotExchangeRPCStub(object): """InjectiveSpotExchangeRPC defines gRPC API of Spot Exchange provider. diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py index efc752c9..14c01ce6 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_trading_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_trading_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,24 +24,24 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xfa\x01\n\x1cListTradingStrategiesRequest\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x19\n\x11pending_execution\x18\x05 \x01(\x08\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\r\n\x05limit\x18\x08 \x01(\x11\x12\x0c\n\x04skip\x18\t \x01(\x04\x12\x15\n\rstrategy_type\x18\n \x03(\t\x12\x13\n\x0bmarket_type\x18\x0b \x01(\t\"\x8a\x01\n\x1dListTradingStrategiesResponse\x12:\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategy\x12-\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.Paging\"\xf1\x06\n\x0fTradingStrategy\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x06 \x01(\t\x12\x15\n\rbase_quantity\x18\x07 \x01(\t\x12\x16\n\x0equote_quantity\x18\x14 \x01(\t\x12\x13\n\x0blower_bound\x18\x08 \x01(\t\x12\x13\n\x0bupper_bound\x18\t \x01(\t\x12\x11\n\tstop_loss\x18\n \x01(\t\x12\x13\n\x0btake_profit\x18\x0b \x01(\t\x12\x10\n\x08swap_fee\x18\x0c \x01(\t\x12\x14\n\x0c\x62\x61se_deposit\x18\x11 \x01(\t\x12\x15\n\rquote_deposit\x18\x12 \x01(\t\x12\x18\n\x10market_mid_price\x18\x13 \x01(\t\x12#\n\x1bsubscription_quote_quantity\x18\x15 \x01(\t\x12\"\n\x1asubscription_base_quantity\x18\x16 \x01(\t\x12\x1d\n\x15number_of_grid_levels\x18\x17 \x01(\t\x12#\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08\x12\x13\n\x0bstop_reason\x18\x19 \x01(\t\x12\x19\n\x11pending_execution\x18\x1a \x01(\x08\x12\x16\n\x0e\x63reated_height\x18\r \x01(\x12\x12\x16\n\x0eremoved_height\x18\x0e \x01(\x12\x12\x12\n\ncreated_at\x18\x0f \x01(\x12\x12\x12\n\nupdated_at\x18\x10 \x01(\x12\x12\x11\n\texit_type\x18\x1b \x01(\t\x12;\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12=\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12\x15\n\rstrategy_type\x18\x1e \x01(\t\x12\x18\n\x10\x63ontract_version\x18\x1f \x01(\t\x12\x15\n\rcontract_name\x18 \x01(\t\x12\x13\n\x0bmarket_type\x18! \x01(\t\"3\n\nExitConfig\x12\x11\n\texit_type\x18\x01 \x01(\t\x12\x12\n\nexit_price\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\x1aZ\x18/injective_trading_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xf6\x02\n\x1cListTradingStrategiesRequest\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12+\n\x11pending_execution\x18\x05 \x01(\x08R\x10pendingExecution\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05limit\x18\x08 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\t \x01(\x04R\x04skip\x12#\n\rstrategy_type\x18\n \x03(\tR\x0cstrategyType\x12\x1f\n\x0bmarket_type\x18\x0b \x01(\tR\nmarketType\"\x9e\x01\n\x1dListTradingStrategiesResponse\x12\x46\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategyR\nstrategies\x12\x35\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.PagingR\x06paging\"\xd9\n\n\x0fTradingStrategy\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12)\n\x10\x63ontract_address\x18\x05 \x01(\tR\x0f\x63ontractAddress\x12\'\n\x0f\x65xecution_price\x18\x06 \x01(\tR\x0e\x65xecutionPrice\x12#\n\rbase_quantity\x18\x07 \x01(\tR\x0c\x62\x61seQuantity\x12%\n\x0equote_quantity\x18\x14 \x01(\tR\rquoteQuantity\x12\x1f\n\x0blower_bound\x18\x08 \x01(\tR\nlowerBound\x12\x1f\n\x0bupper_bound\x18\t \x01(\tR\nupperBound\x12\x1b\n\tstop_loss\x18\n \x01(\tR\x08stopLoss\x12\x1f\n\x0btake_profit\x18\x0b \x01(\tR\ntakeProfit\x12\x19\n\x08swap_fee\x18\x0c \x01(\tR\x07swapFee\x12!\n\x0c\x62\x61se_deposit\x18\x11 \x01(\tR\x0b\x62\x61seDeposit\x12#\n\rquote_deposit\x18\x12 \x01(\tR\x0cquoteDeposit\x12(\n\x10market_mid_price\x18\x13 \x01(\tR\x0emarketMidPrice\x12>\n\x1bsubscription_quote_quantity\x18\x15 \x01(\tR\x19subscriptionQuoteQuantity\x12<\n\x1asubscription_base_quantity\x18\x16 \x01(\tR\x18subscriptionBaseQuantity\x12\x31\n\x15number_of_grid_levels\x18\x17 \x01(\tR\x12numberOfGridLevels\x12<\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08R\x17shouldExitWithQuoteOnly\x12\x1f\n\x0bstop_reason\x18\x19 \x01(\tR\nstopReason\x12+\n\x11pending_execution\x18\x1a \x01(\x08R\x10pendingExecution\x12%\n\x0e\x63reated_height\x18\r \x01(\x12R\rcreatedHeight\x12%\n\x0eremoved_height\x18\x0e \x01(\x12R\rremovedHeight\x12\x1d\n\ncreated_at\x18\x0f \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\x12R\tupdatedAt\x12\x1b\n\texit_type\x18\x1b \x01(\tR\x08\x65xitType\x12K\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x0estopLossConfig\x12O\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x10takeProfitConfig\x12#\n\rstrategy_type\x18\x1e \x01(\tR\x0cstrategyType\x12)\n\x10\x63ontract_version\x18\x1f \x01(\tR\x0f\x63ontractVersion\x12#\n\rcontract_name\x18 \x01(\tR\x0c\x63ontractName\x12\x1f\n\x0bmarket_type\x18! \x01(\tR\nmarketType\"H\n\nExitConfig\x12\x1b\n\texit_type\x18\x01 \x01(\tR\x08\x65xitType\x12\x1d\n\nexit_price\x18\x02 \x01(\tR\texitPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\xbb\x01\n\x19\x63om.injective_trading_rpcB\x18InjectiveTradingRpcProtoP\x01Z\x18/injective_trading_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveTradingRpc\xca\x02\x13InjectiveTradingRpc\xe2\x02\x1fInjectiveTradingRpc\\GPBMetadata\xea\x02\x13InjectiveTradingRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_trading_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_trading_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_trading_rpcB\030InjectiveTradingRpcProtoP\001Z\030/injective_trading_rpcpb\242\002\003IXX\252\002\023InjectiveTradingRpc\312\002\023InjectiveTradingRpc\342\002\037InjectiveTradingRpc\\GPBMetadata\352\002\023InjectiveTradingRpc' _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_start=64 - _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=314 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=317 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=455 - _globals['_TRADINGSTRATEGY']._serialized_start=458 - _globals['_TRADINGSTRATEGY']._serialized_end=1339 - _globals['_EXITCONFIG']._serialized_start=1341 - _globals['_EXITCONFIG']._serialized_end=1392 - _globals['_PAGING']._serialized_start=1394 - _globals['_PAGING']._serialized_end=1486 - _globals['_INJECTIVETRADINGRPC']._serialized_start=1489 - _globals['_INJECTIVETRADINGRPC']._serialized_end=1643 + _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=438 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=441 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=599 + _globals['_TRADINGSTRATEGY']._serialized_start=602 + _globals['_TRADINGSTRATEGY']._serialized_end=1971 + _globals['_EXITCONFIG']._serialized_start=1973 + _globals['_EXITCONFIG']._serialized_end=2045 + _globals['_PAGING']._serialized_start=2048 + _globals['_PAGING']._serialized_end=2182 + _globals['_INJECTIVETRADINGRPC']._serialized_start=2185 + _globals['_INJECTIVETRADINGRPC']._serialized_end=2339 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index 21dd1fa1..f0c3e8df 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveTradingRPCStub(object): """InjectiveTradingStrategiesRPC defined a gRPC service for Injective Trading diff --git a/pyinjective/proto/gogoproto/gogo_pb2.py b/pyinjective/proto/gogoproto/gogo_pb2.py index a295b103..daec3358 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2.py +++ b/pyinjective/proto/gogoproto/gogo_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: gogoproto/gogo.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'gogoproto/gogo.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:;\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08:=\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08:5\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08:7\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\t:0\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08:A\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\t:;\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08:?\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08:<\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08:9\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08:0\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08:4\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08:4\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08:4\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08:3\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08:1\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08:7\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08:3\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08:4\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08:5\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08:7\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08:<\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08:1\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08:A\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08:9\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08:<\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08:>\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08:B\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08:@\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08:8\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08:6\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08:3\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08:4\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08:4\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08:<\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08:7\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08:=\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08:;\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08::\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08:;\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08:8\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08:/\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08:3\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08:3\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08:3\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08:2\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08:0\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08:6\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08:2\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08:3\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08:4\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08:6\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08:;\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08:0\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08:;\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08:=\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08:A\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08:?\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08:5\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08:2\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08:3\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08:6\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08:<\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08::\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08:1\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08:.\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08:3\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\t:3\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\t:0\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\t:1\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\t:1\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\t:0\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\t:2\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\t:0\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08:4\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08:3\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08:5\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tBH\n\x13\x63om.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:N\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08R\x11goprotoEnumPrefix:R\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08R\x13goprotoEnumStringer:C\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08R\x0c\x65numStringer:G\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\tR\x0e\x65numCustomname::\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08R\x08\x65numdecl:V\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\tR\x13\x65numvalueCustomname:N\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08R\x11goprotoGettersAll:U\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08R\x14goprotoEnumPrefixAll:P\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08R\x12goprotoStringerAll:J\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08R\x0fverboseEqualAll:9\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08R\x07\x66\x61\x63\x65\x41ll:A\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08R\x0bgostringAll:A\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08R\x0bpopulateAll:A\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08R\x0bstringerAll:?\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08R\nonlyoneAll:;\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08R\x08\x65qualAll:G\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08R\x0e\x64\x65scriptionAll:?\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08R\ntestgenAll:A\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08R\x0b\x62\x65nchgenAll:C\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08R\x0cmarshalerAll:G\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08R\x0eunmarshalerAll:P\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08R\x12stableMarshalerAll:;\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08R\x08sizerAll:Y\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08R\x16goprotoEnumStringerAll:J\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08R\x0f\x65numStringerAll:P\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08R\x12unsafeMarshalerAll:T\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08R\x14unsafeUnmarshalerAll:[\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08R\x17goprotoExtensionsMapAll:X\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08R\x16goprotoUnrecognizedAll:I\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08R\x0fgogoprotoImport:E\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08R\rprotosizerAll:?\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08R\ncompareAll:A\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08R\x0btypedeclAll:A\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08R\x0b\x65numdeclAll:Q\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08R\x13goprotoRegistration:G\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08R\x0emessagenameAll:R\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08R\x13goprotoSizecacheAll:N\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08R\x11goprotoUnkeyedAll:J\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08R\x0egoprotoGetters:L\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08R\x0fgoprotoStringer:F\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08R\x0cverboseEqual:5\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08R\x04\x66\x61\x63\x65:=\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08R\x08gostring:=\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08R\x08populate:=\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08R\x08stringer:;\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08R\x07onlyone:7\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08R\x05\x65qual:C\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08R\x0b\x64\x65scription:;\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08R\x07testgen:=\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08R\x08\x62\x65nchgen:?\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08R\tmarshaler:C\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08R\x0bunmarshaler:L\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08R\x0fstableMarshaler:7\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08R\x05sizer:L\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08R\x0funsafeMarshaler:P\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08R\x11unsafeUnmarshaler:W\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08R\x14goprotoExtensionsMap:T\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08R\x13goprotoUnrecognized:A\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08R\nprotosizer:;\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08R\x07\x63ompare:=\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08R\x08typedecl:C\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08R\x0bmessagename:N\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08R\x10goprotoSizecache:J\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08R\x0egoprotoUnkeyed:;\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08R\x08nullable:5\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08R\x05\x65mbed:?\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\tR\ncustomtype:?\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\tR\ncustomname:9\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\tR\x07jsontag:;\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\tR\x08moretags:;\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\tR\x08\x63\x61sttype:9\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\tR\x07\x63\x61stkey:=\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\tR\tcastvalue:9\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08R\x07stdtime:A\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08R\x0bstdduration:?\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08R\nwktpointer:C\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tR\x0c\x63\x61strepeatedB\x85\x01\n\rcom.gogoprotoB\tGogoProtoP\x01Z%github.com/cosmos/gogoproto/gogoproto\xa2\x02\x03GXX\xaa\x02\tGogoproto\xca\x02\tGogoproto\xe2\x02\x15Gogoproto\\GPBMetadata\xea\x02\tGogoproto') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'gogoproto.gogo_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto' + _globals['DESCRIPTOR']._serialized_options = b'\n\rcom.gogoprotoB\tGogoProtoP\001Z%github.com/cosmos/gogoproto/gogoproto\242\002\003GXX\252\002\tGogoproto\312\002\tGogoproto\342\002\025Gogoproto\\GPBMetadata\352\002\tGogoproto' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index f29e834c..2daafffe 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index f7d95ebb..99063bdc 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/annotations.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/annotations.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,12 +26,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:E\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleBn\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x04GAPIb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:K\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleR\x04httpB\xae\x01\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.annotations_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\004GAPI' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index aff8bf22..2daafffe 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/http_pb2.py b/pyinjective/proto/google/api/http_pb2.py index 13a56dac..d4cb2ce9 100644 --- a/pyinjective/proto/google/api/http_pb2.py +++ b/pyinjective/proto/google/api/http_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/http.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/http.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,18 +24,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"T\n\x04Http\x12#\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRule\x12\'\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08\"\x81\x02\n\x08HttpRule\x12\x10\n\x08selector\x18\x01 \x01(\t\x12\r\n\x03get\x18\x02 \x01(\tH\x00\x12\r\n\x03put\x18\x03 \x01(\tH\x00\x12\x0e\n\x04post\x18\x04 \x01(\tH\x00\x12\x10\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00\x12\x0f\n\x05patch\x18\x06 \x01(\tH\x00\x12/\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00\x12\x0c\n\x04\x62ody\x18\x07 \x01(\t\x12\x15\n\rresponse_body\x18\x0c \x01(\t\x12\x31\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleB\t\n\x07pattern\"/\n\x11\x43ustomHttpPattern\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x0c\n\x04path\x18\x02 \x01(\tBj\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x04GAPIb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"y\n\x04Http\x12*\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRuleR\x05rules\x12\x45\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08R\x1c\x66ullyDecodeReservedExpansion\"\xda\x02\n\x08HttpRule\x12\x1a\n\x08selector\x18\x01 \x01(\tR\x08selector\x12\x12\n\x03get\x18\x02 \x01(\tH\x00R\x03get\x12\x12\n\x03put\x18\x03 \x01(\tH\x00R\x03put\x12\x14\n\x04post\x18\x04 \x01(\tH\x00R\x04post\x12\x18\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00R\x06\x64\x65lete\x12\x16\n\x05patch\x18\x06 \x01(\tH\x00R\x05patch\x12\x37\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00R\x06\x63ustom\x12\x12\n\x04\x62ody\x18\x07 \x01(\tR\x04\x62ody\x12#\n\rresponse_body\x18\x0c \x01(\tR\x0cresponseBody\x12\x45\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleR\x12\x61\x64\x64itionalBindingsB\t\n\x07pattern\";\n\x11\x43ustomHttpPattern\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x12\n\x04path\x18\x02 \x01(\tR\x04pathB\xaa\x01\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.http_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\004GAPI' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' _globals['_HTTP']._serialized_start=37 - _globals['_HTTP']._serialized_end=121 - _globals['_HTTPRULE']._serialized_start=124 - _globals['_HTTPRULE']._serialized_end=381 - _globals['_CUSTOMHTTPPATTERN']._serialized_start=383 - _globals['_CUSTOMHTTPPATTERN']._serialized_end=430 + _globals['_HTTP']._serialized_end=158 + _globals['_HTTPRULE']._serialized_start=161 + _globals['_HTTPRULE']._serialized_end=507 + _globals['_CUSTOMHTTPPATTERN']._serialized_start=509 + _globals['_CUSTOMHTTPPATTERN']._serialized_end=568 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/http_pb2_grpc.py b/pyinjective/proto/google/api/http_pb2_grpc.py index b9a887d8..2daafffe 100644 --- a/pyinjective/proto/google/api/http_pb2_grpc.py +++ b/pyinjective/proto/google/api/http_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in google/api/http_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index cdbd63cd..e2c1494a 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/ack.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"\xbc\x01\n\x1bIncentivizedAcknowledgement\x12/\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0cR\x12\x61ppAcknowledgement\x12\x36\n\x17\x66orward_relayer_address\x18\x02 \x01(\tR\x15\x66orwardRelayerAddress\x12\x34\n\x16underlying_app_success\x18\x03 \x01(\x08R\x14underlyingAppSuccessB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x41\x63kProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010AckProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=63 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=251 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 3436a5f1..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index bab1a197..35d3e5d2 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/fee.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xf4\x02\n\x03\x46\x65\x65\x12w\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x07recvFee\x12u\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x06\x61\x63kFee\x12}\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\ntimeoutFee\"\x99\x01\n\tPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00R\x03\x66\x65\x65\x12%\n\x0erefund_address\x18\x02 \x01(\tR\rrefundAddress\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:\x13\x82\xe7\xb0*\x0erefund_address\"W\n\nPacketFees\x12I\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFees\"\xa3\x01\n\x14IdentifiedPacketFees\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12I\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFeesB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x46\x65\x65ProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010FeeProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None @@ -44,11 +54,11 @@ _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' _globals['_FEE']._serialized_start=196 - _globals['_FEE']._serialized_end=539 - _globals['_PACKETFEE']._serialized_start=541 - _globals['_PACKETFEE']._serialized_end=664 - _globals['_PACKETFEES']._serialized_start=666 - _globals['_PACKETFEES']._serialized_end=741 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 + _globals['_FEE']._serialized_end=568 + _globals['_PACKETFEE']._serialized_start=571 + _globals['_PACKETFEE']._serialized_end=724 + _globals['_PACKETFEES']._serialized_start=726 + _globals['_PACKETFEES']._serialized_end=813 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=816 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=979 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 7bf8f9b7..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index f783ad91..2a1dbe17 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x91\x04\n\x0cGenesisState\x12\\\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x0eidentifiedFees\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12[\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00R\x10registeredPayees\x12\x80\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00R\x1cregisteredCounterpartyPayees\x12_\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00R\x0f\x66orwardRelayers\"K\n\x11\x46\x65\x65\x45nabledChannel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"`\n\x0fRegisteredPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x03 \x01(\tR\x05payee\"\x85\x01\n\x1bRegisteredCounterpartyPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x03 \x01(\tR\x11\x63ounterpartyPayee\"s\n\x15\x46orwardRelayerAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetIdB\xe1\x01\n\x1b\x63om.ibc.applications.fee.v1B\x0cGenesisProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\014GenesisProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None @@ -38,13 +48,13 @@ _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=586 - _globals['_FEEENABLEDCHANNEL']._serialized_start=588 - _globals['_FEEENABLEDCHANNEL']._serialized_end=644 - _globals['_REGISTEREDPAYEE']._serialized_start=646 - _globals['_REGISTEREDPAYEE']._serialized_end=715 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 + _globals['_GENESISSTATE']._serialized_end=688 + _globals['_FEEENABLEDCHANNEL']._serialized_start=690 + _globals['_FEEENABLEDCHANNEL']._serialized_end=765 + _globals['_REGISTEREDPAYEE']._serialized_start=767 + _globals['_REGISTEREDPAYEE']._serialized_end=863 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=866 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=999 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=1001 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=1116 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index fa8a53fb..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index fb919113..10905d4d 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/metadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"L\n\x08Metadata\x12\x1f\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tR\nfeeVersion\x12\x1f\n\x0b\x61pp_version\x18\x02 \x01(\tR\nappVersionB\xe2\x01\n\x1b\x63om.ibc.applications.fee.v1B\rMetadataProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\rMetadataProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_METADATA']._serialized_start=67 - _globals['_METADATA']._serialized_end=119 + _globals['_METADATA']._serialized_end=143 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 5e282d9e..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 356a52c5..a50fb07e 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x1fQueryIncentivizedPacketsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xd3\x01\n QueryIncentivizedPacketsResponse\x12\x66\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n\x1eQueryIncentivizedPacketRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\x87\x01\n\x1fQueryIncentivizedPacketResponse\x12\x64\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x12incentivizedPacket\"\xce\x01\n)QueryIncentivizedPacketsForChannelRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12!\n\x0cquery_height\x18\x04 \x01(\x04R\x0bqueryHeight\"\xd7\x01\n*QueryIncentivizedPacketsForChannelResponse\x12`\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesR\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"]\n\x19QueryTotalRecvFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x86\x01\n\x1aQueryTotalRecvFeesResponse\x12h\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08recvFees\"\\\n\x18QueryTotalAckFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x83\x01\n\x19QueryTotalAckFeesResponse\x12\x66\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07\x61\x63kFees\"`\n\x1cQueryTotalTimeoutFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x8f\x01\n\x1dQueryTotalTimeoutFeesResponse\x12n\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x0btimeoutFees\"L\n\x11QueryPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"9\n\x12QueryPayeeResponse\x12#\n\rpayee_address\x18\x01 \x01(\tR\x0cpayeeAddress\"X\n\x1dQueryCounterpartyPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"O\n\x1eQueryCounterpartyPayeeResponse\x12-\n\x12\x63ounterparty_payee\x18\x01 \x01(\tR\x11\x63ounterpartyPayee\"\x8b\x01\n\x1eQueryFeeEnabledChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xce\x01\n\x1fQueryFeeEnabledChannelsResponse\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"W\n\x1dQueryFeeEnabledChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"A\n\x1eQueryFeeEnabledChannelResponse\x12\x1f\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08R\nfeeEnabled2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB\xdf\x01\n\x1b\x63om.ibc.applications.fee.v1B\nQueryProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\nQueryProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None @@ -69,46 +79,46 @@ _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/fee/v1/fee_enabled' _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 - _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 - _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 - _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 - _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 - _globals['_QUERY']._serialized_start=2472 - _globals['_QUERY']._serialized_end=4750 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=302 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=442 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=445 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=656 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=659 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=792 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=795 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=930 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=933 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=1139 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=1142 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1357 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1359 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1452 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1455 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1589 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1591 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1683 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1686 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1817 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1819 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1915 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1918 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=2061 + _globals['_QUERYPAYEEREQUEST']._serialized_start=2063 + _globals['_QUERYPAYEEREQUEST']._serialized_end=2139 + _globals['_QUERYPAYEERESPONSE']._serialized_start=2141 + _globals['_QUERYPAYEERESPONSE']._serialized_end=2198 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=2200 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2288 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2290 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2369 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2372 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2511 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2514 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2720 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2722 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2809 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2811 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2876 + _globals['_QUERY']._serialized_start=2879 + _globals['_QUERY']._serialized_end=5157 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index 572d9033..f0e2ecd1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the ICS29 gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 5599fc25..9d590e73 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xac\x01\n\x10MsgRegisterPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x04 \x01(\tR\x05payee:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xdd\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x04 \x01(\tR\x11\x63ounterpartyPayee:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\x82\x02\n\x0fMsgPayPacketFee\x12\x39\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03\x66\x65\x65\x12$\n\x0esource_port_id\x18\x02 \x01(\tR\x0csourcePortId\x12*\n\x11source_channel_id\x18\x03 \x01(\tR\x0fsourceChannelId\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xe4\x01\n\x14MsgPayPacketFeeAsync\x12\x45\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08packetId\x12L\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tpacketFee:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xdc\x01\n\x1b\x63om.ibc.applications.fee.v1B\x07TxProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\007TxProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_MSGREGISTERPAYEE']._loaded_options = None _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None @@ -44,21 +54,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERPAYEE']._serialized_start=198 - _globals['_MSGREGISTERPAYEE']._serialized_end=335 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 - _globals['_MSGPAYPACKETFEE']._serialized_start=583 - _globals['_MSGPAYPACKETFEE']._serialized_end=787 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 - _globals['_MSG']._serialized_start=1059 - _globals['_MSG']._serialized_end=1561 + _globals['_MSGREGISTERPAYEE']._serialized_end=370 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=372 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=398 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=401 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=622 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=624 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=662 + _globals['_MSGPAYPACKETFEE']._serialized_start=665 + _globals['_MSGPAYPACKETFEE']._serialized_end=923 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=925 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=950 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=953 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1181 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1183 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1213 + _globals['_MSG']._serialized_start=1216 + _globals['_MSG']._serialized_end=1718 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index 30d9a74a..a5cf040a 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ICS29 Msg service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index 53e2a4c1..67d5fbb5 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/controller.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"7\n\x06Params\x12-\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08R\x11\x63ontrollerEnabledB\x84\x03\n6com.ibc.applications.interchain_accounts.controller.v1B\x0f\x43ontrollerProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\017ControllerProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_PARAMS']._serialized_start=123 - _globals['_PARAMS']._serialized_end=159 + _globals['_PARAMS']._serialized_end=178 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 8436a09b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index dba39064..a2e3664d 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,41 +1,51 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"Z\n\x1dQueryInterchainAccountRequest\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\":\n\x1eQueryInterchainAccountResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x14\n\x12QueryParamsRequest\"i\n\x13QueryParamsResponse\x12R\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsR\x06params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsB\xff\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 - _globals['_QUERYPARAMSREQUEST']._serialized_start=339 - _globals['_QUERYPARAMSREQUEST']._serialized_end=359 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 - _globals['_QUERY']._serialized_start=461 - _globals['_QUERY']._serialized_end=969 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=307 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=309 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=367 + _globals['_QUERYPARAMSREQUEST']._serialized_start=369 + _globals['_QUERYPARAMSREQUEST']._serialized_end=389 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=391 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=496 + _globals['_QUERY']._serialized_start=499 + _globals['_QUERY']._serialized_end=1007 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index 5d0e340a..20b6b332 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index e155af64..aeb67f93 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbb\x01\n\x1cMsgRegisterInterchainAccount\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x36\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"d\n$MsgRegisterInterchainAccountResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId:\x04\x88\xa0\x1f\x00\"\xee\x01\n\tMsgSendTx\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12k\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00R\npacketData\x12)\n\x10relative_timeout\x18\x04 \x01(\x04R\x0frelativeTimeout:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"5\n\x11MsgSendTxResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"\x94\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12X\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfc\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\x07TxProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\007TxProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None @@ -44,17 +54,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 - _globals['_MSGSENDTX']._serialized_start=554 - _globals['_MSGSENDTX']._serialized_end=742 - _globals['_MSGSENDTXRESPONSE']._serialized_start=744 - _globals['_MSGSENDTXRESPONSE']._serialized_end=787 - _globals['_MSGUPDATEPARAMS']._serialized_start=790 - _globals['_MSGUPDATEPARAMS']._serialized_end=922 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 - _globals['_MSG']._serialized_start=952 - _globals['_MSG']._serialized_end=1474 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=508 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=510 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=610 + _globals['_MSGSENDTX']._serialized_start=613 + _globals['_MSGSENDTX']._serialized_end=851 + _globals['_MSGSENDTXRESPONSE']._serialized_start=853 + _globals['_MSGSENDTXRESPONSE']._serialized_end=906 + _globals['_MSGUPDATEPARAMS']._serialized_start=909 + _globals['_MSGUPDATEPARAMS']._serialized_end=1057 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1059 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1084 + _globals['_MSG']._serialized_start=1087 + _globals['_MSG']._serialized_end=1609 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index 35ada760..bc8d5510 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 2386f482..c49e4fdd 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/genesis/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/genesis/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8f\x02\n\x0cGenesisState\x12\x87\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00R\x16\x63ontrollerGenesisState\x12u\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00R\x10hostGenesisState\"\xfd\x02\n\x16\x43ontrollerGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x14\n\x05ports\x18\x03 \x03(\tR\x05ports\x12X\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xef\x02\n\x10HostGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x12\n\x04port\x18\x03 \x01(\tR\x04port\x12R\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xa0\x01\n\rActiveChannel\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12\x32\n\x15is_middleware_enabled\x18\x04 \x01(\x08R\x13isMiddlewareEnabled\"\x84\x01\n\x1bRegisteredInterchainAccount\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddressB\xef\x02\n3com.ibc.applications.interchain_accounts.genesis.v1B\x0cGenesisProtoP\x01ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\xa2\x02\x04IAIG\xaa\x02.Ibc.Applications.InterchainAccounts.Genesis.V1\xca\x02.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\xe2\x02:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\xea\x02\x32Ibc::Applications::InterchainAccounts::Genesis::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n3com.ibc.applications.interchain_accounts.genesis.v1B\014GenesisProtoP\001ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\242\002\004IAIG\252\002.Ibc.Applications.InterchainAccounts.Genesis.V1\312\002.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\342\002:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\352\0022Ibc::Applications::InterchainAccounts::Genesis::V1' _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None @@ -42,13 +52,13 @@ _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=491 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 - _globals['_HOSTGENESISSTATE']._serialized_start=826 - _globals['_HOSTGENESISSTATE']._serialized_end=1142 - _globals['_ACTIVECHANNEL']._serialized_start=1144 - _globals['_ACTIVECHANNEL']._serialized_end=1250 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 + _globals['_GENESISSTATE']._serialized_end=534 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=537 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=918 + _globals['_HOSTGENESISSTATE']._serialized_start=921 + _globals['_HOSTGENESISSTATE']._serialized_end=1288 + _globals['_ACTIVECHANNEL']._serialized_start=1291 + _globals['_ACTIVECHANNEL']._serialized_end=1451 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1454 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1586 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index fb59b2d9..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index a33171de..43d2406a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/host.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"R\n\x06Params\x12!\n\x0chost_enabled\x18\x01 \x01(\x08R\x0bhostEnabled\x12%\n\x0e\x61llow_messages\x18\x02 \x03(\tR\rallowMessages\"6\n\x0cQueryRequest\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61taB\xda\x02\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_PARAMS']._serialized_start=105 - _globals['_PARAMS']._serialized_end=159 - _globals['_QUERYREQUEST']._serialized_start=161 - _globals['_QUERYREQUEST']._serialized_end=203 + _globals['_PARAMS']._serialized_end=187 + _globals['_QUERYREQUEST']._serialized_start=189 + _globals['_QUERYREQUEST']._serialized_end=243 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index f677412a..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index 07511197..9aa2f61e 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"c\n\x13QueryParamsResponse\x12L\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsR\x06params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsB\xdb\x02\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 _globals['_QUERYPARAMSREQUEST']._serialized_end=213 _globals['_QUERYPARAMSRESPONSE']._serialized_start=215 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=306 - _globals['_QUERY']._serialized_start=309 - _globals['_QUERY']._serialized_end=514 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=314 + _globals['_QUERY']._serialized_start=317 + _globals['_QUERY']._serialized_end=522 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index a4aaefcd..705d751a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py index aacfd578..b36a489f 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"~\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12J\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x83\x01\n\x12MsgModuleQuerySafe\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12L\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequest:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"?\n\x1aMsgModuleQuerySafeResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x11\n\tresponses\x18\x02 \x03(\x0c\x32\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8e\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12R\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x95\x01\n\x12MsgModuleQuerySafe\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12V\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequestR\x08requests:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"R\n\x1aMsgModuleQuerySafeResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1c\n\tresponses\x18\x02 \x03(\x0cR\tresponses2\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x02\n0com.ibc.applications.interchain_accounts.host.v1B\x07TxProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\007TxProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -33,14 +43,14 @@ _globals['_MSGMODULEQUERYSAFE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATEPARAMS']._serialized_start=207 - _globals['_MSGUPDATEPARAMS']._serialized_end=333 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=335 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=360 - _globals['_MSGMODULEQUERYSAFE']._serialized_start=363 - _globals['_MSGMODULEQUERYSAFE']._serialized_end=494 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=496 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=559 - _globals['_MSG']._serialized_start=562 - _globals['_MSG']._serialized_end=885 + _globals['_MSGUPDATEPARAMS']._serialized_start=208 + _globals['_MSGUPDATEPARAMS']._serialized_end=350 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=352 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=377 + _globals['_MSGMODULEQUERYSAFE']._serialized_start=380 + _globals['_MSGMODULEQUERYSAFE']._serialized_end=529 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=531 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=613 + _globals['_MSG']._serialized_start=616 + _globals['_MSG']._serialized_end=939 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py index 83d86202..67d91a1e 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 26c5ce4d..1e0ee02b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/account.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/account.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcb\x01\n\x11InterchainAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12#\n\raccount_owner\x18\x02 \x01(\tR\x0c\x61\x63\x63ountOwner:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIB\xbd\x02\n+com.ibc.applications.interchain_accounts.v1B\x0c\x41\x63\x63ountProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\014AccountProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=356 + _globals['_INTERCHAINACCOUNT']._serialized_end=383 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index b430af9b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index c9cbc973..5c655152 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/metadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\xdb\x01\n\x08Metadata\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x38\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tR\x16\x63ontrollerConnectionId\x12,\n\x12host_connection_id\x18\x03 \x01(\tR\x10hostConnectionId\x12\x18\n\x07\x61\x64\x64ress\x18\x04 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08\x65ncoding\x18\x05 \x01(\tR\x08\x65ncoding\x12\x17\n\x07tx_type\x18\x06 \x01(\tR\x06txTypeB\xbe\x02\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_METADATA']._serialized_start=100 - _globals['_METADATA']._serialized_end=241 + _globals['_METADATA']._serialized_end=319 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index f6c4f460..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index a246e1fe..016c4db4 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -1,39 +1,49 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/packet.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/packet.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x1bInterchainAccountPacketData\x12\x41\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.TypeR\x04type\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\"<\n\x08\x43osmosTx\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42\xbc\x02\n+com.ibc.applications.interchain_accounts.v1B\x0bPacketProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\013PacketProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._serialized_options = b'\212\235 \nEXECUTE_TX' - _globals['_TYPE']._serialized_start=318 - _globals['_TYPE']._serialized_end=406 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=146 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=264 - _globals['_COSMOSTX']._serialized_start=266 - _globals['_COSMOSTX']._serialized_end=316 + _globals['_TYPE']._serialized_start=347 + _globals['_TYPE']._serialized_end=435 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=147 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=283 + _globals['_COSMOSTX']._serialized_start=285 + _globals['_COSMOSTX']._serialized_end=345 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 49c27f11..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 5f1c6310..de6838f8 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x91\x02\n\nAllocation\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12l\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nspendLimit\x12\x1d\n\nallow_list\x18\x04 \x03(\tR\tallowList\x12.\n\x13\x61llowed_packet_data\x18\x05 \x03(\tR\x11\x61llowedPacketData\"\x91\x01\n\x15TransferAuthorization\x12P\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00R\x0b\x61llocations:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB\xfa\x01\n com.ibc.applications.transfer.v1B\nAuthzProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nAuthzProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None @@ -32,7 +42,7 @@ _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=360 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 + _globals['_ALLOCATION']._serialized_end=429 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=432 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=577 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index ed0ac6b8..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 9e7cb61b..dd3dfef1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xbc\x02\n\x0cGenesisState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12[\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12\x42\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\rtotalEscrowedB\xfc\x01\n com.ibc.applications.transfer.v1B\x0cGenesisProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\014GenesisProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=448 + _globals['_GENESISSTATE']._serialized_end=492 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 800ee9cf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 7bcdf0d5..012ab3c1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\",\n\x16QueryDenomTraceRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"d\n\x17QueryDenomTraceResponse\x12I\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceR\ndenomTrace\"a\n\x17QueryDenomTracesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc0\x01\n\x18QueryDenomTracesResponse\x12[\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsR\x06params\"-\n\x15QueryDenomHashRequest\x12\x14\n\x05trace\x18\x01 \x01(\tR\x05trace\",\n\x16QueryDenomHashResponse\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"S\n\x19QueryEscrowAddressRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"C\n\x1aQueryEscrowAddressResponse\x12%\n\x0e\x65scrow_address\x18\x01 \x01(\tR\rescrowAddress\"7\n\x1fQueryTotalEscrowForDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"[\n QueryTotalEscrowForDenomResponse\x12\x37\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount2\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB\xfa\x01\n com.ibc.applications.transfer.v1B\nQueryProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nQueryProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -44,29 +54,29 @@ _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._serialized_options = b'\202\323\344\223\0026\0224/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrow' _globals['_QUERYDENOMTRACEREQUEST']._serialized_start=247 - _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=285 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=287 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=375 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=377 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=462 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=465 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=632 - _globals['_QUERYPARAMSREQUEST']._serialized_start=634 - _globals['_QUERYPARAMSREQUEST']._serialized_end=654 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=656 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=731 - _globals['_QUERYDENOMHASHREQUEST']._serialized_start=733 - _globals['_QUERYDENOMHASHREQUEST']._serialized_end=771 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=773 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=811 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=813 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=877 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=879 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=931 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=933 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=981 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=983 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1066 - _globals['_QUERY']._serialized_start=1069 - _globals['_QUERY']._serialized_end=2181 + _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=291 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=293 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=393 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=395 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=492 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=495 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=687 + _globals['_QUERYPARAMSREQUEST']._serialized_start=689 + _globals['_QUERYPARAMSREQUEST']._serialized_end=709 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=711 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=794 + _globals['_QUERYDENOMHASHREQUEST']._serialized_start=796 + _globals['_QUERYDENOMHASHREQUEST']._serialized_end=841 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=843 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=887 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=889 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=972 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=974 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=1041 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=1043 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=1098 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=1100 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1191 + _globals['_QUERY']._serialized_start=1194 + _globals['_QUERY']._serialized_end=2306 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 3f6de8a1..b2f8831e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 341de825..4e11b30e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/transfer.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\"?\n\nDenomTrace\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\"T\n\x06Params\x12!\n\x0csend_enabled\x18\x01 \x01(\x08R\x0bsendEnabled\x12\'\n\x0freceive_enabled\x18\x02 \x01(\x08R\x0ereceiveEnabledB\xfd\x01\n com.ibc.applications.transfer.v1B\rTransferProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\rTransferProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_DENOMTRACE']._serialized_start=77 - _globals['_DENOMTRACE']._serialized_end=123 - _globals['_PARAMS']._serialized_start=125 - _globals['_PARAMS']._serialized_end=180 + _globals['_DENOMTRACE']._serialized_end=140 + _globals['_PARAMS']._serialized_start=142 + _globals['_PARAMS']._serialized_end=226 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 283b46bf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index c638e565..41c77cf4 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\x80\x03\n\x0bMsgTransfer\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12:\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05token\x12\x16\n\x06sender\x18\x04 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x05 \x01(\tR\x08receiver\x12L\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x07 \x01(\x04R\x10timeoutTimestamp\x12\x12\n\x04memo\x18\x08 \x01(\tR\x04memo:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"7\n\x13MsgTransferResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"~\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n com.ibc.applications.transfer.v1B\x07TxProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\007TxProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None @@ -43,13 +53,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGTRANSFER']._serialized_start=248 - _globals['_MSGTRANSFER']._serialized_end=541 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 - _globals['_MSGUPDATEPARAMS']._serialized_start=590 - _globals['_MSGUPDATEPARAMS']._serialized_end=700 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 - _globals['_MSG']._serialized_start=730 - _globals['_MSG']._serialized_end=966 + _globals['_MSGTRANSFER']._serialized_end=632 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=634 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=689 + _globals['_MSGUPDATEPARAMS']._serialized_start=691 + _globals['_MSGUPDATEPARAMS']._serialized_end=817 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=819 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=844 + _globals['_MSG']._serialized_start=847 + _globals['_MSG']._serialized_end=1083 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index 9effa128..6b97abb4 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index 78efc002..bf1b2a5e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v2/packet.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v2/packet.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"\x8f\x01\n\x17\x46ungibleTokenPacketData\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\x12\x12\n\x04memo\x18\x05 \x01(\tR\x04memoB\xfb\x01\n com.ibc.applications.transfer.v2B\x0bPacketProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V2\xca\x02\x1cIbc\\Applications\\Transfer\\V2\xe2\x02(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v2B\013PacketProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V2\312\002\034Ibc\\Applications\\Transfer\\V2\342\002(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V2' + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=76 + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=219 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 3121fc69..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index b48462d6..9f287c70 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/channel.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/channel.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb4\x02\n\x07\x43hannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12)\n\x10upgrade_sequence\x18\x06 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xf6\x02\n\x11IdentifiedChannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x17\n\x07port_id\x18\x06 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x07 \x01(\tR\tchannelId\x12)\n\x10upgrade_sequence\x18\x08 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"L\n\x0c\x43ounterparty\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xd8\x02\n\x06Packet\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1f\n\x0bsource_port\x18\x02 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x03 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x04 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x05 \x01(\tR\x12\x64\x65stinationChannel\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12G\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x08 \x01(\x04R\x10timeoutTimestamp:\x04\x88\xa0\x1f\x00\"{\n\x0bPacketState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"d\n\x08PacketId\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"O\n\x0f\x41\x63knowledgement\x12\x18\n\x06result\x18\x15 \x01(\x0cH\x00R\x06result\x12\x16\n\x05\x65rror\x18\x16 \x01(\tH\x00R\x05\x65rrorB\n\n\x08response\"a\n\x07Timeout\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\"U\n\x06Params\x12K\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x0eupgradeTimeout*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0c\x43hannelProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014ChannelProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -70,26 +80,26 @@ _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' - _globals['_STATE']._serialized_start=1310 - _globals['_STATE']._serialized_end=1571 - _globals['_ORDER']._serialized_start=1573 - _globals['_ORDER']._serialized_end=1692 + _globals['_STATE']._serialized_start=1721 + _globals['_STATE']._serialized_end=1982 + _globals['_ORDER']._serialized_start=1984 + _globals['_ORDER']._serialized_end=2103 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=349 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 - _globals['_COUNTERPARTY']._serialized_start=636 - _globals['_COUNTERPARTY']._serialized_end=693 - _globals['_PACKET']._serialized_start=696 - _globals['_PACKET']._serialized_end=927 - _globals['_PACKETSTATE']._serialized_start=929 - _globals['_PACKETSTATE']._serialized_end=1017 - _globals['_PACKETID']._serialized_start=1019 - _globals['_PACKETID']._serialized_end=1090 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 - _globals['_TIMEOUT']._serialized_start=1158 - _globals['_TIMEOUT']._serialized_end=1236 - _globals['_PARAMS']._serialized_start=1238 - _globals['_PARAMS']._serialized_end=1307 + _globals['_CHANNEL']._serialized_end=422 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=425 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=799 + _globals['_COUNTERPARTY']._serialized_start=801 + _globals['_COUNTERPARTY']._serialized_end=877 + _globals['_PACKET']._serialized_start=880 + _globals['_PACKET']._serialized_end=1224 + _globals['_PACKETSTATE']._serialized_start=1226 + _globals['_PACKETSTATE']._serialized_end=1349 + _globals['_PACKETID']._serialized_start=1351 + _globals['_PACKETID']._serialized_end=1451 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1453 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1532 + _globals['_TIMEOUT']._serialized_start=1534 + _globals['_TIMEOUT']._serialized_end=1631 + _globals['_PARAMS']._serialized_start=1633 + _globals['_PARAMS']._serialized_end=1718 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2cee10e1..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 68c6e425..e8c41c86 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb2\x05\n\x0cGenesisState\x12]\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannelR\x08\x63hannels\x12R\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x10\x61\x63knowledgements\x12H\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x0b\x63ommitments\x12\x42\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x08receipts\x12P\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rsendSequences\x12P\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rrecvSequences\x12N\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\x0c\x61\x63kSequences\x12\x32\n\x15next_channel_sequence\x18\x08 \x01(\x04R\x13nextChannelSequence\x12\x39\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"d\n\x0ePacketSequence\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequenceB\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cGenesisProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014GenesisProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None @@ -41,7 +51,7 @@ _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=682 - _globals['_PACKETSEQUENCE']._serialized_start=684 - _globals['_PACKETSEQUENCE']._serialized_end=755 + _globals['_GENESISSTATE']._serialized_end=806 + _globals['_PACKETSEQUENCE']._serialized_start=808 + _globals['_PACKETSEQUENCE']._serialized_end=908 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index a34643ef..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index 9f704ebb..91b09445 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\"M\n\x13QueryChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa9\x01\n\x14QueryChannelResponse\x12\x36\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"^\n\x14QueryChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n\x15QueryChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x88\x01\n\x1eQueryConnectionChannelsRequest\x12\x1e\n\nconnection\x18\x01 \x01(\tR\nconnection\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe8\x01\n\x1fQueryConnectionChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"X\n\x1eQueryChannelClientStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xdf\x01\n\x1fQueryChannelClientStateResponse\x12\x61\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateR\x15identifiedClientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xad\x01\n!QueryChannelConsensusStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\'\n\x0frevision_number\x18\x03 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x04 \x01(\x04R\x0erevisionHeight\"\xdb\x01\n\"QueryChannelConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"r\n\x1cQueryPacketCommitmentRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x9a\x01\n\x1dQueryPacketCommitmentResponse\x12\x1e\n\ncommitment\x18\x01 \x01(\x0cR\ncommitment\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x9f\x01\n\x1dQueryPacketCommitmentsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe7\x01\n\x1eQueryPacketCommitmentsResponse\x12\x42\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x0b\x63ommitments\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"o\n\x19QueryPacketReceiptRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x93\x01\n\x1aQueryPacketReceiptResponse\x12\x1a\n\x08received\x18\x02 \x01(\x08R\x08received\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"w\n!QueryPacketAcknowledgementRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xa9\x01\n\"QueryPacketAcknowledgementResponse\x12(\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xe4\x01\n\"QueryPacketAcknowledgementsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12>\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04R\x19packetCommitmentSequences\"\xf6\x01\n#QueryPacketAcknowledgementsResponse\x12L\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x10\x61\x63knowledgements\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x97\x01\n\x1dQueryUnreceivedPacketsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12>\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04R\x19packetCommitmentSequences\"x\n\x1eQueryUnreceivedPacketsResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x86\x01\n\x1aQueryUnreceivedAcksRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x30\n\x14packet_ack_sequences\x18\x03 \x03(\x04R\x12packetAckSequences\"u\n\x1bQueryUnreceivedAcksResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"Y\n\x1fQueryNextSequenceReceiveRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xb1\x01\n QueryNextSequenceReceiveResponse\x12\x32\n\x15next_sequence_receive\x18\x01 \x01(\x04R\x13nextSequenceReceive\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"V\n\x1cQueryNextSequenceSendRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa8\x01\n\x1dQueryNextSequenceSendResponse\x12,\n\x12next_sequence_send\x18\x01 \x01(\x04R\x10nextSequenceSend\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"R\n\x18QueryUpgradeErrorRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xc4\x01\n\x19QueryUpgradeErrorResponse\x12L\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"M\n\x13QueryUpgradeRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xaf\x01\n\x14QueryUpgradeResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x1b\n\x19QueryChannelParamsRequest\"Q\n\x1aQueryChannelParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsR\x06params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB\xcf\x01\n\x17\x63om.ibc.core.channel.v1B\nQueryProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\nQueryProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None @@ -100,73 +110,73 @@ _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' _globals['_QUERYCHANNELREQUEST']._serialized_start=282 - _globals['_QUERYCHANNELREQUEST']._serialized_end=340 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 - _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 - _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 - _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 - _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 - _globals['_QUERY']._serialized_start=4358 - _globals['_QUERY']._serialized_end=7915 + _globals['_QUERYCHANNELREQUEST']._serialized_end=359 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=362 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=531 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=533 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=627 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=630 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=852 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=855 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=991 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=994 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1226 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1228 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1316 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1319 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1542 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1545 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1718 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1721 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1940 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1942 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=2056 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=2059 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=2213 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=2216 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=2375 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=2378 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2609 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2611 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2722 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2725 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2872 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2874 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2993 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2996 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=3165 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=3168 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=3396 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=3399 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=3645 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=3648 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3799 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3801 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3921 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3924 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=4058 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=4060 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=4177 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=4179 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=4268 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=4271 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=4448 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=4450 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=4536 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=4539 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=4707 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=4709 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=4791 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=4794 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4990 + _globals['_QUERYUPGRADEREQUEST']._serialized_start=4992 + _globals['_QUERYUPGRADEREQUEST']._serialized_end=5069 + _globals['_QUERYUPGRADERESPONSE']._serialized_start=5072 + _globals['_QUERYUPGRADERESPONSE']._serialized_end=5247 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=5249 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=5276 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=5278 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=5359 + _globals['_QUERY']._serialized_start=5362 + _globals['_QUERY']._serialized_end=8919 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index 2d3e84e6..f6e0e336 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index df3e0329..df3bef0c 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"\x94\x01\n\x12MsgChannelOpenInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12<\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgChannelOpenInitResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"\xde\x02\n\x11MsgChannelOpenTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x32\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01R\x11previousChannelId\x12<\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1d\n\nproof_init\x18\x05 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgChannelOpenTryResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xc1\x02\n\x11MsgChannelOpenAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x36\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tR\x15\x63ounterpartyChannelId\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1b\n\tproof_try\x18\x05 \x01(\x0cR\x08proofTry\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xda\x01\n\x15MsgChannelOpenConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1b\n\tproof_ack\x18\x03 \x01(\x0cR\x08proofAck\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"v\n\x13MsgChannelCloseInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xa1\x02\n\x16MsgChannelCloseConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1d\n\nproof_init\x18\x03 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xe3\x01\n\rMsgRecvPacket\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_commitment\x18\x02 \x01(\x0cR\x0fproofCommitment\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"^\n\x15MsgRecvPacketResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x8e\x02\n\nMsgTimeout\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x04 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x12MsgTimeoutResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xfa\x02\n\x11MsgTimeoutOnClose\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x1f\n\x0bproof_close\x18\x03 \x01(\x0cR\nproofClose\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x05 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"b\n\x19MsgTimeoutOnCloseResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x88\x02\n\x12MsgAcknowledgement\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x1f\n\x0bproof_acked\x18\x03 \x01(\x0cR\nproofAcked\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"c\n\x1aMsgAcknowledgementResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x15MsgChannelUpgradeInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12@\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x8e\x01\n\x1dMsgChannelUpgradeInitResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xfd\x03\n\x14MsgChannelUpgradeTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12G\n proposed_upgrade_connection_hops\x18\x03 \x03(\tR\x1dproposedUpgradeConnectionHops\x12h\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x19\x63ounterpartyUpgradeFields\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x06 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x07 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\t \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xce\x01\n\x1cMsgChannelUpgradeTryResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence\x12?\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xdd\x02\n\x14MsgChannelUpgradeAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x05 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n\x1cMsgChannelUpgradeAckResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xbb\x03\n\x18MsgChannelUpgradeConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12U\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x06 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x08 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"i\n MsgChannelUpgradeConfirmResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x80\x03\n\x15MsgChannelUpgradeOpen\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xbc\x02\n\x18MsgChannelUpgradeTimeout\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyChannel\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xbd\x02\n\x17MsgChannelUpgradeCancel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12L\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12.\n\x13proof_error_receipt\x18\x04 \x01(\x0cR\x11proofErrorReceipt\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"~\n\x0fMsgUpdateParams\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\x18MsgPruneAcknowledgements\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x94\x01\n MsgPruneAcknowledgementsResponse\x12\x34\n\x16total_pruned_sequences\x18\x01 \x01(\x04R\x14totalPrunedSequences\x12:\n\x19total_remaining_sequences\x18\x02 \x01(\x04R\x17totalRemainingSequences*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcc\x01\n\x17\x63om.ibc.core.channel.v1B\x07TxProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\007TxProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None @@ -157,84 +167,84 @@ _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_RESPONSERESULTTYPE']._serialized_start=5624 - _globals['_RESPONSERESULTTYPE']._serialized_end=5840 - _globals['_MSGCHANNELOPENINIT']._serialized_start=203 - _globals['_MSGCHANNELOPENINIT']._serialized_end=326 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 - _globals['_MSGCHANNELOPENTRY']._serialized_start=402 - _globals['_MSGCHANNELOPENTRY']._serialized_end=663 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 - _globals['_MSGCHANNELOPENACK']._serialized_start=738 - _globals['_MSGCHANNELOPENACK']._serialized_end=965 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 - _globals['_MSGRECVPACKET']._serialized_start=1571 - _globals['_MSGRECVPACKET']._serialized_end=1752 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 - _globals['_MSGTIMEOUT']._serialized_start=1843 - _globals['_MSGTIMEOUT']._serialized_end=2049 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 - _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 - _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 - _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 - _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 - _globals['_MSGUPDATEPARAMS']._serialized_start=5271 - _globals['_MSGUPDATEPARAMS']._serialized_end=5378 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 - _globals['_MSG']._serialized_start=5843 - _globals['_MSG']._serialized_end=7999 + _globals['_RESPONSERESULTTYPE']._serialized_start=7165 + _globals['_RESPONSERESULTTYPE']._serialized_end=7381 + _globals['_MSGCHANNELOPENINIT']._serialized_start=204 + _globals['_MSGCHANNELOPENINIT']._serialized_end=352 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=354 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=445 + _globals['_MSGCHANNELOPENTRY']._serialized_start=448 + _globals['_MSGCHANNELOPENTRY']._serialized_end=798 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=800 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=890 + _globals['_MSGCHANNELOPENACK']._serialized_start=893 + _globals['_MSGCHANNELOPENACK']._serialized_end=1214 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1216 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1243 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1246 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1464 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1466 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1497 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1499 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1617 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1619 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1648 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1651 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1940 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1942 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1974 + _globals['_MSGRECVPACKET']._serialized_start=1977 + _globals['_MSGRECVPACKET']._serialized_end=2204 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2206 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2300 + _globals['_MSGTIMEOUT']._serialized_start=2303 + _globals['_MSGTIMEOUT']._serialized_end=2573 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2575 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2666 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2669 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3047 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3049 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3147 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3150 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3414 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3416 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3515 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=3518 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=3704 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=3707 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3849 + _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3852 + _globals['_MSGCHANNELUPGRADETRY']._serialized_end=4361 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=4364 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=4570 + _globals['_MSGCHANNELUPGRADEACK']._serialized_start=4573 + _globals['_MSGCHANNELUPGRADEACK']._serialized_end=4922 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=4924 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=5025 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=5028 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=5471 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=5473 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=5578 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=5581 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=5965 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=5967 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=5998 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=6001 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=6317 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=6319 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=6353 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=6356 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=6673 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=6675 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=6708 + _globals['_MSGUPDATEPARAMS']._serialized_start=6710 + _globals['_MSGUPDATEPARAMS']._serialized_end=6836 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=6838 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=6863 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=6866 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=7011 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=7014 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=7162 + _globals['_MSG']._serialized_start=7384 + _globals['_MSG']._serialized_end=9540 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index b10625f5..3dc03c7c 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py index 6d23febd..1a36a634 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/upgrade.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/upgrade.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\x9a\x01\n\x07Upgrade\x12\x38\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x33\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_send\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"m\n\rUpgradeFields\x12,\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12\x17\n\x0f\x63onnection_hops\x18\x02 \x03(\t\x12\x0f\n\x07version\x18\x03 \x01(\t:\x04\x88\xa0\x1f\x00\"7\n\x0c\x45rrorReceipt\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x0f\n\x07message\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbd\x01\n\x07Upgrade\x12@\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12<\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x07timeout\x12,\n\x12next_sequence_send\x18\x03 \x01(\x04R\x10nextSequenceSend:\x04\x88\xa0\x1f\x00\"\x90\x01\n\rUpgradeFields\x12\x36\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12\'\n\x0f\x63onnection_hops\x18\x02 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"J\n\x0c\x45rrorReceipt\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x18\n\x07message\x18\x02 \x01(\tR\x07message:\x04\x88\xa0\x1f\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cUpgradeProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014UpgradeProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_UPGRADE'].fields_by_name['fields']._loaded_options = None _globals['_UPGRADE'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' _globals['_UPGRADE'].fields_by_name['timeout']._loaded_options = None @@ -35,9 +45,9 @@ _globals['_ERRORRECEIPT']._loaded_options = None _globals['_ERRORRECEIPT']._serialized_options = b'\210\240\037\000' _globals['_UPGRADE']._serialized_start=116 - _globals['_UPGRADE']._serialized_end=270 - _globals['_UPGRADEFIELDS']._serialized_start=272 - _globals['_UPGRADEFIELDS']._serialized_end=381 - _globals['_ERRORRECEIPT']._serialized_start=383 - _globals['_ERRORRECEIPT']._serialized_end=438 + _globals['_UPGRADE']._serialized_end=305 + _globals['_UPGRADEFIELDS']._serialized_start=308 + _globals['_UPGRADEFIELDS']._serialized_end=452 + _globals['_ERRORRECEIPT']._serialized_start=454 + _globals['_ERRORRECEIPT']._serialized_end=528 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py index 3510c2ab..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/upgrade_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 749fbd2f..7301f896 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/client.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"m\n\x15IdentifiedClientState\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\"\x93\x01\n\x18\x43onsensusStateWithHeight\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\"\x93\x01\n\x15\x43lientConsensusStates\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12]\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\"d\n\x06Height\x12\'\n\x0frevision_number\x18\x01 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x02 \x01(\x04R\x0erevisionHeight:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"1\n\x06Params\x12\'\n\x0f\x61llowed_clients\x18\x01 \x03(\tR\x0e\x61llowedClients\"\x91\x02\n\x14\x43lientUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12H\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"R\x0fsubjectClientId\x12Q\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\"R\x12substituteClientId:$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9b\x02\n\x0fUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x36\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12j\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\"R\x13upgradedClientState:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xca\x01\n\x16\x63om.ibc.core.client.v1B\x0b\x43lientProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\013ClientProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None @@ -45,17 +55,17 @@ _globals['_UPGRADEPROPOSAL']._loaded_options = None _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 - _globals['_HEIGHT']._serialized_start=504 - _globals['_HEIGHT']._serialized_end=572 - _globals['_PARAMS']._serialized_start=574 - _globals['_PARAMS']._serialized_end=607 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 - _globals['_UPGRADEPROPOSAL']._serialized_start=829 - _globals['_UPGRADEPROPOSAL']._serialized_end=1065 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=278 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=281 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=428 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=431 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=578 + _globals['_HEIGHT']._serialized_start=580 + _globals['_HEIGHT']._serialized_end=680 + _globals['_PARAMS']._serialized_start=682 + _globals['_PARAMS']._serialized_end=731 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=734 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=1007 + _globals['_UPGRADEPROPOSAL']._serialized_start=1010 + _globals['_UPGRADEPROPOSAL']._serialized_end=1293 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 8066058d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index 6221040e..57211c2e 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xe6\x03\n\x0cGenesisState\x12\x63\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x07\x63lients\x12v\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStatesR\x10\x63lientsConsensus\x12^\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00R\x0f\x63lientsMetadata\x12\x38\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12-\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01R\x0f\x63reateLocalhost\x12\x30\n\x14next_client_sequence\x18\x06 \x01(\x04R\x12nextClientSequence\"?\n\x0fGenesisMetadata\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x04\x88\xa0\x1f\x00\"\x8c\x01\n\x19IdentifiedGenesisMetadata\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12R\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00R\x0e\x63lientMetadataB\xcb\x01\n\x16\x63om.ibc.core.client.v1B\x0cGenesisProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\014GenesisProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None @@ -39,9 +49,9 @@ _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=509 - _globals['_GENESISMETADATA']._serialized_start=511 - _globals['_GENESISMETADATA']._serialized_end=562 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 + _globals['_GENESISSTATE']._serialized_end=598 + _globals['_GENESISMETADATA']._serialized_start=600 + _globals['_GENESISMETADATA']._serialized_end=663 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=666 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=806 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index ad99adc9..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index b72cc79c..d8360111 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"6\n\x17QueryClientStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"\xae\x01\n\x18QueryClientStateResponse\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"b\n\x18QueryClientStatesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd4\x01\n\x19QueryClientStatesResponse\x12n\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x0c\x63lientStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb0\x01\n\x1aQueryConsensusStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\'\n\x0frevision_number\x18\x02 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x03 \x01(\x04R\x0erevisionHeight\x12#\n\rlatest_height\x18\x04 \x01(\x08R\x0clatestHeight\"\xb7\x01\n\x1bQueryConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x82\x01\n\x1bQueryConsensusStatesRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc6\x01\n\x1cQueryConsensusStatesResponse\x12]\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x88\x01\n!QueryConsensusStateHeightsRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc7\x01\n\"QueryConsensusStateHeightsResponse\x12X\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x15\x63onsensusStateHeights\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x18QueryClientStatusRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"3\n\x19QueryClientStatusResponse\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"\x1a\n\x18QueryClientParamsRequest\"O\n\x19QueryClientParamsResponse\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsR\x06params\"!\n\x1fQueryUpgradedClientStateRequest\"l\n QueryUpgradedClientStateResponse\x12H\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\"$\n\"QueryUpgradedConsensusStateRequest\"u\n#QueryUpgradedConsensusStateResponse\x12N\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x16upgradedConsensusState\"\xb7\x02\n\x1cQueryVerifyMembershipRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12I\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00R\nmerklePath\x12\x14\n\x05value\x18\x05 \x01(\x0cR\x05value\x12\x1d\n\ntime_delay\x18\x06 \x01(\x04R\ttimeDelay\x12\x1f\n\x0b\x62lock_delay\x18\x07 \x01(\x04R\nblockDelay\"9\n\x1dQueryVerifyMembershipResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B\xc9\x01\n\x16\x63om.ibc.core.client.v1B\nQueryProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\nQueryProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None @@ -64,45 +74,45 @@ _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 - _globals['_QUERY']._serialized_start=2327 - _globals['_QUERY']._serialized_end=4121 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=334 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=337 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=511 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=513 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=611 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=614 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=826 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=829 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=1005 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=1008 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1191 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1194 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1324 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1327 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1525 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1528 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1664 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1667 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1866 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1868 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1923 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1925 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1976 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1978 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=2004 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=2006 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=2085 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=2087 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=2120 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=2122 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=2230 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=2232 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=2268 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=2270 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2387 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2390 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2701 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2703 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2760 + _globals['_QUERY']._serialized_start=2763 + _globals['_QUERY']._serialized_end=4557 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index d4ffb77c..91c747aa 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 471be9c9..135da2e9 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb2\x01\n\x0fMsgCreateClient\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"\x94\x01\n\x0fMsgUpdateClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12;\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\rclientMessage\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xc5\x02\n\x10MsgUpgradeClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x30\n\x14proof_upgrade_client\x18\x04 \x01(\x0cR\x12proofUpgradeClient\x12\x41\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0cR\x1aproofUpgradeConsensusState\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"\x99\x01\n\x15MsgSubmitMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x38\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cmisbehaviour\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"\x99\x01\n\x10MsgRecoverClient\x12*\n\x11subject_client_id\x18\x01 \x01(\tR\x0fsubjectClientId\x12\x30\n\x14substitute_client_id\x18\x02 \x01(\tR\x12substituteClientId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\xbe\x01\n\x15MsgIBCSoftwareUpgrade\x12\x36\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12H\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"t\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc6\x01\n\x16\x63om.ibc.core.client.v1B\x07TxProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\007TxProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_MSGCREATECLIENT']._loaded_options = None _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGUPDATECLIENT']._loaded_options = None @@ -48,33 +58,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATECLIENT']._serialized_start=197 - _globals['_MSGCREATECLIENT']._serialized_end=338 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 - _globals['_MSGUPDATECLIENT']._serialized_start=367 - _globals['_MSGUPDATECLIENT']._serialized_end=482 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 - _globals['_MSGUPGRADECLIENT']._serialized_start=512 - _globals['_MSGUPGRADECLIENT']._serialized_end=742 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 - _globals['_MSGRECOVERCLIENT']._serialized_start=928 - _globals['_MSGRECOVERCLIENT']._serialized_end=1036 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 - _globals['_MSGUPDATEPARAMS']._serialized_start=1257 - _globals['_MSGUPDATEPARAMS']._serialized_end=1357 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 - _globals['_MSG']._serialized_start=1387 - _globals['_MSG']._serialized_end=2133 + _globals['_MSGCREATECLIENT']._serialized_end=375 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=377 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=402 + _globals['_MSGUPDATECLIENT']._serialized_start=405 + _globals['_MSGUPDATECLIENT']._serialized_end=553 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=555 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=580 + _globals['_MSGUPGRADECLIENT']._serialized_start=583 + _globals['_MSGUPGRADECLIENT']._serialized_end=908 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=910 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=936 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=939 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1092 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1094 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1125 + _globals['_MSGRECOVERCLIENT']._serialized_start=1128 + _globals['_MSGRECOVERCLIENT']._serialized_end=1281 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1283 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1309 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1312 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1502 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1504 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1535 + _globals['_MSGUPDATEPARAMS']._serialized_start=1537 + _globals['_MSGUPDATEPARAMS']._serialized_end=1653 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1655 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1680 + _globals['_MSG']._serialized_start=1683 + _globals['_MSG']._serialized_end=2429 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index 9cc5a0cb..9c44899a 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index 636f49bf..f9351ac5 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -1,37 +1,47 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/commitment/v1/commitment.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/commitment/v1/commitment.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\x0cMerklePrefix\x12\x12\n\nkey_prefix\x18\x01 \x01(\x0c\"\x1e\n\nMerklePath\x12\x10\n\x08key_path\x18\x01 \x03(\t\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py index ea3dd30f..2bb1b71e 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/connection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/connection/v1/connection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/connection/v1/connection.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/commitment/v1/commitment.proto\"\xe1\x01\n\rConnectionEnd\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x31\n\x08versions\x18\x02 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12,\n\x05state\x18\x03 \x01(\x0e\x32\x1d.ibc.core.connection.v1.State\x12@\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xf4\x01\n\x14IdentifiedConnection\x12\n\n\x02id\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\x31\n\x08versions\x18\x03 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12,\n\x05state\x18\x04 \x01(\x0e\x32\x1d.ibc.core.connection.v1.State\x12@\n\x0c\x63ounterparty\x18\x05 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0c\x64\x65lay_period\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"z\n\x0c\x43ounterparty\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12:\n\x06prefix\x18\x03 \x01(\x0b\x32$.ibc.core.commitment.v1.MerklePrefixB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x1c\n\x0b\x43lientPaths\x12\r\n\x05paths\x18\x01 \x03(\t\"3\n\x0f\x43onnectionPaths\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05paths\x18\x02 \x03(\t\"5\n\x07Version\x12\x12\n\nidentifier\x18\x01 \x01(\t\x12\x10\n\x08\x66\x65\x61tures\x18\x02 \x03(\t:\x04\x88\xa0\x1f\x00\"-\n\x06Params\x12#\n\x1bmax_expected_time_per_block\x18\x01 \x01(\x04*\x99\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x1a\x04\x88\xa3\x1e\x00\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py index d924103f..64c22f97 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/connection/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/core/connection/v1/genesis.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xff\x01\n\x0cGenesisState\x12G\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnectionB\x04\xc8\xde\x1f\x00\x12N\n\x17\x63lient_connection_paths\x18\x02 \x03(\x0b\x32\'.ibc.core.connection.v1.ConnectionPathsB\x04\xc8\xde\x1f\x00\x12 \n\x18next_connection_sequence\x18\x03 \x01(\x04\x12\x34\n\x06params\x18\x04 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py index c8911c46..72a46885 100644 --- a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/connection/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"ibc/core/connection/v1/query.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\"/\n\x16QueryConnectionRequest\x12\x15\n\rconnection_id\x18\x01 \x01(\t\"\x9b\x01\n\x17QueryConnectionResponse\x12\x39\n\nconnection\x18\x01 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x17QueryConnectionsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n\x18QueryConnectionsResponse\x12\x41\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnection\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"2\n\x1dQueryClientConnectionsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x81\x01\n\x1eQueryClientConnectionsResponse\x12\x18\n\x10\x63onnection_paths\x18\x01 \x03(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n!QueryConnectionClientStateRequest\x12\x15\n\rconnection_id\x18\x01 \x01(\t\"\xb7\x01\n\"QueryConnectionClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"o\n$QueryConnectionConsensusStateRequest\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\"\xb0\x01\n%QueryConnectionConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1e\n\x1cQueryConnectionParamsRequest\"O\n\x1dQueryConnectionParamsResponse\x12.\n\x06params\x18\x01 \x01(\x0b\x32\x1e.ibc.core.connection.v1.Params2\xb9\t\n\x05Query\x12\xaa\x01\n\nConnection\x12..ibc.core.connection.v1.QueryConnectionRequest\x1a/.ibc.core.connection.v1.QueryConnectionResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/core/connection/v1/connections/{connection_id}\x12\x9d\x01\n\x0b\x43onnections\x12/.ibc.core.connection.v1.QueryConnectionsRequest\x1a\x30.ibc.core.connection.v1.QueryConnectionsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/core/connection/v1/connections\x12\xc2\x01\n\x11\x43lientConnections\x12\x35.ibc.core.connection.v1.QueryClientConnectionsRequest\x1a\x36.ibc.core.connection.v1.QueryClientConnectionsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB\xe1\x01\n\x1a\x63om.ibc.core.connection.v1B\nQueryProtoP\x01Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py index 4206411f..d133f90f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/connection/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/connection/v1/tx.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xd5\x01\n\x15MsgConnectionOpenInit\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12@\n\x0c\x63ounterparty\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x14\n\x0c\x64\x65lay_period\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgConnectionOpenInitResponse\"\x8d\x04\n\x14MsgConnectionOpenTry\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\"\n\x16previous_connection_id\x18\x02 \x01(\tB\x02\x18\x01\x12*\n\x0c\x63lient_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12@\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04\x12>\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.core.connection.v1 import tx_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py index e1500e35..ec33e27c 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/types/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/types/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import genesis_pb2 as ibc_dot_core_dot_client_dot_v1_dot_genesis__pb2 -from ibc.core.connection.v1 import genesis_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_genesis__pb2 -from ibc.core.channel.v1 import genesis_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import genesis_pb2 as ibc_dot_core_dot_client_dot_v1_dot_genesis__pb2 +from pyinjective.proto.ibc.core.connection.v1 import genesis_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_genesis__pb2 +from pyinjective.proto.ibc.core.channel.v1 import genesis_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\xd8\x01\n\x0cGenesisState\x12>\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\x8a\x02\n\x0cGenesisState\x12M\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\rclientGenesis\x12Y\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x11\x63onnectionGenesis\x12P\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x0e\x63hannelGenesisB\xbc\x01\n\x15\x63om.ibc.core.types.v1B\x0cGenesisProtoP\x01Z.github.com/cosmos/ibc-go/v8/modules/core/types\xa2\x02\x03ICT\xaa\x02\x11Ibc.Core.Types.V1\xca\x02\x11Ibc\\Core\\Types\\V1\xe2\x02\x1dIbc\\Core\\Types\\V1\\GPBMetadata\xea\x02\x14Ibc::Core::Types::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.ibc.core.types.v1B\014GenesisProtoP\001Z.github.com/cosmos/ibc-go/v8/modules/core/types\242\002\003ICT\252\002\021Ibc.Core.Types.V1\312\002\021Ibc\\Core\\Types\\V1\342\002\035Ibc\\Core\\Types\\V1\\GPBMetadata\352\002\024Ibc::Core::Types::V1' _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=400 + _globals['_GENESISSTATE']._serialized_end=450 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index db28782d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 48efc944..37ac2962 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/localhost/v2/localhost.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/localhost/v2/localhost.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"Z\n\x0b\x43lientState\x12\x45\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight:\x04\x88\xa0\x1f\x00\x42\x94\x02\n!com.ibc.lightclients.localhost.v2B\x0eLocalhostProtoP\x01ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\xa2\x02\x03ILL\xaa\x02\x1dIbc.Lightclients.Localhost.V2\xca\x02\x1dIbc\\Lightclients\\Localhost\\V2\xe2\x02)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\xea\x02 Ibc::Lightclients::Localhost::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.ibc.lightclients.localhost.v2B\016LocalhostProtoP\001ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\242\002\003ILL\252\002\035Ibc.Lightclients.Localhost.V2\312\002\035Ibc\\Lightclients\\Localhost\\V2\342\002)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\352\002 Ibc::Lightclients::Localhost::V2' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=135 - _globals['_CLIENTSTATE']._serialized_end=211 + _globals['_CLIENTSTATE']._serialized_end=225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index ced3d903..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 00743462..690d9226 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v2/solomachine.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/solomachine/v2/solomachine.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xe5\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateR\x0e\x63onsensusState\x12=\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08R\x18\x61llowUpdateAfterProposal:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xcb\x01\n\x06Header\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x05 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xfd\x01\n\x0cMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"\xb0\x01\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x46\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xc9\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x46\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"d\n\x0f\x43lientStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState:\x04\x88\xa0\x1f\x00\"m\n\x12\x43onsensusStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"v\n\x13\x43onnectionStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x45\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEndR\nconnection:\x04\x88\xa0\x1f\x00\"d\n\x10\x43hannelStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x36\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel:\x04\x88\xa0\x1f\x00\"J\n\x14PacketCommitmentData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x1e\n\ncommitment\x18\x02 \x01(\x0cR\ncommitment\"Y\n\x19PacketAcknowledgementData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\".\n\x18PacketReceiptAbsenceData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\"N\n\x14NextSequenceRecvData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\"\n\rnext_seq_recv\x18\x02 \x01(\x04R\x0bnextSeqRecv*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x98\x02\n#com.ibc.lightclients.solomachine.v2B\x10SolomachineProtoP\x01Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V2\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V2\xe2\x02+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' + _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v2B\020SolomachineProtoP\001Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V2\312\002\037Ibc\\Lightclients\\Solomachine\\V2\342\002+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V2' _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -72,38 +82,38 @@ _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_DATATYPE']._serialized_start=1890 - _globals['_DATATYPE']._serialized_end=2414 + _globals['_DATATYPE']._serialized_start=2379 + _globals['_DATATYPE']._serialized_end=2903 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=379 - _globals['_CONSENSUSSTATE']._serialized_start=381 - _globals['_CONSENSUSSTATE']._serialized_end=485 - _globals['_HEADER']._serialized_start=488 - _globals['_HEADER']._serialized_end=629 - _globals['_MISBEHAVIOUR']._serialized_start=632 - _globals['_MISBEHAVIOUR']._serialized_end=837 - _globals['_SIGNATUREANDDATA']._serialized_start=840 - _globals['_SIGNATUREANDDATA']._serialized_end=978 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 - _globals['_SIGNBYTES']._serialized_start=1058 - _globals['_SIGNBYTES']._serialized_end=1209 - _globals['_HEADERDATA']._serialized_start=1211 - _globals['_HEADERDATA']._serialized_end=1297 - _globals['_CLIENTSTATEDATA']._serialized_start=1299 - _globals['_CLIENTSTATEDATA']._serialized_end=1380 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 - _globals['_CHANNELSTATEDATA']._serialized_start=1573 - _globals['_CHANNELSTATEDATA']._serialized_end=1658 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 + _globals['_CLIENTSTATE']._serialized_end=441 + _globals['_CONSENSUSSTATE']._serialized_start=444 + _globals['_CONSENSUSSTATE']._serialized_end=583 + _globals['_HEADER']._serialized_start=586 + _globals['_HEADER']._serialized_end=789 + _globals['_MISBEHAVIOUR']._serialized_start=792 + _globals['_MISBEHAVIOUR']._serialized_end=1045 + _globals['_SIGNATUREANDDATA']._serialized_start=1048 + _globals['_SIGNATUREANDDATA']._serialized_end=1224 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1226 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1327 + _globals['_SIGNBYTES']._serialized_start=1330 + _globals['_SIGNBYTES']._serialized_end=1531 + _globals['_HEADERDATA']._serialized_start=1533 + _globals['_HEADERDATA']._serialized_end=1646 + _globals['_CLIENTSTATEDATA']._serialized_start=1648 + _globals['_CLIENTSTATEDATA']._serialized_end=1748 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1750 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1859 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1861 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1979 + _globals['_CHANNELSTATEDATA']._serialized_start=1981 + _globals['_CHANNELSTATEDATA']._serialized_end=2081 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=2083 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=2157 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2159 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2248 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2250 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2296 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2298 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2376 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 61b2057f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index d90dba0b..c911d2d6 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v3/solomachine.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/solomachine/v3/solomachine.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa6\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xaf\x01\n\x06Header\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x04 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xe0\x01\n\x0cMisbehaviour\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"|\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x12\n\x04path\x18\x02 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\x95\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x12\n\x04path\x18\x04 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\x42\xa4\x02\n#com.ibc.lightclients.solomachine.v3B\x10SolomachineProtoP\x01ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V3\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V3\xe2\x02+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V3b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' + _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v3B\020SolomachineProtoP\001ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V3\312\002\037Ibc\\Lightclients\\Solomachine\\V3\342\002+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V3' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CONSENSUSSTATE']._loaded_options = None @@ -41,19 +51,19 @@ _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=266 - _globals['_CONSENSUSSTATE']._serialized_start=268 - _globals['_CONSENSUSSTATE']._serialized_end=372 - _globals['_HEADER']._serialized_start=374 - _globals['_HEADER']._serialized_end=497 - _globals['_MISBEHAVIOUR']._serialized_start=500 - _globals['_MISBEHAVIOUR']._serialized_end=686 - _globals['_SIGNATUREANDDATA']._serialized_start=688 - _globals['_SIGNATUREANDDATA']._serialized_end=778 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 - _globals['_SIGNBYTES']._serialized_start=857 - _globals['_SIGNBYTES']._serialized_end=960 - _globals['_HEADERDATA']._serialized_start=962 - _globals['_HEADERDATA']._serialized_end=1048 + _globals['_CLIENTSTATE']._serialized_end=302 + _globals['_CONSENSUSSTATE']._serialized_start=305 + _globals['_CONSENSUSSTATE']._serialized_end=444 + _globals['_HEADER']._serialized_start=447 + _globals['_HEADER']._serialized_end=622 + _globals['_MISBEHAVIOUR']._serialized_start=625 + _globals['_MISBEHAVIOUR']._serialized_end=849 + _globals['_SIGNATUREANDDATA']._serialized_start=851 + _globals['_SIGNATUREANDDATA']._serialized_end=975 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=977 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1078 + _globals['_SIGNBYTES']._serialized_start=1081 + _globals['_SIGNBYTES']._serialized_end=1230 + _globals['_HEADERDATA']._serialized_start=1232 + _globals['_HEADERDATA']._serialized_end=1345 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 0d0343ea..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index 99fce3bb..be8f21fc 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/tendermint/v1/tendermint.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/tendermint/v1/tendermint.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xe2\x05\n\x0b\x43lientState\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\tR\x07\x63hainId\x12O\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00R\ntrustLevel\x12L\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0etrustingPeriod\x12N\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0funbondingPeriod\x12K\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\rmaxClockDrift\x12\x45\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0c\x66rozenHeight\x12\x45\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight\x12;\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecR\nproofSpecs\x12!\n\x0cupgrade_path\x18\t \x03(\tR\x0bupgradePath\x12=\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01R\x16\x61llowUpdateAfterExpiry\x12I\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01R\x1c\x61llowUpdateAfterMisbehaviour:\x04\x88\xa0\x1f\x00\"\x80\x02\n\x0e\x43onsensusState\x12\x42\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12<\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00R\x04root\x12\x66\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x12nextValidatorsHash:\x04\x88\xa0\x1f\x00\"\xd5\x01\n\x0cMisbehaviour\x12\x1f\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01R\x08\x63lientId\x12N\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1R\x07header1\x12N\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2R\x07header2:\x04\x88\xa0\x1f\x00\"\xb0\x02\n\x06Header\x12I\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01R\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\x12G\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtrustedHeight\x12M\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x11trustedValidators\"J\n\x08\x46raction\x12\x1c\n\tnumerator\x18\x01 \x01(\x04R\tnumerator\x12 \n\x0b\x64\x65nominator\x18\x02 \x01(\x04R\x0b\x64\x65nominatorB\x9c\x02\n\"com.ibc.lightclients.tendermint.v1B\x0fTendermintProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\xa2\x02\x03ILT\xaa\x02\x1eIbc.Lightclients.Tendermint.V1\xca\x02\x1eIbc\\Lightclients\\Tendermint\\V1\xe2\x02*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\xea\x02!Ibc::Lightclients::Tendermint::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.ibc.lightclients.tendermint.v1B\017TendermintProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\242\002\003ILT\252\002\036Ibc.Lightclients.Tendermint.V1\312\002\036Ibc\\Lightclients\\Tendermint\\V1\342\002*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\352\002!Ibc::Lightclients::Tendermint::V1' _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None @@ -69,13 +79,13 @@ _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=901 - _globals['_CONSENSUSSTATE']._serialized_start=904 - _globals['_CONSENSUSSTATE']._serialized_end=1123 - _globals['_MISBEHAVIOUR']._serialized_start=1126 - _globals['_MISBEHAVIOUR']._serialized_end=1311 - _globals['_HEADER']._serialized_start=1314 - _globals['_HEADER']._serialized_end=1556 - _globals['_FRACTION']._serialized_start=1558 - _globals['_FRACTION']._serialized_end=1608 + _globals['_CLIENTSTATE']._serialized_end=1077 + _globals['_CONSENSUSSTATE']._serialized_start=1080 + _globals['_CONSENSUSSTATE']._serialized_end=1336 + _globals['_MISBEHAVIOUR']._serialized_start=1339 + _globals['_MISBEHAVIOUR']._serialized_end=1552 + _globals['_HEADER']._serialized_start=1555 + _globals['_HEADER']._serialized_end=1859 + _globals['_FRACTION']._serialized_start=1861 + _globals['_FRACTION']._serialized_end=1935 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 0a72e20f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py index 7a95d7ec..5629e776 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/lightclients/wasm/v1/genesis.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\"K\n\x0cGenesisState\x12;\n\tcontracts\x18\x01 \x03(\x0b\x32\".ibc.lightclients.wasm.v1.ContractB\x04\xc8\xde\x1f\x00\"$\n\x08\x43ontract\x12\x12\n\ncode_bytes\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py index f1f9a938..2b80b3e0 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py @@ -1,41 +1,51 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/lightclients/wasm/v1/query.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"S\n\x15QueryChecksumsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"h\n\x16QueryChecksumsResponse\x12\x11\n\tchecksums\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"$\n\x10QueryCodeRequest\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\t\"!\n\x11QueryCodeResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x32\xc4\x02\n\x05Query\x12\x9b\x01\n\tChecksums\x12/.ibc.lightclients.wasm.v1.QueryChecksumsRequest\x1a\x30.ibc.lightclients.wasm.v1.QueryChecksumsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/lightclients/wasm/v1/checksums\x12\x9c\x01\n\x04\x43ode\x12*.ibc.lightclients.wasm.v1.QueryCodeRequest\x1a+.ibc.lightclients.wasm.v1.QueryCodeResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/lightclients/wasm/v1/checksums/{checksum}/codeB>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.lightclients.wasm.v1 import query_pb2 as ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py index 12e8326f..a8feb6fc 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/lightclients/wasm/v1/tx.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x17\x63osmos/msg/v1/msg.proto\"C\n\x0cMsgStoreCode\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x16\n\x0ewasm_byte_code\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"(\n\x14MsgStoreCodeResponse\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\x0c\"B\n\x11MsgRemoveChecksum\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgRemoveChecksumResponse\"c\n\x12MsgMigrateContract\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x03 \x01(\x0c\x12\x0b\n\x03msg\x18\x04 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1c\n\x1aMsgMigrateContractResponse2\xdc\x02\n\x03Msg\x12\x63\n\tStoreCode\x12&.ibc.lightclients.wasm.v1.MsgStoreCode\x1a..ibc.lightclients.wasm.v1.MsgStoreCodeResponse\x12r\n\x0eRemoveChecksum\x12+.ibc.lightclients.wasm.v1.MsgRemoveChecksum\x1a\x33.ibc.lightclients.wasm.v1.MsgRemoveChecksumResponse\x12u\n\x0fMigrateContract\x12,.ibc.lightclients.wasm.v1.MsgMigrateContract\x1a\x34.ibc.lightclients.wasm.v1.MsgMigrateContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.ibc.lightclients.wasm.v1 import tx_pb2 as ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py index aaf604be..1712aacd 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/wasm.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/wasm.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/lightclients/wasm/v1/wasm.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"l\n\x0b\x43lientState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x37\n\rlatest_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"$\n\x0e\x43onsensusState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"#\n\rClientMessage\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\tChecksums\x12\x11\n\tchecksums\x18\x01 \x03(\x0c:\x02\x18\x01\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index f3694a41..d119209a 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/auction.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x06Params\x12%\n\x0e\x61uction_period\x18\x01 \x01(\x03R\rauctionPeriod\x12\x61\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17minNextBidIncrementRate:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"\x83\x01\n\x03\x42id\x12\x33\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"R\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\"\x8a\x01\n\x11LastAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x81\x01\n\x08\x45ventBid\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x8b\x01\n\x12\x45ventAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\xc0\x01\n\x11\x45ventAuctionStart\x12\x14\n\x05round\x18\x01 \x01(\x04R\x05round\x12)\n\x10\x65nding_timestamp\x18\x02 \x01(\x03R\x0f\x65ndingTimestamp\x12j\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tnewBasketB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0c\x41uctionProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014AuctionProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS']._loaded_options = None @@ -42,15 +52,15 @@ _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=144 - _globals['_PARAMS']._serialized_end=275 - _globals['_BID']._serialized_start=277 - _globals['_BID']._serialized_end=392 - _globals['_LASTAUCTIONRESULT']._serialized_start=394 - _globals['_LASTAUCTIONRESULT']._serialized_end=509 - _globals['_EVENTBID']._serialized_start=511 - _globals['_EVENTBID']._serialized_end=617 - _globals['_EVENTAUCTIONRESULT']._serialized_start=619 - _globals['_EVENTAUCTIONRESULT']._serialized_end=735 - _globals['_EVENTAUCTIONSTART']._serialized_start=738 - _globals['_EVENTAUCTIONSTART']._serialized_end=895 + _globals['_PARAMS']._serialized_end=315 + _globals['_BID']._serialized_start=318 + _globals['_BID']._serialized_end=449 + _globals['_LASTAUCTIONRESULT']._serialized_start=452 + _globals['_LASTAUCTIONRESULT']._serialized_end=590 + _globals['_EVENTBID']._serialized_start=593 + _globals['_EVENTBID']._serialized_end=722 + _globals['_EVENTAUCTIONRESULT']._serialized_start=725 + _globals['_EVENTAUCTIONRESULT']._serialized_end=864 + _globals['_EVENTAUCTIONSTART']._serialized_start=867 + _globals['_EVENTAUCTIONSTART']._serialized_end=1059 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index f976ac52..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index 9d3b94bb..73e733c9 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,16 +26,16 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\x80\x02\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x12I\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\xcd\x02\n\x0cGenesisState\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rauction_round\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12?\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.BidR\nhighestBid\x12\x38\n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03R\x16\x61uctionEndingTimestamp\x12\\\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResultB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0cGenesisProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014GenesisProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=134 - _globals['_GENESISSTATE']._serialized_end=390 + _globals['_GENESISSTATE']._serialized_end=467 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index c4715b7c..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 26d5e1e7..676cf0ce 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"]\n\x1aQueryAuctionParamsResponse\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\"\n QueryCurrentAuctionBasketRequest\"\xcd\x02\n!QueryCurrentAuctionBasketResponse\x12\x63\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x06\x61mount\x12\"\n\x0c\x61uctionRound\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12.\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03R\x12\x61uctionClosingTime\x12$\n\rhighestBidder\x18\x04 \x01(\tR\rhighestBidder\x12I\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10highestBidAmount\"\x19\n\x17QueryModuleStateRequest\"Y\n\x18QueryModuleStateResponse\x12=\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisStateR\x05state\"\x1f\n\x1dQueryLastAuctionResultRequest\"~\n\x1eQueryLastAuctionResultResponse\x12\\\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultB\x80\x02\n\x1d\x63om.injective.auction.v1beta1B\nQueryProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\nQueryProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -44,19 +54,19 @@ _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 - _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=348 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 - _globals['_QUERY']._serialized_start=901 - _globals['_QUERY']._serialized_end=1641 + _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=356 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=358 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=392 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=395 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=728 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=730 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=755 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=757 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=846 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=848 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=879 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=881 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=1007 + _globals['_QUERY']._serialized_start=1010 + _globals['_QUERY']._serialized_end=1750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 94191280..dbebceb7 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index 578a21f4..d4400e97 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x9e\x01\n\x06MsgBid\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12>\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xb6\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12?\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfd\x01\n\x1d\x63om.injective.auction.v1beta1B\x07TxProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\007TxProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' _globals['_MSGBID']._loaded_options = None @@ -41,13 +51,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGBID']._serialized_start=232 - _globals['_MSGBID']._serialized_end=364 - _globals['_MSGBIDRESPONSE']._serialized_start=366 - _globals['_MSGBIDRESPONSE']._serialized_end=382 - _globals['_MSGUPDATEPARAMS']._serialized_start=385 - _globals['_MSGUPDATEPARAMS']._serialized_end=548 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 - _globals['_MSG']._serialized_start=578 - _globals['_MSG']._serialized_end=787 + _globals['_MSGBID']._serialized_end=390 + _globals['_MSGBIDRESPONSE']._serialized_start=392 + _globals['_MSGBIDRESPONSE']._serialized_end=408 + _globals['_MSGUPDATEPARAMS']._serialized_start=411 + _globals['_MSGUPDATEPARAMS']._serialized_end=593 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=595 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=620 + _globals['_MSG']._serialized_start=623 + _globals['_MSG']._serialized_end=832 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index 1a83f6dd..f699a2f6 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the auction Msg service. diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 84cc035a..00142fcd 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/crypto/v1beta1/ethsecp256k1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"M\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldB\xbb\x02\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\xa2\x02\x04ICVE\xaa\x02%Injective.Crypto.V1beta1.Ethsecp256k1\xca\x02%Injective\\Crypto\\V1beta1\\Ethsecp256k1\xe2\x02\x31Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\xea\x02(Injective::Crypto::V1beta1::Ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' + _globals['DESCRIPTOR']._serialized_options = b'\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\242\002\004ICVE\252\002%Injective.Crypto.V1beta1.Ethsecp256k1\312\002%Injective\\Crypto\\V1beta1\\Ethsecp256k1\342\0021Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\352\002(Injective::Crypto::V1beta1::Ethsecp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=132 - _globals['_PUBKEY']._serialized_end=206 - _globals['_PRIVKEY']._serialized_start=208 - _globals['_PRIVKEY']._serialized_end=280 + _globals['_PUBKEY']._serialized_end=211 + _globals['_PRIVKEY']._serialized_start=213 + _globals['_PRIVKEY']._serialized_end=290 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index d64ecc8a..2daafffe 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index 52226e62..70d2a1a8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x99\x01\n\x19\x43reateSpotLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x9b\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\xa5\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"\x8f\x01\n\x14\x43\x61ncelSpotOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x9b\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\xa5\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\xa7\x01\n CreateDerivativeMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\xb1\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x9b\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\xa7\x01\n BatchCancelDerivativeOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\xc6\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12!\n\x0cspot_markets\x18\x02 \x03(\tR\x0bspotMarkets\x12-\n\x12\x64\x65rivative_markets\x18\x03 \x03(\tR\x11\x64\x65rivativeMarkets:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzB\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nAuthzProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nAuthzProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None @@ -47,25 +57,25 @@ _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=270 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=273 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=428 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=431 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=596 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=599 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=742 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=745 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=900 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=903 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=1068 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=1071 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1238 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1241 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1418 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1421 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1576 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1579 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1746 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1749 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1947 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index a9990661..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 64c2584b..786ce6d7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xdc\x01\n\x17\x45ventBatchSpotExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12O\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12<\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLogR\x06trades\"\xe7\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12%\n\x0eis_liquidation\x18\x03 \x01(\x08R\risLiquidation\x12R\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12O\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12\x46\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLogR\x06trades\"\xc2\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12x\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"lostFundsFromAvailableDuringPayout\x12\x65\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19lostFundsFromOrderCancels\"\x89\x01\n\x1c\x45ventBatchDerivativePosition\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPositionR\tpositions\"\xbb\x01\n\x1b\x45ventDerivativeMarketPaused\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12.\n\x13total_missing_funds\x18\x03 \x01(\tR\x11totalMissingFunds\x12,\n\x12missing_funds_rate\x18\x04 \x01(\tR\x10missingFundsRate\"\x8f\x01\n\x1b\x45ventMarketBeyondBankruptcy\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12\x30\n\x14missing_market_funds\x18\x03 \x01(\tR\x12missingMarketFunds\"\x88\x01\n\x18\x45ventAllPositionsHaircut\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12,\n\x12missing_funds_rate\x18\x03 \x01(\tR\x10missingFundsRate\"o\n\x1e\x45ventBinaryOptionsMarketUpdate\x12M\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xc9\x01\n\x12\x45ventNewSpotOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12I\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\tbuyOrders\x12K\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\nsellOrders\"\xdb\x01\n\x18\x45ventNewDerivativeOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\tbuyOrders\x12Q\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\nsellOrders\"{\n\x14\x45ventCancelSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"]\n\x15\x45ventSpotMarketUpdate\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xa7\x02\n\x1a\x45ventPerpetualMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12i\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01R\x13perpetualMarketInfo\x12R\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01R\x07\x66unding\"\xe4\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12v\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01R\x17\x65xpiryFuturesMarketInfo\"\xcc\x02\n!EventPerpetualMarketFundingUpdate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12R\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x07\x66unding\x12*\n\x11is_hourly_funding\x18\x03 \x01(\x08R\x0fisHourlyFunding\x12\x46\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x66undingRate\x12\x42\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\"\x97\x01\n\x16\x45ventSubaccountDeposit\x12\x1f\n\x0bsrc_address\x18\x01 \x01(\tR\nsrcAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x98\x01\n\x17\x45ventSubaccountWithdraw\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12\x1f\n\x0b\x64st_address\x18\x02 \x01(\tR\ndstAddress\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xb1\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12*\n\x11src_subaccount_id\x18\x01 \x01(\tR\x0fsrcSubaccountId\x12*\n\x11\x64st_subaccount_id\x18\x02 \x01(\tR\x0f\x64stSubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"m\n\x17\x45ventBatchDepositUpdate\x12R\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdateR\x0e\x64\x65positUpdates\"\xc7\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12Z\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\x12L\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x63\x61ncelQuantity\"\xa7\x02\n\x1a\x45ventCancelDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12m\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01R\x11marketOrderCancel\"g\n\x18\x45ventFeeDiscountSchedule\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule\"\xe2\x01\n EventTradingRewardCampaignUpdate\x12Z\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools\"u\n\x1e\x45ventTradingRewardDistribution\x12S\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewardsR\x0e\x61\x63\x63ountRewards\"\xb5\x01\n\"EventNewConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderR\x05order\x12\x12\n\x04hash\x18\x03 \x01(\x0cR\x04hash\x12\x1b\n\tis_market\x18\x04 \x01(\x08R\x08isMarket\"\x9f\x02\n%EventCancelConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12Z\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\"\xfb\x01\n&EventConditionalDerivativeOrderTrigger\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12&\n\x0eisLimitTrigger\x18\x02 \x01(\x08R\x0eisLimitTrigger\x12\x30\n\x14triggered_order_hash\x18\x03 \x01(\x0cR\x12triggeredOrderHash\x12*\n\x11placed_order_hash\x18\x04 \x01(\x0cR\x0fplacedOrderHash\x12.\n\x13triggered_order_cid\x18\x05 \x01(\tR\x11triggeredOrderCid\"l\n\x0e\x45ventOrderFail\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0cR\x07\x61\x63\x63ount\x12\x16\n\x06hashes\x18\x02 \x03(\x0cR\x06hashes\x12\x14\n\x05\x66lags\x18\x03 \x03(\rR\x05\x66lags\x12\x12\n\x04\x63ids\x18\x04 \x03(\tR\x04\x63ids\"\x94\x01\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12\x65\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\"\xc2\x01\n\x14\x45ventOrderbookUpdate\x12N\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x0bspotUpdates\x12Z\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x11\x64\x65rivativeUpdates\"h\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x43\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"|\n\x18\x45ventGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"\x81\x01\n\x14\x45ventGrantActivation\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"G\n\x11\x45ventInvalidGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\"\xab\x01\n\x14\x45ventOrderCancelFail\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\x12 \n\x0b\x64\x65scription\x18\x05 \x01(\tR\x0b\x64\x65scriptionB\x87\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0b\x45ventsProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\013EventsProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None @@ -75,75 +85,75 @@ _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 - _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 - _globals['_EVENTORDERFAIL']._serialized_start=4597 - _globals['_EVENTORDERFAIL']._serialized_end=4675 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 - _globals['_ORDERBOOKUPDATE']._serialized_start=4970 - _globals['_ORDERBOOKUPDATE']._serialized_end=5058 - _globals['_ORDERBOOK']._serialized_start=5061 - _globals['_ORDERBOOK']._serialized_end=5202 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 - _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 - _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 - _globals['_EVENTINVALIDGRANT']._serialized_start=5418 - _globals['_EVENTINVALIDGRANT']._serialized_end=5471 - _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 - _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 + _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=428 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=431 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=790 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=793 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=1115 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=1118 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1255 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1258 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1445 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1448 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1591 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1594 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1730 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1732 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1843 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1846 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=2047 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=2050 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=2269 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=2271 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=2394 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=2396 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2489 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2492 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2787 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2790 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=3018 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=3021 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=3353 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=3356 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=3507 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=3510 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3662 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3665 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3842 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3844 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3953 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3956 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=4155 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=4158 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=4453 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=4455 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=4558 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=4561 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=4787 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=4789 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4906 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4909 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=5090 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=5093 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=5380 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=5383 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=5634 + _globals['_EVENTORDERFAIL']._serialized_start=5636 + _globals['_EVENTORDERFAIL']._serialized_end=5744 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=5747 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=5895 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=5898 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=6092 + _globals['_ORDERBOOKUPDATE']._serialized_start=6094 + _globals['_ORDERBOOKUPDATE']._serialized_end=6198 + _globals['_ORDERBOOK']._serialized_start=6201 + _globals['_ORDERBOOK']._serialized_end=6375 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=6377 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=6501 + _globals['_EVENTGRANTACTIVATION']._serialized_start=6504 + _globals['_EVENTGRANTACTIVATION']._serialized_end=6633 + _globals['_EVENTINVALIDGRANT']._serialized_start=6635 + _globals['_EVENTINVALIDGRANT']._serialized_end=6706 + _globals['_EVENTORDERCANCELFAIL']._serialized_start=6709 + _globals['_EVENTORDERCANCELFAIL']._serialized_end=6880 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 512bbac9..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 6bda7c87..2d0a07bd 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/exchange.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x8f\x15\n\x06Params\x12\x65\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x1bspotMarketInstantListingFee\x12q\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R!derivativeMarketInstantListingFee\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotMakerFeeRate\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotTakerFeeRate\x12m\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeMakerFeeRate\x12m\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeTakerFeeRate\x12\x64\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultInitialMarginRatio\x12l\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultMaintenanceMarginRatio\x12\x38\n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03R\x16\x64\x65\x66\x61ultFundingInterval\x12)\n\x10\x66unding_multiple\x18\n \x01(\x03R\x0f\x66undingMultiple\x12X\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12i\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x64\x65\x66\x61ultHourlyFundingRateCap\x12\x64\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultHourlyInterestRate\x12\x44\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\rR\x1bmaxDerivativeOrderSideCount\x12s\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR#injRewardStakedRequirementThreshold\x12G\n trading_rewards_vesting_duration\x18\x10 \x01(\x03R\x1dtradingRewardsVestingDuration\x12\x64\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19liquidatorRewardShareRate\x12x\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R$binaryOptionsMarketInstantListingFee\x12\x80\x01\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevelR\x1c\x61tomicMarketOrderAccessLevel\x12x\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"spotAtomicMarketOrderFeeMultiplier\x12\x84\x01\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR(derivativeAtomicMarketOrderFeeMultiplier\x12\x8b\x01\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR+binaryOptionsAtomicMarketOrderFeeMultiplier\x12^\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16minimalProtocolFeeRate\x12[\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08R&isInstantDerivativeMarketLaunchEnabled\x12\x44\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03R\x1bpostOnlyModeHeightThreshold\x12g\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03R,marginDecreasePriceTimestampThresholdSeconds\x12\'\n\x0f\x65xchange_admins\x18\x1b \x03(\tR\x0e\x65xchangeAdmins:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"\x84\x01\n\x13MarketFeeMultiplier\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rfeeMultiplier:\x04\x88\xa0\x1f\x00\"\xec\x08\n\x10\x44\x65rivativeMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x02 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x03 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12 \n\x0bisPerpetual\x18\r \x01(\x08R\x0bisPerpetual\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x12 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xd7\x08\n\x13\x42inaryOptionsMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x02 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x03 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x07 \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x08 \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\t \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\n \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12N\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x46\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xe4\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x31\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03R\x13\x65xpirationTimestamp\x12\x30\n\x14twap_start_timestamp\x18\x03 \x01(\x03R\x12twapStartTimestamp\x12w\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"expirationTwapStartPriceCumulative\x12N\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"\xc6\x02\n\x13PerpetualMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14hourlyFundingRateCap\x12U\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x04 \x01(\x03R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x05 \x01(\x03R\x0f\x66undingInterval\"\xe3\x01\n\x16PerpetualMarketFunding\x12R\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x03R\rlastTimestamp\"\x8d\x01\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"=\n\x14NextFundingTimestamp\x12%\n\x0enext_timestamp\x18\x01 \x01(\x03R\rnextTimestamp\"\xea\x01\n\x0eMidPriceAndTOB\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xec\x05\n\nSpotMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12@\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\r \x01(\rR\x10\x61\x64minPermissions\"\xa5\x01\n\x07\x44\x65posit\x12P\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10\x61vailableBalance\x12H\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctotalBalance\",\n\x14SubaccountTradeNonce\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\xe3\x01\n\tOrderInfo\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12#\n\rfee_recipient\x18\x02 \x01(\tR\x0c\x66\x65\x65Recipient\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\x84\x02\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xcc\x02\n\x0eSpotLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\"\xd4\x02\n\x0fSpotMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x46\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12\x1d\n\norder_hash\x18\x03 \x01(\x0cR\torderHash\x12\x44\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xc7\x02\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xfc\x03\n\x1bSubaccountOrderbookMetadata\x12\x39\n\x19vanilla_limit_order_count\x18\x01 \x01(\rR\x16vanillaLimitOrderCount\x12@\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\rR\x19reduceOnlyLimitOrderCount\x12h\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x61ggregateReduceOnlyQuantity\x12\x61\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61ggregateVanillaQuantity\x12\x45\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\rR\x1cvanillaConditionalOrderCount\x12L\n#reduce_only_conditional_order_count\x18\x06 \x01(\rR\x1freduceOnlyConditionalOrderCount\"\xc3\x01\n\x0fSubaccountOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\"\n\x0cisReduceOnly\x18\x03 \x01(\x08R\x0cisReduceOnly\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\"w\n\x13SubaccountOrderData\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrderR\x05order\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\"\x8f\x03\n\x14\x44\x65rivativeLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\x95\x03\n\x15\x44\x65rivativeMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12\x44\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmarginHold\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\xc5\x02\n\x08Position\x12\x16\n\x06isLong\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"I\n\x14MarketOrderIndicator\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x02 \x01(\x08R\x05isBuy\"\xcd\x02\n\x08TradeLog\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x03 \x01(\x0cR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"\x9a\x02\n\rPositionDelta\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12R\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x65xecutionQuantity\x12N\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65xecutionMargin\x12L\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x65xecutionPrice\"\xa1\x03\n\x12\x44\x65rivativeTradeLog\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\x12\x35\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03pnl\"{\n\x12SubaccountPosition\x12@\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\"w\n\x11SubaccountDeposit\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12=\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x07\x64\x65posit\"p\n\rDepositUpdate\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDepositR\x08\x64\x65posits\"\xcc\x01\n\x10PointsMultiplier\x12[\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15makerPointsMultiplier\x12[\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15takerPointsMultiplier\"\xfe\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x35\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\tR\x14\x62oostedSpotMarketIds\x12j\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x15spotMarketMultipliers\x12\x41\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\tR\x1a\x62oostedDerivativeMarketIds\x12v\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x1b\x64\x65rivativeMarketMultipliers\"\xbc\x01\n\x12\x43\x61mpaignRewardPool\x12\'\n\x0fstart_timestamp\x18\x01 \x01(\x03R\x0estartTimestamp\x12}\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x12maxCampaignRewards\"\xa9\x02\n\x19TradingRewardCampaignInfo\x12:\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03R\x17\x63\x61mpaignDurationSeconds\x12!\n\x0cquote_denoms\x18\x02 \x03(\tR\x0bquoteDenoms\x12u\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfoR\x16tradingRewardBoostInfo\x12\x36\n\x17\x64isqualified_market_ids\x18\x04 \x03(\tR\x15\x64isqualifiedMarketIds\"\xc0\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12S\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11makerDiscountRate\x12S\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11takerDiscountRate\x12\x42\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0cstakedAmount\x12;\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"\x8c\x02\n\x13\x46\x65\x65\x44iscountSchedule\x12!\n\x0c\x62ucket_count\x18\x01 \x01(\x04R\x0b\x62ucketCount\x12\'\n\x0f\x62ucket_duration\x18\x02 \x01(\x03R\x0e\x62ucketDuration\x12!\n\x0cquote_denoms\x18\x03 \x03(\tR\x0bquoteDenoms\x12N\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\ttierInfos\x12\x36\n\x17\x64isqualified_market_ids\x18\x05 \x03(\tR\x15\x64isqualifiedMarketIds\"M\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12#\n\rttl_timestamp\x18\x02 \x01(\x03R\x0cttlTimestamp\"\x9e\x01\n\x0cVolumeRecord\x12\x46\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmakerVolume\x12\x46\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0btakerVolume\"\x91\x01\n\x0e\x41\x63\x63ountRewards\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x65\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07rewards\"\x86\x01\n\x0cTradeRecords\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Y\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\x12latestTradeRecords\"6\n\rSubaccountIDs\x12%\n\x0esubaccount_ids\x18\x01 \x03(\x0cR\rsubaccountIds\"\xa7\x01\n\x0bTradeRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"m\n\x05Level\x12\x31\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01p\x12\x31\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01q\"\x97\x01\n\x1f\x41ggregateSubaccountVolumeRecord\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"\x89\x01\n\x1c\x41ggregateAccountVolumeRecord\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"s\n\x0cMarketVolume\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"A\n\rDenomDecimals\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04R\x08\x64\x65\x63imals\"e\n\x12GrantAuthorization\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"^\n\x0b\x41\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"\x90\x01\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12I\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0fnetGrantedStake\x12\x19\n\x08is_valid\x18\x03 \x01(\x08R\x07isValid*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rExchangeProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rExchangeProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None @@ -296,116 +306,116 @@ _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 - _globals['_MARKETSTATUS']._serialized_start=12382 - _globals['_MARKETSTATUS']._serialized_end=12466 - _globals['_ORDERTYPE']._serialized_start=12469 - _globals['_ORDERTYPE']._serialized_end=12784 - _globals['_EXECUTIONTYPE']._serialized_start=12787 - _globals['_EXECUTIONTYPE']._serialized_end=12962 - _globals['_ORDERMASK']._serialized_start=12965 - _globals['_ORDERMASK']._serialized_end=13230 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=15910 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=16026 + _globals['_MARKETSTATUS']._serialized_start=16028 + _globals['_MARKETSTATUS']._serialized_end=16112 + _globals['_ORDERTYPE']._serialized_start=16115 + _globals['_ORDERTYPE']._serialized_end=16430 + _globals['_EXECUTIONTYPE']._serialized_start=16433 + _globals['_EXECUTIONTYPE']._serialized_end=16608 + _globals['_ORDERMASK']._serialized_start=16611 + _globals['_ORDERMASK']._serialized_end=16876 _globals['_PARAMS']._serialized_start=186 - _globals['_PARAMS']._serialized_end=2064 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 - _globals['_DERIVATIVEMARKET']._serialized_start=2176 - _globals['_DERIVATIVEMARKET']._serialized_end=3031 - _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 - _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 - _globals['_PERPETUALMARKETINFO']._serialized_start=4119 - _globals['_PERPETUALMARKETINFO']._serialized_end=4354 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 - _globals['_MIDPRICEANDTOB']._serialized_start=4700 - _globals['_MIDPRICEANDTOB']._serialized_end=4895 - _globals['_SPOTMARKET']._serialized_start=4898 - _globals['_SPOTMARKET']._serialized_end=5471 - _globals['_DEPOSIT']._serialized_start=5474 - _globals['_DEPOSIT']._serialized_end=5607 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 - _globals['_ORDERINFO']._serialized_start=5649 - _globals['_ORDERINFO']._serialized_end=5826 - _globals['_SPOTORDER']._serialized_start=5829 - _globals['_SPOTORDER']._serialized_end=6043 - _globals['_SPOTLIMITORDER']._serialized_start=6046 - _globals['_SPOTLIMITORDER']._serialized_end=6321 - _globals['_SPOTMARKETORDER']._serialized_start=6324 - _globals['_SPOTMARKETORDER']._serialized_end=6604 - _globals['_DERIVATIVEORDER']._serialized_start=6607 - _globals['_DERIVATIVEORDER']._serialized_end=6880 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 - _globals['_SUBACCOUNTORDER']._serialized_start=7225 - _globals['_SUBACCOUNTORDER']._serialized_end=7384 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 - _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 - _globals['_POSITION']._serialized_start=8168 - _globals['_POSITION']._serialized_end=8431 - _globals['_MARKETORDERINDICATOR']._serialized_start=8433 - _globals['_MARKETORDERINDICATOR']._serialized_end=8489 - _globals['_TRADELOG']._serialized_start=8492 - _globals['_TRADELOG']._serialized_end=8752 - _globals['_POSITIONDELTA']._serialized_start=8755 - _globals['_POSITIONDELTA']._serialized_end=8977 - _globals['_DERIVATIVETRADELOG']._serialized_start=8980 - _globals['_DERIVATIVETRADELOG']._serialized_end=9313 - _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 - _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 - _globals['_DEPOSITUPDATE']._serialized_start=9514 - _globals['_DEPOSITUPDATE']._serialized_end=9609 - _globals['_POINTSMULTIPLIER']._serialized_start=9612 - _globals['_POINTSMULTIPLIER']._serialized_end=9770 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 - _globals['_VOLUMERECORD']._serialized_start=10943 - _globals['_VOLUMERECORD']._serialized_end=11075 - _globals['_ACCOUNTREWARDS']._serialized_start=11077 - _globals['_ACCOUNTREWARDS']._serialized_end=11204 - _globals['_TRADERECORDS']._serialized_start=11206 - _globals['_TRADERECORDS']._serialized_end=11310 - _globals['_SUBACCOUNTIDS']._serialized_start=11312 - _globals['_SUBACCOUNTIDS']._serialized_end=11351 - _globals['_TRADERECORD']._serialized_start=11354 - _globals['_TRADERECORD']._serialized_end=11493 - _globals['_LEVEL']._serialized_start=11495 - _globals['_LEVEL']._serialized_end=11598 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 - _globals['_MARKETVOLUME']._serialized_start=11839 - _globals['_MARKETVOLUME']._serialized_end=11936 - _globals['_DENOMDECIMALS']._serialized_start=11938 - _globals['_DENOMDECIMALS']._serialized_end=11986 - _globals['_GRANTAUTHORIZATION']._serialized_start=11988 - _globals['_GRANTAUTHORIZATION']._serialized_end=12072 - _globals['_ACTIVEGRANT']._serialized_start=12074 - _globals['_ACTIVEGRANT']._serialized_end=12151 - _globals['_EFFECTIVEGRANT']._serialized_start=12153 - _globals['_EFFECTIVEGRANT']._serialized_end=12262 + _globals['_PARAMS']._serialized_end=2889 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2892 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=3024 + _globals['_DERIVATIVEMARKET']._serialized_start=3027 + _globals['_DERIVATIVEMARKET']._serialized_end=4159 + _globals['_BINARYOPTIONSMARKET']._serialized_start=4162 + _globals['_BINARYOPTIONSMARKET']._serialized_end=5273 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=5276 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=5632 + _globals['_PERPETUALMARKETINFO']._serialized_start=5635 + _globals['_PERPETUALMARKETINFO']._serialized_end=5961 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=5964 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=6191 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=6194 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=6335 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=6337 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=6398 + _globals['_MIDPRICEANDTOB']._serialized_start=6401 + _globals['_MIDPRICEANDTOB']._serialized_end=6635 + _globals['_SPOTMARKET']._serialized_start=6638 + _globals['_SPOTMARKET']._serialized_end=7386 + _globals['_DEPOSIT']._serialized_start=7389 + _globals['_DEPOSIT']._serialized_end=7554 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=7556 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=7600 + _globals['_ORDERINFO']._serialized_start=7603 + _globals['_ORDERINFO']._serialized_end=7830 + _globals['_SPOTORDER']._serialized_start=7833 + _globals['_SPOTORDER']._serialized_end=8093 + _globals['_SPOTLIMITORDER']._serialized_start=8096 + _globals['_SPOTLIMITORDER']._serialized_end=8428 + _globals['_SPOTMARKETORDER']._serialized_start=8431 + _globals['_SPOTMARKETORDER']._serialized_end=8771 + _globals['_DERIVATIVEORDER']._serialized_start=8774 + _globals['_DERIVATIVEORDER']._serialized_end=9101 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=9104 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=9612 + _globals['_SUBACCOUNTORDER']._serialized_start=9615 + _globals['_SUBACCOUNTORDER']._serialized_end=9810 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=9812 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=9931 + _globals['_DERIVATIVELIMITORDER']._serialized_start=9934 + _globals['_DERIVATIVELIMITORDER']._serialized_end=10333 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=10336 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=10741 + _globals['_POSITION']._serialized_start=10744 + _globals['_POSITION']._serialized_end=11069 + _globals['_MARKETORDERINDICATOR']._serialized_start=11071 + _globals['_MARKETORDERINDICATOR']._serialized_end=11144 + _globals['_TRADELOG']._serialized_start=11147 + _globals['_TRADELOG']._serialized_end=11480 + _globals['_POSITIONDELTA']._serialized_start=11483 + _globals['_POSITIONDELTA']._serialized_end=11765 + _globals['_DERIVATIVETRADELOG']._serialized_start=11768 + _globals['_DERIVATIVETRADELOG']._serialized_end=12185 + _globals['_SUBACCOUNTPOSITION']._serialized_start=12187 + _globals['_SUBACCOUNTPOSITION']._serialized_end=12310 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=12312 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=12431 + _globals['_DEPOSITUPDATE']._serialized_start=12433 + _globals['_DEPOSITUPDATE']._serialized_end=12545 + _globals['_POINTSMULTIPLIER']._serialized_start=12548 + _globals['_POINTSMULTIPLIER']._serialized_end=12752 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=12755 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=13137 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=13140 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=13328 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=13331 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=13628 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=13631 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=13951 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=13954 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=14222 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=14224 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=14301 + _globals['_VOLUMERECORD']._serialized_start=14304 + _globals['_VOLUMERECORD']._serialized_end=14462 + _globals['_ACCOUNTREWARDS']._serialized_start=14465 + _globals['_ACCOUNTREWARDS']._serialized_end=14610 + _globals['_TRADERECORDS']._serialized_start=14613 + _globals['_TRADERECORDS']._serialized_end=14747 + _globals['_SUBACCOUNTIDS']._serialized_start=14749 + _globals['_SUBACCOUNTIDS']._serialized_end=14803 + _globals['_TRADERECORD']._serialized_start=14806 + _globals['_TRADERECORD']._serialized_end=14973 + _globals['_LEVEL']._serialized_start=14975 + _globals['_LEVEL']._serialized_end=15084 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=15087 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=15238 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=15241 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=15378 + _globals['_MARKETVOLUME']._serialized_start=15380 + _globals['_MARKETVOLUME']._serialized_end=15495 + _globals['_DENOMDECIMALS']._serialized_start=15497 + _globals['_DENOMDECIMALS']._serialized_end=15562 + _globals['_GRANTAUTHORIZATION']._serialized_start=15564 + _globals['_GRANTAUTHORIZATION']._serialized_end=15665 + _globals['_ACTIVEGRANT']._serialized_start=15667 + _globals['_ACTIVEGRANT']._serialized_end=15761 + _globals['_EFFECTIVEGRANT']._serialized_start=15764 + _globals['_EFFECTIVEGRANT']._serialized_end=15908 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 04af743b..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index cf0273a2..39eab950 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xab\x1d\n\x0cGenesisState\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12I\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x0bspotMarkets\x12[\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x11\x64\x65rivativeMarkets\x12V\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00R\rspotOrderbook\x12h\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00R\x13\x64\x65rivativeOrderbook\x12\x45\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\x12R\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\tpositions\x12i\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00R\x15subaccountTradeNonces\x12\x86\x01\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00R\x1c\x65xpiryFuturesMarketInfoState\x12i\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x13perpetualMarketInfo\x12\x82\x01\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00R\x1bperpetualMarketFundingState\x12\x95\x01\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00R#derivativeMarketSettlementScheduled\x12\x37\n\x18is_spot_exchange_enabled\x18\r \x01(\x08R\x15isSpotExchangeEnabled\x12\x45\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08R\x1cisDerivativesExchangeEnabled\x12v\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12\x92\x01\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\"tradingRewardCampaignAccountPoints\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\x12w\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTLR\x19\x66\x65\x65\x44iscountAccountTierTtl\x12\x89\x01\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccountsR\x1f\x66\x65\x65\x44iscountBucketVolumeAccounts\x12<\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08R\x17isFirstFeeCycleFinished\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12\xa8\x01\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPointsR)pendingTradingRewardCampaignAccountPoints\x12\x39\n\x19rewards_opt_out_addresses\x18\x18 \x03(\tR\x16rewardsOptOutAddresses\x12\x62\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x16historicalTradeRecords\x12\x65\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x14\x62inaryOptionsMarkets\x12h\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\tR,binaryOptionsMarketIdsScheduledForSettlement\x12T\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\tR\"spotMarketIdsScheduledToForceClose\x12V\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\x12\x86\x01\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBookR\x1f\x63onditionalDerivativeOrderbooks\x12\x65\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\x12^\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequenceR\x12orderbookSequences\x12j\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecordR\x11subaccountVolumes\x12O\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\x12\x66\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizationsR\x13grantAuthorizations\x12P\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrantR\x0c\x61\x63tiveGrants\"L\n\x11OrderbookSequence\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x80\x01\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12I\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\x07tierTtl\"\xa9\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x34\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03R\x14\x62ucketStartTimestamp\x12P\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolumeR\raccountVolume\"f\n\rAccountVolume\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"{\n\"TradingRewardCampaignAccountPoints\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06points\"\xd1\x01\n)TradingRewardCampaignAccountPendingPoints\x12=\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03R\x18rewardPoolStartTimestamp\x12\x65\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\raccountPoints\"\x98\x01\n\rSpotOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12\x42\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa4\x01\n\x13\x44\x65rivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12H\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x03\n\x1e\x43onditionalDerivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0elimitBuyOrders\x12]\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x0fmarketBuyOrders\x12\\\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0flimitSellOrders\x12_\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x10marketSellOrders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8f\x01\n\x07\x42\x61lance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12?\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x01\n\x12\x44\x65rivativePosition\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12@\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n\x0fSubaccountNonce\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12l\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00R\x14subaccountTradeNonce:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x1c\x45xpiryFuturesMarketInfoState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12T\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoR\nmarketInfo\"\x88\x01\n\x1bPerpetualMarketFundingState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x07\x66unding\"\x8b\x02\n\x17\x46ullGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12K\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x41\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03R\x1alastDelegationsCheckedTime\x12\x46\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"w\n\x0f\x46ullActiveGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12J\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x0b\x61\x63tiveGrantB\x88\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0cGenesisProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\014GenesisProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._loaded_options = None @@ -68,37 +78,37 @@ _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=3031 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 - _globals['_ACCOUNTVOLUME']._serialized_start=3338 - _globals['_ACCOUNTVOLUME']._serialized_end=3423 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 - _globals['_SPOTORDERBOOK']._serialized_start=3704 - _globals['_SPOTORDERBOOK']._serialized_end=3827 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 - _globals['_BALANCE']._serialized_start=4341 - _globals['_BALANCE']._serialized_end=4453 - _globals['_DERIVATIVEPOSITION']._serialized_start=4456 - _globals['_DERIVATIVEPOSITION']._serialized_end=4584 - _globals['_SUBACCOUNTNONCE']._serialized_start=4587 - _globals['_SUBACCOUNTNONCE']._serialized_end=4725 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 - _globals['_FULLACTIVEGRANT']._serialized_start=5178 - _globals['_FULLACTIVEGRANT']._serialized_end=5275 + _globals['_GENESISSTATE']._serialized_end=3930 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=3932 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=4008 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=4011 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=4139 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=4142 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=4311 + _globals['_ACCOUNTVOLUME']._serialized_start=4313 + _globals['_ACCOUNTVOLUME']._serialized_end=4415 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=4417 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=4540 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=4543 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=4752 + _globals['_SPOTORDERBOOK']._serialized_start=4755 + _globals['_SPOTORDERBOOK']._serialized_end=4907 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=4910 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=5074 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=5077 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=5526 + _globals['_BALANCE']._serialized_start=5529 + _globals['_BALANCE']._serialized_end=5672 + _globals['_DERIVATIVEPOSITION']._serialized_start=5675 + _globals['_DERIVATIVEPOSITION']._serialized_end=5837 + _globals['_SUBACCOUNTNONCE']._serialized_start=5840 + _globals['_SUBACCOUNTNONCE']._serialized_end=6014 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=6017 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=6162 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=6165 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=6301 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=6304 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=6571 + _globals['_FULLACTIVEGRANT']._serialized_start=6573 + _globals['_FULLACTIVEGRANT']._serialized_end=6692 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2ead22e3..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 9ae28250..c53c01fc 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd3\x06\n\x1dSpotMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12@\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12\x1c\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xcc\x01\n\x16\x45xchangeEnableProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12L\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeTypeR\x0c\x65xchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\r\n!BatchExchangeModificationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x85\x01\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposalR\x1espotMarketParamUpdateProposals\x12\x97\x01\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposalR$derivativeMarketParamUpdateProposals\x12u\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposalR\x19spotMarketLaunchProposals\x12\x84\x01\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposalR\x1eperpetualMarketLaunchProposals\x12\x91\x01\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposalR\"expiryFuturesMarketLaunchProposals\x12\x95\x01\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposalR#tradingRewardCampaignUpdateProposal\x12\x91\x01\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposalR\"binaryOptionsMarketLaunchProposals\x12\x94\x01\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposalR!binaryOptionsParamUpdateProposals\x12|\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposalR\x1b\x64\x65nomDecimalsUpdateProposal\x12\x63\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposalR\x13\x66\x65\x65\x44iscountProposal\x12\x87\x01\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposalR\x1fmarketForcedSettlementProposals:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xca\x05\n\x18SpotMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x05 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x46\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xa6\x08\n\x1dPerpetualMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12U\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xe5\x07\n!BinaryOptionsMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\n \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0b \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x11 \x01(\rR\x10\x61\x64minPermissions:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xc6\x08\n!ExpiryFuturesMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\t \x01(\x03R\x06\x65xpiry\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x92\n\n#DerivativeMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12S\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12HourlyInterestRate\x12W\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14HourlyFundingRateCap\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12M\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"N\n\tAdminInfo\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x02 \x01(\rR\x10\x61\x64minPermissions\"\x99\x02\n\x1eMarketForcedSettlementProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xf8\x01\n\x1bUpdateDenomDecimalsProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12P\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsR\rdenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xc2\x08\n&BinaryOptionsMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12N\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12U\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\xc1\x01\n\x14ProviderOracleParams\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xc9\x01\n\x0cOracleParams\x12\x1f\n\x0boracle_base\x18\x01 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x02 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xf6\x02\n#TradingRewardCampaignLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xfc\x03\n#TradingRewardCampaignUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12u\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1c\x63\x61mpaignRewardPoolsAdditions\x12q\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1a\x63\x61mpaignRewardPoolsUpdates:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"\x80\x01\n\x11RewardPointUpdate\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tnewPoints\"\xd7\x02\n(TradingRewardPendingPointsUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x16pending_pool_timestamp\x18\x03 \x01(\x03R\x14pendingPoolTimestamp\x12_\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdateR\x12rewardPointUpdates:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xe3\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\x85\x02\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposalR\tproposals:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\xb3\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x65\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rProposalProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rProposalProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None @@ -174,48 +184,48 @@ _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' - _globals['_EXCHANGETYPE']._serialized_start=10062 - _globals['_EXCHANGETYPE']._serialized_end=10182 + _globals['_EXCHANGETYPE']._serialized_start=12535 + _globals['_EXCHANGETYPE']._serialized_end=12655 _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 - _globals['_ADMININFO']._serialized_start=6564 - _globals['_ADMININFO']._serialized_end=6617 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 - _globals['_ORACLEPARAMS']._serialized_start=8086 - _globals['_ORACLEPARAMS']._serialized_end=8231 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 - _globals['_REWARDPOINTUPDATE']._serialized_start=8974 - _globals['_REWARDPOINTUPDATE']._serialized_end=9075 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1180 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1183 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1387 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1390 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=3076 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=3079 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3793 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3796 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=4858 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=4861 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=5858 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=5861 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=6955 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=6958 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=8256 + _globals['_ADMININFO']._serialized_start=8258 + _globals['_ADMININFO']._serialized_end=8336 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=8339 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=8620 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=8623 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=8871 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=8874 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=9964 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=9967 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=10160 + _globals['_ORACLEPARAMS']._serialized_start=10163 + _globals['_ORACLEPARAMS']._serialized_end=10364 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=10367 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=10741 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=10744 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=11252 + _globals['_REWARDPOINTUPDATE']._serialized_start=11255 + _globals['_REWARDPOINTUPDATE']._serialized_end=11383 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=11386 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=11729 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=11732 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=11959 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=11962 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=12223 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=12226 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=12533 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index e392ca56..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index d6d3ffa1..01e365b8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"O\n\nSubaccount\x12\x16\n\x06trader\x18\x01 \x01(\tR\x06trader\x12)\n\x10subaccount_nonce\x18\x02 \x01(\rR\x0fsubaccountNonce\"`\n\x1cQuerySubaccountOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\xc1\x01\n\x1dQuerySubaccountOrdersResponse\x12N\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\tbuyOrders\x12P\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\nsellOrders\"\xaf\x01\n%SubaccountOrderbookMetadataWithMarket\x12S\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadataR\x08metadata\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x03 \x01(\x08R\x05isBuy\"\x1c\n\x1aQueryExchangeParamsRequest\"_\n\x1bQueryExchangeParamsResponse\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x93\x01\n\x1eQuerySubaccountDepositsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12L\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01R\nsubaccount\"\xea\x01\n\x1fQuerySubaccountDepositsResponse\x12\x65\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntryR\x08\x64\x65posits\x1a`\n\rDepositsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x39\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x05value:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"f\n\x1dQueryExchangeBalancesResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\"7\n\x1bQueryAggregateVolumeRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"u\n\x1cQueryAggregateVolumeResponse\x12U\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x10\x61ggregateVolumes\"Y\n\x1cQueryAggregateVolumesRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\xf9\x01\n\x1dQueryAggregateVolumesResponse\x12t\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecordR\x17\x61ggregateAccountVolumes\x12\x62\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x16\x61ggregateMarketVolumes\"@\n!QueryAggregateMarketVolumeRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"l\n\"QueryAggregateMarketVolumeResponse\x12\x46\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"0\n\x18QueryDenomDecimalRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"5\n\x19QueryDenomDecimalResponse\x12\x18\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04R\x07\x64\x65\x63imal\"3\n\x19QueryDenomDecimalsRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"t\n\x1aQueryDenomDecimalsResponse\x12V\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\"C\n\"QueryAggregateMarketVolumesRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"i\n#QueryAggregateMarketVolumesResponse\x12\x42\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x07volumes\"Z\n\x1dQuerySubaccountDepositRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"a\n\x1eQuerySubaccountDepositResponse\x12?\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits\"P\n\x17QuerySpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\\\n\x18QuerySpotMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x07markets\"5\n\x16QuerySpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"Y\n\x17QuerySpotMarketResponse\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\"\xd6\x02\n\x19QuerySpotOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12\x44\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSideR\torderSide\x12_\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\x12_\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeQuantity\"\xb8\x01\n\x1aQuerySpotOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\xad\x01\n\x0e\x46ullSpotMarket\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\x12[\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTob\"\x88\x01\n\x1bQueryFullSpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"d\n\x1cQueryFullSpotMarketsResponse\x12\x44\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x07markets\"m\n\x1aQueryFullSpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x32\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08R\x12withMidPriceAndTob\"a\n\x1bQueryFullSpotMarketResponse\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x06market\"\x85\x01\n\x1eQuerySpotOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"l\n\x1fQuerySpotOrdersByHashesResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"`\n\x1cQueryTraderSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"l\n$QueryAccountAddressSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x9b\x02\n\x15TrimmedSpotLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x14\n\x05isBuy\x18\x04 \x01(\x08R\x05isBuy\x12\x1d\n\norder_hash\x18\x05 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id\"j\n\x1dQueryTraderSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"r\n%QueryAccountAddressSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"=\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\xfb\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"C\n$QueryDerivativeMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\x81\x02\n%QueryDerivativeMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xb5\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12_\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\"\xbe\x01\n QueryDerivativeOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\x9c\x03\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x44\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nbaseAmount\x12\x46\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"\xdc\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x46\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"f\n\"QueryTraderDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"r\n*QueryAccountAddressDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xe9\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12\x1d\n\norder_hash\x18\x06 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"v\n#QueryTraderDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"~\n+QueryAccountAddressDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8b\x01\n$QueryDerivativeOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"x\n%QueryDerivativeOrdersByHashesResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8a\x01\n\x1dQueryDerivativeMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"\x88\x01\n\nPriceLevel\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"\xbf\x01\n\x14PerpetualMarketState\x12P\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoR\nmarketInfo\x12U\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x0b\x66undingInfo\"\xba\x03\n\x14\x46ullDerivativeMarket\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x06market\x12Y\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00R\rperpetualInfo\x12X\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00R\x0b\x66uturesInfo\x12\x42\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\x12[\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTobB\x06\n\x04info\"l\n\x1eQueryDerivativeMarketsResponse\x12J\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x07markets\";\n\x1cQueryDerivativeMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"i\n\x1dQueryDerivativeMarketResponse\x12H\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x06market\"B\n#QueryDerivativeMarketAddressRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"e\n$QueryDerivativeMarketAddressResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"G\n QuerySubaccountTradeNonceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"F\n\x1fQuerySubaccountPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"j\n&QuerySubaccountPositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"s\n/QuerySubaccountEffectivePositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"J\n#QuerySubaccountOrderMetadataRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"n\n QuerySubaccountPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"k\n\'QuerySubaccountPositionInMarketResponse\x12@\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01R\x05state\"\x83\x02\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12N\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65\x66\x66\x65\x63tiveMargin\"}\n0QuerySubaccountEffectivePositionInMarketResponse\x12I\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01R\x05state\">\n\x1fQueryPerpetualMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"m\n QueryPerpetualMarketInfoResponse\x12I\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"B\n#QueryExpiryFuturesMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n$QueryExpiryFuturesMarketInfoResponse\x12M\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"A\n\"QueryPerpetualMarketFundingRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n#QueryPerpetualMarketFundingResponse\x12N\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x05state\"\x8b\x01\n$QuerySubaccountOrderMetadataResponse\x12\x63\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00R\x08metadata\"9\n!QuerySubaccountTradeNonceResponse\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\x19\n\x17QueryModuleStateRequest\"Z\n\x18QueryModuleStateResponse\x12>\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisStateR\x05state\"\x17\n\x15QueryPositionsRequest\"d\n\x16QueryPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"q\n\x1dQueryTradeRewardPointsRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x34\n\x16pending_pool_timestamp\x18\x02 \x01(\x03R\x14pendingPoolTimestamp\"\x84\x01\n\x1eQueryTradeRewardPointsResponse\x12\x62\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61\x63\x63ountTradeRewardPoints\"!\n\x1fQueryTradeRewardCampaignRequest\"\xfe\x04\n QueryTradeRewardCampaignResponse\x12v\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12^\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16totalTradeRewardPoints\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12m\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dpendingTotalTradeRewardPoints\";\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"D\n QueryIsOptedOutOfRewardsResponse\x12 \n\x0cis_opted_out\x18\x01 \x01(\x08R\nisOptedOut\"\'\n%QueryOptedOutOfRewardsAccountsRequest\"D\n&QueryOptedOutOfRewardsAccountsResponse\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\">\n\"QueryFeeDiscountAccountInfoRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"\xe9\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x1d\n\ntier_level\x18\x01 \x01(\x04R\ttierLevel\x12R\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\x0b\x61\x63\x63ountInfo\x12O\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\naccountTtl\"!\n\x1fQueryFeeDiscountScheduleRequest\"\x87\x01\n QueryFeeDiscountScheduleResponse\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\"@\n\x1dQueryBalanceMismatchesRequest\x12\x1f\n\x0b\x64ust_factor\x18\x01 \x01(\x03R\ndustFactor\"\xa2\x03\n\x0f\x42\x61lanceMismatch\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12J\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rexpectedTotal\x12\x43\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\ndifference\"|\n\x1eQueryBalanceMismatchesResponse\x12Z\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatchR\x11\x62\x61lanceMismatches\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x97\x02\n\x15\x42\x61lanceWithMarginHold\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\"\x96\x01\n$QueryBalanceWithBalanceHoldsResponse\x12n\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHoldR\x17\x62\x61lanceWithBalanceHolds\"\'\n%QueryFeeDiscountTierStatisticsRequest\"9\n\rTierStatistic\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"s\n&QueryFeeDiscountTierStatisticsResponse\x12I\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatisticR\nstatistics\"\x17\n\x15MitoVaultInfosRequest\"\xc4\x01\n\x16MitoVaultInfosResponse\x12)\n\x10master_addresses\x18\x01 \x03(\tR\x0fmasterAddresses\x12\x31\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\tR\x13\x64\x65rivativeAddresses\x12%\n\x0espot_addresses\x18\x03 \x03(\tR\rspotAddresses\x12%\n\x0e\x63w20_addresses\x18\x04 \x03(\tR\rcw20Addresses\"D\n\x1dQueryMarketIDFromVaultRequest\x12#\n\rvault_address\x18\x01 \x01(\tR\x0cvaultAddress\"=\n\x1eQueryMarketIDFromVaultResponse\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"A\n\"QueryHistoricalTradeRecordsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"t\n#QueryHistoricalTradeRecordsResponse\x12M\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x0ctradeRecords\"\xb7\x01\n\x13TradeHistoryOptions\x12,\n\x12trade_grouping_sec\x18\x01 \x01(\x04R\x10tradeGroupingSec\x12\x17\n\x07max_age\x18\x02 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x04 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x05 \x01(\x08R\x0fincludeMetadata\"\xa0\x01\n\x1cQueryMarketVolatilityRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x63\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptionsR\x13tradeHistoryOptions\"\x83\x02\n\x1dQueryMarketVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12H\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\nrawHistory\"3\n\x19QueryBinaryMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"g\n\x1aQueryBinaryMarketsResponse\x12I\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x07markets\"q\n-QueryTraderDerivativeConditionalOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x9e\x03\n!TrimmedDerivativeConditionalOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12G\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12%\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimitR\x07isLimit\x12\x1d\n\norder_hash\x18\x07 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x08 \x01(\tR\x03\x63id\"\x87\x01\n.QueryTraderDerivativeConditionalOrdersResponse\x12U\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrderR\x06orders\"M\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"v\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x43\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmultiplier\"8\n\x1cQueryActiveStakeGrantRequest\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\"\xb3\x01\n\x1dQueryActiveStakeGrantResponse\x12=\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x05grant\x12S\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrantR\x0e\x65\x66\x66\x65\x63tiveGrant\"T\n\x1eQueryGrantAuthorizationRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\"X\n\x1fQueryGrantAuthorizationResponse\x12\x35\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\";\n\x1fQueryGrantAuthorizationsRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\"\xb7\x01\n QueryGrantAuthorizationsResponse\x12K\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}B\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nQueryProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nQueryProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._loaded_options = None @@ -277,272 +287,272 @@ _globals['_QUERY'].methods_by_name['GrantAuthorization']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}' _globals['_QUERY'].methods_by_name['GrantAuthorizations']._loaded_options = None _globals['_QUERY'].methods_by_name['GrantAuthorizations']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/grant_authorizations/{granter}' - _globals['_ORDERSIDE']._serialized_start=14580 - _globals['_ORDERSIDE']._serialized_end=14632 - _globals['_CANCELLATIONSTRATEGY']._serialized_start=14634 - _globals['_CANCELLATIONSTRATEGY']._serialized_end=14720 + _globals['_ORDERSIDE']._serialized_start=17324 + _globals['_ORDERSIDE']._serialized_end=17376 + _globals['_CANCELLATIONSTRATEGY']._serialized_start=17378 + _globals['_CANCELLATIONSTRATEGY']._serialized_end=17464 _globals['_SUBACCOUNT']._serialized_start=246 - _globals['_SUBACCOUNT']._serialized_end=300 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=302 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=374 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=377 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=547 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=550 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=698 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=700 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=728 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=730 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=817 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=819 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=940 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=943 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1155 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1071 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1155 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1157 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1187 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1189 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1281 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1283 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1329 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1331 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1430 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1432 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1500 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1503 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1703 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1705 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=1759 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=1761 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=1861 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=1863 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=1904 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=1906 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=1950 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=1952 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=1995 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=1997 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2098 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2100 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2156 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2158 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2254 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2256 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2325 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2327 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2414 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2416 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2477 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2479 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2562 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2564 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=2607 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=2609 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=2690 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=2693 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2957 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2960 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3111 - _globals['_FULLSPOTMARKET']._serialized_start=3114 - _globals['_FULLSPOTMARKET']._serialized_end=3263 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3265 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3362 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3364 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3455 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3457 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3536 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3538 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3627 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3629 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3725 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3727 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3827 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3829 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3901 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3903 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=3985 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=3988 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4221 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4223 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4321 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4323 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4429 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4431 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4482 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4485 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4697 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4699 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4756 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4759 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=4977 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=4980 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5119 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5122 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5279 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5282 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5619 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5622 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5907 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=5909 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=5987 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=5989 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6077 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6080 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6383 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6385 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6495 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6497 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6615 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6617 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6719 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6721 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=6833 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=6835 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=6934 - _globals['_PRICELEVEL']._serialized_start=6936 - _globals['_PRICELEVEL']._serialized_end=7055 - _globals['_PERPETUALMARKETSTATE']._serialized_start=7058 - _globals['_PERPETUALMARKETSTATE']._serialized_end=7224 - _globals['_FULLDERIVATIVEMARKET']._serialized_start=7227 - _globals['_FULLDERIVATIVEMARKET']._serialized_end=7606 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7608 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7707 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7709 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7758 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7760 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=7857 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=7859 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=7915 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=7917 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=7995 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=7997 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8054 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8056 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8112 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8114 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8196 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8198 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8289 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8291 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8351 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8353 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8456 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8458 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8558 - _globals['_EFFECTIVEPOSITION']._serialized_start=8561 - _globals['_EFFECTIVEPOSITION']._serialized_end=8773 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=8775 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=8893 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=8895 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=8947 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=8949 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9052 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9054 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9110 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9112 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9223 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9225 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9280 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9282 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9392 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9395 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9524 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9526 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9576 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9578 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9603 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9605 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9688 - _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9690 - _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9713 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9715 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=9808 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=9810 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=9891 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=9893 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=9999 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10001 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10034 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10037 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10514 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10516 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10566 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10568 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10624 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10626 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10665 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10667 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=10725 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=10727 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=10780 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=10783 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=10980 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=10982 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11015 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11017 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11131 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11133 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11185 - _globals['_BALANCEMISMATCH']._serialized_start=11188 - _globals['_BALANCEMISMATCH']._serialized_end=11527 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11529 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11634 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11636 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=11673 - _globals['_BALANCEWITHMARGINHOLD']._serialized_start=11676 - _globals['_BALANCEWITHMARGINHOLD']._serialized_end=11903 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=11905 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12030 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12032 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12071 - _globals['_TIERSTATISTIC']._serialized_start=12073 - _globals['_TIERSTATISTIC']._serialized_end=12117 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12119 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12222 - _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12224 - _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12247 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12250 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12378 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12380 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12434 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12436 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12487 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12489 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12544 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12546 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=12648 - _globals['_TRADEHISTORYOPTIONS']._serialized_start=12650 - _globals['_TRADEHISTORYOPTIONS']._serialized_end=12771 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=12774 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=12903 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=12906 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13124 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13126 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13169 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13171 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13265 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13267 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13356 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13359 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=13702 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=13704 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=13831 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=13833 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=13900 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=13902 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14008 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=14010 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=14057 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=14060 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=14216 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=14218 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=14284 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=14286 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=14366 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=14368 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=14418 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=14421 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=14578 - _globals['_QUERY']._serialized_start=14723 - _globals['_QUERY']._serialized_end=27728 + _globals['_SUBACCOUNT']._serialized_end=325 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=327 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=423 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=426 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=619 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=622 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=797 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=799 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=827 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=829 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=924 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=927 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=1074 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=1077 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1311 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1215 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1311 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1313 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1343 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1345 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1447 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1449 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1504 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1506 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1623 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1625 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1714 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1717 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1966 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1968 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=2032 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=2034 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=2142 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=2144 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=2192 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=2194 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=2247 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=2249 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=2300 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=2302 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2418 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2420 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2487 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2489 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2594 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2596 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2686 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2688 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2785 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2787 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2867 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2869 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2961 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2963 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=3016 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=3018 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=3107 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=3110 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=3452 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=3455 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3639 + _globals['_FULLSPOTMARKET']._serialized_start=3642 + _globals['_FULLSPOTMARKET']._serialized_end=3815 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3818 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3954 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3956 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=4056 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=4058 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=4167 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=4169 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=4266 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=4269 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=4402 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=4404 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=4512 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=4514 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=4610 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=4612 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=4720 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=4723 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=5006 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=5008 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=5114 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=5116 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=5230 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=5232 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=5293 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=5296 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=5547 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=5549 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=5616 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=5619 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=5876 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=5879 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=6060 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=6063 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=6253 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6256 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=6668 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6671 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=7019 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=7021 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=7123 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=7125 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=7239 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=7242 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=7603 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=7605 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=7723 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=7725 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=7851 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=7854 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=7993 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=7995 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=8115 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=8118 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=8256 + _globals['_PRICELEVEL']._serialized_start=8259 + _globals['_PRICELEVEL']._serialized_end=8395 + _globals['_PERPETUALMARKETSTATE']._serialized_start=8398 + _globals['_PERPETUALMARKETSTATE']._serialized_end=8589 + _globals['_FULLDERIVATIVEMARKET']._serialized_start=8592 + _globals['_FULLDERIVATIVEMARKET']._serialized_end=9034 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=9036 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=9144 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=9146 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=9205 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=9207 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=9312 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=9314 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=9380 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=9382 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=9483 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=9485 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=9556 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=9558 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=9628 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=9630 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=9736 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=9738 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=9853 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=9855 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=9929 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=9931 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=10041 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=10043 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=10150 + _globals['_EFFECTIVEPOSITION']._serialized_start=10153 + _globals['_EFFECTIVEPOSITION']._serialized_end=10412 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=10414 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=10539 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=10541 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=10603 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=10605 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=10714 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=10716 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=10782 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=10784 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=10901 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=10903 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=10968 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=10970 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=11087 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=11090 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=11229 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=11231 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=11288 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=11290 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=11315 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=11317 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=11407 + _globals['_QUERYPOSITIONSREQUEST']._serialized_start=11409 + _globals['_QUERYPOSITIONSREQUEST']._serialized_end=11432 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=11434 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=11534 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=11536 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=11649 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=11652 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=11784 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=11786 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=11819 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=11822 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=12460 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=12462 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=12521 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=12523 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=12591 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=12593 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=12632 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=12634 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=12702 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=12704 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=12766 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=12769 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=13002 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=13004 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=13037 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=13040 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=13175 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=13177 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=13241 + _globals['_BALANCEMISMATCH']._serialized_start=13244 + _globals['_BALANCEMISMATCH']._serialized_end=13662 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=13664 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=13788 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=13790 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=13827 + _globals['_BALANCEWITHMARGINHOLD']._serialized_start=13830 + _globals['_BALANCEWITHMARGINHOLD']._serialized_end=14109 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=14112 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=14262 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=14264 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=14303 + _globals['_TIERSTATISTIC']._serialized_start=14305 + _globals['_TIERSTATISTIC']._serialized_end=14362 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=14364 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=14479 + _globals['_MITOVAULTINFOSREQUEST']._serialized_start=14481 + _globals['_MITOVAULTINFOSREQUEST']._serialized_end=14504 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=14507 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=14703 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=14705 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=14773 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=14775 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=14836 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=14838 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=14903 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=14905 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=15021 + _globals['_TRADEHISTORYOPTIONS']._serialized_start=15024 + _globals['_TRADEHISTORYOPTIONS']._serialized_end=15207 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=15210 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=15370 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=15373 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=15632 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=15634 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=15685 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=15687 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=15790 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=15792 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=15905 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=15908 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=16322 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=16325 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=16460 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=16462 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=16539 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=16541 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=16659 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=16661 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=16717 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=16720 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=16899 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=16901 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=16985 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=16987 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=17075 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=17077 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=17136 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=17139 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=17322 + _globals['_QUERY']._serialized_start=17467 + _globals['_QUERY']._serialized_end=30472 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index b53eac19..c5aa407e 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 4c87a127..5eab3485 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xa7\x03\n\x13MsgUpdateSpotMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xf7\x04\n\x19MsgUpdateDerivativeMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional\x12\\\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15newInitialMarginRatio\x12\x64\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19newMaintenanceMarginRatio:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xb8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12@\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaf\x01\n\nMsgDeposit\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xb1\x01\n\x0bMsgWithdraw\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\xae\x01\n\x17MsgCreateSpotLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"\\\n\x1fMsgCreateSpotLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x43\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x06orders:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\xb2\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x03\n\x1aMsgInstantSpotMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x03 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xb1\x07\n\x1fMsgInstantPerpetualMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\x89\x07\n#MsgInstantBinaryOptionsMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x03 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x04 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12I\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0c \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xd1\x07\n#MsgInstantExpiryFuturesMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x16\n\x06\x65xpiry\x18\x08 \x01(\x03R\x06\x65xpiry\x12I\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xb0\x01\n\x18MsgCreateSpotMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\xb1\x01\n MsgCreateSpotMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12R\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x16SpotMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"b\n%MsgCreateDerivativeLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"e\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12I\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x06orders:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\xb8\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd0\x01\n\x12MsgCancelSpotOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\xaa\x01\n\x18MsgBatchCancelSpotOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"F\n MsgBatchCancelSpotOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"O\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x07\n\x14MsgBatchUpdateOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12?\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\tR\x18spotMarketIdsToCancelAll\x12K\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\tR\x1e\x64\x65rivativeMarketIdsToCancelAll\x12^\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCancel\x12j\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCancel\x12^\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCreate\x12p\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCreate\x12q\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCancel\x12R\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\tR!binaryOptionsMarketIdsToCancelAll\x12w\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCreate:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\x88\x06\n\x1cMsgBatchUpdateOrdersResponse\x12.\n\x13spot_cancel_success\x18\x01 \x03(\x08R\x11spotCancelSuccess\x12:\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08R\x17\x64\x65rivativeCancelSuccess\x12*\n\x11spot_order_hashes\x18\x03 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\tR\x15\x64\x65rivativeOrderHashes\x12\x41\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08R\x1a\x62inaryOptionsCancelSuccess\x12=\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\tR\x18\x62inaryOptionsOrderHashes\x12\x37\n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\tR\x15\x63reatedSpotOrdersCids\x12\x35\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\tR\x14\x66\x61iledSpotOrdersCids\x12\x43\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\tR\x1b\x63reatedDerivativeOrdersCids\x12\x41\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\tR\x1a\x66\x61iledDerivativeOrdersCids\x12J\n\"created_binary_options_orders_cids\x18\x0b \x03(\tR\x1e\x63reatedBinaryOptionsOrdersCids\x12H\n!failed_binary_options_orders_cids\x18\x0c \x03(\tR\x1d\x66\x61iledBinaryOptionsOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xbd\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12V\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00R\rpositionDelta\x12;\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc4\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xc0\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xfb\x01\n\x18MsgCancelDerivativeOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\x81\x02\n\x1bMsgCancelBinaryOptionsOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"\x9d\x01\n\tOrderData\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x04 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\xb6\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"L\n&MsgBatchCancelDerivativeOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x02\n\x15MsgSubaccountTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\x82\x02\n\x13MsgExternalTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xe8\x01\n\x14MsgLiquidatePosition\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12G\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x05order:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\xa7\x01\n\x18MsgEmergencySettleMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xaf\x02\n\x19MsgIncreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xaf\x02\n\x19MsgDecreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xca\x01\n\x1cMsgPrivilegedExecuteContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05\x66unds\x18\x02 \x01(\tR\x05\x66unds\x12)\n\x10\x63ontract_address\x18\x03 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\tR\x04\x64\x61ta:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\xa7\x01\n$MsgPrivilegedExecuteContractResponse\x12j\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tfundsDiff:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"]\n\x10MsgRewardsOptOut\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\xaf\x01\n\x15MsgReclaimLockedFunds\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x13lockedAccountPubKey\x18\x02 \x01(\x0cR\x13lockedAccountPubKey\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"\x80\x01\n\x0bMsgSignData\x12S\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddressR\x06Signer\x12\x1c\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x44\x61ta\"x\n\nMsgSignDoc\x12%\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04typeR\x08signType\x12\x43\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00R\x05value\"\x8c\x03\n!MsgAdminUpdateBinaryOptionsMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x31\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x05 \x01(\x03R\x13settlementTimestamp\x12@\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\xab\x01\n\x17MsgAuthorizeStakeGrants\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"y\n\x15MsgActivateStakeGrant\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x83\x02\n\x1e\x63om.injective.exchange.v1beta1B\x07TxProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\007TxProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None @@ -281,159 +291,159 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 - _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 - _globals['_MSGUPDATEPARAMS']._serialized_start=1223 - _globals['_MSGUPDATEPARAMS']._serialized_end=1388 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 - _globals['_MSGDEPOSIT']._serialized_start=1418 - _globals['_MSGDEPOSIT']._serialized_end=1563 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 - _globals['_MSGWITHDRAW']._serialized_start=1588 - _globals['_MSGWITHDRAW']._serialized_end=1735 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 - _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 - _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 - _globals['_ORDERDATA']._serialized_start=9786 - _globals['_ORDERDATA']._serialized_end=9892 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 - _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 - _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 - _globals['_MSGSIGNDATA']._serialized_start=12160 - _globals['_MSGSIGNDATA']._serialized_end=12274 - _globals['_MSGSIGNDOC']._serialized_start=12276 - _globals['_MSGSIGNDOC']._serialized_end=12379 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 - _globals['_MSG']._serialized_start=13073 - _globals['_MSG']._serialized_end=18145 + _globals['_MSGUPDATESPOTMARKET']._serialized_end=746 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=748 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=777 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=780 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1411 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1413 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1448 + _globals['_MSGUPDATEPARAMS']._serialized_start=1451 + _globals['_MSGUPDATEPARAMS']._serialized_end=1635 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1637 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1662 + _globals['_MSGDEPOSIT']._serialized_start=1665 + _globals['_MSGDEPOSIT']._serialized_end=1840 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1842 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1862 + _globals['_MSGWITHDRAW']._serialized_start=1865 + _globals['_MSGWITHDRAW']._serialized_end=2042 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=2044 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=2065 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=2068 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=2242 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=2244 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=2336 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2339 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2527 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2530 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2708 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2711 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=3158 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=3160 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=3196 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=3199 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=4144 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=4146 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=4187 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=4190 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=5095 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=5097 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=5142 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=5145 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=6122 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=6124 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=6169 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=6172 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=6348 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=6351 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=6528 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=6531 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=6744 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=6747 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=6935 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=6937 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=7035 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=7038 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=7232 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=7234 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=7335 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=7338 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=7540 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=7543 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=7727 + _globals['_MSGCANCELSPOTORDER']._serialized_start=7730 + _globals['_MSGCANCELSPOTORDER']._serialized_end=7938 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=7940 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=7968 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=7971 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=8141 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=8143 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=8213 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=8216 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=8404 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=8406 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=8485 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=8488 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=9498 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=9501 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=10277 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=10280 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=10470 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=10473 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=10662 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=10665 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=11033 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=11036 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=11232 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=11235 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=11427 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=11430 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=11681 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=11683 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=11717 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=11720 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=11977 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=11979 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=12016 + _globals['_ORDERDATA']._serialized_start=12019 + _globals['_ORDERDATA']._serialized_end=12176 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=12179 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=12361 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=12363 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=12439 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=12442 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=12704 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=12706 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=12737 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=12740 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=12998 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=13000 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=13029 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=13032 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=13264 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=13266 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=13296 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=13299 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=13466 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=13468 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=13502 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=13505 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=13808 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=13810 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=13845 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=13848 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=14151 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=14153 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=14188 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=14191 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=14393 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=14396 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=14563 + _globals['_MSGREWARDSOPTOUT']._serialized_start=14565 + _globals['_MSGREWARDSOPTOUT']._serialized_end=14658 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=14660 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=14686 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=14689 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=14864 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=14866 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=14897 + _globals['_MSGSIGNDATA']._serialized_start=14900 + _globals['_MSGSIGNDATA']._serialized_end=15028 + _globals['_MSGSIGNDOC']._serialized_start=15030 + _globals['_MSGSIGNDOC']._serialized_end=15150 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=15153 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=15549 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=15551 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=15594 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=15597 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=15768 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=15770 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=15803 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=15805 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=15926 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=15928 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=15959 + _globals['_MSG']._serialized_start=15962 + _globals['_MSG']._serialized_end=21034 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index 4b3b5fb9..e8346ec5 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index 9ecc1663..6d24c373 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"T\n\x18\x45ventInsuranceFundUpdate\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"[\n\x16\x45ventRequestRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\"\x92\x01\n\x17\x45ventWithdrawRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\x12\x34\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x9b\x01\n\x0f\x45ventUnderwrite\x12\x13\n\x0bunderwriter\x18\x01 \x01(\t\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12/\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"w\n\x16\x45ventInsuranceWithdraw\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_ticker\x18\x02 \x01(\t\x12\x33\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"Z\n\x18\x45ventInsuranceFundUpdate\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"e\n\x16\x45ventRequestRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\"\xa8\x01\n\x17\x45ventWithdrawRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\x12@\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nredeemCoin\"\xc3\x01\n\x0f\x45ventUnderwrite\x12 \n\x0bunderwriter\x18\x01 \x01(\tR\x0bunderwriter\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\x12\x37\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06shares\"\x9b\x01\n\x16\x45ventInsuranceWithdraw\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x02 \x01(\tR\x0cmarketTicker\x12?\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nwithdrawalB\x8d\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0b\x45ventsProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\013EventsProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._loaded_options = None _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._serialized_options = b'\310\336\037\000' _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._loaded_options = None @@ -34,13 +44,13 @@ _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._loaded_options = None _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._serialized_options = b'\310\336\037\000' _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_start=172 - _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=256 - _globals['_EVENTREQUESTREDEMPTION']._serialized_start=258 - _globals['_EVENTREQUESTREDEMPTION']._serialized_end=349 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=352 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=498 - _globals['_EVENTUNDERWRITE']._serialized_start=501 - _globals['_EVENTUNDERWRITE']._serialized_end=656 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=658 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=777 + _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=262 + _globals['_EVENTREQUESTREDEMPTION']._serialized_start=264 + _globals['_EVENTREQUESTREDEMPTION']._serialized_end=365 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=368 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=536 + _globals['_EVENTUNDERWRITE']._serialized_start=539 + _globals['_EVENTUNDERWRITE']._serialized_end=734 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=737 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=892 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index f5f15403..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index 80d3497c..d944466e 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\xaa\x02\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12I\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\x12R\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13next_share_denom_id\x18\x04 \x01(\x04\x12#\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\x82\x03\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12Y\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x0einsuranceFunds\x12\x66\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00R\x12redemptionSchedule\x12-\n\x13next_share_denom_id\x18\x04 \x01(\x04R\x10nextShareDenomId\x12=\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04R\x18nextRedemptionScheduleIdB\x8e\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0cGenesisProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\014GenesisProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._loaded_options = None @@ -31,5 +41,5 @@ _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=142 - _globals['_GENESISSTATE']._serialized_end=440 + _globals['_GENESISSTATE']._serialized_end=528 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index fe975d23..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index e43d0913..d9e7f614 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/insurance.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd7\x01\n\x06Params\x12\xb1\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01R%defaultRedemptionNoticePeriodDuration:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xec\x04\n\rInsuranceFund\x12#\n\rdeposit_denom\x18\x01 \x01(\tR\x0c\x64\x65positDenom\x12;\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\tR\x17insurancePoolTokenDenom\x12\x9a\x01\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01R\x1eredemptionNoticePeriodDuration\x12\x37\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x62\x61lance\x12>\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ntotalShare\x12\x1b\n\tmarket_id\x18\x06 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x07 \x01(\tR\x0cmarketTicker\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x03R\x06\x65xpiry\"\xb1\x02\n\x12RedemptionSchedule\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12\x84\x01\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01R\x17\x63laimableRedemptionTime\x12L\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x10redemptionAmountB\x90\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0eInsuranceProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\016InsuranceProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' _globals['_PARAMS']._loaded_options = None @@ -43,9 +53,9 @@ _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._serialized_start=254 - _globals['_PARAMS']._serialized_end=430 - _globals['_INSURANCEFUND']._serialized_start=433 - _globals['_INSURANCEFUND']._serialized_end=891 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 + _globals['_PARAMS']._serialized_end=469 + _globals['_INSURANCEFUND']._serialized_start=472 + _globals['_INSURANCEFUND']._serialized_end=1092 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=1095 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 31b5576f..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index 5ed392a7..86326b9e 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"Y\n\x1cQueryInsuranceParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\".\n\x19QueryInsuranceFundRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"V\n\x1aQueryInsuranceFundResponse\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"\x1c\n\x1aQueryInsuranceFundsRequest\"^\n\x1bQueryInsuranceFundsResponse\x12?\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\"E\n QueryEstimatedRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"T\n!QueryEstimatedRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"C\n\x1eQueryPendingRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"R\n\x1fQueryPendingRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"T\n\x18QueryModuleStateResponse\x12\x38\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisState2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"a\n\x1cQueryInsuranceParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"8\n\x19QueryInsuranceFundRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\\\n\x1aQueryInsuranceFundResponse\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"\x1c\n\x1aQueryInsuranceFundsRequest\"e\n\x1bQueryInsuranceFundsResponse\x12\x46\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x05\x66unds\"X\n QueryEstimatedRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n!QueryEstimatedRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x1eQueryPendingRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Z\n\x1fQueryPendingRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x19\n\x17QueryModuleStateRequest\"[\n\x18QueryModuleStateResponse\x12?\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisStateR\x05state2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateB\x8c\x02\n\x1f\x63om.injective.insurance.v1beta1B\nQueryProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\nQueryProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._loaded_options = None @@ -50,27 +60,27 @@ _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_start=244 _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_end=273 _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_start=275 - _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=364 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=366 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=412 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=414 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=500 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=502 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=530 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=532 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=626 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=628 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=697 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=699 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=783 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=785 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=852 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=854 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=936 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=938 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=963 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=965 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1049 - _globals['_QUERY']._serialized_start=1052 - _globals['_QUERY']._serialized_end=2226 + _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=372 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=374 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=430 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=432 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=524 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=526 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=554 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=556 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=657 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=659 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=747 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=749 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=841 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=843 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=929 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=931 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=1021 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1023 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1048 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1050 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1141 + _globals['_QUERY']._serialized_start=1144 + _globals['_QUERY']._serialized_end=2318 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index f5ff40c5..3404f464 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 3fee662a..e7fbd47d 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x90\x03\n\x16MsgCreateInsuranceFund\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x07 \x01(\x03R\x06\x65xpiry\x12H\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0einitialDeposit:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\xb0\x01\n\rMsgUnderwrite\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xbc\x01\n\x14MsgRequestRedemption\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xba\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x89\x02\n\x1f\x63om.injective.insurance.v1beta1B\x07TxProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\007TxProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None @@ -50,21 +60,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 - _globals['_MSGUNDERWRITE']._serialized_start=627 - _globals['_MSGUNDERWRITE']._serialized_end=776 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 - _globals['_MSGUPDATEPARAMS']._serialized_start=1001 - _globals['_MSGUPDATEPARAMS']._serialized_end=1168 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 - _globals['_MSG']._serialized_start=1198 - _globals['_MSG']._serialized_end=1706 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=679 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=681 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=713 + _globals['_MSGUNDERWRITE']._serialized_start=716 + _globals['_MSGUNDERWRITE']._serialized_end=892 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=894 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=917 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=920 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=1108 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=1110 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=1140 + _globals['_MSGUPDATEPARAMS']._serialized_start=1143 + _globals['_MSGUPDATEPARAMS']._serialized_end=1329 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1331 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1356 + _globals['_MSG']._serialized_start=1359 + _globals['_MSG']._serialized_end=1867 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index 8cdd15b7..b3f99501 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the insurance Msg service. diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index 41ef308a..84c11f2c 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,32 +27,32 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xed\x04\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x37\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12I\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRound\x12\x43\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmission\x12X\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDs\x12\x37\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPool\x12\x42\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeship\"^\n\x10\x46\x65\x65\x64Transmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x39\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"c\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"L\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04\"N\n\nRewardPool\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"K\n\nFeedCounts\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12,\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.Count\"\'\n\x05\x43ount\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"P\n\x10PendingPayeeship\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x16\n\x0eproposed_payee\x18\x03 \x01(\tBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x94\x06\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12\x44\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x0b\x66\x65\x65\x64\x43onfigs\x12_\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRoundR\x14latestEpochAndRounds\x12V\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmissionR\x11\x66\x65\x65\x64Transmissions\x12r\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDsR\x18latestAggregatorRoundIds\x12\x44\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPoolR\x0brewardPools\x12Y\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x15\x66\x65\x65\x64ObservationCounts\x12[\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x16\x66\x65\x65\x64TransmissionCounts\x12V\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeshipR\x11pendingPayeeships\"t\n\x10\x46\x65\x65\x64Transmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12G\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.TransmissionR\x0ctransmission\"z\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12L\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"g\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04R\x11\x61ggregatorRoundId\"^\n\nRewardPool\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"[\n\nFeedCounts\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x34\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.CountR\x06\x63ounts\"7\n\x05\x43ount\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"t\n\x10PendingPayeeship\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12%\n\x0eproposed_payee\x18\x03 \x01(\tR\rproposedPayeeB\xea\x01\n\x19\x63om.injective.ocr.v1beta1B\x0cGenesisProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\014GenesisProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_REWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_REWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=150 - _globals['_GENESISSTATE']._serialized_end=771 - _globals['_FEEDTRANSMISSION']._serialized_start=773 - _globals['_FEEDTRANSMISSION']._serialized_end=867 - _globals['_FEEDEPOCHANDROUND']._serialized_start=869 - _globals['_FEEDEPOCHANDROUND']._serialized_end=968 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=970 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1046 - _globals['_REWARDPOOL']._serialized_start=1048 - _globals['_REWARDPOOL']._serialized_end=1126 - _globals['_FEEDCOUNTS']._serialized_start=1128 - _globals['_FEEDCOUNTS']._serialized_end=1203 - _globals['_COUNT']._serialized_start=1205 - _globals['_COUNT']._serialized_end=1244 - _globals['_PENDINGPAYEESHIP']._serialized_start=1246 - _globals['_PENDINGPAYEESHIP']._serialized_end=1326 + _globals['_GENESISSTATE']._serialized_end=938 + _globals['_FEEDTRANSMISSION']._serialized_start=940 + _globals['_FEEDTRANSMISSION']._serialized_end=1056 + _globals['_FEEDEPOCHANDROUND']._serialized_start=1058 + _globals['_FEEDEPOCHANDROUND']._serialized_end=1180 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=1182 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1285 + _globals['_REWARDPOOL']._serialized_start=1287 + _globals['_REWARDPOOL']._serialized_end=1381 + _globals['_FEEDCOUNTS']._serialized_start=1383 + _globals['_FEEDCOUNTS']._serialized_end=1474 + _globals['_COUNT']._serialized_start=1476 + _globals['_COUNT']._serialized_end=1531 + _globals['_PENDINGPAYEESHIP']._serialized_start=1533 + _globals['_PENDINGPAYEESHIP']._serialized_end=1649 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 9240f0ba..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 969ed49a..a7fbd475 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/ocr.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/ocr.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x93\x01\n\x06Params\x12\x1d\n\nlink_denom\x18\x01 \x01(\tR\tlinkDenom\x12\x32\n\x15payout_block_interval\x18\x02 \x01(\x04R\x13payoutBlockInterval\x12!\n\x0cmodule_admin\x18\x03 \x01(\tR\x0bmoduleAdmin:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xaa\x02\n\nFeedConfig\x12\x18\n\x07signers\x18\x01 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x02 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x03 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x04 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x05 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x06 \x01(\x0cR\x0eoffchainConfig\x12H\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParamsR\x0cmoduleParams\"\xbe\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x30\n\x14latest_config_digest\x18\x01 \x01(\x0cR\x12latestConfigDigest\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12\x0c\n\x01n\x18\x03 \x01(\rR\x01n\x12!\n\x0c\x63onfig_count\x18\x04 \x01(\x04R\x0b\x63onfigCount\x12;\n\x1alatest_config_block_number\x18\x05 \x01(\x03R\x17latestConfigBlockNumber\"\xff\x03\n\x0cModuleParams\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x42\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12\x1d\n\nlink_denom\x18\x06 \x01(\tR\tlinkDenom\x12%\n\x0eunique_reports\x18\x07 \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x08 \x01(\tR\x0b\x64\x65scription\x12\x1d\n\nfeed_admin\x18\t \x01(\tR\tfeedAdmin\x12#\n\rbilling_admin\x18\n \x01(\tR\x0c\x62illingAdmin\"\x87\x02\n\x0e\x43ontractConfig\x12!\n\x0c\x63onfig_count\x18\x01 \x01(\x04R\x0b\x63onfigCount\x12\x18\n\x07signers\x18\x02 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x03 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x04 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x05 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x06 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x07 \x01(\x0cR\x0eoffchainConfig\"\xc8\x01\n\x11SetConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\xb4\x04\n\x0e\x46\x65\x65\x64Properties\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x03 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x04 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x05 \x01(\x0cR\x0eoffchainConfig\x12\x42\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12%\n\x0eunique_reports\x18\n \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x0b \x01(\tR\x0b\x64\x65scription\"\xc4\x02\n\x16SetBatchConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x18\n\x07signers\x18\x03 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x04 \x03(\tR\x0ctransmitters\x12\x1d\n\nlink_denom\x18\x05 \x01(\tR\tlinkDenom\x12N\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedPropertiesR\x0e\x66\x65\x65\x64Properties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"2\n\x18OracleObservationsCounts\x12\x16\n\x06\x63ounts\x18\x01 \x03(\rR\x06\x63ounts\"V\n\x11GasReimbursements\x12\x41\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x0ereimbursements\"U\n\x05Payee\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12!\n\x0cpayment_addr\x18\x02 \x01(\tR\x0bpaymentAddr\"\xb9\x01\n\x0cTransmission\x12;\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x35\n\x16observations_timestamp\x18\x02 \x01(\x03R\x15observationsTimestamp\x12\x35\n\x16transmission_timestamp\x18\x03 \x01(\x03R\x15transmissionTimestamp\";\n\rEpochAndRound\x12\x14\n\x05\x65poch\x18\x01 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x02 \x01(\x04R\x05round\"\xa6\x01\n\x06Report\x12\x35\n\x16observations_timestamp\x18\x01 \x01(\x03R\x15observationsTimestamp\x12\x1c\n\tobservers\x18\x02 \x01(\x0cR\tobservers\x12G\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\"\x96\x01\n\x0cReportToSign\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1d\n\nextra_hash\x18\x04 \x01(\x0cR\textraHash\x12\x16\n\x06report\x18\x05 \x01(\x0cR\x06report\"\x94\x01\n\x0f\x45ventOraclePaid\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12\x1d\n\npayee_addr\x18\x02 \x01(\tR\tpayeeAddr\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xcc\x01\n\x12\x45ventAnswerUpdated\x12\x37\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x63urrent\x12\x38\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x43\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tupdatedAt\"\xad\x01\n\rEventNewRound\x12\x38\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x1d\n\nstarted_by\x18\x02 \x01(\tR\tstartedBy\x12\x43\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tstartedAt\"M\n\x10\x45ventTransmitted\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\"\xcf\x03\n\x14\x45ventNewTransmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\rR\x11\x61ggregatorRoundId\x12;\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12 \n\x0btransmitter\x18\x04 \x01(\tR\x0btransmitter\x12\x35\n\x16observations_timestamp\x18\x05 \x01(\x03R\x15observationsTimestamp\x12G\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\x12\x1c\n\tobservers\x18\x07 \x01(\x0cR\tobservers\x12#\n\rconfig_digest\x18\x08 \x01(\x0cR\x0c\x63onfigDigest\x12L\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"\xf9\x01\n\x0e\x45ventConfigSet\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12?\n\x1cprevious_config_block_number\x18\x02 \x01(\x03R\x19previousConfigBlockNumber\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig\x12\x46\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoR\nconfigInfoB\xe6\x01\n\x19\x63om.injective.ocr.v1beta1B\x08OcrProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.ocr_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\010OcrProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None @@ -69,46 +79,46 @@ _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._serialized_start=191 - _globals['_PARAMS']._serialized_end=293 - _globals['_FEEDCONFIG']._serialized_start=296 - _globals['_FEEDCONFIG']._serialized_end=500 - _globals['_FEEDCONFIGINFO']._serialized_start=502 - _globals['_FEEDCONFIGINFO']._serialized_end=628 - _globals['_MODULEPARAMS']._serialized_start=631 - _globals['_MODULEPARAMS']._serialized_end=1007 - _globals['_CONTRACTCONFIG']._serialized_start=1010 - _globals['_CONTRACTCONFIG']._serialized_end=1180 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 - _globals['_FEEDPROPERTIES']._serialized_start=1358 - _globals['_FEEDPROPERTIES']._serialized_end=1766 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 - _globals['_GASREIMBURSEMENTS']._serialized_start=2069 - _globals['_GASREIMBURSEMENTS']._serialized_end=2139 - _globals['_PAYEE']._serialized_start=2141 - _globals['_PAYEE']._serialized_end=2196 - _globals['_TRANSMISSION']._serialized_start=2199 - _globals['_TRANSMISSION']._serialized_end=2330 - _globals['_EPOCHANDROUND']._serialized_start=2332 - _globals['_EPOCHANDROUND']._serialized_end=2377 - _globals['_REPORT']._serialized_start=2379 - _globals['_REPORT']._serialized_end=2497 - _globals['_REPORTTOSIGN']._serialized_start=2499 - _globals['_REPORTTOSIGN']._serialized_end=2602 - _globals['_EVENTORACLEPAID']._serialized_start=2604 - _globals['_EVENTORACLEPAID']._serialized_end=2716 - _globals['_EVENTANSWERUPDATED']._serialized_start=2719 - _globals['_EVENTANSWERUPDATED']._serialized_end=2894 - _globals['_EVENTNEWROUND']._serialized_start=2897 - _globals['_EVENTNEWROUND']._serialized_end=3039 - _globals['_EVENTTRANSMITTED']._serialized_start=3041 - _globals['_EVENTTRANSMITTED']._serialized_end=3097 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 - _globals['_EVENTCONFIGSET']._serialized_start=3441 - _globals['_EVENTCONFIGSET']._serialized_end=3629 + _globals['_PARAMS']._serialized_start=192 + _globals['_PARAMS']._serialized_end=339 + _globals['_FEEDCONFIG']._serialized_start=342 + _globals['_FEEDCONFIG']._serialized_end=640 + _globals['_FEEDCONFIGINFO']._serialized_start=643 + _globals['_FEEDCONFIGINFO']._serialized_end=833 + _globals['_MODULEPARAMS']._serialized_start=836 + _globals['_MODULEPARAMS']._serialized_end=1347 + _globals['_CONTRACTCONFIG']._serialized_start=1350 + _globals['_CONTRACTCONFIG']._serialized_end=1613 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1616 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1816 + _globals['_FEEDPROPERTIES']._serialized_start=1819 + _globals['_FEEDPROPERTIES']._serialized_end=2383 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=2386 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2710 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2712 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2762 + _globals['_GASREIMBURSEMENTS']._serialized_start=2764 + _globals['_GASREIMBURSEMENTS']._serialized_end=2850 + _globals['_PAYEE']._serialized_start=2852 + _globals['_PAYEE']._serialized_end=2937 + _globals['_TRANSMISSION']._serialized_start=2940 + _globals['_TRANSMISSION']._serialized_end=3125 + _globals['_EPOCHANDROUND']._serialized_start=3127 + _globals['_EPOCHANDROUND']._serialized_end=3186 + _globals['_REPORT']._serialized_start=3189 + _globals['_REPORT']._serialized_end=3355 + _globals['_REPORTTOSIGN']._serialized_start=3358 + _globals['_REPORTTOSIGN']._serialized_end=3508 + _globals['_EVENTORACLEPAID']._serialized_start=3511 + _globals['_EVENTORACLEPAID']._serialized_end=3659 + _globals['_EVENTANSWERUPDATED']._serialized_start=3662 + _globals['_EVENTANSWERUPDATED']._serialized_end=3866 + _globals['_EVENTNEWROUND']._serialized_start=3869 + _globals['_EVENTNEWROUND']._serialized_end=4042 + _globals['_EVENTTRANSMITTED']._serialized_start=4044 + _globals['_EVENTTRANSMITTED']._serialized_end=4121 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=4124 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=4587 + _globals['_EVENTCONFIGSET']._serialized_start=4590 + _globals['_EVENTCONFIGSET']._serialized_end=4839 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 73cf0672..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index c49c510f..0e7a5ba6 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from pyinjective.proto.injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/ocr/v1beta1/query.proto\x12\x15injective.ocr.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a#injective/ocr/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\")\n\x16QueryFeedConfigRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x92\x01\n\x17QueryFeedConfigResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12\x36\n\x0b\x66\x65\x65\x64_config\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\"-\n\x1aQueryFeedConfigInfoRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x9d\x01\n\x1bQueryFeedConfigInfoResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"*\n\x17QueryLatestRoundRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"f\n\x18QueryLatestRoundResponse\x12\x17\n\x0flatest_round_id\x18\x01 \x01(\x04\x12\x31\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"8\n%QueryLatestTransmissionDetailsRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\xb1\x01\n&QueryLatestTransmissionDetailsResponse\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\x12\x31\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"-\n\x16QueryOwedAmountRequest\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\"J\n\x17QueryOwedAmountResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"N\n\x18QueryModuleStateResponse\x12\x32\n\x05state\x18\x01 \x01(\x0b\x32#.injective.ocr.v1beta1.GenesisState2\xbb\t\n\x05Query\x12\x86\x01\n\x06Params\x12).injective.ocr.v1beta1.QueryParamsRequest\x1a*.injective.ocr.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/chainlink/ocr/v1beta1/params\x12\xa1\x01\n\nFeedConfig\x12-.injective.ocr.v1beta1.QueryFeedConfigRequest\x1a..injective.ocr.v1beta1.QueryFeedConfigResponse\"4\x82\xd3\xe4\x93\x02.\x12,/chainlink/ocr/v1beta1/feed_config/{feed_id}\x12\xb2\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x31.injective.ocr.v1beta1.QueryFeedConfigInfoRequest\x1a\x32.injective.ocr.v1beta1.QueryFeedConfigInfoResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/chainlink/ocr/v1beta1/feed_config_info/{feed_id}\x12\xa5\x01\n\x0bLatestRound\x12..injective.ocr.v1beta1.QueryLatestRoundRequest\x1a/.injective.ocr.v1beta1.QueryLatestRoundResponse\"5\x82\xd3\xe4\x93\x02/\x12-/chainlink/ocr/v1beta1/latest_round/{feed_id}\x12\xde\x01\n\x19LatestTransmissionDetails\x12<.injective.ocr.v1beta1.QueryLatestTransmissionDetailsRequest\x1a=.injective.ocr.v1beta1.QueryLatestTransmissionDetailsResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for OCR module. diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index 4b626d2e..a67f13b0 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"}\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xbc\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12;\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xed\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\x9c\x01\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xa4\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\x7f\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\x90\x01\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"~\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x9b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42KZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8d\x01\n\rMsgCreateFeed\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x39\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xb0\x03\n\rMsgUpdateFeed\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x18\n\x07signers\x18\x03 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x04 \x03(\tR\x0ctransmitters\x12O\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12\x1d\n\nlink_denom\x18\x07 \x01(\tR\tlinkDenom\x12\x1d\n\nfeed_admin\x18\x08 \x01(\tR\tfeedAdmin\x12#\n\rbilling_admin\x18\t \x01(\tR\x0c\x62illingAdmin:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xbd\x02\n\x0bMsgTransmit\x12 \n\x0btransmitter\x18\x01 \x01(\tR\x0btransmitter\x12#\n\rconfig_digest\x18\x02 \x01(\x0cR\x0c\x63onfigDigest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x14\n\x05\x65poch\x18\x04 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x05 \x01(\x04R\x05round\x12\x1d\n\nextra_hash\x18\x06 \x01(\x0cR\textraHash\x12\x35\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ReportR\x06report\x12\x1e\n\nsignatures\x18\x08 \x03(\x0cR\nsignatures:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\xb4\x01\n\x15MsgFundFeedRewardPool\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xbc\x01\n\x19MsgWithdrawFeedRewardPool\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\xa5\x01\n\x0cMsgSetPayees\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\"\n\x0ctransmitters\x18\x03 \x03(\tR\x0ctransmitters\x12\x16\n\x06payees\x18\x04 \x03(\tR\x06payees:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\xb7\x01\n\x14MsgTransferPayeeship\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x1a\n\x08proposed\x18\x04 \x01(\tR\x08proposed:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"\x9a\x01\n\x12MsgAcceptPayeeship\x12\x14\n\x05payee\x18\x01 \x01(\tR\x05payee\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\xae\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xe5\x01\n\x19\x63om.injective.ocr.v1beta1B\x07TxProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\007TxProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' _globals['_MSGCREATEFEED']._loaded_options = None _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgCreateFeed' _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None @@ -60,42 +70,42 @@ _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\023ocr/MsgUpdateParams' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGCREATEFEED']._serialized_start=215 - _globals['_MSGCREATEFEED']._serialized_end=340 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=342 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=365 - _globals['_MSGUPDATEFEED']._serialized_start=368 - _globals['_MSGUPDATEFEED']._serialized_end=684 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=686 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=709 - _globals['_MSGTRANSMIT']._serialized_start=712 - _globals['_MSGTRANSMIT']._serialized_end=949 - _globals['_MSGTRANSMITRESPONSE']._serialized_start=951 - _globals['_MSGTRANSMITRESPONSE']._serialized_end=972 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=975 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1131 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1133 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1164 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1167 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1331 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1333 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1368 - _globals['_MSGSETPAYEES']._serialized_start=1370 - _globals['_MSGSETPAYEES']._serialized_end=1497 - _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1499 - _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1521 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1524 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1668 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1670 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1700 - _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1702 - _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1828 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1830 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1858 - _globals['_MSGUPDATEPARAMS']._serialized_start=1861 - _globals['_MSGUPDATEPARAMS']._serialized_end=2016 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2018 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2043 - _globals['_MSG']._serialized_start=2046 - _globals['_MSG']._serialized_end=3034 + _globals['_MSGCREATEFEED']._serialized_start=216 + _globals['_MSGCREATEFEED']._serialized_end=357 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=359 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=382 + _globals['_MSGUPDATEFEED']._serialized_start=385 + _globals['_MSGUPDATEFEED']._serialized_end=817 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=819 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=842 + _globals['_MSGTRANSMIT']._serialized_start=845 + _globals['_MSGTRANSMIT']._serialized_end=1162 + _globals['_MSGTRANSMITRESPONSE']._serialized_start=1164 + _globals['_MSGTRANSMITRESPONSE']._serialized_end=1185 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=1188 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1368 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1370 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1401 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1404 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1592 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1594 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1629 + _globals['_MSGSETPAYEES']._serialized_start=1632 + _globals['_MSGSETPAYEES']._serialized_end=1797 + _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1799 + _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1821 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1824 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=2007 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=2009 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=2039 + _globals['_MSGACCEPTPAYEESHIP']._serialized_start=2042 + _globals['_MSGACCEPTPAYEESHIP']._serialized_end=2196 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=2198 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=2226 + _globals['_MSGUPDATEPARAMS']._serialized_start=2229 + _globals['_MSGUPDATEPARAMS']._serialized_end=2403 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2405 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2430 + _globals['_MSG']._serialized_start=2433 + _globals['_MSG']._serialized_end=3421 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index 74069c38..bb845e6b 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.ocr.v1beta1 import tx_pb2 as injective_dot_ocr_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the OCR Msg service. diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index c848c23f..8843cdb5 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"q\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x92\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xaa\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\x33\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"z\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"~\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"n\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x8c\x01\n\x16SetChainlinkPriceEvent\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12;\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\"\xc2\x01\n\x11SetBandPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12!\n\x0cresolve_time\x18\x04 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_id\x18\x05 \x01(\x04R\trequestId\"\xe6\x01\n\x14SetBandIBCPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x18\n\x07symbols\x18\x02 \x03(\tR\x07symbols\x12;\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06prices\x12!\n\x0cresolve_time\x18\x04 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_id\x18\x05 \x01(\x04R\trequestId\x12\x1b\n\tclient_id\x18\x06 \x01(\x03R\x08\x63lientId\"T\n\x16\x45ventBandIBCAckSuccess\x12\x1d\n\nack_result\x18\x01 \x01(\tR\tackResult\x12\x1b\n\tclient_id\x18\x02 \x01(\x03R\x08\x63lientId\"P\n\x14\x45ventBandIBCAckError\x12\x1b\n\tack_error\x18\x01 \x01(\tR\x08\x61\x63kError\x12\x1b\n\tclient_id\x18\x02 \x01(\x03R\x08\x63lientId\":\n\x1b\x45ventBandIBCResponseTimeout\x12\x1b\n\tclient_id\x18\x01 \x01(\x03R\x08\x63lientId\"\x97\x01\n\x16SetPriceFeedPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x01(\tR\x05quote\x12\x39\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xa0\x01\n\x15SetProviderPriceEvent\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\x88\x01\n\x15SetCoinbasePriceEvent\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\"X\n\x13\x45ventSetStorkPrices\x12\x41\n\x06prices\x18\x01 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x06prices\"V\n\x12\x45ventSetPythPrices\x12@\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x06pricesB\xfb\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0b\x45ventsProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\013EventsProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None @@ -37,24 +47,26 @@ _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 - _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=273 - _globals['_SETBANDPRICEEVENT']._serialized_start=276 - _globals['_SETBANDPRICEEVENT']._serialized_end=422 - _globals['_SETBANDIBCPRICEEVENT']._serialized_start=425 - _globals['_SETBANDIBCPRICEEVENT']._serialized_end=595 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=597 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=660 - _globals['_EVENTBANDIBCACKERROR']._serialized_start=662 - _globals['_EVENTBANDIBCACKERROR']._serialized_end=722 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=724 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=772 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=774 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=896 - _globals['_SETPROVIDERPRICEEVENT']._serialized_start=898 - _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1024 - _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1026 - _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1136 - _globals['_EVENTSETPYTHPRICES']._serialized_start=1138 - _globals['_EVENTSETPYTHPRICES']._serialized_end=1216 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=161 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=301 + _globals['_SETBANDPRICEEVENT']._serialized_start=304 + _globals['_SETBANDPRICEEVENT']._serialized_end=498 + _globals['_SETBANDIBCPRICEEVENT']._serialized_start=501 + _globals['_SETBANDIBCPRICEEVENT']._serialized_end=731 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=733 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=817 + _globals['_EVENTBANDIBCACKERROR']._serialized_start=819 + _globals['_EVENTBANDIBCACKERROR']._serialized_end=899 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=901 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=959 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=962 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=1113 + _globals['_SETPROVIDERPRICEEVENT']._serialized_start=1116 + _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1276 + _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1279 + _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1415 + _globals['_EVENTSETSTORKPRICES']._serialized_start=1417 + _globals['_EVENTSETSTORKPRICES']._serialized_end=1505 + _globals['_EVENTSETPYTHPRICES']._serialized_start=1507 + _globals['_EVENTSETPYTHPRICES']._serialized_end=1593 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 879f7df6..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py index 5bb1fefb..0240e2aa 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,20 +26,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/oracle/v1beta1/genesis.proto\x12\x18injective.oracle.v1beta1\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"\xc5\x07\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rband_relayers\x18\x02 \x03(\t\x12\x43\n\x11\x62\x61nd_price_states\x18\x03 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\x12I\n\x17price_feed_price_states\x18\x04 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\x12K\n\x15\x63oinbase_price_states\x18\x05 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\x12G\n\x15\x62\x61nd_ibc_price_states\x18\x06 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\x12M\n\x18\x62\x61nd_ibc_oracle_requests\x18\x07 \x03(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x08 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00\x12!\n\x19\x62\x61nd_ibc_latest_client_id\x18\t \x01(\x04\x12\x42\n\x10\x63\x61lldata_records\x18\n \x03(\x0b\x32(.injective.oracle.v1beta1.CalldataRecord\x12\"\n\x1a\x62\x61nd_ibc_latest_request_id\x18\x0b \x01(\x04\x12M\n\x16\x63hainlink_price_states\x18\x0c \x03(\x0b\x32-.injective.oracle.v1beta1.ChainlinkPriceState\x12H\n\x18historical_price_records\x18\r \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\x12@\n\x0fprovider_states\x18\x0e \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\x12\x43\n\x11pyth_price_states\x18\x0f \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"5\n\x0e\x43\x61lldataRecord\x12\x11\n\tclient_id\x18\x01 \x01(\x04\x12\x10\n\x08\x63\x61lldata\x18\x02 \x01(\x0c\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/oracle/v1beta1/genesis.proto\x12\x18injective.oracle.v1beta1\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"\xe4\n\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rband_relayers\x18\x02 \x03(\tR\x0c\x62\x61ndRelayers\x12T\n\x11\x62\x61nd_price_states\x18\x03 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0f\x62\x61ndPriceStates\x12_\n\x17price_feed_price_states\x18\x04 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x14priceFeedPriceStates\x12`\n\x15\x63oinbase_price_states\x18\x05 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x13\x63oinbasePriceStates\x12[\n\x15\x62\x61nd_ibc_price_states\x18\x06 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x12\x62\x61ndIbcPriceStates\x12\x64\n\x18\x62\x61nd_ibc_oracle_requests\x18\x07 \x03(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x15\x62\x61ndIbcOracleRequests\x12U\n\x0f\x62\x61nd_ibc_params\x18\x08 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams\x12\x38\n\x19\x62\x61nd_ibc_latest_client_id\x18\t \x01(\x04R\x15\x62\x61ndIbcLatestClientId\x12S\n\x10\x63\x61lldata_records\x18\n \x03(\x0b\x32(.injective.oracle.v1beta1.CalldataRecordR\x0f\x63\x61lldataRecords\x12:\n\x1a\x62\x61nd_ibc_latest_request_id\x18\x0b \x01(\x04R\x16\x62\x61ndIbcLatestRequestId\x12\x63\n\x16\x63hainlink_price_states\x18\x0c \x03(\x0b\x32-.injective.oracle.v1beta1.ChainlinkPriceStateR\x14\x63hainlinkPriceStates\x12`\n\x18historical_price_records\x18\r \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x16historicalPriceRecords\x12P\n\x0fprovider_states\x18\x0e \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\x0eproviderStates\x12T\n\x11pyth_price_states\x18\x0f \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0fpythPriceStates\x12W\n\x12stork_price_states\x18\x10 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x10storkPriceStates\x12)\n\x10stork_publishers\x18\x11 \x03(\tR\x0fstorkPublishers\"I\n\x0e\x43\x61lldataRecord\x12\x1b\n\tclient_id\x18\x01 \x01(\x04R\x08\x63lientId\x12\x1a\n\x08\x63\x61lldata\x18\x02 \x01(\x0cR\x08\x63\x61lldataB\xfc\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0cGenesisProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\014GenesisProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=130 - _globals['_GENESISSTATE']._serialized_end=1095 - _globals['_CALLDATARECORD']._serialized_start=1097 - _globals['_CALLDATARECORD']._serialized_end=1150 + _globals['_GENESISSTATE']._serialized_end=1510 + _globals['_CALLDATARECORD']._serialized_start=1512 + _globals['_CALLDATARECORD']._serialized_end=1585 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 1234a6d3..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 7667b51e..3be6fc50 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/oracle.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"7\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xaf\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xb8\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12+\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"D\n\x0ePriceFeedPrice\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x92\x01\n\nPriceState\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\x9b\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x36\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"T\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x88\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12\x31\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x36\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x36\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"E\n\x06Params\x12#\n\rpyth_contract\x18\x01 \x01(\tR\x0cpythContract:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"k\n\nOracleInfo\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x45\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xd6\x01\n\x13\x43hainlinkPriceState\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12;\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\x12K\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xea\x01\n\x0e\x42\x61ndPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x31\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x04rate\x12!\n\x0cresolve_time\x18\x03 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_ID\x18\x04 \x01(\x04R\trequestID\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x9d\x01\n\x0ePriceFeedState\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\x12\x45\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers\"F\n\x0cProviderInfo\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x02 \x03(\tR\x08relayers\"\xbe\x01\n\rProviderState\x12K\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\x0cproviderInfo\x12`\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceStateR\x13providerPriceStates\"h\n\x12ProviderPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12:\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\x05state\"9\n\rPriceFeedInfo\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\"K\n\x0ePriceFeedPrice\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xbb\x01\n\x12\x43oinbasePriceState\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x10\n\x03key\x18\x03 \x01(\tR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x04R\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xcf\x01\n\x0fStorkPriceState\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x39\n\x05value\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xb5\x01\n\nPriceState\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"\xd6\x02\n\x0ePythPriceState\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12@\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x65maPrice\x12>\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x07\x65maConf\x12\x37\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04\x63onf\x12!\n\x0cpublish_time\x18\x05 \x01(\x04R\x0bpublishTime\x12K\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x86\x03\n\x11\x42\x61ndOracleRequest\x12\x1d\n\nrequest_id\x18\x01 \x01(\x04R\trequestId\x12(\n\x10oracle_script_id\x18\x02 \x01(\x03R\x0eoracleScriptId\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12\x1b\n\task_count\x18\x04 \x01(\x04R\x08\x61skCount\x12\x1b\n\tmin_count\x18\x05 \x01(\x04R\x08minCount\x12h\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x66\x65\x65Limit\x12\x1f\n\x0bprepare_gas\x18\x07 \x01(\x04R\nprepareGas\x12\x1f\n\x0b\x65xecute_gas\x18\x08 \x01(\x04R\nexecuteGas\x12(\n\x10min_source_count\x18\t \x01(\x04R\x0eminSourceCount\"\x86\x02\n\rBandIBCParams\x12(\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08R\x0e\x62\x61ndIbcEnabled\x12\x30\n\x14ibc_request_interval\x18\x02 \x01(\x03R\x12ibcRequestInterval\x12,\n\x12ibc_source_channel\x18\x03 \x01(\tR\x10ibcSourceChannel\x12\x1f\n\x0bibc_version\x18\x04 \x01(\tR\nibcVersion\x12\x1e\n\x0bibc_port_id\x18\x05 \x01(\tR\tibcPortId\x12*\n\x11legacy_oracle_ids\x18\x06 \x03(\x03R\x0flegacyOracleIds\"\x8f\x01\n\x14SymbolPriceTimestamp\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"y\n\x13LastPriceTimestamps\x12\x62\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestampR\x13lastPriceTimestamps\"\xc2\x01\n\x0cPriceRecords\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12W\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\x12latestPriceRecords\"f\n\x0bPriceRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xf3\x03\n\x12MetadataStatistics\x12\x1f\n\x0bgroup_count\x18\x01 \x01(\rR\ngroupCount\x12.\n\x13records_sample_size\x18\x02 \x01(\rR\x11recordsSampleSize\x12\x37\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04mean\x12\x37\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04twap\x12\'\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03R\x0e\x66irstTimestamp\x12%\n\x0elast_timestamp\x18\x06 \x01(\x03R\rlastTimestamp\x12@\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08minPrice\x12@\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08maxPrice\x12\x46\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmedianPrice\"\xe1\x01\n\x10PriceAttestation\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12\x14\n\x05price\x18\x02 \x01(\x03R\x05price\x12\x12\n\x04\x63onf\x18\x03 \x01(\x04R\x04\x63onf\x12\x12\n\x04\x65xpo\x18\x04 \x01(\x05R\x04\x65xpo\x12\x1b\n\tema_price\x18\x05 \x01(\x03R\x08\x65maPrice\x12\x19\n\x08\x65ma_conf\x18\x06 \x01(\x04R\x07\x65maConf\x12\x19\n\x08\x65ma_expo\x18\x07 \x01(\x05R\x07\x65maExpo\x12!\n\x0cpublish_time\x18\x08 \x01(\x03R\x0bpublishTime\"}\n\tAssetPair\x12\x19\n\x08\x61sset_id\x18\x01 \x01(\tR\x07\x61ssetId\x12U\n\rsigned_prices\x18\x02 \x03(\x0b\x32\x30.injective.oracle.v1beta1.SignedPriceOfAssetPairR\x0csignedPrices\"\xb4\x01\n\x16SignedPriceOfAssetPair\x12#\n\rpublisher_key\x18\x01 \x01(\tR\x0cpublisherKey\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature*\xaa\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x12\t\n\x05Stork\x10\x0c\x42\xff\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0bOracleProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\013OracleProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1\300\343\036\001' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None @@ -39,6 +49,10 @@ _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' + _globals['_STORKPRICESTATE'].fields_by_name['value']._loaded_options = None + _globals['_STORKPRICESTATE'].fields_by_name['value']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_STORKPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_STORKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None @@ -65,48 +79,56 @@ _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORACLETYPE']._serialized_start=3252 - _globals['_ORACLETYPE']._serialized_end=3411 + _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._loaded_options = None + _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLETYPE']._serialized_start=4639 + _globals['_ORACLETYPE']._serialized_end=4809 _globals['_PARAMS']._serialized_start=140 - _globals['_PARAMS']._serialized_end=195 - _globals['_ORACLEINFO']._serialized_start=197 - _globals['_ORACLEINFO']._serialized_end=284 - _globals['_CHAINLINKPRICESTATE']._serialized_start=287 - _globals['_CHAINLINKPRICESTATE']._serialized_end=462 - _globals['_BANDPRICESTATE']._serialized_start=465 - _globals['_BANDPRICESTATE']._serialized_end=649 - _globals['_PRICEFEEDSTATE']._serialized_start=651 - _globals['_PRICEFEEDSTATE']._serialized_end=773 - _globals['_PROVIDERINFO']._serialized_start=775 - _globals['_PROVIDERINFO']._serialized_end=825 - _globals['_PROVIDERSTATE']._serialized_start=828 - _globals['_PROVIDERSTATE']._serialized_end=983 - _globals['_PROVIDERPRICESTATE']._serialized_start=985 - _globals['_PROVIDERPRICESTATE']._serialized_end=1074 - _globals['_PRICEFEEDINFO']._serialized_start=1076 - _globals['_PRICEFEEDINFO']._serialized_end=1120 - _globals['_PRICEFEEDPRICE']._serialized_start=1122 - _globals['_PRICEFEEDPRICE']._serialized_end=1190 - _globals['_COINBASEPRICESTATE']._serialized_start=1193 - _globals['_COINBASEPRICESTATE']._serialized_end=1339 - _globals['_PRICESTATE']._serialized_start=1342 - _globals['_PRICESTATE']._serialized_end=1488 - _globals['_PYTHPRICESTATE']._serialized_start=1491 - _globals['_PYTHPRICESTATE']._serialized_end=1774 - _globals['_BANDORACLEREQUEST']._serialized_start=1777 - _globals['_BANDORACLEREQUEST']._serialized_end=2061 - _globals['_BANDIBCPARAMS']._serialized_start=2064 - _globals['_BANDIBCPARAMS']._serialized_end=2232 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 - _globals['_PRICERECORDS']._serialized_start=2453 - _globals['_PRICERECORDS']._serialized_end=2609 - _globals['_PRICERECORD']._serialized_start=2611 - _globals['_PRICERECORD']._serialized_end=2695 - _globals['_METADATASTATISTICS']._serialized_start=2698 - _globals['_METADATASTATISTICS']._serialized_end=3090 - _globals['_PRICEATTESTATION']._serialized_start=3093 - _globals['_PRICEATTESTATION']._serialized_end=3249 + _globals['_PARAMS']._serialized_end=209 + _globals['_ORACLEINFO']._serialized_start=211 + _globals['_ORACLEINFO']._serialized_end=318 + _globals['_CHAINLINKPRICESTATE']._serialized_start=321 + _globals['_CHAINLINKPRICESTATE']._serialized_end=535 + _globals['_BANDPRICESTATE']._serialized_start=538 + _globals['_BANDPRICESTATE']._serialized_end=772 + _globals['_PRICEFEEDSTATE']._serialized_start=775 + _globals['_PRICEFEEDSTATE']._serialized_end=932 + _globals['_PROVIDERINFO']._serialized_start=934 + _globals['_PROVIDERINFO']._serialized_end=1004 + _globals['_PROVIDERSTATE']._serialized_start=1007 + _globals['_PROVIDERSTATE']._serialized_end=1197 + _globals['_PROVIDERPRICESTATE']._serialized_start=1199 + _globals['_PROVIDERPRICESTATE']._serialized_end=1303 + _globals['_PRICEFEEDINFO']._serialized_start=1305 + _globals['_PRICEFEEDINFO']._serialized_end=1362 + _globals['_PRICEFEEDPRICE']._serialized_start=1364 + _globals['_PRICEFEEDPRICE']._serialized_end=1439 + _globals['_COINBASEPRICESTATE']._serialized_start=1442 + _globals['_COINBASEPRICESTATE']._serialized_end=1629 + _globals['_STORKPRICESTATE']._serialized_start=1632 + _globals['_STORKPRICESTATE']._serialized_end=1839 + _globals['_PRICESTATE']._serialized_start=1842 + _globals['_PRICESTATE']._serialized_end=2023 + _globals['_PYTHPRICESTATE']._serialized_start=2026 + _globals['_PYTHPRICESTATE']._serialized_end=2368 + _globals['_BANDORACLEREQUEST']._serialized_start=2371 + _globals['_BANDORACLEREQUEST']._serialized_end=2761 + _globals['_BANDIBCPARAMS']._serialized_start=2764 + _globals['_BANDIBCPARAMS']._serialized_end=3026 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=3029 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=3172 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=3174 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=3295 + _globals['_PRICERECORDS']._serialized_start=3298 + _globals['_PRICERECORDS']._serialized_end=3492 + _globals['_PRICERECORD']._serialized_start=3494 + _globals['_PRICERECORD']._serialized_end=3596 + _globals['_METADATASTATISTICS']._serialized_start=3599 + _globals['_METADATASTATISTICS']._serialized_end=4098 + _globals['_PRICEATTESTATION']._serialized_start=4101 + _globals['_PRICEATTESTATION']._serialized_end=4326 + _globals['_ASSETPAIR']._serialized_start=4328 + _globals['_ASSETPAIR']._serialized_end=4453 + _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_start=4456 + _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_end=4636 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 893bb41b..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index ce151115..d12db5f8 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xca\x01\n GrantBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xcc\x01\n!RevokeBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xf6\x01\n!GrantPriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xe2\x01\n\x1eGrantProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xe4\x01\n\x1fRevokeProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xf8\x01\n\"RevokePriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xff\x01\n\"AuthorizeBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00R\x07request:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\xbb\x02\n\x1fUpdateBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12,\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04R\x10\x64\x65leteRequestIds\x12_\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x13updateOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xef\x01\n\x15\x45nableBandIBCProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposal\"\xe1\x01\n$GrantStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*+oracle/GrantStorkPublisherPrivilegeProposal\"\xe3\x01\n%RevokeStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,oracle/RevokeStorkPublisherPrivilegeProposalB\xfd\x01\n\x1c\x63om.injective.oracle.v1beta1B\rProposalProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\rProposalProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None @@ -49,22 +59,30 @@ _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*+oracle/GrantStorkPublisherPrivilegeProposal' + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,oracle/RevokeStorkPublisherPrivilegeProposal' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=411 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=414 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=618 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=621 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=867 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=870 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1096 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=1099 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1327 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1330 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1578 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1581 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1836 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1839 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=2154 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=2157 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2396 + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2399 + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2624 + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2627 + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2854 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index bbfd8d96..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 30a67483..08538621 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\"2\n\x15QueryPythPriceRequest\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\"c\n\x16QueryPythPriceResponse\x12I\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\npriceState\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1a\n\x18QueryBandRelayersRequest\"7\n\x19QueryBandRelayersResponse\x12\x1a\n\x08relayers\x18\x01 \x03(\tR\x08relayers\"\x1d\n\x1bQueryBandPriceStatesRequest\"k\n\x1cQueryBandPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\" \n\x1eQueryBandIBCPriceStatesRequest\"n\n\x1fQueryBandIBCPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\"\"\n QueryPriceFeedPriceStatesRequest\"p\n!QueryPriceFeedPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x0bpriceStates\"!\n\x1fQueryCoinbasePriceStatesRequest\"s\n QueryCoinbasePriceStatesResponse\x12O\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x0bpriceStates\"\x1d\n\x1bQueryPythPriceStatesRequest\"k\n\x1cQueryPythPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0bpriceStates\"\x1e\n\x1cQueryStorkPriceStatesRequest\"m\n\x1dQueryStorkPriceStatesResponse\x12L\n\x0cprice_states\x18\x01 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x0bpriceStates\"\x1d\n\x1bQueryStorkPublishersRequest\">\n\x1cQueryStorkPublishersResponse\x12\x1e\n\npublishers\x18\x01 \x03(\tR\npublishers\"T\n\x1eQueryProviderPriceStateRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\"h\n\x1fQueryProviderPriceStateResponse\x12\x45\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\"\x19\n\x17QueryModuleStateRequest\"X\n\x18QueryModuleStateResponse\x12<\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisStateR\x05state\"\x7f\n\"QueryHistoricalPriceRecordsRequest\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\"r\n#QueryHistoricalPriceRecordsResponse\x12K\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x0cpriceRecords\"\x8a\x01\n\x14OracleHistoryOptions\x12\x17\n\x07max_age\x18\x01 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x02 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x03 \x01(\x08R\x0fincludeMetadata\"\x8c\x02\n\x1cQueryOracleVolatilityRequest\x12\x41\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\x08\x62\x61seInfo\x12\x43\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\tquoteInfo\x12\x64\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptionsR\x14oracleHistoryOptions\"\x81\x02\n\x1dQueryOracleVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12\x46\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\nrawHistory\"!\n\x1fQueryOracleProvidersInfoRequest\"h\n QueryOracleProvidersInfoResponse\x12\x44\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\tproviders\">\n QueryOracleProviderPricesRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\"r\n!QueryOracleProviderPricesResponse\x12M\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\rproviderState\"\\\n\x0eScalingOptions\x12#\n\rbase_decimals\x18\x01 \x01(\rR\x0c\x62\x61seDecimals\x12%\n\x0equote_decimals\x18\x02 \x01(\rR\rquoteDecimals\"\xe3\x01\n\x17QueryOraclePriceRequest\x12\x45\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x01(\tR\x05quote\x12W\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01R\x0escalingOptions\"\xe2\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tpairPrice\x12\x42\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tbasePrice\x12\x44\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nquotePrice\x12W\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13\x62\x61seCumulativePrice\x12Y\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14quoteCumulativePrice\x12%\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03R\rbaseTimestamp\x12\'\n\x0fquote_timestamp\x18\x07 \x01(\x03R\x0equoteTimestamp\"n\n\x18QueryOraclePriceResponse\x12R\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairStateR\x0epricePairState2\xcd\x18\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xb9\x01\n\x10StorkPriceStates\x12\x36.injective.oracle.v1beta1.QueryStorkPriceStatesRequest\x1a\x37.injective.oracle.v1beta1.QueryStorkPriceStatesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/oracle/v1beta1/stork_price_states\x12\xb4\x01\n\x0fStorkPublishers\x12\x35.injective.oracle.v1beta1.QueryStorkPublishersRequest\x1a\x36.injective.oracle.v1beta1.QueryStorkPublishersResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/oracle/v1beta1/stork_publishers\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceB\xfa\x01\n\x1c\x63om.injective.oracle.v1beta1B\nQueryProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\nQueryProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None @@ -56,6 +66,10 @@ _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/coinbase_price_states' _globals['_QUERY'].methods_by_name['PythPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/pyth_price_states' + _globals['_QUERY'].methods_by_name['StorkPriceStates']._loaded_options = None + _globals['_QUERY'].methods_by_name['StorkPriceStates']._serialized_options = b'\202\323\344\223\002.\022,/injective/oracle/v1beta1/stork_price_states' + _globals['_QUERY'].methods_by_name['StorkPublishers']._loaded_options = None + _globals['_QUERY'].methods_by_name['StorkPublishers']._serialized_options = b'\202\323\344\223\002,\022*/injective/oracle/v1beta1/stork_publishers' _globals['_QUERY'].methods_by_name['ProviderPriceState']._loaded_options = None _globals['_QUERY'].methods_by_name['ProviderPriceState']._serialized_options = b'\202\323\344\223\002D\022B/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}' _globals['_QUERY'].methods_by_name['OracleModuleState']._loaded_options = None @@ -73,71 +87,79 @@ _globals['_QUERY'].methods_by_name['PythPrice']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPrice']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/pyth_price' _globals['_QUERYPYTHPRICEREQUEST']._serialized_start=197 - _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=238 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=240 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=327 - _globals['_QUERYPARAMSREQUEST']._serialized_start=329 - _globals['_QUERYPARAMSREQUEST']._serialized_end=349 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=351 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=428 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=430 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=456 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=458 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=503 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=505 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=534 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=536 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=630 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=632 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=664 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=666 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=763 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=765 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=799 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=801 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=900 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=902 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=935 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=937 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1039 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1041 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1070 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1072 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1166 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1168 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1234 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1236 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1328 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1330 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1355 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1357 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1438 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1440 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1549 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1551 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=1651 - _globals['_ORACLEHISTORYOPTIONS']._serialized_start=1653 - _globals['_ORACLEHISTORYOPTIONS']._serialized_end=1747 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 - _globals['_SCALINGOPTIONS']._serialized_start=2481 - _globals['_SCALINGOPTIONS']._serialized_end=2544 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 - _globals['_PRICEPAIRSTATE']._serialized_start=2736 - _globals['_PRICEPAIRSTATE']._serialized_end=3110 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 - _globals['_QUERY']._serialized_start=3209 - _globals['_QUERY']._serialized_end=5987 + _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=247 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=249 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=348 + _globals['_QUERYPARAMSREQUEST']._serialized_start=350 + _globals['_QUERYPARAMSREQUEST']._serialized_end=370 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=372 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=457 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=459 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=485 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=487 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=542 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=544 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=573 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=575 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=682 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=684 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=716 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=718 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=828 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=830 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=864 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=866 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=978 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=980 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=1013 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=1015 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1130 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1132 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1161 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1163 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1270 + _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_start=1272 + _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_end=1302 + _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_start=1304 + _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_end=1413 + _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_start=1415 + _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_end=1444 + _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_start=1446 + _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_end=1508 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1510 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1594 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1596 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1700 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1702 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1727 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1729 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1817 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1819 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1946 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1948 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=2062 + _globals['_ORACLEHISTORYOPTIONS']._serialized_start=2065 + _globals['_ORACLEHISTORYOPTIONS']._serialized_end=2203 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=2206 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=2474 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=2477 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2734 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2736 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2769 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2771 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2875 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2877 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2939 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2941 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=3055 + _globals['_SCALINGOPTIONS']._serialized_start=3057 + _globals['_SCALINGOPTIONS']._serialized_end=3149 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=3152 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=3379 + _globals['_PRICEPAIRSTATE']._serialized_start=3382 + _globals['_PRICEPAIRSTATE']._serialized_end=3864 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3866 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3976 + _globals['_QUERY']._serialized_start=3979 + _globals['_QUERY']._serialized_end=7128 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index 5f56ed7b..a368d998 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. @@ -99,6 +50,16 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, _registered_method=True) + self.StorkPriceStates = channel.unary_unary( + '/injective.oracle.v1beta1.Query/StorkPriceStates', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, + _registered_method=True) + self.StorkPublishers = channel.unary_unary( + '/injective.oracle.v1beta1.Query/StorkPublishers', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, + _registered_method=True) self.ProviderPriceState = channel.unary_unary( '/injective.oracle.v1beta1.Query/ProviderPriceState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, @@ -194,6 +155,20 @@ def PythPriceStates(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def StorkPriceStates(self, request, context): + """Retrieves the state for all stork price feeds + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def StorkPublishers(self, request, context): + """Retrieves all stork publishers + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def ProviderPriceState(self, request, context): """Retrieves the state for all provider price feeds """ @@ -284,6 +259,16 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.SerializeToString, ), + 'StorkPriceStates': grpc.unary_unary_rpc_method_handler( + servicer.StorkPriceStates, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.SerializeToString, + ), + 'StorkPublishers': grpc.unary_unary_rpc_method_handler( + servicer.StorkPublishers, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.SerializeToString, + ), 'ProviderPriceState': grpc.unary_unary_rpc_method_handler( servicer.ProviderPriceState, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.FromString, @@ -525,6 +510,60 @@ def PythPriceStates(request, metadata, _registered_method=True) + @staticmethod + def StorkPriceStates(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/StorkPriceStates', + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def StorkPublishers(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/StorkPublishers', + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def ProviderPriceState(request, target, diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 71c2aa54..d7ce43ad 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xda\x01\n\x16MsgRelayProviderPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12;\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06prices:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xcc\x01\n\x16MsgRelayPriceFeedPrice\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x12\n\x04\x62\x61se\x18\x02 \x03(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x03(\tR\x05quote\x12\x39\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\xcd\x01\n\x11MsgRelayBandRates\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x18\n\x07symbols\x18\x02 \x03(\tR\x07symbols\x12\x14\n\x05rates\x18\x03 \x03(\x04R\x05rates\x12#\n\rresolve_times\x18\x04 \x03(\x04R\x0cresolveTimes\x12\x1e\n\nrequestIDs\x18\x05 \x03(\x04R\nrequestIDs:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\xa7\x01\n\x18MsgRelayCoinbaseMessages\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08messages\x18\x02 \x03(\x0cR\x08messages\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"\x88\x01\n\x13MsgRelayStorkPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x44\n\x0b\x61sset_pairs\x18\x02 \x03(\x0b\x32#.injective.oracle.v1beta1.AssetPairR\nassetPairs:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRelayStorkPricesResponse\"\x86\x01\n\x16MsgRequestBandIBCRates\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1d\n\nrequest_id\x18\x02 \x01(\x04R\trequestId:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\xba\x01\n\x12MsgRelayPythPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12Y\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestationR\x11priceAttestations:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xf6\x07\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12y\n\x11RelayStorkMessage\x12-.injective.oracle.v1beta1.MsgRelayStorkPrices\x1a\x35.injective.oracle.v1beta1.MsgRelayStorkPricesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n\x1c\x63om.injective.oracle.v1beta1B\x07TxProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\007TxProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None @@ -39,6 +49,8 @@ _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' + _globals['_MSGRELAYSTORKPRICES']._loaded_options = None + _globals['_MSGRELAYSTORKPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' _globals['_MSGRELAYPYTHPRICES']._loaded_options = None @@ -52,33 +64,37 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 - _globals['_MSGRELAYBANDRATES']._serialized_start=629 - _globals['_MSGRELAYBANDRATES']._serialized_end=783 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 - _globals['_MSGUPDATEPARAMS']._serialized_start=1334 - _globals['_MSGUPDATEPARAMS']._serialized_end=1495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 - _globals['_MSG']._serialized_start=1525 - _globals['_MSG']._serialized_end=2416 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=414 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=416 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=448 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=451 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=655 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=657 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=689 + _globals['_MSGRELAYBANDRATES']._serialized_start=692 + _globals['_MSGRELAYBANDRATES']._serialized_end=897 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=899 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=926 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=929 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=1096 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=1098 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=1132 + _globals['_MSGRELAYSTORKPRICES']._serialized_start=1135 + _globals['_MSGRELAYSTORKPRICES']._serialized_end=1271 + _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_start=1273 + _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_end=1302 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=1305 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1439 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1441 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1473 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=1476 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1662 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1664 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1692 + _globals['_MSGUPDATEPARAMS']._serialized_start=1695 + _globals['_MSGUPDATEPARAMS']._serialized_end=1875 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1877 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1902 + _globals['_MSG']._serialized_start=1905 + _globals['_MSG']._serialized_end=2919 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index c1c39386..7c505717 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the oracle Msg service. @@ -89,6 +40,11 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, _registered_method=True) + self.RelayStorkMessage = channel.unary_unary( + '/injective.oracle.v1beta1.Msg/RelayStorkMessage', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, + _registered_method=True) self.RelayPythPrices = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPythPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, @@ -143,6 +99,14 @@ def RelayCoinbaseMessages(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def RelayStorkMessage(self, request, context): + """RelayStorkMessage defines a method for relaying price message from + Stork API + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def RelayPythPrices(self, request, context): """RelayPythPrices defines a method for relaying rates from the Pyth contract """ @@ -185,6 +149,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.SerializeToString, ), + 'RelayStorkMessage': grpc.unary_unary_rpc_method_handler( + servicer.RelayStorkMessage, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.SerializeToString, + ), 'RelayPythPrices': grpc.unary_unary_rpc_method_handler( servicer.RelayPythPrices, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.FromString, @@ -342,6 +311,33 @@ def RelayCoinbaseMessages(request, metadata, _registered_method=True) + @staticmethod + def RelayStorkMessage(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayStorkMessage', + injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def RelayPythPrices(request, target, diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index 4bc045af..df4f7386 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/attestation.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/attestation.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x83\x01\n\x0b\x41ttestation\x12\x1a\n\x08observed\x18\x01 \x01(\x08R\x08observed\x12\x14\n\x05votes\x18\x02 \x03(\tR\x05votes\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12*\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x05\x63laim\"_\n\nERC20Token\x12\x1a\n\x08\x63ontract\x18\x01 \x01(\tR\x08\x63ontract\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42\xe1\x01\n\x16\x63om.injective.peggy.v1B\x10\x41ttestationProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.attestation_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\020AttestationProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_CLAIMTYPE']._loaded_options = None _globals['_CLAIMTYPE']._serialized_options = b'\210\243\036\000' _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._loaded_options = None @@ -38,10 +48,10 @@ _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_CLAIMTYPE']._serialized_start=290 - _globals['_CLAIMTYPE']._serialized_end=577 - _globals['_ATTESTATION']._serialized_start=109 - _globals['_ATTESTATION']._serialized_end=208 - _globals['_ERC20TOKEN']._serialized_start=210 - _globals['_ERC20TOKEN']._serialized_end=287 + _globals['_CLAIMTYPE']._serialized_start=341 + _globals['_CLAIMTYPE']._serialized_end=628 + _globals['_ATTESTATION']._serialized_start=110 + _globals['_ATTESTATION']._serialized_end=241 + _globals['_ERC20TOKEN']._serialized_start=243 + _globals['_ERC20TOKEN']._serialized_end=338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 285bf82a..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index b2320be9..a9be91de 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/batch.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/batch.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,16 +25,16 @@ from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xa2\x01\n\x0fOutgoingTxBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x02 \x01(\x04\x12<\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\r\n\x05\x62lock\x18\x05 \x01(\x04\"\xae\x01\n\x12OutgoingTransferTx\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x14\n\x0c\x64\x65st_address\x18\x03 \x01(\t\x12\x33\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20Token\x12\x31\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xe0\x01\n\x0fOutgoingTxBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x02 \x01(\x04R\x0c\x62\x61tchTimeout\x12J\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x0ctransactions\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x14\n\x05\x62lock\x18\x05 \x01(\x04R\x05\x62lock\"\xdd\x01\n\x12OutgoingTransferTx\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12!\n\x0c\x64\x65st_address\x18\x03 \x01(\tR\x0b\x64\x65stAddress\x12?\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\nerc20Token\x12;\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\x08\x65rc20FeeB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nBatchProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.batch_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nBatchProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_OUTGOINGTXBATCH']._serialized_start=93 - _globals['_OUTGOINGTXBATCH']._serialized_end=255 - _globals['_OUTGOINGTRANSFERTX']._serialized_start=258 - _globals['_OUTGOINGTRANSFERTX']._serialized_end=432 + _globals['_OUTGOINGTXBATCH']._serialized_end=317 + _globals['_OUTGOINGTRANSFERTX']._serialized_start=320 + _globals['_OUTGOINGTRANSFERTX']._serialized_end=541 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 4993584c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index 538dc534..d7838484 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/ethereum_signer.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/ethereum_signer.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42\xe4\x01\n\x16\x63om.injective.peggy.v1B\x13\x45thereumSignerProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.ethereum_signer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\023EthereumSignerProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_SIGNTYPE']._loaded_options = None _globals['_SIGNTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_SIGNTYPE']._serialized_start=87 diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 3c90ed86..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index bbd26b42..5ba15fd2 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xf2\x01\n\x18\x45ventAttestationObserved\x12H\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimTypeR\x0f\x61ttestationType\x12\'\n\x0f\x62ridge_contract\x18\x02 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04R\rbridgeChainId\x12%\n\x0e\x61ttestation_id\x18\x04 \x01(\x0cR\rattestationId\x12\x14\n\x05nonce\x18\x05 \x01(\x04R\x05nonce\"n\n\x1b\x45ventBridgeWithdrawCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\"\xc5\x01\n\x12\x45ventOutgoingBatch\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x04 \x01(\x04R\x0c\x62\x61tchTimeout\x12 \n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04R\nbatchTxIds\"\x9e\x01\n\x1a\x45ventOutgoingBatchCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\x12\x19\n\x08\x62\x61tch_id\x18\x03 \x01(\x04R\x07\x62\x61tchId\x12\x14\n\x05nonce\x18\x04 \x01(\x04R\x05nonce\"\x95\x02\n\x18\x45ventValsetUpdateRequest\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12#\n\rvalset_height\x18\x02 \x01(\x04R\x0cvalsetHeight\x12J\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\xb1\x01\n\x1d\x45ventSetOrchestratorAddresses\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x30\n\x14operator_eth_address\x18\x03 \x01(\tR\x12operatorEthAddress\"j\n\x12\x45ventValsetConfirm\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"\x83\x02\n\x0e\x45ventSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x03 \x01(\tR\x08receiver\x12G\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12N\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tbridgeFee\"g\n\x11\x45ventConfirmBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"t\n\x14\x45ventAttestationVote\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12%\n\x0e\x61ttestation_id\x18\x02 \x01(\x0cR\rattestationId\x12\x14\n\x05voter\x18\x03 \x01(\tR\x05voter\"\xf5\x02\n\x11\x45ventDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\'\n\x0f\x65thereum_sender\x18\x04 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x05 \x01(\tR\x0e\x63osmosReceiver\x12%\n\x0etoken_contract\x18\x06 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\x12\x12\n\x04\x64\x61ta\x18\t \x01(\tR\x04\x64\x61ta\"\xfa\x01\n\x12\x45ventWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x31\n\x14orchestrator_address\x18\x06 \x01(\tR\x13orchestratorAddress\"\xc9\x02\n\x17\x45ventERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0c\x63osmos_denom\x18\x04 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x06 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x07 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04R\x08\x64\x65\x63imals\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\"\x8c\x03\n\x16\x45ventValsetUpdateClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0cvalset_nonce\x18\x04 \x01(\x04R\x0bvalsetNonce\x12J\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x07 \x01(\tR\x0brewardToken\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\"<\n\x14\x45ventCancelSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\"\x88\x01\n\x1f\x45ventSubmitBadSignatureEvidence\x12*\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\tR\x0f\x62\x61\x64\x45thSignature\x12\x39\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\tR\x16\x62\x61\x64\x45thSignatureSubject\"\xb5\x01\n\x13\x45ventValidatorSlash\x12\x14\n\x05power\x18\x01 \x01(\x03R\x05power\x12\x16\n\x06reason\x18\x02 \x01(\tR\x06reason\x12+\n\x11\x63onsensus_address\x18\x03 \x01(\tR\x10\x63onsensusAddress\x12)\n\x10operator_address\x18\x04 \x01(\tR\x0foperatorAddress\x12\x18\n\x07moniker\x18\x05 \x01(\tR\x07monikerB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None @@ -36,37 +46,37 @@ _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 - _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=401 - _globals['_EVENTOUTGOINGBATCH']._serialized_start=404 - _globals['_EVENTOUTGOINGBATCH']._serialized_end=535 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 - _globals['_EVENTVALSETCONFIRM']._serialized_start=981 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 - _globals['_EVENTSENDTOETH']._serialized_start=1056 - _globals['_EVENTSENDTOETH']._serialized_end=1264 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 - _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 - _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 + _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=390 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=392 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=502 + _globals['_EVENTOUTGOINGBATCH']._serialized_start=505 + _globals['_EVENTOUTGOINGBATCH']._serialized_end=702 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=705 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=863 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=866 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=1143 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=1146 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=1323 + _globals['_EVENTVALSETCONFIRM']._serialized_start=1325 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1431 + _globals['_EVENTSENDTOETH']._serialized_start=1434 + _globals['_EVENTSENDTOETH']._serialized_end=1693 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1695 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1798 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1800 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1916 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1919 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=2292 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=2295 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=2545 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=2548 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2877 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2880 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=3276 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=3278 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=3338 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=3341 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=3477 + _globals['_EVENTVALIDATORSLASH']._serialized_start=3480 + _globals['_EVENTVALIDATORSLASH']._serialized_end=3661 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 858a3ebc..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index fbc92421..ae1622b8 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -21,16 +31,16 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x06\n\x0cGenesisState\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Params\x12\x1b\n\x13last_observed_nonce\x18\x02 \x01(\x04\x12+\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\x12=\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\x12\x34\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\x12;\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\x12\x35\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.Attestation\x12O\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddresses\x12\x39\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenom\x12\x43\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12%\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04\x12\x1e\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04\x12\x1d\n\x15last_outgoing_pool_id\x18\r \x01(\x04\x12>\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12\x65thereum_blacklist\x18\x0f \x03(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x08\n\x0cGenesisState\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsR\x06params\x12.\n\x13last_observed_nonce\x18\x02 \x01(\x04R\x11lastObservedNonce\x12\x34\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\x12M\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x0evalsetConfirms\x12=\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\x12J\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\rbatchConfirms\x12\x43\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.AttestationR\x0c\x61ttestations\x12\x66\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddressesR\x15orchestratorAddresses\x12H\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenomR\rerc20ToDenoms\x12W\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\x12\x41\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04R\x1alastObservedEthereumHeight\x12\x33\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04R\x13lastOutgoingBatchId\x12\x31\n\x15last_outgoing_pool_id\x18\r \x01(\x04R\x12lastOutgoingPoolId\x12R\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00R\x12lastObservedValset\x12-\n\x12\x65thereum_blacklist\x18\x0f \x03(\tR\x11\x65thereumBlacklistB\xdd\x01\n\x16\x63om.injective.peggy.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=277 - _globals['_GENESISSTATE']._serialized_end=1045 + _globals['_GENESISSTATE']._serialized_end=1301 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 24d3f129..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index 52ba88cb..eea1e425 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/msgs.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x1bMsgSetOrchestratorAddresses\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\xb9\x01\n\x10MsgValsetConfirm\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xde\x01\n\x0cMsgSendToEth\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x19\n\x08\x65th_dest\x18\x02 \x01(\tR\x07\x65thDest\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\x12>\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbridgeFee:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"x\n\x0fMsgRequestBatch\x12\"\n\x0corchestrator\x18\x01 \x01(\tR\x0corchestrator\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xdc\x01\n\x0fMsgConfirmBatch\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12%\n\x0etoken_contract\x18\x02 \x01(\tR\rtokenContract\x12\x1d\n\neth_signer\x18\x03 \x01(\tR\tethSigner\x12\"\n\x0corchestrator\x18\x04 \x01(\tR\x0corchestrator\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\xea\x02\n\x0fMsgDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12%\n\x0etoken_contract\x18\x03 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\'\n\x0f\x65thereum_sender\x18\x05 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x06 \x01(\tR\x0e\x63osmosReceiver\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator\x12\x12\n\x04\x64\x61ta\x18\x08 \x01(\tR\x04\x64\x61ta:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xf0\x01\n\x10MsgWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\"\n\x0corchestrator\x18\x05 \x01(\tR\x0corchestrator:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc4\x02\n\x15MsgERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12!\n\x0c\x63osmos_denom\x18\x03 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04R\x08\x64\x65\x63imals\x12\"\n\x0corchestrator\x18\x08 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"}\n\x12MsgCancelSendToEth\x12%\n\x0etransaction_id\x18\x01 \x01(\x04R\rtransactionId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\xba\x01\n\x1dMsgSubmitBadSignatureEvidence\x12.\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07subject\x12\x1c\n\tsignature\x18\x02 \x01(\tR\tsignature\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xfb\x02\n\x15MsgValsetUpdatedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0cvalset_nonce\x18\x02 \x01(\x04R\x0bvalsetNonce\x12!\n\x0c\x62lock_height\x18\x03 \x01(\x04R\x0b\x62lockHeight\x12=\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x42\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x06 \x01(\tR\x0brewardToken\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9d\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"\x97\x01\n\x1aMsgRevokeEthereumBlacklist\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xda\x01\n\x16\x63om.injective.peggy.v1B\tMsgsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tMsgsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' _globals['_MSGVALSETCONFIRM']._loaded_options = None @@ -96,61 +106,61 @@ _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 - _globals['_MSGVALSETCONFIRM']._serialized_start=482 - _globals['_MSGVALSETCONFIRM']._serialized_end=623 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 - _globals['_MSGSENDTOETH']._serialized_start=654 - _globals['_MSGSENDTOETH']._serialized_end=840 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 - _globals['_MSGREQUESTBATCH']._serialized_start=866 - _globals['_MSGREQUESTBATCH']._serialized_end=965 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 - _globals['_MSGCONFIRMBATCH']._serialized_start=995 - _globals['_MSGCONFIRMBATCH']._serialized_end=1157 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 - _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 - _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 - _globals['_MSGUPDATEPARAMS']._serialized_start=2616 - _globals['_MSGUPDATEPARAMS']._serialized_end=2770 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 - _globals['_MSG']._serialized_start=3136 - _globals['_MSG']._serialized_end=5246 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=474 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=476 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=513 + _globals['_MSGVALSETCONFIRM']._serialized_start=516 + _globals['_MSGVALSETCONFIRM']._serialized_end=701 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=703 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=729 + _globals['_MSGSENDTOETH']._serialized_start=732 + _globals['_MSGSENDTOETH']._serialized_end=954 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=956 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=978 + _globals['_MSGREQUESTBATCH']._serialized_start=980 + _globals['_MSGREQUESTBATCH']._serialized_end=1100 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=1102 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=1127 + _globals['_MSGCONFIRMBATCH']._serialized_start=1130 + _globals['_MSGCONFIRMBATCH']._serialized_end=1350 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1352 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1377 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1380 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1742 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1744 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1769 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1772 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=2012 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=2014 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=2040 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=2043 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=2367 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=2369 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=2400 + _globals['_MSGCANCELSENDTOETH']._serialized_start=2402 + _globals['_MSGCANCELSENDTOETH']._serialized_end=2527 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2529 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2557 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2560 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2746 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2748 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2787 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2790 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=3169 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=3171 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=3202 + _globals['_MSGUPDATEPARAMS']._serialized_start=3205 + _globals['_MSGUPDATEPARAMS']._serialized_end=3378 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3380 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3405 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=3408 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=3565 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=3567 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=3606 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=3609 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3760 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3762 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3798 + _globals['_MSG']._serialized_start=3801 + _globals['_MSG']._serialized_end=5911 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index f17ec381..34f5ab26 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/msgs_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 class MsgStub(object): diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index a439c8a9..bb070a70 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xea\n\n\x06Params\x12\x19\n\x08peggy_id\x18\x01 \x01(\tR\x07peggyId\x12\x30\n\x14\x63ontract_source_hash\x18\x02 \x01(\tR\x12\x63ontractSourceHash\x12\x36\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\tR\x15\x62ridgeEthereumAddress\x12&\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04R\rbridgeChainId\x12\x32\n\x15signed_valsets_window\x18\x05 \x01(\x04R\x13signedValsetsWindow\x12\x32\n\x15signed_batches_window\x18\x06 \x01(\x04R\x13signedBatchesWindow\x12\x30\n\x14signed_claims_window\x18\x07 \x01(\x04R\x12signedClaimsWindow\x12\x30\n\x14target_batch_timeout\x18\x08 \x01(\x04R\x12targetBatchTimeout\x12,\n\x12\x61verage_block_time\x18\t \x01(\x04R\x10\x61verageBlockTime\x12=\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04R\x18\x61verageEthereumBlockTime\x12W\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13slashFractionValset\x12U\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionBatch\x12U\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionClaim\x12l\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dslashFractionConflictingClaim\x12\x43\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04R\x1bunbondSlashingValsetsWindow\x12k\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1cslashFractionBadEthSignature\x12*\n\x11\x63osmos_coin_denom\x18\x11 \x01(\tR\x0f\x63osmosCoinDenom\x12;\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\tR\x17\x63osmosCoinErc20Contract\x12\x34\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08R\x14\x63laimSlashingEnabled\x12?\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04R\x19\x62ridgeContractStartHeight\x12\x44\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0cvalsetReward\x12\x16\n\x06\x61\x64mins\x18\x16 \x03(\tR\x06\x61\x64mins:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0bParamsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013ParamsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None @@ -40,5 +50,5 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' _globals['_PARAMS']._serialized_start=129 - _globals['_PARAMS']._serialized_end=1058 + _globals['_PARAMS']._serialized_end=1515 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 3b937d48..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index dc5344aa..fe151be2 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/pool.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/pool.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x19\n\x05IDSet\x12\x10\n\x03ids\x18\x01 \x03(\x04R\x03ids\"_\n\tBatchFees\x12\x14\n\x05token\x18\x01 \x01(\tR\x05token\x12<\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ttotalFeesB\xda\x01\n\x16\x63om.injective.peggy.v1B\tPoolProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.pool_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tPoolProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_IDSET']._serialized_start=75 - _globals['_IDSET']._serialized_end=95 - _globals['_BATCHFEES']._serialized_start=97 - _globals['_BATCHFEES']._serialized_end=174 + _globals['_IDSET']._serialized_end=100 + _globals['_BATCHFEES']._serialized_start=102 + _globals['_BATCHFEES']._serialized_end=197 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 339e9c5c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index a94e2102..86a7edb5 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -22,14 +32,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"G\n\x13QueryParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryCurrentValsetRequest\"H\n\x1aQueryCurrentValsetResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\"*\n\x19QueryValsetRequestRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"H\n\x1aQueryValsetRequestResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\";\n\x19QueryValsetConfirmRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"S\n\x1aQueryValsetConfirmResponse\x12\x35\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\"2\n!QueryValsetConfirmsByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"\\\n\"QueryValsetConfirmsByNonceResponse\x12\x36\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\" \n\x1eQueryLastValsetRequestsRequest\"N\n\x1fQueryLastValsetRequestsResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"=\n*QueryLastPendingValsetRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"Z\n+QueryLastPendingValsetRequestByAddrResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"\x16\n\x14QueryBatchFeeRequest\"I\n\x15QueryBatchFeeResponse\x12\x30\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFees\"<\n)QueryLastPendingBatchRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"`\n*QueryLastPendingBatchRequestByAddrResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"V\n\x1eQueryOutgoingTxBatchesResponse\x12\x34\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"J\n\x1fQueryBatchRequestByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"V\n QueryBatchRequestByNonceResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"D\n\x19QueryBatchConfirmsRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"S\n\x1aQueryBatchConfirmsResponse\x12\x35\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\".\n\x1bQueryLastEventByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\\\n\x1cQueryLastEventByAddrResponse\x12<\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEvent\")\n\x18QueryERC20ToDenomRequest\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\"E\n\x19QueryERC20ToDenomResponse\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\")\n\x18QueryDenomToERC20Request\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"E\n\x19QueryDenomToERC20Response\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\"@\n#QueryDelegateKeysByValidatorAddress\x12\x19\n\x11validator_address\x18\x01 \x01(\t\"`\n+QueryDelegateKeysByValidatorAddressResponse\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"4\n\x1dQueryDelegateKeysByEthAddress\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\"`\n%QueryDelegateKeysByEthAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"F\n&QueryDelegateKeysByOrchestratorAddress\x12\x1c\n\x14orchestrator_address\x18\x01 \x01(\t\"`\n.QueryDelegateKeysByOrchestratorAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x02 \x01(\t\"/\n\x15QueryPendingSendToEth\x12\x16\n\x0esender_address\x18\x01 \x01(\t\"\xaa\x01\n\x1dQueryPendingSendToEthResponse\x12\x44\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x43\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisState\"\x16\n\x14MissingNoncesRequest\"3\n\x15MissingNoncesResponse\x12\x1a\n\x12operator_addresses\x18\x01 \x03(\t2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"O\n\x13QueryParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryCurrentValsetRequest\"P\n\x1aQueryCurrentValsetResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"1\n\x19QueryValsetRequestRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"P\n\x1aQueryValsetRequestResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"K\n\x19QueryValsetConfirmRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n\x1aQueryValsetConfirmResponse\x12>\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x07\x63onfirm\"9\n!QueryValsetConfirmsByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"f\n\"QueryValsetConfirmsByNonceResponse\x12@\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x08\x63onfirms\" \n\x1eQueryLastValsetRequestsRequest\"W\n\x1fQueryLastValsetRequestsResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"F\n*QueryLastPendingValsetRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"c\n+QueryLastPendingValsetRequestByAddrResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"\x16\n\x14QueryBatchFeeRequest\"T\n\x15QueryBatchFeeResponse\x12;\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFeesR\tbatchFees\"E\n)QueryLastPendingBatchRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"g\n*QueryLastPendingBatchRequestByAddrResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"_\n\x1eQueryOutgoingTxBatchesResponse\x12=\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\"b\n\x1fQueryBatchRequestByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n QueryBatchRequestByNonceResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\\\n\x19QueryBatchConfirmsRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n\x1aQueryBatchConfirmsResponse\x12?\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\x08\x63onfirms\"7\n\x1bQueryLastEventByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"l\n\x1cQueryLastEventByAddrResponse\x12L\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEventR\x0elastClaimEvent\"0\n\x18QueryERC20ToDenomRequest\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\"^\n\x19QueryERC20ToDenomResponse\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"0\n\x18QueryDenomToERC20Request\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"^\n\x19QueryDenomToERC20Response\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"R\n#QueryDelegateKeysByValidatorAddress\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\"\x81\x01\n+QueryDelegateKeysByValidatorAddressResponse\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"@\n\x1dQueryDelegateKeysByEthAddress\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\"\x87\x01\n%QueryDelegateKeysByEthAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"[\n&QueryDelegateKeysByOrchestratorAddress\x12\x31\n\x14orchestrator_address\x18\x01 \x01(\tR\x13orchestratorAddress\"~\n.QueryDelegateKeysByOrchestratorAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x1f\n\x0b\x65th_address\x18\x02 \x01(\tR\nethAddress\">\n\x15QueryPendingSendToEth\x12%\n\x0esender_address\x18\x01 \x01(\tR\rsenderAddress\"\xd2\x01\n\x1dQueryPendingSendToEthResponse\x12X\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12transfersInBatches\x12W\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisStateR\x05state\"\x16\n\x14MissingNoncesRequest\"F\n\x15MissingNoncesResponse\x12-\n\x12operator_addresses\x18\x01 \x03(\tR\x11operatorAddresses2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -77,87 +87,87 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=299 _globals['_QUERYPARAMSREQUEST']._serialized_end=319 _globals['_QUERYPARAMSRESPONSE']._serialized_start=321 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=392 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=394 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=421 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=423 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=495 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=497 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=539 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=541 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=613 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=615 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=674 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=676 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=759 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=761 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=811 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=813 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=905 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=907 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=939 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=941 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1019 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1021 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1082 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1084 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1174 - _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1176 - _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1198 - _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1200 - _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1273 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1275 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1335 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1337 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1433 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1435 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1466 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1468 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1554 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1556 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1630 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1632 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1718 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1720 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1788 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1790 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=1873 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=1875 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=1921 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=1923 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2015 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2017 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2058 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2060 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2129 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2131 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2172 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2174 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2243 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2245 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2309 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2311 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2407 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2409 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2461 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2463 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2559 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2561 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=2631 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=2633 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=2729 - _globals['_QUERYPENDINGSENDTOETH']._serialized_start=2731 - _globals['_QUERYPENDINGSENDTOETH']._serialized_end=2778 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=2781 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=2951 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=2953 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=2978 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=2980 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3055 - _globals['_MISSINGNONCESREQUEST']._serialized_start=3057 - _globals['_MISSINGNONCESREQUEST']._serialized_end=3079 - _globals['_MISSINGNONCESRESPONSE']._serialized_start=3081 - _globals['_MISSINGNONCESRESPONSE']._serialized_end=3132 - _globals['_QUERY']._serialized_start=3135 - _globals['_QUERY']._serialized_end=6533 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=400 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=402 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=429 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=431 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=511 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=513 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=562 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=564 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=644 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=646 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=721 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=723 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=815 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=817 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=874 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=876 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=978 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=980 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=1012 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=1014 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1101 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1103 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1173 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1175 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1274 + _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1276 + _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1298 + _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1300 + _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1384 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1386 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1455 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1457 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1560 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1562 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1593 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1595 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1690 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1692 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1790 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1792 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1885 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1887 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1979 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1981 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=2074 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=2076 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=2131 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=2133 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2241 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2243 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2291 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2293 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2387 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2389 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2437 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2439 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2533 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2535 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2617 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2620 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2749 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2751 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2815 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2818 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2953 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2955 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=3046 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=3048 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=3174 + _globals['_QUERYPENDINGSENDTOETH']._serialized_start=3176 + _globals['_QUERYPENDINGSENDTOETH']._serialized_end=3238 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=3241 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=3451 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=3453 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=3478 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=3480 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3562 + _globals['_MISSINGNONCESREQUEST']._serialized_start=3564 + _globals['_MISSINGNONCESREQUEST']._serialized_end=3586 + _globals['_MISSINGNONCESRESPONSE']._serialized_start=3588 + _globals['_MISSINGNONCESRESPONSE']._serialized_end=3658 + _globals['_QUERY']._serialized_start=3661 + _globals['_QUERY']._serialized_end=7059 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index 550b2116..2d54c874 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 1186e742..6ecf6bb8 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -1,38 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"R\n\x0f\x42ridgeValidator\x12\x14\n\x05power\x18\x01 \x01(\x04R\x05power\x12)\n\x10\x65thereum_address\x18\x02 \x01(\tR\x0f\x65thereumAddress\"\xdc\x01\n\x06Valset\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12=\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\x85\x01\n\x1fLastObservedEthereumBlockHeight\x12.\n\x13\x63osmos_block_height\x18\x01 \x01(\x04R\x11\x63osmosBlockHeight\x12\x32\n\x15\x65thereum_block_height\x18\x02 \x01(\x04R\x13\x65thereumBlockHeight\"v\n\x0eLastClaimEvent\x12\x30\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04R\x12\x65thereumEventNonce\x12\x32\n\x15\x65thereum_event_height\x18\x02 \x01(\x04R\x13\x65thereumEventHeight\":\n\x0c\x45RC20ToDenom\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nomB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nTypesProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nTypesProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 - _globals['_BRIDGEVALIDATOR']._serialized_end=134 - _globals['_VALSET']._serialized_start=137 - _globals['_VALSET']._serialized_end=306 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 - _globals['_LASTCLAIMEVENT']._serialized_start=403 - _globals['_LASTCLAIMEVENT']._serialized_end=480 - _globals['_ERC20TODENOM']._serialized_start=482 - _globals['_ERC20TODENOM']._serialized_end=526 + _globals['_BRIDGEVALIDATOR']._serialized_end=158 + _globals['_VALSET']._serialized_start=161 + _globals['_VALSET']._serialized_end=381 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=384 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=517 + _globals['_LASTCLAIMEVENT']._serialized_start=519 + _globals['_LASTCLAIMEVENT']._serialized_end=637 + _globals['_ERC20TODENOM']._serialized_start=639 + _globals['_ERC20TODENOM']._serialized_end=697 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 833de0b8..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 29e3dc50..083b473a 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,12 +27,16 @@ from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.protoBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"`\n\x0f\x45ventSetVoucher\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\tR\x04\x61\x64\x64r\x12\x39\n\x07voucher\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07voucherB\x99\x02\n!com.injective.permissions.v1beta1B\x0b\x45ventsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013EventsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._loaded_options = None + _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._serialized_options = b'\310\336\037\000' + _globals['_EVENTSETVOUCHER']._serialized_start=163 + _globals['_EVENTSETVOUCHER']._serialized_end=259 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 41b37ec2..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index 9ce92f81..f43fbcdf 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,18 +27,18 @@ from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8f\x01\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x42\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\xa3\x01\n\x0cGenesisState\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12N\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\nnamespacesB\x9a\x02\n!com.injective.permissions.v1beta1B\x0cGenesisProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\014GenesisProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['namespaces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['namespaces']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=194 - _globals['_GENESISSTATE']._serialized_end=337 + _globals['_GENESISSTATE']._serialized_end=357 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 9ab6244e..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 4ea7248d..b00607a9 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"[\n\x06Params\x12\x34\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04R\x13wasmHookQueryMaxGas:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsB\x99\x02\n!com.injective.permissions.v1beta1B\x0bParamsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013ParamsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' _globals['_PARAMS']._serialized_start=177 - _globals['_PARAMS']._serialized_end=247 + _globals['_PARAMS']._serialized_end=268 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 870daa66..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index 5e1d7e10..500d44cd 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/permissions.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/permissions.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,28 +26,28 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf2\x01\n\tNamespace\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x11\n\twasm_hook\x18\x02 \x01(\t\x12\x14\n\x0cmints_paused\x18\x03 \x01(\x08\x12\x14\n\x0csends_paused\x18\x04 \x01(\x08\x12\x14\n\x0c\x62urns_paused\x18\x05 \x01(\x08\x12=\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles\".\n\x0c\x41\x64\x64ressRoles\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05roles\x18\x02 \x03(\t\")\n\x04Role\x12\x0c\n\x04role\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x01(\r\"\x1b\n\x07RoleIDs\x12\x10\n\x08role_ids\x18\x01 \x03(\r\"e\n\x07Voucher\x12Z\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"Z\n\x0e\x41\x64\x64ressVoucher\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x37\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.Voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xc9\x02\n\tNamespace\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1b\n\twasm_hook\x18\x02 \x01(\tR\x08wasmHook\x12!\n\x0cmints_paused\x18\x03 \x01(\x08R\x0bmintsPaused\x12!\n\x0csends_paused\x18\x04 \x01(\x08R\x0bsendsPaused\x12!\n\x0c\x62urns_paused\x18\x05 \x01(\x08R\x0b\x62urnsPaused\x12N\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles\">\n\x0c\x41\x64\x64ressRoles\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05roles\x18\x02 \x03(\tR\x05roles\"<\n\x04Role\x12\x12\n\x04role\x18\x01 \x01(\tR\x04role\x12 \n\x0bpermissions\x18\x02 \x01(\rR\x0bpermissions\"$\n\x07RoleIDs\x12\x19\n\x08role_ids\x18\x01 \x03(\rR\x07roleIds\"l\n\x07Voucher\x12\x61\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x63oins\"l\n\x0e\x41\x64\x64ressVoucher\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.VoucherR\x07voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42\x9e\x02\n!com.injective.permissions.v1beta1B\x10PermissionsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.permissions_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\020PermissionsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_VOUCHER'].fields_by_name['coins']._loaded_options = None _globals['_VOUCHER'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_ACTION']._serialized_start=696 - _globals['_ACTION']._serialized_end=754 + _globals['_ACTION']._serialized_start=852 + _globals['_ACTION']._serialized_end=910 _globals['_NAMESPACE']._serialized_start=137 - _globals['_NAMESPACE']._serialized_end=379 - _globals['_ADDRESSROLES']._serialized_start=381 - _globals['_ADDRESSROLES']._serialized_end=427 - _globals['_ROLE']._serialized_start=429 - _globals['_ROLE']._serialized_end=470 - _globals['_ROLEIDS']._serialized_start=472 - _globals['_ROLEIDS']._serialized_end=499 - _globals['_VOUCHER']._serialized_start=501 - _globals['_VOUCHER']._serialized_end=602 - _globals['_ADDRESSVOUCHER']._serialized_start=604 - _globals['_ADDRESSVOUCHER']._serialized_end=694 + _globals['_NAMESPACE']._serialized_end=466 + _globals['_ADDRESSROLES']._serialized_start=468 + _globals['_ADDRESSROLES']._serialized_end=530 + _globals['_ROLE']._serialized_start=532 + _globals['_ROLE']._serialized_end=592 + _globals['_ROLEIDS']._serialized_start=594 + _globals['_ROLEIDS']._serialized_end=630 + _globals['_VOUCHER']._serialized_start=632 + _globals['_VOUCHER']._serialized_end=740 + _globals['_ADDRESSVOUCHER']._serialized_start=742 + _globals['_ADDRESSVOUCHER']._serialized_end=850 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 9a75aeea..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index 1a1d7f4b..87ed6e42 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,22 +24,25 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 from pyinjective.proto.injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryAllNamespacesRequest\"Z\n\x1aQueryAllNamespacesResponse\x12<\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.Namespace\"D\n\x1cQueryNamespaceByDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x15\n\rinclude_roles\x18\x02 \x01(\x08\"\\\n\x1dQueryNamespaceByDenomResponse\x12;\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.Namespace\":\n\x1bQueryAddressesByRoleRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0c\n\x04role\x18\x02 \x01(\t\"1\n\x1cQueryAddressesByRoleResponse\x12\x11\n\taddresses\x18\x01 \x03(\t\":\n\x18QueryAddressRolesRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"*\n\x19QueryAddressRolesResponse\x12\r\n\x05roles\x18\x01 \x03(\t\"1\n\x1eQueryVouchersForAddressRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x1fQueryVouchersForAddressResponse\x12?\n\x08vouchers\x18\x01 \x03(\x0b\x32-.injective.permissions.v1beta1.AddressVoucher2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"Z\n\x13QueryParamsResponse\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryAllNamespacesRequest\"f\n\x1aQueryAllNamespacesResponse\x12H\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\nnamespaces\"Y\n\x1cQueryNamespaceByDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12#\n\rinclude_roles\x18\x02 \x01(\x08R\x0cincludeRoles\"g\n\x1dQueryNamespaceByDenomResponse\x12\x46\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\tnamespace\"G\n\x1bQueryAddressesByRoleRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04role\x18\x02 \x01(\tR\x04role\"<\n\x1cQueryAddressesByRoleResponse\x12\x1c\n\taddresses\x18\x01 \x03(\tR\taddresses\"J\n\x18QueryAddressRolesRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x19QueryAddressRolesResponse\x12\x14\n\x05roles\x18\x01 \x03(\tR\x05roles\":\n\x1eQueryVouchersForAddressRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\xa0\x01\n\x1fQueryVouchersForAddressResponse\x12}\n\x08vouchers\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xea\xde\x1f\x12vouchers,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08vouchers2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressB\x98\x02\n!com.injective.permissions.v1beta1B\nQueryProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\nQueryProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._loaded_options = None + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._serialized_options = b'\310\336\037\000\352\336\037\022vouchers,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\'\022%/injective/permissions/v1beta1/params' _globals['_QUERY'].methods_by_name['AllNamespaces']._loaded_options = None @@ -42,30 +55,30 @@ _globals['_QUERY'].methods_by_name['AddressesByRole']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' _globals['_QUERY'].methods_by_name['VouchersForAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['VouchersForAddress']._serialized_options = b'\202\323\344\223\0025\0223/injective/permissions/v1beta1/vouchers_for_address' - _globals['_QUERYPARAMSREQUEST']._serialized_start=310 - _globals['_QUERYPARAMSREQUEST']._serialized_end=330 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=332 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=414 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=416 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=443 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=445 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=535 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=537 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=605 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=607 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=699 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=701 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=759 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=761 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=810 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=812 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=870 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=872 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=914 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=916 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=965 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=967 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1065 - _globals['_QUERY']._serialized_start=1068 - _globals['_QUERY']._serialized_end=2229 + _globals['_QUERYPARAMSREQUEST']._serialized_start=342 + _globals['_QUERYPARAMSREQUEST']._serialized_end=362 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=364 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=454 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=456 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=483 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=485 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=587 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=589 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=678 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=680 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=783 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=785 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=856 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=858 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=918 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=920 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=994 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=996 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=1045 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=1047 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=1105 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=1108 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1268 + _globals['_QUERY']._serialized_start=1271 + _globals['_QUERY']._serialized_end=2432 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index 72dae7b6..1d335252 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index 65f19a41..0005d02c 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xbe\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xbd\x01\n\x12MsgCreateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12L\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\tnamespace:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x98\x01\n\x12MsgDeleteNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xf4\x05\n\x12MsgUpdateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12]\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHookR\x08wasmHook\x12\x66\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPausedR\x0bmintsPaused\x12\x66\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPausedR\x0bsendsPaused\x12\x66\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPausedR\x0b\x62urnsPaused\x1a-\n\x0eMsgSetWasmHook\x12\x1b\n\tnew_value\x18\x01 \x01(\tR\x08newValue\x1a\x30\n\x11MsgSetMintsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetSendsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetBurnsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xc4\x02\n\x17MsgUpdateNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12N\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\x86\x02\n\x17MsgRevokeNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12\x62\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x14\x61\x64\x64ressRolesToRevoke:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"\x7f\n\x0fMsgClaimVoucher\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x95\x02\n!com.injective.permissions.v1beta1B\x07TxProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\007TxProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -65,41 +75,41 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=324 - _globals['_MSGUPDATEPARAMS']._serialized_end=495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 - _globals['_MSGCREATENAMESPACE']._serialized_start=525 - _globals['_MSGCREATENAMESPACE']._serialized_end=695 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 - _globals['_MSGDELETENAMESPACE']._serialized_start=728 - _globals['_MSGDELETENAMESPACE']._serialized_end=856 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 - _globals['_MSGUPDATENAMESPACE']._serialized_start=889 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 - _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 - _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 - _globals['_MSG']._serialized_start=2272 - _globals['_MSG']._serialized_end=3201 + _globals['_MSGUPDATEPARAMS']._serialized_end=514 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=516 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=541 + _globals['_MSGCREATENAMESPACE']._serialized_start=544 + _globals['_MSGCREATENAMESPACE']._serialized_end=733 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=735 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=763 + _globals['_MSGDELETENAMESPACE']._serialized_start=766 + _globals['_MSGDELETENAMESPACE']._serialized_end=918 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=920 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=948 + _globals['_MSGUPDATENAMESPACE']._serialized_start=951 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1707 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1464 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1509 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1511 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1559 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1561 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1609 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1611 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1659 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1709 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1737 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1740 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=2064 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=2066 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=2099 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=2102 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2364 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2366 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2399 + _globals['_MSGCLAIMVOUCHER']._serialized_start=2401 + _globals['_MSGCLAIMVOUCHER']._serialized_end=2528 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2530 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2555 + _globals['_MSG']._serialized_start=2558 + _globals['_MSG']._serialized_end=3487 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index 6d164102..dbfc052d 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the permissions module's gRPC message service. diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 83829de7..06f9b4e4 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/stream/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/stream/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\x8e\x08\n\rStreamRequest\x12\x64\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01R\x12\x62\x61nkBalancesFilter\x12v\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01R\x18subaccountDepositsFilter\x12Z\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x10spotTradesFilter\x12\x66\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeTradesFilter\x12Z\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x10spotOrdersFilter\x12\x66\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeOrdersFilter\x12\x65\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x14spotOrderbooksFilter\x12q\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x1a\x64\x65rivativeOrderbooksFilter\x12Z\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01R\x0fpositionsFilter\x12\x61\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01R\x11oraclePriceFilter\"\xa1\x07\n\x0eStreamResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x02 \x01(\x03R\tblockTime\x12J\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalanceR\x0c\x62\x61nkBalances\x12]\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDepositsR\x12subaccountDeposits\x12\x44\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTradeR\nspotTrades\x12V\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTradeR\x10\x64\x65rivativeTrades\x12J\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdateR\nspotOrders\x12\\\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdateR\x10\x64\x65rivativeOrders\x12_\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x14spotOrderbookUpdates\x12k\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x1a\x64\x65rivativeOrderbookUpdates\x12@\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.PositionR\tpositions\x12J\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePriceR\x0coraclePrices\"f\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x41\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"\x90\x01\n\x0b\x42\x61nkBalance\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12g\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x62\x61lances\"\x88\x01\n\x12SubaccountDeposits\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12M\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00R\x08\x64\x65posits\"n\n\x11SubaccountDeposit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\"\xc2\x01\n\x0fSpotOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrderR\x05order\"p\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"\xce\x01\n\x15\x44\x65rivativeOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12?\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrderR\x05order\"\x99\x01\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\x12\x1b\n\tis_market\x18\x03 \x01(\x08R\x08isMarket\"\x87\x03\n\x08Position\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06isLong\x18\x03 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"t\n\x0bOraclePrice\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xc3\x03\n\tSpotTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x06 \x01(\tR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"\xdc\x03\n\x0f\x44\x65rivativeTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\tR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"T\n\x0cTradesFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"W\n\x0fPositionsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"T\n\x0cOrdersFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"0\n\x0fOrderbookFilter\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"0\n\x12\x42\x61nkBalancesFilter\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\"A\n\x18SubaccountDepositsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\"+\n\x11OraclePriceFilter\x12\x16\n\x06symbol\x18\x01 \x03(\tR\x06symbol*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\xf2\x01\n\x1c\x63om.injective.stream.v1beta1B\nQueryProtoP\x01ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\xa2\x02\x03ISX\xaa\x02\x18Injective.Stream.V1beta1\xca\x02\x18Injective\\Stream\\V1beta1\xe2\x02$Injective\\Stream\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Stream::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.stream.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.stream.v1beta1B\nQueryProtoP\001ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\242\002\003ISX\252\002\030Injective.Stream.V1beta1\312\002\030Injective\\Stream\\V1beta1\342\002$Injective\\Stream\\V1beta1\\GPBMetadata\352\002\032Injective::Stream::V1beta1' _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._serialized_options = b'\310\336\037\001' _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._loaded_options = None @@ -80,52 +90,52 @@ _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=4361 - _globals['_ORDERUPDATESTATUS']._serialized_end=4437 + _globals['_ORDERUPDATESTATUS']._serialized_start=5450 + _globals['_ORDERUPDATESTATUS']._serialized_end=5526 _globals['_STREAMREQUEST']._serialized_start=205 - _globals['_STREAMREQUEST']._serialized_end=1027 - _globals['_STREAMRESPONSE']._serialized_start=1030 - _globals['_STREAMRESPONSE']._serialized_end=1766 - _globals['_ORDERBOOKUPDATE']._serialized_start=1768 - _globals['_ORDERBOOKUPDATE']._serialized_end=1854 - _globals['_ORDERBOOK']._serialized_start=1857 - _globals['_ORDERBOOK']._serialized_end=1998 - _globals['_BANKBALANCE']._serialized_start=2000 - _globals['_BANKBALANCE']._serialized_end=2125 - _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2127 - _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2239 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2241 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2335 - _globals['_SPOTORDERUPDATE']._serialized_start=2338 - _globals['_SPOTORDERUPDATE']._serialized_end=2501 - _globals['_SPOTORDER']._serialized_start=2503 - _globals['_SPOTORDER']._serialized_end=2598 - _globals['_DERIVATIVEORDERUPDATE']._serialized_start=2601 - _globals['_DERIVATIVEORDERUPDATE']._serialized_end=2776 - _globals['_DERIVATIVEORDER']._serialized_start=2778 - _globals['_DERIVATIVEORDER']._serialized_end=2904 - _globals['_POSITION']._serialized_start=2907 - _globals['_POSITION']._serialized_end=3212 - _globals['_ORACLEPRICE']._serialized_start=3214 - _globals['_ORACLEPRICE']._serialized_end=3309 - _globals['_SPOTTRADE']._serialized_start=3312 - _globals['_SPOTTRADE']._serialized_end=3649 - _globals['_DERIVATIVETRADE']._serialized_start=3652 - _globals['_DERIVATIVETRADE']._serialized_end=4008 - _globals['_TRADESFILTER']._serialized_start=4010 - _globals['_TRADESFILTER']._serialized_end=4068 - _globals['_POSITIONSFILTER']._serialized_start=4070 - _globals['_POSITIONSFILTER']._serialized_end=4131 - _globals['_ORDERSFILTER']._serialized_start=4133 - _globals['_ORDERSFILTER']._serialized_end=4191 - _globals['_ORDERBOOKFILTER']._serialized_start=4193 - _globals['_ORDERBOOKFILTER']._serialized_end=4230 - _globals['_BANKBALANCESFILTER']._serialized_start=4232 - _globals['_BANKBALANCESFILTER']._serialized_end=4270 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 - _globals['_ORACLEPRICEFILTER']._serialized_start=4324 - _globals['_ORACLEPRICEFILTER']._serialized_end=4359 - _globals['_STREAM']._serialized_start=4439 - _globals['_STREAM']._serialized_end=4542 + _globals['_STREAMREQUEST']._serialized_end=1243 + _globals['_STREAMRESPONSE']._serialized_start=1246 + _globals['_STREAMRESPONSE']._serialized_end=2175 + _globals['_ORDERBOOKUPDATE']._serialized_start=2177 + _globals['_ORDERBOOKUPDATE']._serialized_end=2279 + _globals['_ORDERBOOK']._serialized_start=2282 + _globals['_ORDERBOOK']._serialized_end=2456 + _globals['_BANKBALANCE']._serialized_start=2459 + _globals['_BANKBALANCE']._serialized_end=2603 + _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2606 + _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2742 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2744 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2854 + _globals['_SPOTORDERUPDATE']._serialized_start=2857 + _globals['_SPOTORDERUPDATE']._serialized_end=3051 + _globals['_SPOTORDER']._serialized_start=3053 + _globals['_SPOTORDER']._serialized_end=3165 + _globals['_DERIVATIVEORDERUPDATE']._serialized_start=3168 + _globals['_DERIVATIVEORDERUPDATE']._serialized_end=3374 + _globals['_DERIVATIVEORDER']._serialized_start=3377 + _globals['_DERIVATIVEORDER']._serialized_end=3530 + _globals['_POSITION']._serialized_start=3533 + _globals['_POSITION']._serialized_end=3924 + _globals['_ORACLEPRICE']._serialized_start=3926 + _globals['_ORACLEPRICE']._serialized_end=4042 + _globals['_SPOTTRADE']._serialized_start=4045 + _globals['_SPOTTRADE']._serialized_end=4496 + _globals['_DERIVATIVETRADE']._serialized_start=4499 + _globals['_DERIVATIVETRADE']._serialized_end=4975 + _globals['_TRADESFILTER']._serialized_start=4977 + _globals['_TRADESFILTER']._serialized_end=5061 + _globals['_POSITIONSFILTER']._serialized_start=5063 + _globals['_POSITIONSFILTER']._serialized_end=5150 + _globals['_ORDERSFILTER']._serialized_start=5152 + _globals['_ORDERSFILTER']._serialized_end=5236 + _globals['_ORDERBOOKFILTER']._serialized_start=5238 + _globals['_ORDERBOOKFILTER']._serialized_end=5286 + _globals['_BANKBALANCESFILTER']._serialized_start=5288 + _globals['_BANKBALANCESFILTER']._serialized_end=5336 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=5338 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=5403 + _globals['_ORACLEPRICEFILTER']._serialized_start=5405 + _globals['_ORACLEPRICEFILTER']._serialized_end=5448 + _globals['_STREAM']._serialized_start=5528 + _globals['_STREAM']._serialized_end=5631 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index d6c3740e..d60a571a 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class StreamStub(object): """ChainStream defines the gRPC streaming service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index 1792ac43..eb45fc76 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/authorityMetadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/authorityMetadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,18 +26,18 @@ from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"?\n\x16\x44\x65nomAuthorityMetadata\x12\x1f\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"F\n\x16\x44\x65nomAuthorityMetadata\x12&\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\"R\x05\x61\x64min:\x04\xe8\xa0\x1f\x01\x42\xaa\x02\n\"com.injective.tokenfactory.v1beta1B\x16\x41uthorityMetadataProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.authorityMetadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\026AuthorityMetadataProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._serialized_options = b'\362\336\037\014yaml:\"admin\"' _globals['_DENOMAUTHORITYMETADATA']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA']._serialized_options = b'\350\240\037\001' _globals['_DENOMAUTHORITYMETADATA']._serialized_start=144 - _globals['_DENOMAUTHORITYMETADATA']._serialized_end=207 + _globals['_DENOMAUTHORITYMETADATA']._serialized_end=214 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 0c5058eb..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index 7076fc69..642c29fd 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,14 +28,14 @@ from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"4\n\x12\x45ventCreateTFDenom\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"^\n\x10\x45ventMintTFDenom\x12\x19\n\x11recipient_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"Y\n\x0e\x45ventBurnDenom\x12\x16\n\x0e\x62urner_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\">\n\x12\x45ventChangeTFAdmin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11new_admin_address\x18\x02 \x01(\t\"_\n\x17\x45ventSetTFDenomMetadata\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x35\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"D\n\x12\x45ventCreateTFDenom\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"x\n\x10\x45ventMintTFDenom\x12+\n\x11recipient_address\x18\x01 \x01(\tR\x10recipientAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"p\n\x0e\x45ventBurnDenom\x12%\n\x0e\x62urner_address\x18\x01 \x01(\tR\rburnerAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x12\x45ventChangeTFAdmin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12*\n\x11new_admin_address\x18\x02 \x01(\tR\x0fnewAdminAddress\"p\n\x17\x45ventSetTFDenomMetadata\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12?\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadataB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0b\x45ventsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013EventsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTBURNDENOM'].fields_by_name['amount']._loaded_options = None @@ -33,13 +43,13 @@ _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_EVENTCREATETFDENOM']._serialized_start=221 - _globals['_EVENTCREATETFDENOM']._serialized_end=273 - _globals['_EVENTMINTTFDENOM']._serialized_start=275 - _globals['_EVENTMINTTFDENOM']._serialized_end=369 - _globals['_EVENTBURNDENOM']._serialized_start=371 - _globals['_EVENTBURNDENOM']._serialized_end=460 - _globals['_EVENTCHANGETFADMIN']._serialized_start=462 - _globals['_EVENTCHANGETFADMIN']._serialized_end=524 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=526 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=621 + _globals['_EVENTCREATETFDENOM']._serialized_end=289 + _globals['_EVENTMINTTFDENOM']._serialized_start=291 + _globals['_EVENTMINTTFDENOM']._serialized_end=411 + _globals['_EVENTBURNDENOM']._serialized_start=413 + _globals['_EVENTBURNDENOM']._serialized_end=525 + _globals['_EVENTCHANGETFADMIN']._serialized_start=527 + _globals['_EVENTCHANGETFADMIN']._serialized_end=613 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=615 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=727 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 659a9505..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index 02d506de..c00bc488 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xb1\x01\n\x0cGenesisState\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"\"\xee\x01\n\x0cGenesisDenom\x12\x1f\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12u\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xc8\x01\n\x0cGenesisState\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"R\rfactoryDenoms\"\x97\x02\n\x0cGenesisDenom\x12&\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x88\x01\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:\x04\xe8\xa0\x1f\x01\x42\xa0\x02\n\"com.injective.tokenfactory.v1beta1B\x0cGenesisProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\014GenesisProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._loaded_options = None @@ -40,7 +50,7 @@ _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 - _globals['_GENESISSTATE']._serialized_end=381 - _globals['_GENESISDENOM']._serialized_start=384 - _globals['_GENESISDENOM']._serialized_end=622 + _globals['_GENESISSTATE']._serialized_end=404 + _globals['_GENESISDENOM']._serialized_start=407 + _globals['_GENESISDENOM']._serialized_end=686 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index a6e6f09d..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py deleted file mode 100644 index f047946c..00000000 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: injective/tokenfactory/v1beta1/gov.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/tokenfactory/v1beta1/gov.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"\xa5\x01\n\x1cUpdateDenomsMetadataProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x36\n\tmetadatas\x18\x03 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x12#\n\x07\x64\x65posit\x18\x04 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"deposit\":\x04\x88\xa0\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.gov_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000' - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._serialized_options = b'\362\336\037\016yaml:\"deposit\"' - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_options = b'\210\240\037\000' - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_start=131 - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_end=296 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py deleted file mode 100644 index e449e972..00000000 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 5ea0a41f..b079c63d 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xc5\x01\n\x06Params\x12\x96\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x10\x64\x65nomCreationFee:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0bParamsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013ParamsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' _globals['_PARAMS']._serialized_start=236 - _globals['_PARAMS']._serialized_end=415 + _globals['_PARAMS']._serialized_end=433 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index f264546f..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index 7a99b1c0..02a7f455 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -20,14 +30,14 @@ from pyinjective.proto.injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"p\n\"QueryDenomAuthorityMetadataRequest\x12!\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"\"\x9c\x01\n#QueryDenomAuthorityMetadataResponse\x12u\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\"D\n\x1dQueryDenomsFromCreatorRequest\x12#\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"\"C\n\x1eQueryDenomsFromCreatorResponse\x12!\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"\"\x19\n\x17QueryModuleStateRequest\"W\n\x18QueryModuleStateResponse\x12;\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisState2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x83\x01\n\"QueryDenomAuthorityMetadataRequest\x12*\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x07\x63reator\x12\x31\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"R\x08subDenom\"\xb0\x01\n#QueryDenomAuthorityMetadataResponse\x12\x88\x01\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\"M\n\x1dQueryDenomsFromCreatorRequest\x12,\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"R\x07\x63reator\"K\n\x1eQueryDenomsFromCreatorResponse\x12)\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"R\x06\x64\x65noms\"\x19\n\x17QueryModuleStateRequest\"^\n\x18QueryModuleStateResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisStateR\x05state2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateB\x9e\x02\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._loaded_options = None @@ -51,19 +61,19 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=321 _globals['_QUERYPARAMSREQUEST']._serialized_end=341 _globals['_QUERYPARAMSRESPONSE']._serialized_start=343 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=426 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=428 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=540 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=543 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=699 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=701 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=769 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=771 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=838 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=840 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=865 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=867 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=954 - _globals['_QUERY']._serialized_start=957 - _globals['_QUERY']._serialized_end=1798 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=434 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=437 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=568 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=571 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=747 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=749 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=826 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=828 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=903 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=905 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=930 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=932 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1026 + _globals['_QUERY']._serialized_start=1029 + _globals['_QUERY']._serialized_end=1870 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index 61e5c1fa..7a7ab8c6 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index 16f2049c..f665f5b3 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xf1\x01\n\x0eMsgCreateDenom\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12/\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"R\x08subdenom\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"\\\n\x16MsgCreateDenomResponse\x12\x42\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"R\rnewTokenDenom\"\xab\x01\n\x07MsgMint\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\xab\x01\n\x07MsgBurn\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xcb\x01\n\x0eMsgChangeAdmin\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12&\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x31\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\"R\x08newAdmin:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xcf\x01\n\x13MsgSetDenomMetadata\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12R\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\"R\x08metadata:9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xc8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x44\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9b\x02\n\"com.injective.tokenfactory.v1beta1B\x07TxProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\007TxProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None @@ -76,29 +86,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEDENOM']._serialized_start=278 - _globals['_MSGCREATEDENOM']._serialized_end=487 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 - _globals['_MSGMINT']._serialized_start=569 - _globals['_MSGMINT']._serialized_end=724 - _globals['_MSGMINTRESPONSE']._serialized_start=726 - _globals['_MSGMINTRESPONSE']._serialized_end=743 - _globals['_MSGBURN']._serialized_start=746 - _globals['_MSGBURN']._serialized_end=901 - _globals['_MSGBURNRESPONSE']._serialized_start=903 - _globals['_MSGBURNRESPONSE']._serialized_end=920 - _globals['_MSGCHANGEADMIN']._serialized_start=923 - _globals['_MSGCHANGEADMIN']._serialized_end=1101 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 - _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 - _globals['_MSGUPDATEPARAMS']._serialized_start=1353 - _globals['_MSGUPDATEPARAMS']._serialized_end=1534 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 - _globals['_MSG']._serialized_start=1564 - _globals['_MSG']._serialized_end=2267 + _globals['_MSGCREATEDENOM']._serialized_end=519 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=521 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=613 + _globals['_MSGMINT']._serialized_start=616 + _globals['_MSGMINT']._serialized_end=787 + _globals['_MSGMINTRESPONSE']._serialized_start=789 + _globals['_MSGMINTRESPONSE']._serialized_end=806 + _globals['_MSGBURN']._serialized_start=809 + _globals['_MSGBURN']._serialized_end=980 + _globals['_MSGBURNRESPONSE']._serialized_start=982 + _globals['_MSGBURNRESPONSE']._serialized_end=999 + _globals['_MSGCHANGEADMIN']._serialized_start=1002 + _globals['_MSGCHANGEADMIN']._serialized_end=1205 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1207 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1231 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1234 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1441 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1443 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1472 + _globals['_MSGUPDATEPARAMS']._serialized_start=1475 + _globals['_MSGUPDATEPARAMS']._serialized_end=1675 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1677 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1702 + _globals['_MSG']._serialized_start=1705 + _globals['_MSG']._serialized_end=2408 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index 6b9c749c..f96ee560 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the tokefactory module's gRPC message service. diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index cf7207e9..08ae5c9f 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/account.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/account.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n\nEthAccount\x12`\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"R\x0b\x62\x61seAccount\x12\x31\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\"R\x08\x63odeHash:,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB\xe8\x01\n\x1b\x63om.injective.types.v1beta1B\x0c\x41\x63\x63ountProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\014AccountProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_ETHACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_ETHACCOUNT']._loaded_options = None _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=332 + _globals['_ETHACCOUNT']._serialized_end=355 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 0f16616d..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index 28eb2b04..36255325 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_ext.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/tx_ext.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,16 +25,16 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"_\n\x16\x45xtensionOptionsWeb3Tx\x12\x18\n\x10typedDataChainID\x18\x01 \x01(\x04\x12\x10\n\x08\x66\x65\x65Payer\x18\x02 \x01(\t\x12\x13\n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x16\x45xtensionOptionsWeb3Tx\x12*\n\x10typedDataChainID\x18\x01 \x01(\x04R\x10typedDataChainID\x12\x1a\n\x08\x66\x65\x65Payer\x18\x02 \x01(\tR\x08\x66\x65\x65Payer\x12 \n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0cR\x0b\x66\x65\x65PayerSig:\x04\x88\xa0\x1f\x00\x42\xe6\x01\n\x1b\x63om.injective.types.v1beta1B\nTxExtProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_ext_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\nTxExtProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_EXTENSIONOPTIONSWEB3TX']._loaded_options = None _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_options = b'\210\240\037\000' - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=87 - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=182 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=88 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=224 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index e6be995e..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py index c44de23c..46071090 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_response.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/tx_response.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"8\n\x18TxResponseGenericMessage\x12\x0e\n\x06header\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"U\n\x0eTxResponseData\x12\x43\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"F\n\x18TxResponseGenericMessage\x12\x16\n\x06header\x18\x01 \x01(\tR\x06header\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"_\n\x0eTxResponseData\x12M\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageR\x08messagesB\xeb\x01\n\x1b\x63om.injective.types.v1beta1B\x0fTxResponseProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_response_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\017TxResponseProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_TXRESPONSEGENERICMESSAGE']._serialized_start=70 - _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=126 - _globals['_TXRESPONSEDATA']._serialized_start=128 - _globals['_TXRESPONSEDATA']._serialized_end=213 + _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=140 + _globals['_TXRESPONSEDATA']._serialized_start=142 + _globals['_TXRESPONSEDATA']._serialized_end=237 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index aaf08ea6..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index 8547bb11..ba79d5ae 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,18 +27,18 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"r\n\x16\x45ventContractExecution\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x10\n\x08response\x18\x02 \x01(\x0c\x12\x13\n\x0bother_error\x18\x03 \x01(\t\x12\x17\n\x0f\x65xecution_error\x18\x04 \x01(\t\"\xf9\x01\n\x17\x45ventContractRegistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode\"5\n\x19\x45ventContractDeregistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"\xa9\x01\n\x16\x45ventContractExecution\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1a\n\x08response\x18\x02 \x01(\x0cR\x08response\x12\x1f\n\x0bother_error\x18\x03 \x01(\tR\notherError\x12\'\n\x0f\x65xecution_error\x18\x04 \x01(\tR\x0e\x65xecutionError\"\xee\x02\n\x17\x45ventContractRegistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode\"F\n\x19\x45ventContractDeregistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddressB\xdc\x01\n\x16\x63om.injective.wasmx.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_EVENTCONTRACTEXECUTION']._serialized_start=144 - _globals['_EVENTCONTRACTEXECUTION']._serialized_end=258 - _globals['_EVENTCONTRACTREGISTERED']._serialized_start=261 - _globals['_EVENTCONTRACTREGISTERED']._serialized_end=510 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=512 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=565 + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['_EVENTCONTRACTEXECUTION']._serialized_start=145 + _globals['_EVENTCONTRACTEXECUTION']._serialized_end=314 + _globals['_EVENTCONTRACTREGISTERED']._serialized_start=317 + _globals['_EVENTCONTRACTREGISTERED']._serialized_end=683 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=685 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index af94f5dd..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index ac273bb6..66f3944c 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,20 +26,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"u\n\x1dRegisteredContractWithAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x43\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract\"\x97\x01\n\x0cGenesisState\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\x12U\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"\x92\x01\n\x1dRegisteredContractWithAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12W\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x12registeredContract\"\xb4\x01\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12j\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00R\x13registeredContractsB\xdd\x01\n\x16\x63om.injective.wasmx.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._serialized_options = b'\310\336\037\000' - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=110 - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=227 - _globals['_GENESISSTATE']._serialized_start=230 - _globals['_GENESISSTATE']._serialized_end=381 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=111 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=257 + _globals['_GENESISSTATE']._serialized_start=260 + _globals['_GENESISSTATE']._serialized_end=440 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 25e9a5e6..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index bf271807..9af04889 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xae\x02\n#ContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12y\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\xba\x02\n(BatchContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12{\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1c\x63ontractRegistrationRequests:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xd1\x01\n#BatchContractDeregistrationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\tcontracts\x18\x03 \x03(\tR\tcontracts:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xaf\x03\n\x1b\x43ontractRegistrationRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00R\tproposals:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42\xde\x01\n\x16\x63om.injective.wasmx.v1B\rProposalProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\rProposalProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None @@ -42,16 +52,16 @@ _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' - _globals['_FUNDINGMODE']._serialized_start=1374 - _globals['_FUNDINGMODE']._serialized_end=1445 + _globals['_FUNDINGMODE']._serialized_start=1662 + _globals['_FUNDINGMODE']._serialized_end=1733 _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=468 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=471 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=785 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=788 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=997 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=1000 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1431 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1434 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1660 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 7d79ac7b..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index b206de42..9573ac36 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,14 +28,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"L\n\x18QueryWasmxParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisState\"@\n$QueryContractRegistrationInfoRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"a\n%QueryContractRegistrationInfoResponse\x12\x38\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"T\n\x18QueryWasmxParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisStateR\x05state\"Q\n$QueryContractRegistrationInfoRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"k\n%QueryContractRegistrationInfoResponse\x12\x42\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x08\x63ontract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateB\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['WasmxParams']._loaded_options = None @@ -37,15 +47,15 @@ _globals['_QUERYWASMXPARAMSREQUEST']._serialized_start=172 _globals['_QUERYWASMXPARAMSREQUEST']._serialized_end=197 _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_start=199 - _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=275 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=277 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=302 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=304 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=379 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=381 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=445 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=447 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=544 - _globals['_QUERY']._serialized_start=547 - _globals['_QUERY']._serialized_end=1063 + _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=283 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=285 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=310 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=312 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=394 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=396 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=477 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=479 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=586 + _globals['_QUERY']._serialized_start=589 + _globals['_QUERY']._serialized_end=1105 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index 035128b9..8f940368 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 8ccf83be..cd0ac4a8 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\xa6\x01\n\x18MsgExecuteContractCompat\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08\x63ontract\x18\x02 \x01(\tR\x08\x63ontract\x12\x10\n\x03msg\x18\x03 \x01(\tR\x03msg\x12\x14\n\x05\x66unds\x18\x04 \x01(\tR\x05\x66unds:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"6\n MsgExecuteContractCompatResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xe4\x01\n\x11MsgUpdateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x03 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x04 \x01(\x04R\x08gasPrice\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"\x83\x01\n\x13MsgActivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"\x87\x01\n\x15MsgDeactivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xd3\x01\n\x13MsgRegisterContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12y\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x01\n\x16\x63om.injective.wasmx.v1B\x07TxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\007TxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None @@ -52,29 +62,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 - _globals['_MSGUPDATECONTRACT']._serialized_start=428 - _globals['_MSGUPDATECONTRACT']._serialized_end=597 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 - _globals['_MSGACTIVATECONTRACT']._serialized_start=628 - _globals['_MSGACTIVATECONTRACT']._serialized_end=734 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 - _globals['_MSGUPDATEPARAMS']._serialized_start=913 - _globals['_MSGUPDATEPARAMS']._serialized_end=1067 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 - _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 - _globals['_MSG']._serialized_start=1305 - _globals['_MSG']._serialized_end=2010 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=405 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=407 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=461 + _globals['_MSGUPDATECONTRACT']._serialized_start=464 + _globals['_MSGUPDATECONTRACT']._serialized_end=692 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=694 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=721 + _globals['_MSGACTIVATECONTRACT']._serialized_start=724 + _globals['_MSGACTIVATECONTRACT']._serialized_end=855 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=857 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=886 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=889 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=1024 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=1026 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=1057 + _globals['_MSGUPDATEPARAMS']._serialized_start=1060 + _globals['_MSGUPDATEPARAMS']._serialized_end=1233 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1235 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1260 + _globals['_MSGREGISTERCONTRACT']._serialized_start=1263 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1474 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1476 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1505 + _globals['_MSG']._serialized_start=1508 + _globals['_MSG']._serialized_end=2213 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index b59d417c..5f2c8a9a 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the wasmx Msg service. diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index c72c28db..4e815a11 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/wasmx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\xed\x02\n\x06Params\x12\x30\n\x14is_execution_enabled\x18\x01 \x01(\x08R\x12isExecutionEnabled\x12\x38\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04R\x15maxBeginBlockTotalGas\x12\x33\n\x16max_contract_gas_limit\x18\x03 \x01(\x04R\x13maxContractGasLimit\x12\"\n\rmin_gas_price\x18\x04 \x01(\x04R\x0bminGasPrice\x12\x86\x01\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01R\x16registerContractAccess:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xb0\x02\n\x12RegisteredContract\x12\x1b\n\tgas_limit\x18\x01 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x02 \x01(\x04R\x08gasPrice\x12#\n\ris_executable\x18\x03 \x01(\x08R\x0cisExecutable\x12\x1d\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01R\x06\x63odeId\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress\x12-\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01R\x0egranterAddress\x12<\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x08\x66undMode:\x04\xe8\xa0\x1f\x01\x42\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nWasmxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nWasmxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' _globals['_PARAMS']._loaded_options = None @@ -39,7 +49,7 @@ _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' _globals['_PARAMS']._serialized_start=161 - _globals['_PARAMS']._serialized_end=424 - _globals['_REGISTEREDCONTRACT']._serialized_start=427 - _globals['_REGISTEREDCONTRACT']._serialized_end=649 + _globals['_PARAMS']._serialized_end=526 + _globals['_REGISTEREDCONTRACT']._serialized_start=529 + _globals['_REGISTEREDCONTRACT']._serialized_end=833 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 19ce8f9d..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 29285b8e..4c4de5d4 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/abci/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/abci/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xbf\t\n\x07Request\x12\x32\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00R\x04\x65\x63ho\x12\x35\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00R\x05\x66lush\x12\x32\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00R\x04info\x12\x42\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00R\tinitChain\x12\x35\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00R\x05query\x12<\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00R\x07\x63heckTx\x12\x38\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00R\x06\x63ommit\x12N\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00R\rlistSnapshots\x12N\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00R\rofferSnapshot\x12[\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12^\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12T\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00R\x0fprepareProposal\x12T\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00R\x0fprocessProposal\x12\x45\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00R\nextendVote\x12\x61\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12N\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\'\n\x0bRequestEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0e\n\x0cRequestFlush\"\x90\x01\n\x0bRequestInfo\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12#\n\rblock_version\x18\x02 \x01(\x04R\x0c\x62lockVersion\x12\x1f\n\x0bp2p_version\x18\x03 \x01(\x04R\np2pVersion\x12!\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\tR\x0b\x61\x62\x63iVersion\"\xcc\x02\n\x10RequestInitChain\x12\x38\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\x12L\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12&\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0cR\rappStateBytes\x12%\n\x0einitial_height\x18\x06 \x01(\x03R\rinitialHeight\"d\n\x0cRequestQuery\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"R\n\x0eRequestCheckTx\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x30\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxTypeR\x04type\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"h\n\x14RequestOfferSnapshot\x12\x35\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.SnapshotR\x08snapshot\x12\x19\n\x08\x61pp_hash\x18\x02 \x01(\x0cR\x07\x61ppHash\"`\n\x18RequestLoadSnapshotChunk\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05\x63hunk\x18\x03 \x01(\rR\x05\x63hunk\"_\n\x19RequestApplySnapshotChunk\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x63hunk\x18\x02 \x01(\x0cR\x05\x63hunk\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\"\x98\x03\n\x16RequestPrepareProposal\x12 \n\x0cmax_tx_bytes\x18\x01 \x01(\x03R\nmaxTxBytes\x12\x10\n\x03txs\x18\x02 \x03(\x0cR\x03txs\x12U\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00R\x0flocalLastCommit\x12\x44\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x88\x03\n\x16RequestProcessProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x83\x03\n\x11RequestExtendVote\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x10\n\x03txs\x18\x04 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x9c\x01\n\x1aRequestVerifyVoteExtension\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12%\n\x0evote_extension\x18\x04 \x01(\x0cR\rvoteExtension\"\x84\x03\n\x14RequestFinalizeBlock\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12Q\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x11\x64\x65\x63idedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x94\n\n\x08Response\x12\x42\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00R\texception\x12\x33\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00R\x04\x65\x63ho\x12\x36\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00R\x05\x66lush\x12\x33\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00R\x04info\x12\x43\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00R\tinitChain\x12\x36\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00R\x05query\x12=\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00R\x07\x63heckTx\x12\x39\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00R\x06\x63ommit\x12O\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00R\rlistSnapshots\x12O\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00R\rofferSnapshot\x12\\\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12_\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12U\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00R\x0fprepareProposal\x12U\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00R\x0fprocessProposal\x12\x46\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00R\nextendVote\x12\x62\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12O\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\")\n\x11ResponseException\x12\x14\n\x05\x65rror\x18\x01 \x01(\tR\x05\x65rror\"(\n\x0cResponseEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0f\n\rResponseFlush\"\xb8\x01\n\x0cResponseInfo\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x1f\n\x0b\x61pp_version\x18\x03 \x01(\x04R\nappVersion\x12*\n\x11last_block_height\x18\x04 \x01(\x03R\x0flastBlockHeight\x12-\n\x13last_block_app_hash\x18\x05 \x01(\x0cR\x10lastBlockAppHash\"\xc4\x01\n\x11ResponseInitChain\x12L\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12\x19\n\x08\x61pp_hash\x18\x03 \x01(\x0cR\x07\x61ppHash\"\xf7\x01\n\rResponseQuery\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x38\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespace\"\xaa\x02\n\x0fResponseCheckTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespaceJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"A\n\x0eResponseCommit\x12#\n\rretain_height\x18\x03 \x01(\x03R\x0cretainHeightJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"P\n\x15ResponseListSnapshots\x12\x37\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.SnapshotR\tsnapshots\"\xbe\x01\n\x15ResponseOfferSnapshot\x12\x45\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.ResultR\x06result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"1\n\x19ResponseLoadSnapshotChunk\x12\x14\n\x05\x63hunk\x18\x01 \x01(\x0cR\x05\x63hunk\"\x98\x02\n\x1aResponseApplySnapshotChunk\x12J\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.ResultR\x06result\x12%\n\x0erefetch_chunks\x18\x02 \x03(\rR\rrefetchChunks\x12%\n\x0ereject_senders\x18\x03 \x03(\tR\rrejectSenders\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"+\n\x17ResponsePrepareProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xa1\x01\n\x17ResponseProcessProposal\x12O\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatusR\x06status\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\";\n\x12ResponseExtendVote\x12%\n\x0evote_extension\x18\x01 \x01(\x0cR\rvoteExtension\"\xa5\x01\n\x1bResponseVerifyVoteExtension\x12Q\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatusR\x06status\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xea\x02\n\x15ResponseFinalizeBlock\x12H\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12<\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\ttxResults\x12S\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\x10validatorUpdates\x12Y\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x15\x63onsensusParamUpdates\x12\x19\n\x08\x61pp_hash\x18\x05 \x01(\x0cR\x07\x61ppHash\"Y\n\nCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12\x35\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"i\n\x12\x45xtendedCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12=\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"z\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12]\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitemptyR\nattributes\"N\n\x0e\x45ventAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\x12\x14\n\x05index\x18\x03 \x01(\x08R\x05index\"\x80\x02\n\x0c\x45xecTxResult\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespace\"\x85\x01\n\x08TxResult\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05index\x18\x02 \x01(\rR\x05index\x12\x0e\n\x02tx\x18\x03 \x01(\x0cR\x02tx\x12;\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00R\x06result\";\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\"d\n\x0fValidatorUpdate\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power\"\x93\x01\n\x08VoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x41\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\xf3\x01\n\x10\x45xtendedVoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12%\n\x0evote_extension\x18\x03 \x01(\x0cR\rvoteExtension\x12/\n\x13\x65xtension_signature\x18\x04 \x01(\x0cR\x12\x65xtensionSignature\x12\x41\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\x83\x02\n\x0bMisbehavior\x12\x34\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorTypeR\x04type\x12>\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12,\n\x12total_voting_power\x18\x05 \x01(\x03R\x10totalVotingPower\"\x82\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x1a\n\x08metadata\x18\x05 \x01(\x0cR\x08metadata*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB\xa7\x01\n\x13\x63om.tendermint.abciB\nTypesProtoP\x01Z\'github.com/cometbft/cometbft/abci/types\xa2\x02\x03TAX\xaa\x02\x0fTendermint.Abci\xca\x02\x0fTendermint\\Abci\xe2\x02\x1bTendermint\\Abci\\GPBMetadata\xea\x02\x10Tendermint::Abcib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.tendermint.abciB\nTypesProtoP\001Z\'github.com/cometbft/cometbft/abci/types\242\002\003TAX\252\002\017Tendermint.Abci\312\002\017Tendermint\\Abci\342\002\033Tendermint\\Abci\\GPBMetadata\352\002\020Tendermint::Abci' _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None @@ -88,112 +98,112 @@ _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=8001 - _globals['_CHECKTXTYPE']._serialized_end=8058 - _globals['_MISBEHAVIORTYPE']._serialized_start=8060 - _globals['_MISBEHAVIORTYPE']._serialized_end=8135 + _globals['_CHECKTXTYPE']._serialized_start=9832 + _globals['_CHECKTXTYPE']._serialized_end=9889 + _globals['_MISBEHAVIORTYPE']._serialized_start=9891 + _globals['_MISBEHAVIORTYPE']._serialized_end=9966 _globals['_REQUEST']._serialized_start=230 - _globals['_REQUEST']._serialized_end=1240 - _globals['_REQUESTECHO']._serialized_start=1242 - _globals['_REQUESTECHO']._serialized_end=1272 - _globals['_REQUESTFLUSH']._serialized_start=1274 - _globals['_REQUESTFLUSH']._serialized_end=1288 - _globals['_REQUESTINFO']._serialized_start=1290 - _globals['_REQUESTINFO']._serialized_end=1386 - _globals['_REQUESTINITCHAIN']._serialized_start=1389 - _globals['_REQUESTINITCHAIN']._serialized_end=1647 - _globals['_REQUESTQUERY']._serialized_start=1649 - _globals['_REQUESTQUERY']._serialized_end=1722 - _globals['_REQUESTCHECKTX']._serialized_start=1724 - _globals['_REQUESTCHECKTX']._serialized_end=1796 - _globals['_REQUESTCOMMIT']._serialized_start=1798 - _globals['_REQUESTCOMMIT']._serialized_end=1813 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 - _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 - _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 - _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 - _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 - _globals['_RESPONSE']._serialized_start=3393 - _globals['_RESPONSE']._serialized_end=4477 - _globals['_RESPONSEEXCEPTION']._serialized_start=4479 - _globals['_RESPONSEEXCEPTION']._serialized_end=4513 - _globals['_RESPONSEECHO']._serialized_start=4515 - _globals['_RESPONSEECHO']._serialized_end=4546 - _globals['_RESPONSEFLUSH']._serialized_start=4548 - _globals['_RESPONSEFLUSH']._serialized_end=4563 - _globals['_RESPONSEINFO']._serialized_start=4565 - _globals['_RESPONSEINFO']._serialized_end=4687 - _globals['_RESPONSEINITCHAIN']._serialized_start=4690 - _globals['_RESPONSEINITCHAIN']._serialized_end=4848 - _globals['_RESPONSEQUERY']._serialized_start=4851 - _globals['_RESPONSEQUERY']._serialized_end=5033 - _globals['_RESPONSECHECKTX']._serialized_start=5036 - _globals['_RESPONSECHECKTX']._serialized_end=5292 - _globals['_RESPONSECOMMIT']._serialized_start=5294 - _globals['_RESPONSECOMMIT']._serialized_end=5345 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 - _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 - _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 - _globals['_COMMITINFO']._serialized_start=6590 - _globals['_COMMITINFO']._serialized_end=6665 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 - _globals['_EVENT']._serialized_start=6760 - _globals['_EVENT']._serialized_end=6864 - _globals['_EVENTATTRIBUTE']._serialized_start=6866 - _globals['_EVENTATTRIBUTE']._serialized_end=6925 - _globals['_EXECTXRESULT']._serialized_start=6928 - _globals['_EXECTXRESULT']._serialized_end=7142 - _globals['_TXRESULT']._serialized_start=7144 - _globals['_TXRESULT']._serialized_end=7250 - _globals['_VALIDATOR']._serialized_start=7252 - _globals['_VALIDATOR']._serialized_end=7295 - _globals['_VALIDATORUPDATE']._serialized_start=7297 - _globals['_VALIDATORUPDATE']._serialized_end=7382 - _globals['_VOTEINFO']._serialized_start=7384 - _globals['_VOTEINFO']._serialized_end=7507 - _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 - _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 - _globals['_MISBEHAVIOR']._serialized_start=7697 - _globals['_MISBEHAVIOR']._serialized_end=7907 - _globals['_SNAPSHOT']._serialized_start=7909 - _globals['_SNAPSHOT']._serialized_end=7999 - _globals['_ABCI']._serialized_start=8138 - _globals['_ABCI']._serialized_end=9575 + _globals['_REQUEST']._serialized_end=1445 + _globals['_REQUESTECHO']._serialized_start=1447 + _globals['_REQUESTECHO']._serialized_end=1486 + _globals['_REQUESTFLUSH']._serialized_start=1488 + _globals['_REQUESTFLUSH']._serialized_end=1502 + _globals['_REQUESTINFO']._serialized_start=1505 + _globals['_REQUESTINFO']._serialized_end=1649 + _globals['_REQUESTINITCHAIN']._serialized_start=1652 + _globals['_REQUESTINITCHAIN']._serialized_end=1984 + _globals['_REQUESTQUERY']._serialized_start=1986 + _globals['_REQUESTQUERY']._serialized_end=2086 + _globals['_REQUESTCHECKTX']._serialized_start=2088 + _globals['_REQUESTCHECKTX']._serialized_end=2170 + _globals['_REQUESTCOMMIT']._serialized_start=2172 + _globals['_REQUESTCOMMIT']._serialized_end=2187 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2189 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2211 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2213 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2317 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2319 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2415 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2417 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2512 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2515 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2923 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2926 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=3318 + _globals['_REQUESTEXTENDVOTE']._serialized_start=3321 + _globals['_REQUESTEXTENDVOTE']._serialized_end=3708 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=3711 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3867 + _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3870 + _globals['_REQUESTFINALIZEBLOCK']._serialized_end=4258 + _globals['_RESPONSE']._serialized_start=4261 + _globals['_RESPONSE']._serialized_end=5561 + _globals['_RESPONSEEXCEPTION']._serialized_start=5563 + _globals['_RESPONSEEXCEPTION']._serialized_end=5604 + _globals['_RESPONSEECHO']._serialized_start=5606 + _globals['_RESPONSEECHO']._serialized_end=5646 + _globals['_RESPONSEFLUSH']._serialized_start=5648 + _globals['_RESPONSEFLUSH']._serialized_end=5663 + _globals['_RESPONSEINFO']._serialized_start=5666 + _globals['_RESPONSEINFO']._serialized_end=5850 + _globals['_RESPONSEINITCHAIN']._serialized_start=5853 + _globals['_RESPONSEINITCHAIN']._serialized_end=6049 + _globals['_RESPONSEQUERY']._serialized_start=6052 + _globals['_RESPONSEQUERY']._serialized_end=6299 + _globals['_RESPONSECHECKTX']._serialized_start=6302 + _globals['_RESPONSECHECKTX']._serialized_end=6600 + _globals['_RESPONSECOMMIT']._serialized_start=6602 + _globals['_RESPONSECOMMIT']._serialized_end=6667 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=6669 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=6749 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=6752 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=6942 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=6848 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=6942 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=6944 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=6993 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=6996 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=7276 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=7180 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=7276 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=7278 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=7321 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=7324 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=7485 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=7432 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=7485 + _globals['_RESPONSEEXTENDVOTE']._serialized_start=7487 + _globals['_RESPONSEEXTENDVOTE']._serialized_end=7546 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=7549 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=7714 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=7663 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=7714 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=7717 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=8079 + _globals['_COMMITINFO']._serialized_start=8081 + _globals['_COMMITINFO']._serialized_end=8170 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=8172 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=8277 + _globals['_EVENT']._serialized_start=8279 + _globals['_EVENT']._serialized_end=8401 + _globals['_EVENTATTRIBUTE']._serialized_start=8403 + _globals['_EVENTATTRIBUTE']._serialized_end=8481 + _globals['_EXECTXRESULT']._serialized_start=8484 + _globals['_EXECTXRESULT']._serialized_end=8740 + _globals['_TXRESULT']._serialized_start=8743 + _globals['_TXRESULT']._serialized_end=8876 + _globals['_VALIDATOR']._serialized_start=8878 + _globals['_VALIDATOR']._serialized_end=8937 + _globals['_VALIDATORUPDATE']._serialized_start=8939 + _globals['_VALIDATORUPDATE']._serialized_end=9039 + _globals['_VOTEINFO']._serialized_start=9042 + _globals['_VOTEINFO']._serialized_end=9189 + _globals['_EXTENDEDVOTEINFO']._serialized_start=9192 + _globals['_EXTENDEDVOTEINFO']._serialized_end=9435 + _globals['_MISBEHAVIOR']._serialized_start=9438 + _globals['_MISBEHAVIOR']._serialized_end=9697 + _globals['_SNAPSHOT']._serialized_start=9700 + _globals['_SNAPSHOT']._serialized_end=9830 + _globals['_ABCI']._serialized_start=9969 + _globals['_ABCI']._serialized_end=11406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 08ce6d0b..d18cc0b2 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/abci/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 class ABCIStub(object): diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index 3a009785..641759e6 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,39 +1,49 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/blocksync/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"&\n\x0c\x42lockRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\")\n\x0fNoBlockResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\x7f\n\rBlockResponse\x12-\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12?\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommitR\textCommit\"\x0f\n\rStatusRequest\"<\n\x0eStatusResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\x03R\x04\x62\x61se\"\x9d\x03\n\x07Message\x12I\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00R\x0c\x62lockRequest\x12S\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00R\x0fnoBlockResponse\x12L\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00R\rblockResponse\x12L\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00R\rstatusRequest\x12O\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00R\x0estatusResponseB\x05\n\x03sumB\xd0\x01\n\x18\x63om.tendermint.blocksyncB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/blocksync\xa2\x02\x03TBX\xaa\x02\x14Tendermint.Blocksync\xca\x02\x14Tendermint\\Blocksync\xe2\x02 Tendermint\\Blocksync\\GPBMetadata\xea\x02\x15Tendermint::Blocksyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.blocksyncB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/blocksync\242\002\003TBX\252\002\024Tendermint.Blocksync\312\002\024Tendermint\\Blocksync\342\002 Tendermint\\Blocksync\\GPBMetadata\352\002\025Tendermint::Blocksync' _globals['_BLOCKREQUEST']._serialized_start=118 - _globals['_BLOCKREQUEST']._serialized_end=148 - _globals['_NOBLOCKRESPONSE']._serialized_start=150 - _globals['_NOBLOCKRESPONSE']._serialized_end=183 - _globals['_BLOCKRESPONSE']._serialized_start=185 - _globals['_BLOCKRESPONSE']._serialized_end=294 - _globals['_STATUSREQUEST']._serialized_start=296 - _globals['_STATUSREQUEST']._serialized_end=311 - _globals['_STATUSRESPONSE']._serialized_start=313 - _globals['_STATUSRESPONSE']._serialized_end=359 - _globals['_MESSAGE']._serialized_start=362 - _globals['_MESSAGE']._serialized_end=698 + _globals['_BLOCKREQUEST']._serialized_end=156 + _globals['_NOBLOCKRESPONSE']._serialized_start=158 + _globals['_NOBLOCKRESPONSE']._serialized_end=199 + _globals['_BLOCKRESPONSE']._serialized_start=201 + _globals['_BLOCKRESPONSE']._serialized_end=328 + _globals['_STATUSREQUEST']._serialized_start=330 + _globals['_STATUSREQUEST']._serialized_end=345 + _globals['_STATUSRESPONSE']._serialized_start=347 + _globals['_STATUSRESPONSE']._serialized_end=407 + _globals['_MESSAGE']._serialized_start=410 + _globals['_MESSAGE']._serialized_end=823 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py index d49d432b..2daafffe 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py index 331095f0..b9b5dca1 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/consensus/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/consensus/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from pyinjective.proto.tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"x\n\x0cNewRoundStep\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\r\x12 \n\x18seconds_since_start_time\x18\x04 \x01(\x03\x12\x19\n\x11last_commit_round\x18\x05 \x01(\x05\"\xbc\x01\n\rNewValidBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x44\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\x12\x33\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArray\x12\x11\n\tis_commit\x18\x05 \x01(\x08\">\n\x08Proposal\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\"u\n\x0bProposalPOL\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x12proposal_pol_round\x18\x02 \x01(\x05\x12:\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"V\n\tBlockPart\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12*\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00\",\n\x04Vote\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\"f\n\x07HasVote\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\r\n\x05index\x18\x04 \x01(\x05\"\x9a\x01\n\x0cVoteSetMaj23\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\"\xce\x01\n\x0bVoteSetBits\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x33\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"\x8d\x04\n\x07Message\x12<\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00\x12>\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00\x12\x32\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00\x12\x39\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00\x12\x35\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00\x12*\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00\x12\x31\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00\x12<\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00\x12:\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"\xb5\x01\n\x0cNewRoundStep\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x03 \x01(\rR\x04step\x12\x37\n\x18seconds_since_start_time\x18\x04 \x01(\x03R\x15secondsSinceStartTime\x12*\n\x11last_commit_round\x18\x05 \x01(\x05R\x0flastCommitRound\"\xf5\x01\n\rNewValidBlock\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12X\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00R\x12\x62lockPartSetHeader\x12?\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayR\nblockParts\x12\x1b\n\tis_commit\x18\x05 \x01(\x08R\x08isCommit\"H\n\x08Proposal\x12<\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00R\x08proposal\"\x9c\x01\n\x0bProposalPOL\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12,\n\x12proposal_pol_round\x18\x02 \x01(\x05R\x10proposalPolRound\x12G\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00R\x0bproposalPol\"k\n\tBlockPart\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x30\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00R\x04part\"2\n\x04Vote\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x04vote\"\x82\x01\n\x07HasVote\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x14\n\x05index\x18\x04 \x01(\x05R\x05index\"\xb8\x01\n\x0cVoteSetMaj23\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\"\xf3\x01\n\x0bVoteSetBits\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12:\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00R\x05votes\"\xf6\x04\n\x07Message\x12J\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00R\x0cnewRoundStep\x12M\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00R\rnewValidBlock\x12<\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00R\x08proposal\x12\x46\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00R\x0bproposalPol\x12@\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00R\tblockPart\x12\x30\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00R\x04vote\x12:\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00R\x07hasVote\x12J\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00R\x0cvoteSetMaj23\x12G\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00R\x0bvoteSetBitsB\x05\n\x03sumB\xd0\x01\n\x18\x63om.tendermint.consensusB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/consensus\xa2\x02\x03TCX\xaa\x02\x14Tendermint.Consensus\xca\x02\x14Tendermint\\Consensus\xe2\x02 Tendermint\\Consensus\\GPBMetadata\xea\x02\x15Tendermint::Consensusb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.consensusB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/consensus\242\002\003TCX\252\002\024Tendermint.Consensus\312\002\024Tendermint\\Consensus\342\002 Tendermint\\Consensus\\GPBMetadata\352\002\025Tendermint::Consensus' _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._loaded_options = None _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._serialized_options = b'\310\336\037\000' _globals['_PROPOSAL'].fields_by_name['proposal']._loaded_options = None @@ -39,24 +49,24 @@ _globals['_VOTESETBITS'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_VOTESETBITS'].fields_by_name['votes']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_NEWROUNDSTEP']._serialized_start=144 - _globals['_NEWROUNDSTEP']._serialized_end=264 - _globals['_NEWVALIDBLOCK']._serialized_start=267 - _globals['_NEWVALIDBLOCK']._serialized_end=455 - _globals['_PROPOSAL']._serialized_start=457 - _globals['_PROPOSAL']._serialized_end=519 - _globals['_PROPOSALPOL']._serialized_start=521 - _globals['_PROPOSALPOL']._serialized_end=638 - _globals['_BLOCKPART']._serialized_start=640 - _globals['_BLOCKPART']._serialized_end=726 - _globals['_VOTE']._serialized_start=728 - _globals['_VOTE']._serialized_end=772 - _globals['_HASVOTE']._serialized_start=774 - _globals['_HASVOTE']._serialized_end=876 - _globals['_VOTESETMAJ23']._serialized_start=879 - _globals['_VOTESETMAJ23']._serialized_end=1033 - _globals['_VOTESETBITS']._serialized_start=1036 - _globals['_VOTESETBITS']._serialized_end=1242 - _globals['_MESSAGE']._serialized_start=1245 - _globals['_MESSAGE']._serialized_end=1770 + _globals['_NEWROUNDSTEP']._serialized_start=145 + _globals['_NEWROUNDSTEP']._serialized_end=326 + _globals['_NEWVALIDBLOCK']._serialized_start=329 + _globals['_NEWVALIDBLOCK']._serialized_end=574 + _globals['_PROPOSAL']._serialized_start=576 + _globals['_PROPOSAL']._serialized_end=648 + _globals['_PROPOSALPOL']._serialized_start=651 + _globals['_PROPOSALPOL']._serialized_end=807 + _globals['_BLOCKPART']._serialized_start=809 + _globals['_BLOCKPART']._serialized_end=916 + _globals['_VOTE']._serialized_start=918 + _globals['_VOTE']._serialized_end=968 + _globals['_HASVOTE']._serialized_start=971 + _globals['_HASVOTE']._serialized_end=1101 + _globals['_VOTESETMAJ23']._serialized_start=1104 + _globals['_VOTESETMAJ23']._serialized_end=1288 + _globals['_VOTESETBITS']._serialized_start=1291 + _globals['_VOTESETBITS']._serialized_end=1534 + _globals['_MESSAGE']._serialized_start=1537 + _globals['_MESSAGE']._serialized_end=2167 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py index 6879e86e..2daafffe 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py index 789fbc00..9f43e815 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/consensus/wal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/consensus/wal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -19,14 +29,14 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/consensus/wal.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a tendermint/consensus/types.proto\x1a\x1dtendermint/types/events.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"X\n\x07MsgInfo\x12\x30\n\x03msg\x18\x01 \x01(\x0b\x32\x1d.tendermint.consensus.MessageB\x04\xc8\xde\x1f\x00\x12\x1b\n\x07peer_id\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06PeerID\"q\n\x0bTimeoutInfo\x12\x35\n\x08\x64uration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x0c\n\x04step\x18\x04 \x01(\r\"\x1b\n\tEndHeight\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x81\x02\n\nWALMessage\x12G\n\x16\x65vent_data_round_state\x18\x01 \x01(\x0b\x32%.tendermint.types.EventDataRoundStateH\x00\x12\x31\n\x08msg_info\x18\x02 \x01(\x0b\x32\x1d.tendermint.consensus.MsgInfoH\x00\x12\x39\n\x0ctimeout_info\x18\x03 \x01(\x0b\x32!.tendermint.consensus.TimeoutInfoH\x00\x12\x35\n\nend_height\x18\x04 \x01(\x0b\x32\x1f.tendermint.consensus.EndHeightH\x00\x42\x05\n\x03sum\"t\n\x0fTimedWALMessage\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12-\n\x03msg\x18\x02 \x01(\x0b\x32 .tendermint.consensus.WALMessageB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/consensus/wal.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a tendermint/consensus/types.proto\x1a\x1dtendermint/types/events.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"e\n\x07MsgInfo\x12\x35\n\x03msg\x18\x01 \x01(\x0b\x32\x1d.tendermint.consensus.MessageB\x04\xc8\xde\x1f\x00R\x03msg\x12#\n\x07peer_id\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06PeerIDR\x06peerId\"\x90\x01\n\x0bTimeoutInfo\x12?\n\x08\x64uration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x08\x64uration\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x04 \x01(\rR\x04step\"#\n\tEndHeight\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\xb7\x02\n\nWALMessage\x12\\\n\x16\x65vent_data_round_state\x18\x01 \x01(\x0b\x32%.tendermint.types.EventDataRoundStateH\x00R\x13\x65ventDataRoundState\x12:\n\x08msg_info\x18\x02 \x01(\x0b\x32\x1d.tendermint.consensus.MsgInfoH\x00R\x07msgInfo\x12\x46\n\x0ctimeout_info\x18\x03 \x01(\x0b\x32!.tendermint.consensus.TimeoutInfoH\x00R\x0btimeoutInfo\x12@\n\nend_height\x18\x04 \x01(\x0b\x32\x1f.tendermint.consensus.EndHeightH\x00R\tendHeightB\x05\n\x03sum\"\x7f\n\x0fTimedWALMessage\x12\x38\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x32\n\x03msg\x18\x02 \x01(\x0b\x32 .tendermint.consensus.WALMessageR\x03msgB\xce\x01\n\x18\x63om.tendermint.consensusB\x08WalProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/consensus\xa2\x02\x03TCX\xaa\x02\x14Tendermint.Consensus\xca\x02\x14Tendermint\\Consensus\xe2\x02 Tendermint\\Consensus\\GPBMetadata\xea\x02\x15Tendermint::Consensusb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.wal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.consensusB\010WalProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/consensus\242\002\003TCX\252\002\024Tendermint.Consensus\312\002\024Tendermint\\Consensus\342\002 Tendermint\\Consensus\\GPBMetadata\352\002\025Tendermint::Consensus' _globals['_MSGINFO'].fields_by_name['msg']._loaded_options = None _globals['_MSGINFO'].fields_by_name['msg']._serialized_options = b'\310\336\037\000' _globals['_MSGINFO'].fields_by_name['peer_id']._loaded_options = None @@ -36,13 +46,13 @@ _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._loaded_options = None _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_MSGINFO']._serialized_start=208 - _globals['_MSGINFO']._serialized_end=296 - _globals['_TIMEOUTINFO']._serialized_start=298 - _globals['_TIMEOUTINFO']._serialized_end=411 - _globals['_ENDHEIGHT']._serialized_start=413 - _globals['_ENDHEIGHT']._serialized_end=440 - _globals['_WALMESSAGE']._serialized_start=443 - _globals['_WALMESSAGE']._serialized_end=700 - _globals['_TIMEDWALMESSAGE']._serialized_start=702 - _globals['_TIMEDWALMESSAGE']._serialized_end=818 + _globals['_MSGINFO']._serialized_end=309 + _globals['_TIMEOUTINFO']._serialized_start=312 + _globals['_TIMEOUTINFO']._serialized_end=456 + _globals['_ENDHEIGHT']._serialized_start=458 + _globals['_ENDHEIGHT']._serialized_end=493 + _globals['_WALMESSAGE']._serialized_start=496 + _globals['_WALMESSAGE']._serialized_end=807 + _globals['_TIMEDWALMESSAGE']._serialized_start=809 + _globals['_TIMEDWALMESSAGE']._serialized_end=936 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py index 20bf7bbf..2daafffe 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index 83ed29a7..30510426 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/crypto/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,16 +25,16 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"D\n\tPublicKey\x12\x11\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00\x12\x13\n\tsecp256k1\x18\x02 \x01(\x0cH\x00:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB6Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"X\n\tPublicKey\x12\x1a\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00R\x07\x65\x64\x32\x35\x35\x31\x39\x12\x1e\n\tsecp256k1\x18\x02 \x01(\x0cH\x00R\tsecp256k1:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB\xbd\x01\n\x15\x63om.tendermint.cryptoB\tKeysProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\tKeysProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' _globals['_PUBLICKEY']._loaded_options = None _globals['_PUBLICKEY']._serialized_options = b'\350\240\037\001\350\241\037\001' _globals['_PUBLICKEY']._serialized_start=73 - _globals['_PUBLICKEY']._serialized_end=141 + _globals['_PUBLICKEY']._serialized_end=161 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index c6d6788d..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index b37df502..341fcb5e 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/proof.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/crypto/proof.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,24 +25,24 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"G\n\x05Proof\x12\r\n\x05total\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\x03\x12\x11\n\tleaf_hash\x18\x03 \x01(\x0c\x12\r\n\x05\x61unts\x18\x04 \x03(\x0c\"?\n\x07ValueOp\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\'\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.Proof\"6\n\x08\x44ominoOp\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05input\x18\x02 \x01(\t\x12\x0e\n\x06output\x18\x03 \x01(\t\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"9\n\x08ProofOps\x12-\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00\x42\x36Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"f\n\x05Proof\x12\x14\n\x05total\x18\x01 \x01(\x03R\x05total\x12\x14\n\x05index\x18\x02 \x01(\x03R\x05index\x12\x1b\n\tleaf_hash\x18\x03 \x01(\x0cR\x08leafHash\x12\x14\n\x05\x61unts\x18\x04 \x03(\x0cR\x05\x61unts\"K\n\x07ValueOp\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12.\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof\"J\n\x08\x44ominoOp\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05input\x18\x02 \x01(\tR\x05input\x12\x16\n\x06output\x18\x03 \x01(\tR\x06output\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\">\n\x08ProofOps\x12\x32\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00R\x03opsB\xbe\x01\n\x15\x63om.tendermint.cryptoB\nProofProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.proof_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\nProofProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000' _globals['_PROOF']._serialized_start=74 - _globals['_PROOF']._serialized_end=145 - _globals['_VALUEOP']._serialized_start=147 - _globals['_VALUEOP']._serialized_end=210 - _globals['_DOMINOOP']._serialized_start=212 - _globals['_DOMINOOP']._serialized_end=266 - _globals['_PROOFOP']._serialized_start=268 - _globals['_PROOFOP']._serialized_end=318 - _globals['_PROOFOPS']._serialized_start=320 - _globals['_PROOFOPS']._serialized_end=377 + _globals['_PROOF']._serialized_end=176 + _globals['_VALUEOP']._serialized_start=178 + _globals['_VALUEOP']._serialized_end=253 + _globals['_DOMINOOP']._serialized_start=255 + _globals['_DOMINOOP']._serialized_end=329 + _globals['_PROOFOP']._serialized_start=331 + _globals['_PROOFOP']._serialized_end=398 + _globals['_PROOFOPS']._serialized_start=400 + _globals['_PROOFOPS']._serialized_end=462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 424b5351..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2.py b/pyinjective/proto/tendermint/libs/bits/types_pb2.py index df93d9df..19e26cab 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/libs/bits/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/libs/bits/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"\'\n\x08\x42itArray\x12\x0c\n\x04\x62its\x18\x01 \x01(\x03\x12\r\n\x05\x65lems\x18\x02 \x03(\x04\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/libs/bitsb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"4\n\x08\x42itArray\x12\x12\n\x04\x62its\x18\x01 \x01(\x03R\x04\x62its\x12\x14\n\x05\x65lems\x18\x02 \x03(\x04R\x05\x65lemsB\xd1\x01\n\x18\x63om.tendermint.libs.bitsB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\xa2\x02\x03TLB\xaa\x02\x14Tendermint.Libs.Bits\xca\x02\x14Tendermint\\Libs\\Bits\xe2\x02 Tendermint\\Libs\\Bits\\GPBMetadata\xea\x02\x16Tendermint::Libs::Bitsb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.libs.bits.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.libs.bitsB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\242\002\003TLB\252\002\024Tendermint.Libs.Bits\312\002\024Tendermint\\Libs\\Bits\342\002 Tendermint\\Libs\\Bits\\GPBMetadata\352\002\026Tendermint::Libs::Bits' _globals['_BITARRAY']._serialized_start=58 - _globals['_BITARRAY']._serialized_end=97 + _globals['_BITARRAY']._serialized_end=110 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index afd186cd..2daafffe 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2.py b/pyinjective/proto/tendermint/mempool/types_pb2.py index f4ad08d8..58d30ab6 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/mempool/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/mempool/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/mempool/types.proto\x12\x12tendermint.mempool\"\x12\n\x03Txs\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"8\n\x07Message\x12&\n\x03txs\x18\x01 \x01(\x0b\x32\x17.tendermint.mempool.TxsH\x00\x42\x05\n\x03sumB7Z5github.com/cometbft/cometbft/proto/tendermint/mempoolb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/mempool/types.proto\x12\x12tendermint.mempool\"\x17\n\x03Txs\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"=\n\x07Message\x12+\n\x03txs\x18\x01 \x01(\x0b\x32\x17.tendermint.mempool.TxsH\x00R\x03txsB\x05\n\x03sumB\xc4\x01\n\x16\x63om.tendermint.mempoolB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/mempool\xa2\x02\x03TMX\xaa\x02\x12Tendermint.Mempool\xca\x02\x12Tendermint\\Mempool\xe2\x02\x1eTendermint\\Mempool\\GPBMetadata\xea\x02\x13Tendermint::Mempoolb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.mempool.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/mempool' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.mempoolB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/mempool\242\002\003TMX\252\002\022Tendermint.Mempool\312\002\022Tendermint\\Mempool\342\002\036Tendermint\\Mempool\\GPBMetadata\352\002\023Tendermint::Mempool' _globals['_TXS']._serialized_start=54 - _globals['_TXS']._serialized_end=72 - _globals['_MESSAGE']._serialized_start=74 - _globals['_MESSAGE']._serialized_end=130 + _globals['_TXS']._serialized_end=77 + _globals['_MESSAGE']._serialized_start=79 + _globals['_MESSAGE']._serialized_end=140 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py index cb8652d4..2daafffe 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py index 2cc5bf73..be8f11ff 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/conn.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/p2p/conn.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"R\n\tPacketMsg\x12!\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelID\x12\x14\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OF\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xa6\x01\n\x06Packet\x12\x31\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00\x12\x31\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00\x12/\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00\x42\x05\n\x03sum\"R\n\x0e\x41uthSigMessage\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x0b\n\x03sig\x18\x02 \x01(\x0c\x42\x33Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"h\n\tPacketMsg\x12,\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelIDR\tchannelId\x12\x19\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OFR\x03\x65of\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"\xc9\x01\n\x06Packet\x12=\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00R\npacketPing\x12=\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00R\npacketPong\x12:\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00R\tpacketMsgB\x05\n\x03sum\"_\n\x0e\x41uthSigMessage\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12\x10\n\x03sig\x18\x02 \x01(\x0cR\x03sigB\xab\x01\n\x12\x63om.tendermint.p2pB\tConnProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.conn_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' + _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\tConnProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' _globals['_PACKETMSG'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['channel_id']._serialized_options = b'\342\336\037\tChannelID' _globals['_PACKETMSG'].fields_by_name['eof']._loaded_options = None @@ -35,9 +45,9 @@ _globals['_PACKETPONG']._serialized_start=111 _globals['_PACKETPONG']._serialized_end=123 _globals['_PACKETMSG']._serialized_start=125 - _globals['_PACKETMSG']._serialized_end=207 - _globals['_PACKET']._serialized_start=210 - _globals['_PACKET']._serialized_end=376 - _globals['_AUTHSIGMESSAGE']._serialized_start=378 - _globals['_AUTHSIGMESSAGE']._serialized_end=460 + _globals['_PACKETMSG']._serialized_end=229 + _globals['_PACKET']._serialized_start=232 + _globals['_PACKET']._serialized_end=433 + _globals['_AUTHSIGMESSAGE']._serialized_start=435 + _globals['_AUTHSIGMESSAGE']._serialized_end=530 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py index a0c04f90..2daafffe 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py index 5ca56f6a..0490f25b 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/pex.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/p2p/pex.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,20 +26,20 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\";\n\x08PexAddrs\x12/\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00\"r\n\x07Message\x12\x31\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00\x12-\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00\x42\x05\n\x03sumB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\"B\n\x08PexAddrs\x12\x36\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00R\x05\x61\x64\x64rs\"\x88\x01\n\x07Message\x12=\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00R\npexRequest\x12\x37\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00R\x08pexAddrsB\x05\n\x03sumB\xaa\x01\n\x12\x63om.tendermint.p2pB\x08PexProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.pex_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' + _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\010PexProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' _globals['_PEXADDRS'].fields_by_name['addrs']._loaded_options = None _globals['_PEXADDRS'].fields_by_name['addrs']._serialized_options = b'\310\336\037\000' _globals['_PEXREQUEST']._serialized_start=94 _globals['_PEXREQUEST']._serialized_end=106 _globals['_PEXADDRS']._serialized_start=108 - _globals['_PEXADDRS']._serialized_end=167 - _globals['_MESSAGE']._serialized_start=169 - _globals['_MESSAGE']._serialized_end=283 + _globals['_PEXADDRS']._serialized_end=174 + _globals['_MESSAGE']._serialized_start=177 + _globals['_MESSAGE']._serialized_end=313 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py index cfd99997..2daafffe 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index b9460ae6..d32f3947 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/p2p/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"B\n\nNetAddress\x12\x12\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02ID\x12\x12\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IP\x12\x0c\n\x04port\x18\x03 \x01(\r\"C\n\x0fProtocolVersion\x12\x14\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2P\x12\r\n\x05\x62lock\x18\x02 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x03 \x01(\x04\"\x93\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12?\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00\x12*\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeID\x12\x13\n\x0blisten_addr\x18\x03 \x01(\t\x12\x0f\n\x07network\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x10\n\x08\x63hannels\x18\x06 \x01(\x0c\x12\x0f\n\x07moniker\x18\x07 \x01(\t\x12\x39\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00\"M\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x10\n\x08tx_index\x18\x01 \x01(\t\x12#\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"P\n\nNetAddress\x12\x16\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02IDR\x02id\x12\x16\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IPR\x02ip\x12\x12\n\x04port\x18\x03 \x01(\rR\x04port\"T\n\x0fProtocolVersion\x12\x19\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2PR\x03p2p\x12\x14\n\x05\x62lock\x18\x02 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x03 \x01(\x04R\x03\x61pp\"\xeb\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12P\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00R\x0fprotocolVersion\x12\x39\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeIDR\rdefaultNodeId\x12\x1f\n\x0blisten_addr\x18\x03 \x01(\tR\nlistenAddr\x12\x18\n\x07network\x18\x04 \x01(\tR\x07network\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x1a\n\x08\x63hannels\x18\x06 \x01(\x0cR\x08\x63hannels\x12\x18\n\x07moniker\x18\x07 \x01(\tR\x07moniker\x12@\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00R\x05other\"b\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x19\n\x08tx_index\x18\x01 \x01(\tR\x07txIndex\x12/\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressR\nrpcAddressB\xac\x01\n\x12\x63om.tendermint.p2pB\nTypesProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' + _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\nTypesProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' _globals['_NETADDRESS'].fields_by_name['id']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['id']._serialized_options = b'\342\336\037\002ID' _globals['_NETADDRESS'].fields_by_name['ip']._loaded_options = None @@ -38,11 +48,11 @@ _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._loaded_options = None _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._serialized_options = b'\342\336\037\nRPCAddress' _globals['_NETADDRESS']._serialized_start=68 - _globals['_NETADDRESS']._serialized_end=134 - _globals['_PROTOCOLVERSION']._serialized_start=136 - _globals['_PROTOCOLVERSION']._serialized_end=203 - _globals['_DEFAULTNODEINFO']._serialized_start=206 - _globals['_DEFAULTNODEINFO']._serialized_end=481 - _globals['_DEFAULTNODEINFOOTHER']._serialized_start=483 - _globals['_DEFAULTNODEINFOOTHER']._serialized_end=560 + _globals['_NETADDRESS']._serialized_end=148 + _globals['_PROTOCOLVERSION']._serialized_start=150 + _globals['_PROTOCOLVERSION']._serialized_end=234 + _globals['_DEFAULTNODEINFO']._serialized_start=237 + _globals['_DEFAULTNODEINFO']._serialized_end=600 + _globals['_DEFAULTNODEINFOOTHER']._serialized_start=602 + _globals['_DEFAULTNODEINFOOTHER']._serialized_end=700 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 10a81406..2daafffe 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py index bd31a3ac..922fb220 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ b/pyinjective/proto/tendermint/privval/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/privval/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/privval/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,40 +27,40 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"6\n\x11RemoteSignerError\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x05\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"!\n\rPubKeyRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\"{\n\x0ePubKeyResponse\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"I\n\x0fSignVoteRequest\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"v\n\x12SignedVoteResponse\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"U\n\x13SignProposalRequest\x12,\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.Proposal\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"\x82\x01\n\x16SignedProposalResponse\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xa6\x04\n\x07Message\x12<\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00\x12>\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00\x12@\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00\x12\x46\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00\x12H\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00\x12N\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00\x12\x37\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00\x12\x39\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00\x42\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/privvalb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"I\n\x11RemoteSignerError\x12\x12\n\x04\x63ode\x18\x01 \x01(\x05R\x04\x63ode\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"*\n\rPubKeyRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\tR\x07\x63hainId\"\x8a\x01\n\x0ePubKeyResponse\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"X\n\x0fSignVoteRequest\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x04vote\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\"\x83\x01\n\x12SignedVoteResponse\x12\x30\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00R\x04vote\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"h\n\x13SignProposalRequest\x12\x36\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalR\x08proposal\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\"\x93\x01\n\x16SignedProposalResponse\x12<\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00R\x08proposal\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xb2\x05\n\x07Message\x12K\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00R\rpubKeyRequest\x12N\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00R\x0epubKeyResponse\x12Q\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00R\x0fsignVoteRequest\x12Z\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00R\x12signedVoteResponse\x12]\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00R\x13signProposalRequest\x12\x66\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00R\x16signedProposalResponse\x12\x44\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00R\x0bpingRequest\x12G\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00R\x0cpingResponseB\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\xc4\x01\n\x16\x63om.tendermint.privvalB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/privval\xa2\x02\x03TPX\xaa\x02\x12Tendermint.Privval\xca\x02\x12Tendermint\\Privval\xe2\x02\x1eTendermint\\Privval\\GPBMetadata\xea\x02\x13Tendermint::Privvalb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.privval.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/privval' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.privvalB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/privval\242\002\003TPX\252\002\022Tendermint.Privval\312\002\022Tendermint\\Privval\342\002\036Tendermint\\Privval\\GPBMetadata\352\002\023Tendermint::Privval' _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._loaded_options = None _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000' _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_ERRORS']._serialized_start=1352 - _globals['_ERRORS']._serialized_end=1520 + _globals['_ERRORS']._serialized_start=1601 + _globals['_ERRORS']._serialized_end=1769 _globals['_REMOTESIGNERERROR']._serialized_start=136 - _globals['_REMOTESIGNERERROR']._serialized_end=190 - _globals['_PUBKEYREQUEST']._serialized_start=192 - _globals['_PUBKEYREQUEST']._serialized_end=225 - _globals['_PUBKEYRESPONSE']._serialized_start=227 - _globals['_PUBKEYRESPONSE']._serialized_end=350 - _globals['_SIGNVOTEREQUEST']._serialized_start=352 - _globals['_SIGNVOTEREQUEST']._serialized_end=425 - _globals['_SIGNEDVOTERESPONSE']._serialized_start=427 - _globals['_SIGNEDVOTERESPONSE']._serialized_end=545 - _globals['_SIGNPROPOSALREQUEST']._serialized_start=547 - _globals['_SIGNPROPOSALREQUEST']._serialized_end=632 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_start=635 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_end=765 - _globals['_PINGREQUEST']._serialized_start=767 - _globals['_PINGREQUEST']._serialized_end=780 - _globals['_PINGRESPONSE']._serialized_start=782 - _globals['_PINGRESPONSE']._serialized_end=796 - _globals['_MESSAGE']._serialized_start=799 - _globals['_MESSAGE']._serialized_end=1349 + _globals['_REMOTESIGNERERROR']._serialized_end=209 + _globals['_PUBKEYREQUEST']._serialized_start=211 + _globals['_PUBKEYREQUEST']._serialized_end=253 + _globals['_PUBKEYRESPONSE']._serialized_start=256 + _globals['_PUBKEYRESPONSE']._serialized_end=394 + _globals['_SIGNVOTEREQUEST']._serialized_start=396 + _globals['_SIGNVOTEREQUEST']._serialized_end=484 + _globals['_SIGNEDVOTERESPONSE']._serialized_start=487 + _globals['_SIGNEDVOTERESPONSE']._serialized_end=618 + _globals['_SIGNPROPOSALREQUEST']._serialized_start=620 + _globals['_SIGNPROPOSALREQUEST']._serialized_end=724 + _globals['_SIGNEDPROPOSALRESPONSE']._serialized_start=727 + _globals['_SIGNEDPROPOSALRESPONSE']._serialized_end=874 + _globals['_PINGREQUEST']._serialized_start=876 + _globals['_PINGREQUEST']._serialized_end=889 + _globals['_PINGRESPONSE']._serialized_start=891 + _globals['_PINGRESPONSE']._serialized_end=905 + _globals['_MESSAGE']._serialized_start=908 + _globals['_MESSAGE']._serialized_end=1598 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py index 1280586b..2daafffe 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py index 7fa499f6..50e799b4 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/rpc/grpc/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/rpc/grpc/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,22 +25,22 @@ from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"{\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x30\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\"$\n\x12RequestBroadcastTx\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\"\x0e\n\x0cResponsePing\"\x8e\x01\n\x13ResponseBroadcastTx\x12;\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxR\x07\x63heckTx\x12:\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\x08txResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB\xc3\x01\n\x17\x63om.tendermint.rpc.grpcB\nTypesProtoP\x01Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc\xa2\x02\x03TRG\xaa\x02\x13Tendermint.Rpc.Grpc\xca\x02\x13Tendermint\\Rpc\\Grpc\xe2\x02\x1fTendermint\\Rpc\\Grpc\\GPBMetadata\xea\x02\x15Tendermint::Rpc::Grpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.rpc.grpc.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.tendermint.rpc.grpcB\nTypesProtoP\001Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc\242\002\003TRG\252\002\023Tendermint.Rpc.Grpc\312\002\023Tendermint\\Rpc\\Grpc\342\002\037Tendermint\\Rpc\\Grpc\\GPBMetadata\352\002\025Tendermint::Rpc::Grpc' _globals['_REQUESTPING']._serialized_start=85 _globals['_REQUESTPING']._serialized_end=98 _globals['_REQUESTBROADCASTTX']._serialized_start=100 - _globals['_REQUESTBROADCASTTX']._serialized_end=132 - _globals['_RESPONSEPING']._serialized_start=134 - _globals['_RESPONSEPING']._serialized_end=148 - _globals['_RESPONSEBROADCASTTX']._serialized_start=150 - _globals['_RESPONSEBROADCASTTX']._serialized_end=273 - _globals['_BROADCASTAPI']._serialized_start=276 - _globals['_BROADCASTAPI']._serialized_end=465 + _globals['_REQUESTBROADCASTTX']._serialized_end=136 + _globals['_RESPONSEPING']._serialized_start=138 + _globals['_RESPONSEPING']._serialized_end=152 + _globals['_RESPONSEBROADCASTTX']._serialized_start=155 + _globals['_RESPONSEBROADCASTTX']._serialized_end=297 + _globals['_BROADCASTAPI']._serialized_start=300 + _globals['_BROADCASTAPI']._serialized_end=489 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index 05c094dc..5c48f6db 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -1,58 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class BroadcastAPIStub(object): """---------------------------------------- diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 8b2a1178..30d3c521 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/state/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/state/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdd\x01\n\x13LegacyABCIResponses\x12>\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\ndeliverTxs\x12?\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlockR\x08\x65ndBlock\x12\x45\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlockR\nbeginBlock\"^\n\x12ResponseBeginBlock\x12H\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\"\x8c\x02\n\x10ResponseEndBlock\x12S\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\x10validatorUpdates\x12Y\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x15\x63onsensusParamUpdates\x12H\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\"\x85\x01\n\x0eValidatorsInfo\x12\x43\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\x12.\n\x13last_height_changed\x18\x02 \x01(\x03R\x11lastHeightChanged\"\x99\x01\n\x13\x43onsensusParamsInfo\x12R\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusParams\x12.\n\x13last_height_changed\x18\x02 \x01(\x03R\x11lastHeightChanged\"\xe6\x01\n\x11\x41\x42\x43IResponsesInfo\x12Y\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponsesR\x13legacyAbciResponses\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12^\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x15responseFinalizeBlock\"h\n\x07Version\x12\x41\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00R\tconsensus\x12\x1a\n\x08software\x18\x02 \x01(\tR\x08software\"\xe1\x06\n\x05State\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12%\n\x0einitial_height\x18\x0e \x01(\x03R\rinitialHeight\x12*\n\x11last_block_height\x18\x03 \x01(\x03R\x0flastBlockHeight\x12R\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockIDR\x0blastBlockId\x12L\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\rlastBlockTime\x12G\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0enextValidators\x12>\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\nvalidators\x12G\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0elastValidators\x12\x43\n\x1elast_height_validators_changed\x18\t \x01(\x03R\x1blastHeightValidatorsChanged\x12R\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusParams\x12N\n$last_height_consensus_params_changed\x18\x0b \x01(\x03R lastHeightConsensusParamsChanged\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12\x19\n\x08\x61pp_hash\x18\r \x01(\x0cR\x07\x61ppHashB\xb8\x01\n\x14\x63om.tendermint.stateB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/state\xa2\x02\x03TSX\xaa\x02\x10Tendermint.State\xca\x02\x10Tendermint\\State\xe2\x02\x1cTendermint\\State\\GPBMetadata\xea\x02\x11Tendermint::Stateb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.state.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.stateB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/state\242\002\003TSX\252\002\020Tendermint.State\312\002\020Tendermint\\State\342\002\034Tendermint\\State\\GPBMetadata\352\002\021Tendermint::State' _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None @@ -50,19 +60,19 @@ _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' _globals['_LEGACYABCIRESPONSES']._serialized_start=262 - _globals['_LEGACYABCIRESPONSES']._serialized_end=449 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 - _globals['_RESPONSEENDBLOCK']._serialized_start=540 - _globals['_RESPONSEENDBLOCK']._serialized_end=759 - _globals['_VALIDATORSINFO']._serialized_start=761 - _globals['_VALIDATORSINFO']._serialized_end=861 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 - _globals['_ABCIRESPONSESINFO']._serialized_start=983 - _globals['_ABCIRESPONSESINFO']._serialized_end=1161 - _globals['_VERSION']._serialized_start=1163 - _globals['_VERSION']._serialized_end=1246 - _globals['_STATE']._serialized_start=1249 - _globals['_STATE']._serialized_end=1886 + _globals['_LEGACYABCIRESPONSES']._serialized_end=483 + _globals['_RESPONSEBEGINBLOCK']._serialized_start=485 + _globals['_RESPONSEBEGINBLOCK']._serialized_end=579 + _globals['_RESPONSEENDBLOCK']._serialized_start=582 + _globals['_RESPONSEENDBLOCK']._serialized_end=850 + _globals['_VALIDATORSINFO']._serialized_start=853 + _globals['_VALIDATORSINFO']._serialized_end=986 + _globals['_CONSENSUSPARAMSINFO']._serialized_start=989 + _globals['_CONSENSUSPARAMSINFO']._serialized_end=1142 + _globals['_ABCIRESPONSESINFO']._serialized_start=1145 + _globals['_ABCIRESPONSESINFO']._serialized_end=1375 + _globals['_VERSION']._serialized_start=1377 + _globals['_VERSION']._serialized_end=1481 + _globals['_STATE']._serialized_start=1484 + _globals['_STATE']._serialized_end=2349 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/state/types_pb2_grpc.py b/pyinjective/proto/tendermint/state/types_pb2_grpc.py index 7e3919fe..2daafffe 100644 --- a/pyinjective/proto/tendermint/state/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/state/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2.py b/pyinjective/proto/tendermint/statesync/types_pb2.py index 3fc9d878..1bb2afb5 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/statesync/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/statesync/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,22 +24,22 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/statesync/types.proto\x12\x14tendermint.statesync\"\x98\x02\n\x07Message\x12\x43\n\x11snapshots_request\x18\x01 \x01(\x0b\x32&.tendermint.statesync.SnapshotsRequestH\x00\x12\x45\n\x12snapshots_response\x18\x02 \x01(\x0b\x32\'.tendermint.statesync.SnapshotsResponseH\x00\x12;\n\rchunk_request\x18\x03 \x01(\x0b\x32\".tendermint.statesync.ChunkRequestH\x00\x12=\n\x0e\x63hunk_response\x18\x04 \x01(\x0b\x32#.tendermint.statesync.ChunkResponseH\x00\x42\x05\n\x03sum\"\x12\n\x10SnapshotsRequest\"c\n\x11SnapshotsResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c\"=\n\x0c\x43hunkRequest\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\"^\n\rChunkResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\x12\r\n\x05\x63hunk\x18\x04 \x01(\x0c\x12\x0f\n\x07missing\x18\x05 \x01(\x08\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/statesyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/statesync/types.proto\x12\x14tendermint.statesync\"\xda\x02\n\x07Message\x12U\n\x11snapshots_request\x18\x01 \x01(\x0b\x32&.tendermint.statesync.SnapshotsRequestH\x00R\x10snapshotsRequest\x12X\n\x12snapshots_response\x18\x02 \x01(\x0b\x32\'.tendermint.statesync.SnapshotsResponseH\x00R\x11snapshotsResponse\x12I\n\rchunk_request\x18\x03 \x01(\x0b\x32\".tendermint.statesync.ChunkRequestH\x00R\x0c\x63hunkRequest\x12L\n\x0e\x63hunk_response\x18\x04 \x01(\x0b\x32#.tendermint.statesync.ChunkResponseH\x00R\rchunkResponseB\x05\n\x03sum\"\x12\n\x10SnapshotsRequest\"\x8b\x01\n\x11SnapshotsResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x1a\n\x08metadata\x18\x05 \x01(\x0cR\x08metadata\"T\n\x0c\x43hunkRequest\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\"\x85\x01\n\rChunkResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x14\n\x05\x63hunk\x18\x04 \x01(\x0cR\x05\x63hunk\x12\x18\n\x07missing\x18\x05 \x01(\x08R\x07missingB\xd0\x01\n\x18\x63om.tendermint.statesyncB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/statesync\xa2\x02\x03TSX\xaa\x02\x14Tendermint.Statesync\xca\x02\x14Tendermint\\Statesync\xe2\x02 Tendermint\\Statesync\\GPBMetadata\xea\x02\x15Tendermint::Statesyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.statesync.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/statesync' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.statesyncB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/statesync\242\002\003TSX\252\002\024Tendermint.Statesync\312\002\024Tendermint\\Statesync\342\002 Tendermint\\Statesync\\GPBMetadata\352\002\025Tendermint::Statesync' _globals['_MESSAGE']._serialized_start=59 - _globals['_MESSAGE']._serialized_end=339 - _globals['_SNAPSHOTSREQUEST']._serialized_start=341 - _globals['_SNAPSHOTSREQUEST']._serialized_end=359 - _globals['_SNAPSHOTSRESPONSE']._serialized_start=361 - _globals['_SNAPSHOTSRESPONSE']._serialized_end=460 - _globals['_CHUNKREQUEST']._serialized_start=462 - _globals['_CHUNKREQUEST']._serialized_end=523 - _globals['_CHUNKRESPONSE']._serialized_start=525 - _globals['_CHUNKRESPONSE']._serialized_end=619 + _globals['_MESSAGE']._serialized_end=405 + _globals['_SNAPSHOTSREQUEST']._serialized_start=407 + _globals['_SNAPSHOTSREQUEST']._serialized_end=425 + _globals['_SNAPSHOTSRESPONSE']._serialized_start=428 + _globals['_SNAPSHOTSRESPONSE']._serialized_end=567 + _globals['_CHUNKREQUEST']._serialized_start=569 + _globals['_CHUNKREQUEST']._serialized_end=653 + _globals['_CHUNKRESPONSE']._serialized_start=656 + _globals['_CHUNKRESPONSE']._serialized_end=789 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py index aed296dd..2daafffe 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/store/types_pb2.py b/pyinjective/proto/tendermint/store/types_pb2.py index 21d6504d..4c4f7a0d 100644 --- a/pyinjective/proto/tendermint/store/types_pb2.py +++ b/pyinjective/proto/tendermint/store/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/store/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/store/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/store/types.proto\x12\x10tendermint.store\"/\n\x0f\x42lockStoreState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\x03\x12\x0e\n\x06height\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/storeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/store/types.proto\x12\x10tendermint.store\"=\n\x0f\x42lockStoreState\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\x03R\x04\x62\x61se\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06heightB\xb8\x01\n\x14\x63om.tendermint.storeB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/store\xa2\x02\x03TSX\xaa\x02\x10Tendermint.Store\xca\x02\x10Tendermint\\Store\xe2\x02\x1cTendermint\\Store\\GPBMetadata\xea\x02\x11Tendermint::Storeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.store.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/store' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.storeB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/store\242\002\003TSX\252\002\020Tendermint.Store\312\002\020Tendermint\\Store\342\002\034Tendermint\\Store\\GPBMetadata\352\002\021Tendermint::Store' _globals['_BLOCKSTORESTATE']._serialized_start=50 - _globals['_BLOCKSTORESTATE']._serialized_end=97 + _globals['_BLOCKSTORESTATE']._serialized_end=111 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/store/types_pb2_grpc.py b/pyinjective/proto/tendermint/store/types_pb2_grpc.py index befc0e86..2daafffe 100644 --- a/pyinjective/proto/tendermint/store/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/store/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index 60d96ad7..8d6a69ea 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/block.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/block.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xca\x01\n\x05\x42lock\x12.\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12*\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00\x12\x36\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xee\x01\n\x05\x42lock\x12\x36\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x30\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta\x12@\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommitB\xb8\x01\n\x14\x63om.tendermint.typesB\nBlockProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.block_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nBlockProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_BLOCK']._serialized_start=136 - _globals['_BLOCK']._serialized_end=338 + _globals['_BLOCK']._serialized_end=374 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 1ba424f2..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py index 00a2d5a0..c841c372 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/canonical.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/canonical.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -17,14 +27,14 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"i\n\x10\x43\x61nonicalBlockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12G\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00\"5\n\x16\x43\x61nonicalPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"\x9d\x02\n\x11\x43\x61nonicalProposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x1f\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRound\x12\x41\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\xf8\x01\n\rCanonicalVote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x41\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\\\n\x16\x43\x61nonicalVoteExtension\x12\x11\n\textension\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x10\n\x08\x63hain_id\x18\x04 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"~\n\x10\x43\x61nonicalBlockID\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12V\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00R\rpartSetHeader\"B\n\x16\x43\x61nonicalPartSetHeader\x12\x14\n\x05total\x18\x01 \x01(\rR\x05total\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash\"\xd9\x02\n\x11\x43\x61nonicalProposal\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12)\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRoundR\x08polRound\x12J\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12&\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\"\xaa\x02\n\rCanonicalVote\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12J\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12&\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\"\x7f\n\x16\x43\x61nonicalVoteExtension\x12\x1c\n\textension\x18\x01 \x01(\x0cR\textension\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12\x19\n\x08\x63hain_id\x18\x04 \x01(\tR\x07\x63hainIdB\xbc\x01\n\x14\x63om.tendermint.typesB\x0e\x43\x61nonicalProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.canonical_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\016CanonicalProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._loaded_options = None @@ -42,13 +52,13 @@ _globals['_CANONICALVOTE'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' _globals['_CANONICALBLOCKID']._serialized_start=139 - _globals['_CANONICALBLOCKID']._serialized_end=244 - _globals['_CANONICALPARTSETHEADER']._serialized_start=246 - _globals['_CANONICALPARTSETHEADER']._serialized_end=299 - _globals['_CANONICALPROPOSAL']._serialized_start=302 - _globals['_CANONICALPROPOSAL']._serialized_end=587 - _globals['_CANONICALVOTE']._serialized_start=590 - _globals['_CANONICALVOTE']._serialized_end=838 - _globals['_CANONICALVOTEEXTENSION']._serialized_start=840 - _globals['_CANONICALVOTEEXTENSION']._serialized_end=932 + _globals['_CANONICALBLOCKID']._serialized_end=265 + _globals['_CANONICALPARTSETHEADER']._serialized_start=267 + _globals['_CANONICALPARTSETHEADER']._serialized_end=333 + _globals['_CANONICALPROPOSAL']._serialized_start=336 + _globals['_CANONICALPROPOSAL']._serialized_end=681 + _globals['_CANONICALVOTE']._serialized_start=684 + _globals['_CANONICALVOTE']._serialized_end=982 + _globals['_CANONICALVOTEEXTENSION']._serialized_start=984 + _globals['_CANONICALVOTEEXTENSION']._serialized_end=1111 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py index 99128936..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/events_pb2.py b/pyinjective/proto/tendermint/types/events_pb2.py index 1a2d6848..6c4ff8be 100644 --- a/pyinjective/proto/tendermint/types/events_pb2.py +++ b/pyinjective/proto/tendermint/types/events_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/events.proto\x12\x10tendermint.types\"B\n\x13\x45ventDataRoundState\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/events.proto\x12\x10tendermint.types\"W\n\x13\x45ventDataRoundState\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x03 \x01(\tR\x04stepB\xb9\x01\n\x14\x63om.tendermint.typesB\x0b\x45ventsProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\013EventsProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_EVENTDATAROUNDSTATE']._serialized_start=51 - _globals['_EVENTDATAROUNDSTATE']._serialized_end=117 + _globals['_EVENTDATAROUNDSTATE']._serialized_end=138 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/events_pb2_grpc.py b/pyinjective/proto/tendermint/types/events_pb2_grpc.py index 635dc42d..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/events_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index 2c361ad5..4b43c748 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/evidence.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/evidence.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -18,14 +28,14 @@ from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xb2\x01\n\x08\x45vidence\x12J\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00\x12S\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00\x42\x05\n\x03sum\"\xd5\x01\n\x15\x44uplicateVoteEvidence\x12&\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12&\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\x12\x17\n\x0fvalidator_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\xfb\x01\n\x19LightClientAttackEvidence\x12\x37\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlock\x12\x15\n\rcommon_height\x18\x02 \x01(\x03\x12\x39\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"B\n\x0c\x45videnceList\x12\x32\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xe4\x01\n\x08\x45vidence\x12\x61\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00R\x15\x64uplicateVoteEvidence\x12n\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00R\x19lightClientAttackEvidenceB\x05\n\x03sum\"\x90\x02\n\x15\x44uplicateVoteEvidence\x12-\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteA\x12-\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteB\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\x12\'\n\x0fvalidator_power\x18\x04 \x01(\x03R\x0evalidatorPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"\xcd\x02\n\x19LightClientAttackEvidence\x12I\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlockR\x10\x63onflictingBlock\x12#\n\rcommon_height\x18\x02 \x01(\x03R\x0c\x63ommonHeight\x12N\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\x13\x62yzantineValidators\x12,\n\x12total_voting_power\x18\x04 \x01(\x03R\x10totalVotingPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"L\n\x0c\x45videnceList\x12<\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00R\x08\x65videnceB\xbb\x01\n\x14\x63om.tendermint.typesB\rEvidenceProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\rEvidenceProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._loaded_options = None @@ -33,11 +43,11 @@ _globals['_EVIDENCELIST'].fields_by_name['evidence']._loaded_options = None _globals['_EVIDENCELIST'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_EVIDENCE']._serialized_start=173 - _globals['_EVIDENCE']._serialized_end=351 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=354 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=567 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=570 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=821 - _globals['_EVIDENCELIST']._serialized_start=823 - _globals['_EVIDENCELIST']._serialized_end=889 + _globals['_EVIDENCE']._serialized_end=401 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=404 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=676 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=679 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=1012 + _globals['_EVIDENCELIST']._serialized_start=1014 + _globals['_EVIDENCELIST']._serialized_end=1090 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2538cd81..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index 4c470b5e..563ec0b4 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -16,14 +26,14 @@ from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0f\x43onsensusParams\x12,\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12\x30\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams\"7\n\x0b\x42lockParams\x12\x11\n\tmax_bytes\x18\x01 \x01(\x03\x12\x0f\n\x07max_gas\x18\x02 \x01(\x03J\x04\x08\x03\x10\x04\"~\n\x0e\x45videnceParams\x12\x1a\n\x12max_age_num_blocks\x18\x01 \x01(\x03\x12=\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x11\n\tmax_bytes\x18\x03 \x01(\x03\"2\n\x0fValidatorParams\x12\x15\n\rpub_key_types\x18\x01 \x03(\t:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"&\n\rVersionParams\x12\x0b\n\x03\x61pp\x18\x01 \x01(\x04:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\">\n\x0cHashedParams\x12\x17\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03\x12\x15\n\rblock_max_gas\x18\x02 \x01(\x03\"3\n\nABCIParams\x12%\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03\x42\x39Z3github.com/cometbft/cometbft/proto/tendermint/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\xb2\x02\n\x0f\x43onsensusParams\x12\x33\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x39\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParamsR\x07version\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i\"I\n\x0b\x42lockParams\x12\x1b\n\tmax_bytes\x18\x01 \x01(\x03R\x08maxBytes\x12\x17\n\x07max_gas\x18\x02 \x01(\x03R\x06maxGasJ\x04\x08\x03\x10\x04\"\xa9\x01\n\x0e\x45videnceParams\x12+\n\x12max_age_num_blocks\x18\x01 \x01(\x03R\x0fmaxAgeNumBlocks\x12M\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0emaxAgeDuration\x12\x1b\n\tmax_bytes\x18\x03 \x01(\x03R\x08maxBytes\"?\n\x0fValidatorParams\x12\"\n\rpub_key_types\x18\x01 \x03(\tR\x0bpubKeyTypes:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"+\n\rVersionParams\x12\x10\n\x03\x61pp\x18\x01 \x01(\x04R\x03\x61pp:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"Z\n\x0cHashedParams\x12&\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03R\rblockMaxBytes\x12\"\n\rblock_max_gas\x18\x02 \x01(\x03R\x0b\x62lockMaxGas\"O\n\nABCIParams\x12\x41\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03R\x1avoteExtensionsEnableHeightB\xbd\x01\n\x14\x63om.tendermint.typesB\x0bParamsProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\013ParamsProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types\250\342\036\001' _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._loaded_options = None _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_VALIDATORPARAMS']._loaded_options = None @@ -31,17 +41,17 @@ _globals['_VERSIONPARAMS']._loaded_options = None _globals['_VERSIONPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' _globals['_CONSENSUSPARAMS']._serialized_start=106 - _globals['_CONSENSUSPARAMS']._serialized_end=369 - _globals['_BLOCKPARAMS']._serialized_start=371 - _globals['_BLOCKPARAMS']._serialized_end=426 - _globals['_EVIDENCEPARAMS']._serialized_start=428 - _globals['_EVIDENCEPARAMS']._serialized_end=554 - _globals['_VALIDATORPARAMS']._serialized_start=556 - _globals['_VALIDATORPARAMS']._serialized_end=606 - _globals['_VERSIONPARAMS']._serialized_start=608 - _globals['_VERSIONPARAMS']._serialized_end=646 - _globals['_HASHEDPARAMS']._serialized_start=648 - _globals['_HASHEDPARAMS']._serialized_end=710 - _globals['_ABCIPARAMS']._serialized_start=712 - _globals['_ABCIPARAMS']._serialized_end=763 + _globals['_CONSENSUSPARAMS']._serialized_end=412 + _globals['_BLOCKPARAMS']._serialized_start=414 + _globals['_BLOCKPARAMS']._serialized_end=487 + _globals['_EVIDENCEPARAMS']._serialized_start=490 + _globals['_EVIDENCEPARAMS']._serialized_end=659 + _globals['_VALIDATORPARAMS']._serialized_start=661 + _globals['_VALIDATORPARAMS']._serialized_end=724 + _globals['_VERSIONPARAMS']._serialized_start=726 + _globals['_VERSIONPARAMS']._serialized_end=769 + _globals['_HASHEDPARAMS']._serialized_start=771 + _globals['_HASHEDPARAMS']._serialized_end=861 + _globals['_ABCIPARAMS']._serialized_start=863 + _globals['_ABCIPARAMS']._serialized_end=942 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 10835456..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 5435e09f..42fdbeec 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\"9\n\rPartSetHeader\x12\x14\n\x05total\x18\x01 \x01(\rR\x05total\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash\"h\n\x04Part\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x62ytes\x18\x02 \x01(\x0cR\x05\x62ytes\x12\x34\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00R\x05proof\"l\n\x07\x42lockID\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12M\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00R\rpartSetHeader\"\xe6\x04\n\x06Header\x12=\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x43\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\x0cR\x0fproposerAddress\"\x18\n\x04\x44\x61ta\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xb7\x03\n\x04Vote\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12+\n\x11validator_address\x18\x06 \x01(\x0cR\x10validatorAddress\x12\'\n\x0fvalidator_index\x18\x07 \x01(\x05R\x0evalidatorIndex\x12\x1c\n\tsignature\x18\x08 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\t \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\n \x01(\x0cR\x12\x65xtensionSignature\"\xc0\x01\n\x06\x43ommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x41\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00R\nsignatures\"\xdd\x01\n\tCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\"\xe1\x01\n\x0e\x45xtendedCommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12Z\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00R\x12\x65xtendedSignatures\"\xb4\x02\n\x11\x45xtendedCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\x05 \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\x06 \x01(\x0cR\x12\x65xtensionSignature\"\xb3\x02\n\x08Proposal\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x1b\n\tpol_round\x18\x04 \x01(\x05R\x08polRound\x12\x45\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x07 \x01(\x0cR\tsignature\"r\n\x0cSignedHeader\x12\x30\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderR\x06header\x12\x30\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.CommitR\x06\x63ommit\"\x96\x01\n\nLightBlock\x12\x43\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderR\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\"\xc2\x01\n\tBlockMeta\x12\x45\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x1d\n\nblock_size\x18\x02 \x01(\x03R\tblockSize\x12\x36\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x17\n\x07num_txs\x18\x04 \x01(\x03R\x06numTxs\"j\n\x07TxProof\x12\x1b\n\troot_hash\x18\x01 \x01(\x0cR\x08rootHash\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12.\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xb8\x01\n\x14\x63om.tendermint.typesB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None @@ -73,36 +83,36 @@ _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDMSGTYPE']._serialized_start=2666 - _globals['_SIGNEDMSGTYPE']._serialized_end=2881 + _globals['_SIGNEDMSGTYPE']._serialized_start=3405 + _globals['_SIGNEDMSGTYPE']._serialized_end=3620 _globals['_PARTSETHEADER']._serialized_start=202 - _globals['_PARTSETHEADER']._serialized_end=246 - _globals['_PART']._serialized_start=248 - _globals['_PART']._serialized_end=331 - _globals['_BLOCKID']._serialized_start=333 - _globals['_BLOCKID']._serialized_end=420 - _globals['_HEADER']._serialized_start=423 - _globals['_HEADER']._serialized_end=858 - _globals['_DATA']._serialized_start=860 - _globals['_DATA']._serialized_end=879 - _globals['_VOTE']._serialized_start=882 - _globals['_VOTE']._serialized_end=1204 - _globals['_COMMIT']._serialized_start=1207 - _globals['_COMMIT']._serialized_end=1363 - _globals['_COMMITSIG']._serialized_start=1366 - _globals['_COMMITSIG']._serialized_end=1534 - _globals['_EXTENDEDCOMMIT']._serialized_start=1537 - _globals['_EXTENDEDCOMMIT']._serialized_end=1718 - _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 - _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 - _globals['_PROPOSAL']._serialized_start=1948 - _globals['_PROPOSAL']._serialized_end=2193 - _globals['_SIGNEDHEADER']._serialized_start=2195 - _globals['_SIGNEDHEADER']._serialized_end=2293 - _globals['_LIGHTBLOCK']._serialized_start=2295 - _globals['_LIGHTBLOCK']._serialized_end=2417 - _globals['_BLOCKMETA']._serialized_start=2420 - _globals['_BLOCKMETA']._serialized_end=2578 - _globals['_TXPROOF']._serialized_start=2580 - _globals['_TXPROOF']._serialized_end=2663 + _globals['_PARTSETHEADER']._serialized_end=259 + _globals['_PART']._serialized_start=261 + _globals['_PART']._serialized_end=365 + _globals['_BLOCKID']._serialized_start=367 + _globals['_BLOCKID']._serialized_end=475 + _globals['_HEADER']._serialized_start=478 + _globals['_HEADER']._serialized_end=1092 + _globals['_DATA']._serialized_start=1094 + _globals['_DATA']._serialized_end=1118 + _globals['_VOTE']._serialized_start=1121 + _globals['_VOTE']._serialized_end=1560 + _globals['_COMMIT']._serialized_start=1563 + _globals['_COMMIT']._serialized_end=1755 + _globals['_COMMITSIG']._serialized_start=1758 + _globals['_COMMITSIG']._serialized_end=1979 + _globals['_EXTENDEDCOMMIT']._serialized_start=1982 + _globals['_EXTENDEDCOMMIT']._serialized_end=2207 + _globals['_EXTENDEDCOMMITSIG']._serialized_start=2210 + _globals['_EXTENDEDCOMMITSIG']._serialized_end=2518 + _globals['_PROPOSAL']._serialized_start=2521 + _globals['_PROPOSAL']._serialized_end=2828 + _globals['_SIGNEDHEADER']._serialized_start=2830 + _globals['_SIGNEDHEADER']._serialized_end=2944 + _globals['_LIGHTBLOCK']._serialized_start=2947 + _globals['_LIGHTBLOCK']._serialized_end=3097 + _globals['_BLOCKMETA']._serialized_start=3100 + _globals['_BLOCKMETA']._serialized_end=3294 + _globals['_TXPROOF']._serialized_start=3296 + _globals['_TXPROOF']._serialized_end=3402 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 89ae993e..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index d7059a2b..67578121 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/validator.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/validator.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\xb2\x01\n\x0cValidatorSet\x12;\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\nvalidators\x12\x37\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.ValidatorR\x08proposer\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\"\xb2\x01\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12;\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"k\n\x0fSimpleValidator\x12\x35\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyR\x06pubKey\x12!\n\x0cvoting_power\x18\x02 \x01(\x03R\x0bvotingPower*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xbc\x01\n\x14\x63om.tendermint.typesB\x0eValidatorProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.validator_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\016ValidatorProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_BLOCKIDFLAG']._loaded_options = None _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None @@ -36,12 +46,12 @@ _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=469 - _globals['_BLOCKIDFLAG']._serialized_end=684 + _globals['_BLOCKIDFLAG']._serialized_start=578 + _globals['_BLOCKIDFLAG']._serialized_end=793 _globals['_VALIDATORSET']._serialized_start=107 - _globals['_VALIDATORSET']._serialized_end=245 - _globals['_VALIDATOR']._serialized_start=248 - _globals['_VALIDATOR']._serialized_end=378 - _globals['_SIMPLEVALIDATOR']._serialized_start=380 - _globals['_SIMPLEVALIDATOR']._serialized_end=466 + _globals['_VALIDATORSET']._serialized_end=285 + _globals['_VALIDATOR']._serialized_start=288 + _globals['_VALIDATOR']._serialized_end=466 + _globals['_SIMPLEVALIDATOR']._serialized_start=468 + _globals['_SIMPLEVALIDATOR']._serialized_end=575 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index ee3f776f..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index 9b5c4594..ab206bad 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/version/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/version/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,18 +25,18 @@ from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\")\n\x03\x41pp\x12\x10\n\x08protocol\x18\x01 \x01(\x04\x12\x10\n\x08software\x18\x02 \x01(\t\"-\n\tConsensus\x12\r\n\x05\x62lock\x18\x01 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/versionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\"=\n\x03\x41pp\x12\x1a\n\x08protocol\x18\x01 \x01(\x04R\x08protocol\x12\x1a\n\x08software\x18\x02 \x01(\tR\x08software\"9\n\tConsensus\x12\x14\n\x05\x62lock\x18\x01 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x02 \x01(\x04R\x03\x61pp:\x04\xe8\xa0\x1f\x01\x42\xc4\x01\n\x16\x63om.tendermint.versionB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/version\xa2\x02\x03TVX\xaa\x02\x12Tendermint.Version\xca\x02\x12Tendermint\\Version\xe2\x02\x1eTendermint\\Version\\GPBMetadata\xea\x02\x13Tendermint::Versionb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.version.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/version' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.versionB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/version\242\002\003TVX\252\002\022Tendermint.Version\312\002\022Tendermint\\Version\342\002\036Tendermint\\Version\\GPBMetadata\352\002\023Tendermint::Version' _globals['_CONSENSUS']._loaded_options = None _globals['_CONSENSUS']._serialized_options = b'\350\240\037\001' _globals['_APP']._serialized_start=76 - _globals['_APP']._serialized_end=117 - _globals['_CONSENSUS']._serialized_start=119 - _globals['_CONSENSUS']._serialized_end=164 + _globals['_APP']._serialized_end=137 + _globals['_CONSENSUS']._serialized_start=139 + _globals['_CONSENSUS']._serialized_end=196 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index b5d744ef..2daafffe 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) From ffaf19c59cdddf4c2f8b19cb0eb9a2b73226ddd5 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 10 Jun 2024 11:30:24 -0300 Subject: [PATCH 48/63] (feat) Updated proto definitions from injective-core with the candidate version for v1.13 upgrade --- Makefile | 18 +- pyinjective/proto/amino/amino_pb2.py | 16 +- pyinjective/proto/amino/amino_pb2_grpc.py | 25 + .../proto/capability/v1/capability_pb2.py | 30 +- .../capability/v1/capability_pb2_grpc.py | 25 + .../proto/capability/v1/genesis_pb2.py | 26 +- .../proto/capability/v1/genesis_pb2_grpc.py | 25 + .../cosmos/app/runtime/v1alpha1/module_pb2.py | 25 +- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/config_pb2.py | 29 +- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/module_pb2.py | 27 +- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 + .../proto/cosmos/app/v1alpha1/query_pb2.py | 25 +- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 25 + .../proto/cosmos/auth/module/v1/module_pb2.py | 25 +- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/auth_pb2.py | 36 +- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 26 +- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/query_pb2.py | 110 ++-- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/auth/v1beta1/tx_pb2.py | 36 +- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/authz/module/v1/module_pb2.py | 19 +- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/authz_pb2.py | 36 +- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/event_pb2.py | 26 +- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 24 +- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/query_pb2.py | 50 +- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/authz/v1beta1/tx_pb2.py | 60 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 73 +-- .../proto/cosmos/autocli/v1/options_pb2.py | 42 +- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 + .../proto/cosmos/autocli/v1/query_pb2.py | 30 +- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 25 + .../proto/cosmos/bank/module/v1/module_pb2.py | 21 +- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/authz_pb2.py | 26 +- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/bank_pb2.py | 52 +- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/events_pb2.py | 44 -- .../cosmos/bank/v1beta1/events_pb2_grpc.py | 4 - .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 32 +- .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/query_pb2.py | 142 +++-- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/bank/v1beta1/tx_pb2.py | 62 +- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/base/abci/v1beta1/abci_pb2.py | 64 +- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 + .../cosmos/base/node/v1beta1/query_pb2.py | 36 +- .../base/node/v1beta1/query_pb2_grpc.py | 25 + .../base/query/v1beta1/pagination_pb2.py | 24 +- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 + .../base/reflection/v1beta1/reflection_pb2.py | 32 +- .../reflection/v1beta1/reflection_pb2_grpc.py | 25 + .../reflection/v2alpha1/reflection_pb2.py | 124 ++-- .../v2alpha1/reflection_pb2_grpc.py | 25 + .../base/tendermint/v1beta1/query_pb2.py | 114 ++-- .../base/tendermint/v1beta1/query_pb2_grpc.py | 25 + .../base/tendermint/v1beta1/types_pb2.py | 32 +- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 + .../proto/cosmos/base/v1beta1/coin_pb2.py | 36 +- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 + .../cosmos/circuit/module/v1/module_pb2.py | 21 +- .../circuit/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/circuit/v1/query_pb2.py | 50 +- .../proto/cosmos/circuit/v1/query_pb2_grpc.py | 29 +- pyinjective/proto/cosmos/circuit/v1/tx_pb2.py | 46 +- .../proto/cosmos/circuit/v1/tx_pb2_grpc.py | 29 +- .../proto/cosmos/circuit/v1/types_pb2.py | 30 +- .../proto/cosmos/circuit/v1/types_pb2_grpc.py | 25 + .../cosmos/consensus/module/v1/module_pb2.py | 21 +- .../consensus/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/consensus/v1/query_pb2.py | 26 +- .../cosmos/consensus/v1/query_pb2_grpc.py | 25 + .../proto/cosmos/consensus/v1/tx_pb2.py | 34 +- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 25 + .../cosmos/crisis/module/v1/module_pb2.py | 23 +- .../crisis/module/v1/module_pb2_grpc.py | 25 + .../cosmos/crisis/v1beta1/genesis_pb2.py | 24 +- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 44 +- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 25 + .../proto/cosmos/crypto/ed25519/keys_pb2.py | 26 +- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 22 +- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 + .../cosmos/crypto/keyring/v1/record_pb2.py | 38 +- .../crypto/keyring/v1/record_pb2_grpc.py | 25 + .../proto/cosmos/crypto/multisig/keys_pb2.py | 22 +- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 + .../crypto/multisig/v1beta1/multisig_pb2.py | 24 +- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 26 +- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 + .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 24 +- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 + .../distribution/module/v1/module_pb2.py | 23 +- .../distribution/module/v1/module_pb2_grpc.py | 25 + .../distribution/v1beta1/distribution_pb2.py | 70 +-- .../v1beta1/distribution_pb2_grpc.py | 25 + .../distribution/v1beta1/genesis_pb2.py | 56 +- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/distribution/v1beta1/query_pb2.py | 108 ++-- .../distribution/v1beta1/query_pb2_grpc.py | 25 + .../cosmos/distribution/v1beta1/tx_pb2.py | 86 ++- .../distribution/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/evidence/module/v1/module_pb2.py | 19 +- .../evidence/module/v1/module_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/evidence_pb2.py | 24 +- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/genesis_pb2.py | 18 +- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/evidence/v1beta1/query_pb2.py | 38 +- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 34 +- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/feegrant/module/v1/module_pb2.py | 19 +- .../feegrant/module/v1/module_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 38 +- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/genesis_pb2.py | 24 +- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/feegrant/v1beta1/query_pb2.py | 50 +- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 48 +- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/genutil/module/v1/module_pb2.py | 19 +- .../genutil/module/v1/module_pb2_grpc.py | 25 + .../cosmos/genutil/v1beta1/genesis_pb2.py | 22 +- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/module/v1/module_pb2.py | 21 +- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1/genesis_pb2.py | 20 +- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 66 +-- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/query_pb2.py | 94 ++- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 25 + pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 86 ++- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 24 +- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/gov_pb2.py | 66 +-- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/query_pb2.py | 94 ++- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/gov/v1beta1/tx_pb2.py | 62 +- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/group/module/v1/module_pb2.py | 25 +- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/events_pb2.py | 58 +- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/genesis_pb2.py | 20 +- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/query_pb2.py | 142 +++-- .../proto/cosmos/group/v1/query_pb2_grpc.py | 25 + pyinjective/proto/cosmos/group/v1/tx_pb2.py | 144 +++-- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 25 + .../proto/cosmos/group/v1/types_pb2.py | 76 ++- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 + .../proto/cosmos/ics23/v1/proofs_pb2.py | 76 ++- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 + .../proto/cosmos/mint/module/v1/module_pb2.py | 23 +- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 26 +- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/mint_pb2.py | 28 +- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/query_pb2.py | 48 +- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/mint/v1beta1/tx_pb2.py | 36 +- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/msg/textual/v1/textual_pb2.py | 17 +- .../cosmos/msg/textual/v1/textual_pb2_grpc.py | 25 + pyinjective/proto/cosmos/msg/v1/msg_pb2.py | 16 +- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 + .../proto/cosmos/nft/module/v1/module_pb2.py | 19 +- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/event_pb2.py | 26 +- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 24 +- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/nft_pb2.py | 22 +- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/query_pb2.py | 80 ++- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/nft/v1beta1/tx_pb2.py | 30 +- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/orm/module/v1alpha1/module_pb2.py | 19 +- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 + .../cosmos/orm/query/v1alpha1/query_pb2.py | 51 +- .../orm/query/v1alpha1/query_pb2_grpc.py | 25 + pyinjective/proto/cosmos/orm/v1/orm_pb2.py | 31 +- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 + .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 27 +- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 + .../cosmos/params/module/v1/module_pb2.py | 19 +- .../params/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/params_pb2.py | 28 +- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 + .../proto/cosmos/params/v1beta1/query_pb2.py | 46 +- .../cosmos/params/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/query/v1/query_pb2.py | 16 +- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 + .../cosmos/reflection/v1/reflection_pb2.py | 25 +- .../reflection/v1/reflection_pb2_grpc.py | 25 + .../cosmos/slashing/module/v1/module_pb2.py | 21 +- .../slashing/module/v1/module_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/genesis_pb2.py | 38 +- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/query_pb2.py | 50 +- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 25 + .../cosmos/slashing/v1beta1/slashing_pb2.py | 28 +- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 + .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 44 +- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/staking/module/v1/module_pb2.py | 21 +- .../staking/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/authz_pb2.py | 34 +- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 + .../cosmos/staking/v1beta1/genesis_pb2.py | 30 +- .../staking/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/query_pb2.py | 144 +++-- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 25 + .../cosmos/staking/v1beta1/staking_pb2.py | 118 ++-- .../staking/v1beta1/staking_pb2_grpc.py | 25 + .../proto/cosmos/staking/v1beta1/tx_pb2.py | 86 ++- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 25 + .../store/internal/kv/v1beta1/kv_pb2.py | 24 +- .../store/internal/kv/v1beta1/kv_pb2_grpc.py | 25 + .../cosmos/store/snapshots/v1/snapshot_pb2.py | 44 +- .../store/snapshots/v1/snapshot_pb2_grpc.py | 25 + .../cosmos/store/streaming/abci/grpc_pb2.py | 38 +- .../store/streaming/abci/grpc_pb2_grpc.py | 27 +- .../cosmos/store/v1beta1/commit_info_pb2.py | 28 +- .../store/v1beta1/commit_info_pb2_grpc.py | 25 + .../cosmos/store/v1beta1/listening_pb2.py | 24 +- .../store/v1beta1/listening_pb2_grpc.py | 25 + .../proto/cosmos/tx/config/v1/config_pb2.py | 23 +- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 + .../cosmos/tx/signing/v1beta1/signing_pb2.py | 40 +- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 + .../proto/cosmos/tx/v1beta1/service_pb2.py | 110 ++-- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 25 + pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 80 ++- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/upgrade/module/v1/module_pb2.py | 21 +- .../upgrade/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 58 +- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 25 + .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 44 +- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 36 +- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 + .../cosmos/vesting/module/v1/module_pb2.py | 19 +- .../vesting/module/v1/module_pb2_grpc.py | 25 + .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 54 +- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 25 + .../cosmos/vesting/v1beta1/vesting_pb2.py | 46 +- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 + pyinjective/proto/cosmos_proto/cosmos_pb2.py | 26 +- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/authz_pb2.py | 74 +-- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 38 +- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 + pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 28 +- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 + .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 96 ++- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/query_pb2.py | 136 ++--- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 73 +-- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 188 +++--- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 25 + .../proto/cosmwasm/wasm/v1/types_pb2.py | 80 ++- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 + .../proto/exchange/event_provider_api_pb2.py | 90 ++- .../exchange/event_provider_api_pb2_grpc.py | 25 + pyinjective/proto/exchange/health_pb2.py | 26 +- pyinjective/proto/exchange/health_pb2_grpc.py | 25 + .../exchange/injective_accounts_rpc_pb2.py | 202 +++---- .../injective_accounts_rpc_pb2_grpc.py | 25 + .../exchange/injective_auction_rpc_pb2.py | 54 +- .../injective_auction_rpc_pb2_grpc.py | 25 + .../exchange/injective_campaign_rpc_pb2.py | 86 ++- .../injective_campaign_rpc_pb2_grpc.py | 25 + .../injective_derivative_exchange_rpc_pb2.py | 298 +++++----- ...ective_derivative_exchange_rpc_pb2_grpc.py | 25 + .../exchange/injective_exchange_rpc_pb2.py | 78 ++- .../injective_exchange_rpc_pb2_grpc.py | 25 + .../exchange/injective_explorer_rpc_pb2.py | 318 +++++----- .../injective_explorer_rpc_pb2_grpc.py | 25 + .../exchange/injective_insurance_rpc_pb2.py | 50 +- .../injective_insurance_rpc_pb2_grpc.py | 25 + .../proto/exchange/injective_meta_rpc_pb2.py | 58 +- .../exchange/injective_meta_rpc_pb2_grpc.py | 25 + .../exchange/injective_oracle_rpc_pb2.py | 50 +- .../exchange/injective_oracle_rpc_pb2_grpc.py | 25 + .../exchange/injective_portfolio_rpc_pb2.py | 82 ++- .../injective_portfolio_rpc_pb2_grpc.py | 25 + .../injective_spot_exchange_rpc_pb2.py | 216 ++++--- .../injective_spot_exchange_rpc_pb2_grpc.py | 25 + .../exchange/injective_trading_rpc_pb2.py | 38 +- .../injective_trading_rpc_pb2_grpc.py | 25 + pyinjective/proto/gogoproto/gogo_pb2.py | 16 +- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 + .../proto/google/api/annotations_pb2.py | 18 +- .../proto/google/api/annotations_pb2_grpc.py | 25 + pyinjective/proto/google/api/http_pb2.py | 26 +- pyinjective/proto/google/api/http_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/ack_pb2.py | 20 +- .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/fee_pb2.py | 40 +- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/genesis_pb2.py | 40 +- .../applications/fee/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/metadata_pb2.py | 18 +- .../applications/fee/v1/metadata_pb2_grpc.py | 25 + .../ibc/applications/fee/v1/query_pb2.py | 114 ++-- .../ibc/applications/fee/v1/query_pb2_grpc.py | 25 + .../proto/ibc/applications/fee/v1/tx_pb2.py | 60 +- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 25 + .../controller/v1/controller_pb2.py | 18 +- .../controller/v1/controller_pb2_grpc.py | 25 + .../controller/v1/query_pb2.py | 38 +- .../controller/v1/query_pb2_grpc.py | 25 + .../controller/v1/tx_pb2.py | 52 +- .../controller/v1/tx_pb2_grpc.py | 25 + .../genesis/v1/genesis_pb2.py | 40 +- .../genesis/v1/genesis_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/host_pb2.py | 22 +- .../host/v1/host_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/query_pb2.py | 26 +- .../host/v1/query_pb2_grpc.py | 25 + .../interchain_accounts/host/v1/tx_pb2.py | 42 +- .../host/v1/tx_pb2_grpc.py | 27 +- .../interchain_accounts/v1/account_pb2.py | 24 +- .../v1/account_pb2_grpc.py | 25 + .../interchain_accounts/v1/metadata_pb2.py | 18 +- .../v1/metadata_pb2_grpc.py | 25 + .../interchain_accounts/v1/packet_pb2.py | 30 +- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/authz_pb2.py | 28 +- .../transfer/v1/authz_pb2_grpc.py | 25 + .../applications/transfer/v1/genesis_pb2.py | 24 +- .../transfer/v1/genesis_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/query_pb2.py | 76 ++- .../transfer/v1/query_pb2_grpc.py | 25 + .../applications/transfer/v1/transfer_pb2.py | 22 +- .../transfer/v1/transfer_pb2_grpc.py | 25 + .../ibc/applications/transfer/v1/tx_pb2.py | 46 +- .../applications/transfer/v1/tx_pb2_grpc.py | 25 + .../applications/transfer/v2/packet_pb2.py | 20 +- .../transfer/v2/packet_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/channel_pb2.py | 62 +- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/genesis_pb2.py | 26 +- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/query_pb2.py | 166 +++--- .../ibc/core/channel/v1/query_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/tx_pb2.py | 186 +++--- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 25 + .../proto/ibc/core/channel/v1/upgrade_pb2.py | 30 +- .../ibc/core/channel/v1/upgrade_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/client_pb2.py | 48 +- .../ibc/core/client/v1/client_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/genesis_pb2.py | 30 +- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/query_pb2.py | 110 ++-- .../ibc/core/client/v1/query_pb2_grpc.py | 25 + .../proto/ibc/core/client/v1/tx_pb2.py | 82 ++- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 25 + .../ibc/core/commitment/v1/commitment_pb2.py | 34 +- .../core/commitment/v1/commitment_pb2_grpc.py | 25 + .../ibc/core/connection/v1/connection_pb2.py | 50 +- .../core/connection/v1/connection_pb2_grpc.py | 25 + .../ibc/core/connection/v1/genesis_pb2.py | 22 +- .../core/connection/v1/genesis_pb2_grpc.py | 25 + .../proto/ibc/core/connection/v1/query_pb2.py | 76 ++- .../ibc/core/connection/v1/query_pb2_grpc.py | 25 + .../proto/ibc/core/connection/v1/tx_pb2.py | 66 +-- .../ibc/core/connection/v1/tx_pb2_grpc.py | 25 + .../proto/ibc/core/types/v1/genesis_pb2.py | 26 +- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 + .../localhost/v2/localhost_pb2.py | 22 +- .../localhost/v2/localhost_pb2_grpc.py | 25 + .../solomachine/v2/solomachine_pb2.py | 88 ++- .../solomachine/v2/solomachine_pb2_grpc.py | 25 + .../solomachine/v3/solomachine_pb2.py | 48 +- .../solomachine/v3/solomachine_pb2_grpc.py | 25 + .../tendermint/v1/tendermint_pb2.py | 46 +- .../tendermint/v1/tendermint_pb2_grpc.py | 25 + .../ibc/lightclients/wasm/v1/genesis_pb2.py | 24 +- .../lightclients/wasm/v1/genesis_pb2_grpc.py | 25 + .../ibc/lightclients/wasm/v1/query_pb2.py | 38 +- .../lightclients/wasm/v1/query_pb2_grpc.py | 27 +- .../proto/ibc/lightclients/wasm/v1/tx_pb2.py | 44 +- .../ibc/lightclients/wasm/v1/tx_pb2_grpc.py | 29 +- .../ibc/lightclients/wasm/v1/wasm_pb2.py | 36 +- .../ibc/lightclients/wasm/v1/wasm_pb2_grpc.py | 25 + .../injective/auction/v1beta1/auction_pb2.py | 44 +- .../auction/v1beta1/auction_pb2_grpc.py | 25 + .../injective/auction/v1beta1/genesis_pb2.py | 22 +- .../auction/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/auction/v1beta1/query_pb2.py | 56 +- .../auction/v1beta1/query_pb2_grpc.py | 25 + .../proto/injective/auction/v1beta1/tx_pb2.py | 46 +- .../injective/auction/v1beta1/tx_pb2_grpc.py | 25 + .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 26 +- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/authz_pb2.py | 62 +- .../exchange/v1beta1/authz_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/events_pb2.py | 166 +++--- .../exchange/v1beta1/events_pb2_grpc.py | 25 + .../exchange/v1beta1/exchange_pb2.py | 246 ++++---- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/genesis_pb2.py | 88 ++- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 + .../exchange/v1beta1/proposal_pb2.py | 118 ++-- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/query_pb2.py | 560 +++++++++--------- .../exchange/v1beta1/query_pb2_grpc.py | 25 + .../injective/exchange/v1beta1/tx_pb2.py | 342 ++++++----- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 25 + .../injective/insurance/v1beta1/events_pb2.py | 40 +- .../insurance/v1beta1/events_pb2_grpc.py | 25 + .../insurance/v1beta1/genesis_pb2.py | 22 +- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 + .../insurance/v1beta1/insurance_pb2.py | 34 +- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 + .../injective/insurance/v1beta1/query_pb2.py | 72 +-- .../insurance/v1beta1/query_pb2_grpc.py | 25 + .../injective/insurance/v1beta1/tx_pb2.py | 64 +- .../insurance/v1beta1/tx_pb2_grpc.py | 25 + .../injective/ocr/v1beta1/genesis_pb2.py | 52 +- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/ocr_pb2.py | 108 ++-- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/query_pb2.py | 80 ++- .../injective/ocr/v1beta1/query_pb2_grpc.py | 25 + .../proto/injective/ocr/v1beta1/tx_pb2.py | 104 ++-- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/events_pb2.py | 64 +- .../oracle/v1beta1/events_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/genesis_pb2.py | 26 +- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/oracle_pb2.py | 120 ++-- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/proposal_pb2.py | 68 +-- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 + .../injective/oracle/v1beta1/query_pb2.py | 170 +++--- .../oracle/v1beta1/query_pb2_grpc.py | 117 +--- .../proto/injective/oracle/v1beta1/tx_pb2.py | 90 ++- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 72 +-- .../injective/peggy/v1/attestation_pb2.py | 30 +- .../peggy/v1/attestation_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/batch_pb2.py | 24 +- .../injective/peggy/v1/batch_pb2_grpc.py | 25 + .../injective/peggy/v1/ethereum_signer_pb2.py | 18 +- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/events_pb2.py | 88 ++- .../injective/peggy/v1/events_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/genesis_pb2.py | 32 +- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/msgs_pb2.py | 146 +++-- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/params_pb2.py | 24 +- .../injective/peggy/v1/params_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/pool_pb2.py | 24 +- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/query_pb2.py | 198 +++---- .../injective/peggy/v1/query_pb2_grpc.py | 25 + .../proto/injective/peggy/v1/types_pb2.py | 36 +- .../injective/peggy/v1/types_pb2_grpc.py | 25 + .../permissions/v1beta1/events_pb2.py | 26 +- .../permissions/v1beta1/events_pb2_grpc.py | 25 + .../permissions/v1beta1/genesis_pb2.py | 24 +- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 + .../permissions/v1beta1/params_pb2.py | 26 +- .../permissions/v1beta1/params_pb2_grpc.py | 25 + .../permissions/v1beta1/permissions_pb2.py | 46 +- .../v1beta1/permissions_pb2_grpc.py | 25 + .../permissions/v1beta1/query_pb2.py | 83 ++- .../permissions/v1beta1/query_pb2_grpc.py | 25 + .../injective/permissions/v1beta1/tx_pb2.py | 106 ++-- .../permissions/v1beta1/tx_pb2_grpc.py | 25 + .../injective/stream/v1beta1/query_pb2.py | 118 ++-- .../stream/v1beta1/query_pb2_grpc.py | 25 + .../v1beta1/authorityMetadata_pb2.py | 22 +- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/events_pb2.py | 42 +- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/genesis_pb2.py | 28 +- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 + .../injective/tokenfactory/v1beta1/gov_pb2.py | 35 ++ .../tokenfactory/v1beta1/gov_pb2_grpc.py | 29 + .../tokenfactory/v1beta1/params_pb2.py | 28 +- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 + .../tokenfactory/v1beta1/query_pb2.py | 58 +- .../tokenfactory/v1beta1/query_pb2_grpc.py | 25 + .../injective/tokenfactory/v1beta1/tx_pb2.py | 80 ++- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 25 + .../injective/types/v1beta1/account_pb2.py | 24 +- .../types/v1beta1/account_pb2_grpc.py | 25 + .../injective/types/v1beta1/tx_ext_pb2.py | 22 +- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 + .../types/v1beta1/tx_response_pb2.py | 22 +- .../types/v1beta1/tx_response_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/events_pb2.py | 34 +- .../injective/wasmx/v1/events_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/genesis_pb2.py | 28 +- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/proposal_pb2.py | 46 +- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/query_pb2.py | 46 +- .../injective/wasmx/v1/query_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/tx_pb2.py | 78 ++- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 25 + .../proto/injective/wasmx/v1/wasmx_pb2.py | 30 +- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 + .../proto/tendermint/abci/types_pb2.py | 240 ++++---- .../proto/tendermint/abci/types_pb2_grpc.py | 29 +- .../proto/tendermint/blocksync/types_pb2.py | 42 +- .../tendermint/blocksync/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/types_pb2.py | 62 +- .../tendermint/consensus/types_pb2_grpc.py | 25 + .../proto/tendermint/consensus/wal_pb2.py | 40 +- .../tendermint/consensus/wal_pb2_grpc.py | 25 + .../proto/tendermint/crypto/keys_pb2.py | 20 +- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 + .../proto/tendermint/crypto/proof_pb2.py | 36 +- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 + .../proto/tendermint/libs/bits/types_pb2.py | 18 +- .../tendermint/libs/bits/types_pb2_grpc.py | 25 + .../proto/tendermint/mempool/types_pb2.py | 22 +- .../tendermint/mempool/types_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/conn_pb2.py | 30 +- .../proto/tendermint/p2p/conn_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/pex_pb2.py | 26 +- .../proto/tendermint/p2p/pex_pb2_grpc.py | 25 + pyinjective/proto/tendermint/p2p/types_pb2.py | 32 +- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 + .../proto/tendermint/privval/types_pb2.py | 64 +- .../tendermint/privval/types_pb2_grpc.py | 25 + .../proto/tendermint/rpc/grpc/types_pb2.py | 32 +- .../tendermint/rpc/grpc/types_pb2_grpc.py | 25 + .../proto/tendermint/state/types_pb2.py | 58 +- .../proto/tendermint/state/types_pb2_grpc.py | 25 + .../proto/tendermint/statesync/types_pb2.py | 34 +- .../tendermint/statesync/types_pb2_grpc.py | 25 + .../proto/tendermint/store/types_pb2.py | 18 +- .../proto/tendermint/store/types_pb2_grpc.py | 25 + .../proto/tendermint/types/block_pb2.py | 24 +- .../proto/tendermint/types/block_pb2_grpc.py | 25 + .../proto/tendermint/types/canonical_pb2.py | 38 +- .../tendermint/types/canonical_pb2_grpc.py | 25 + .../proto/tendermint/types/events_pb2.py | 18 +- .../proto/tendermint/types/events_pb2_grpc.py | 25 + .../proto/tendermint/types/evidence_pb2.py | 36 +- .../tendermint/types/evidence_pb2_grpc.py | 25 + .../proto/tendermint/types/params_pb2.py | 44 +- .../proto/tendermint/types/params_pb2_grpc.py | 25 + .../proto/tendermint/types/types_pb2.py | 86 ++- .../proto/tendermint/types/types_pb2_grpc.py | 25 + .../proto/tendermint/types/validator_pb2.py | 34 +- .../tendermint/types/validator_pb2_grpc.py | 25 + .../proto/tendermint/version/types_pb2.py | 24 +- .../tendermint/version/types_pb2_grpc.py | 25 + 577 files changed, 13696 insertions(+), 9722 deletions(-) delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py delete mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py create mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py create mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py diff --git a/Makefile b/Makefile index 2578e476..d56a846b 100644 --- a/Makefile +++ b/Makefile @@ -29,26 +29,10 @@ endef clean-all: $(call clean_repos) -clone-injective-core: - git clone https://github.com/InjectiveLabs/injective-core.git -b dev --depth 1 --single-branch - clone-injective-indexer: git clone https://github.com/InjectiveLabs/injective-indexer.git -b release/v1.13.x --depth 1 --single-branch -clone-cometbft: - git clone https://github.com/InjectiveLabs/cometbft.git -b v0.38.x-inj --depth 1 --single-branch - rm cometbft/buf.yaml - -clone-wasmd: - git clone https://github.com/InjectiveLabs/wasmd.git -b v0.51.x-inj --depth 1 --single-branch - -clone-cosmos-sdk: - git clone https://github.com/InjectiveLabs/cosmos-sdk.git -b v0.50.x-inj --depth 1 --single-branch - -clone-ibc-go: - git clone https://github.com/InjectiveLabs/ibc-go.git -b v8.3.x-inj --depth 1 --single-branch - -clone-all: clone-cosmos-sdk clone-cometbft clone-ibc-go clone-wasmd clone-injective-core clone-injective-indexer +clone-all: clone-injective-indexer copy-proto: rm -rf pyinjective/proto diff --git a/pyinjective/proto/amino/amino_pb2.py b/pyinjective/proto/amino/amino_pb2.py index e124d7da..7db3a6e1 100644 --- a/pyinjective/proto/amino/amino_pb2.py +++ b/pyinjective/proto/amino/amino_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: amino/amino.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'amino/amino.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,12 +15,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:6\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\tR\x04name:M\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\tR\x0fmessageEncoding:<\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\tR\x08\x65ncoding:?\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\tR\tfieldName:G\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08R\rdontOmitempty:?\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tR\toneofNameBx\n\tcom.aminoB\nAminoProtoP\x01Z+github.com/cosmos/cosmos-sdk/types/tx/amino\xa2\x02\x03\x41XX\xaa\x02\x05\x41mino\xca\x02\x05\x41mino\xe2\x02\x11\x41mino\\GPBMetadata\xea\x02\x05\x41minob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:0\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\t:<\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\t:2\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\t:4\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\t:8\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08:4\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tB-Z+github.com/cosmos/cosmos-sdk/types/tx/aminob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'amino.amino_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\tcom.aminoB\nAminoProtoP\001Z+github.com/cosmos/cosmos-sdk/types/tx/amino\242\002\003AXX\252\002\005Amino\312\002\005Amino\342\002\021Amino\\GPBMetadata\352\002\005Amino' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/types/tx/amino' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 2daafffe..3f4d19f9 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in amino/amino_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/capability/v1/capability_pb2.py b/pyinjective/proto/capability/v1/capability_pb2.py index 3c2927f9..fc01377a 100644 --- a/pyinjective/proto/capability/v1/capability_pb2.py +++ b/pyinjective/proto/capability/v1/capability_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/capability.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'capability/v1/capability.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"(\n\nCapability\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index:\x04\x98\xa0\x1f\x00\"=\n\x05Owner\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"K\n\x10\x43\x61pabilityOwners\x12\x37\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xac\x01\n\x11\x63om.capability.v1B\x0f\x43\x61pabilityProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"C\n\x10\x43\x61pabilityOwners\x12/\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.capability_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\017CapabilityProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' _globals['_CAPABILITY']._loaded_options = None _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' _globals['_OWNER']._loaded_options = None @@ -41,9 +31,9 @@ _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CAPABILITY']._serialized_start=90 - _globals['_CAPABILITY']._serialized_end=130 - _globals['_OWNER']._serialized_start=132 - _globals['_OWNER']._serialized_end=193 - _globals['_CAPABILITYOWNERS']._serialized_start=195 - _globals['_CAPABILITYOWNERS']._serialized_end=270 + _globals['_CAPABILITY']._serialized_end=123 + _globals['_OWNER']._serialized_start=125 + _globals['_OWNER']._serialized_end=172 + _globals['_CAPABILITYOWNERS']._serialized_start=174 + _globals['_CAPABILITYOWNERS']._serialized_end=241 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/capability_pb2_grpc.py b/pyinjective/proto/capability/v1/capability_pb2_grpc.py index 2daafffe..5b33b6a6 100644 --- a/pyinjective/proto/capability/v1/capability_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/capability_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in capability/v1/capability_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/capability/v1/genesis_pb2.py b/pyinjective/proto/capability/v1/genesis_pb2.py index adc56dc6..c041baac 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2.py +++ b/pyinjective/proto/capability/v1/genesis_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'capability/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from capability.v1 import capability_pb2 as capability_dot_v1_dot_capability__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"t\n\rGenesisOwners\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12M\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bindexOwners\"e\n\x0cGenesisState\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12?\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xa9\x01\n\x11\x63om.capability.v1B\x0cGenesisProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"`\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12@\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x37\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\014GenesisProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISOWNERS']._serialized_start=119 - _globals['_GENESISOWNERS']._serialized_end=235 - _globals['_GENESISSTATE']._serialized_start=237 - _globals['_GENESISSTATE']._serialized_end=338 + _globals['_GENESISOWNERS']._serialized_end=215 + _globals['_GENESISSTATE']._serialized_start=217 + _globals['_GENESISSTATE']._serialized_end=303 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py index 2daafffe..3a6381e6 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in capability/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index 46cffe9d..6c2f71cf 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -1,42 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/runtime/v1alpha1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/app/runtime/v1alpha1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xdc\x03\n\x06Module\x12\x19\n\x08\x61pp_name\x18\x01 \x01(\tR\x07\x61ppName\x12%\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\tR\rbeginBlockers\x12!\n\x0c\x65nd_blockers\x18\x03 \x03(\tR\x0b\x65ndBlockers\x12!\n\x0cinit_genesis\x18\x04 \x03(\tR\x0binitGenesis\x12%\n\x0e\x65xport_genesis\x18\x05 \x03(\tR\rexportGenesis\x12[\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfigR\x11overrideStoreKeys\x12)\n\x10order_migrations\x18\x07 \x03(\tR\x0forderMigrations\x12\"\n\x0cprecommiters\x18\x08 \x03(\tR\x0cprecommiters\x12\x32\n\x15prepare_check_staters\x18\t \x03(\tR\x13prepareCheckStaters:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\"S\n\x0eStoreKeyConfig\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12 \n\x0ckv_store_key\x18\x02 \x01(\tR\nkvStoreKeyB\xbd\x01\n\x1f\x63om.cosmos.app.runtime.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41R\xaa\x02\x1b\x43osmos.App.Runtime.V1alpha1\xca\x02\x1b\x43osmos\\App\\Runtime\\V1alpha1\xe2\x02\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\xea\x02\x1e\x43osmos::App::Runtime::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xd4\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig\x12\x18\n\x10order_migrations\x18\x07 \x03(\t\x12\x14\n\x0cprecommiters\x18\x08 \x03(\t\x12\x1d\n\x15prepare_check_staters\x18\t \x03(\t:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.runtime.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.app.runtime.v1alpha1B\013ModuleProtoP\001\242\002\003CAR\252\002\033Cosmos.App.Runtime.V1alpha1\312\002\033Cosmos\\App\\Runtime\\V1alpha1\342\002\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\352\002\036Cosmos::App::Runtime::V1alpha1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001=\n$github.com/cosmos/cosmos-sdk/runtime\022\025\n\023cosmos.app.v1alpha1' _globals['_MODULE']._serialized_start=108 - _globals['_MODULE']._serialized_end=584 - _globals['_STOREKEYCONFIG']._serialized_start=586 - _globals['_STOREKEYCONFIG']._serialized_end=669 + _globals['_MODULE']._serialized_end=448 + _globals['_STOREKEYCONFIG']._serialized_start=450 + _globals['_STOREKEYCONFIG']._serialized_end=509 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index 2daafffe..a80d91f2 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py index 8d6f0828..f4071fe8 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/config.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/app/v1alpha1/config.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,18 +15,17 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"\x92\x01\n\x06\x43onfig\x12;\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfigR\x07modules\x12K\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"\x9d\x01\n\x0cModuleConfig\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12,\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06\x63onfig\x12K\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"^\n\rGolangBinding\x12%\n\x0einterface_type\x18\x01 \x01(\tR\rinterfaceType\x12&\n\x0eimplementation\x18\x02 \x01(\tR\x0eimplementationB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"y\n\x06\x43onfig\x12\x32\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfig\x12;\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"\x7f\n\x0cModuleConfig\x12\x0c\n\x04name\x18\x01 \x01(\t\x12$\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12;\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"?\n\rGolangBinding\x12\x16\n\x0einterface_type\x18\x01 \x01(\t\x12\x16\n\x0eimplementation\x18\x02 \x01(\tb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ConfigProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' - _globals['_CONFIG']._serialized_start=85 - _globals['_CONFIG']._serialized_end=231 - _globals['_MODULECONFIG']._serialized_start=234 - _globals['_MODULECONFIG']._serialized_end=391 - _globals['_GOLANGBINDING']._serialized_start=393 - _globals['_GOLANGBINDING']._serialized_end=487 + DESCRIPTOR._loaded_options = None + _globals['_CONFIG']._serialized_start=84 + _globals['_CONFIG']._serialized_end=205 + _globals['_MODULECONFIG']._serialized_start=207 + _globals['_MODULECONFIG']._serialized_end=334 + _globals['_GOLANGBINDING']._serialized_start=336 + _globals['_GOLANGBINDING']._serialized_end=399 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 2daafffe..14588113 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py index 549e0008..7ce3d41d 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/app/v1alpha1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,18 +15,17 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xc7\x01\n\x10ModuleDescriptor\x12\x1b\n\tgo_import\x18\x01 \x01(\tR\x08goImport\x12\x46\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReferenceR\nusePackage\x12N\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfoR\x0e\x63\x61nMigrateFrom\"B\n\x10PackageReference\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1a\n\x08revision\x18\x02 \x01(\rR\x08revision\")\n\x0fMigrateFromInfo\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module:a\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorR\x06moduleB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xa1\x01\n\x10ModuleDescriptor\x12\x11\n\tgo_import\x18\x01 \x01(\t\x12:\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReference\x12>\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfo\"2\n\x10PackageReference\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08revision\x18\x02 \x01(\r\"!\n\x0fMigrateFromInfo\x12\x0e\n\x06module\x18\x01 \x01(\t:Y\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ModuleProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' + DESCRIPTOR._loaded_options = None _globals['_MODULEDESCRIPTOR']._serialized_start=92 - _globals['_MODULEDESCRIPTOR']._serialized_end=291 - _globals['_PACKAGEREFERENCE']._serialized_start=293 - _globals['_PACKAGEREFERENCE']._serialized_end=359 - _globals['_MIGRATEFROMINFO']._serialized_start=361 - _globals['_MIGRATEFROMINFO']._serialized_end=402 + _globals['_MODULEDESCRIPTOR']._serialized_end=253 + _globals['_PACKAGEREFERENCE']._serialized_start=255 + _globals['_PACKAGEREFERENCE']._serialized_end=305 + _globals['_MIGRATEFROMINFO']._serialized_start=307 + _globals['_MIGRATEFROMINFO']._serialized_end=340 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index 2daafffe..c8072676 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index 340fb9f1..f553fa07 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -1,42 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/app/v1alpha1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 +from cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"J\n\x13QueryConfigResponse\x12\x33\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.ConfigR\x06\x63onfig2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x42\x93\x01\n\x17\x63om.cosmos.app.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"B\n\x13QueryConfigResponse\x12+\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.Config2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\nQueryProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' + DESCRIPTOR._loaded_options = None _globals['_QUERYCONFIGREQUEST']._serialized_start=90 _globals['_QUERYCONFIGREQUEST']._serialized_end=110 _globals['_QUERYCONFIGRESPONSE']._serialized_start=112 - _globals['_QUERYCONFIGRESPONSE']._serialized_end=186 - _globals['_QUERY']._serialized_start=188 - _globals['_QUERY']._serialized_end=290 + _globals['_QUERYCONFIGRESPONSE']._serialized_end=178 + _globals['_QUERY']._serialized_start=180 + _globals['_QUERY']._serialized_end=282 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 86f0b576..936c1120 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the app module query service. diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index 9137cf8b..fb80f2ae 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -1,42 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/auth/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe6\x01\n\x06Module\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\x12l\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermissionR\x18moduleAccountPermissions\x12\x1c\n\tauthority\x18\x03 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"U\n\x17ModuleAccountPermission\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12 \n\x0bpermissions\x18\x02 \x03(\tR\x0bpermissionsB\x9f\x01\n\x19\x63om.cosmos.auth.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x15\x43osmos.Auth.Module.V1\xca\x02\x15\x43osmos\\Auth\\Module\\V1\xe2\x02!Cosmos\\Auth\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Auth::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xb3\x01\n\x06Module\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\x12R\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermission\x12\x11\n\tauthority\x18\x03 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"?\n\x17ModuleAccountPermission\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x03(\tb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.auth.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\025Cosmos.Auth.Module.V1\312\002\025Cosmos\\Auth\\Module\\V1\342\002!Cosmos\\Auth\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Auth::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/auth' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=326 - _globals['_MODULEACCOUNTPERMISSION']._serialized_start=328 - _globals['_MODULEACCOUNTPERMISSION']._serialized_end=413 + _globals['_MODULE']._serialized_end=275 + _globals['_MODULEACCOUNTPERMISSION']._serialized_start=277 + _globals['_MODULEACCOUNTPERMISSION']._serialized_end=340 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 2daafffe..8955dd21 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 53e6c826..559174a3 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/auth.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/auth/v1beta1/auth.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa1\x02\n\x0b\x42\x61seAccount\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_keyR\x06pubKey\x12%\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x04 \x01(\x04R\x08sequence:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xec\x01\n\rModuleAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12 \n\x0bpermissions\x18\x03 \x03(\tR\x0bpermissions:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"\x84\x01\n\x10ModuleCredential\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12\'\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0cR\x0e\x64\x65rivationKeys:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xd7\x02\n\x06Params\x12.\n\x13max_memo_characters\x18\x01 \x01(\x04R\x11maxMemoCharacters\x12 \n\x0ctx_sig_limit\x18\x02 \x01(\x04R\ntxSigLimit\x12\x30\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04R\x11txSizeCostPerByte\x12O\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519R\x14sigVerifyCostEd25519\x12U\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1R\x16sigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB\xbd\x01\n\x17\x63om.cosmos.auth.v1beta1B\tAuthProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.auth_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\tAuthProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' _globals['_BASEACCOUNT'].fields_by_name['address']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_BASEACCOUNT'].fields_by_name['pub_key']._loaded_options = None @@ -55,11 +45,11 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\030cosmos-sdk/x/auth/Params' _globals['_BASEACCOUNT']._serialized_start=151 - _globals['_BASEACCOUNT']._serialized_end=440 - _globals['_MODULEACCOUNT']._serialized_start=443 - _globals['_MODULEACCOUNT']._serialized_end=679 - _globals['_MODULECREDENTIAL']._serialized_start=682 - _globals['_MODULECREDENTIAL']._serialized_end=814 - _globals['_PARAMS']._serialized_start=817 - _globals['_PARAMS']._serialized_end=1160 + _globals['_BASEACCOUNT']._serialized_end=398 + _globals['_MODULEACCOUNT']._serialized_start=401 + _globals['_MODULEACCOUNT']._serialized_end=605 + _globals['_MODULECREDENTIAL']._serialized_start=607 + _globals['_MODULECREDENTIAL']._serialized_end=711 + _globals['_PARAMS']._serialized_start=714 + _globals['_PARAMS']._serialized_end=961 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 2daafffe..125c38a0 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index b7d53db9..999ebb0d 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/auth/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x30\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x61\x63\x63ountsB\xc0\x01\n\x17\x63om.cosmos.auth.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"n\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12&\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=287 + _globals['_GENESISSTATE']._serialized_start=158 + _globals['_GENESISSTATE']._serialized_end=268 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9a45112 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index 4c424a32..7fd4c781 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/auth/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb4\x01\n\x15QueryAccountsResponse\x12R\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"S\n\x13QueryAccountRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"h\n\x14QueryAccountResponse\x12P\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x07\x61\x63\x63ount\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1c\n\x1aQueryModuleAccountsRequest\"w\n\x1bQueryModuleAccountsResponse\x12X\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x08\x61\x63\x63ounts\"5\n\x1fQueryModuleAccountByNameRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"z\n QueryModuleAccountByNameResponse\x12V\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x07\x61\x63\x63ount\"\x15\n\x13\x42\x65\x63h32PrefixRequest\";\n\x14\x42\x65\x63h32PrefixResponse\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\"B\n\x1b\x41\x64\x64ressBytesToStringRequest\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"E\n\x1c\x41\x64\x64ressBytesToStringResponse\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"D\n\x1b\x41\x64\x64ressStringToBytesRequest\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"C\n\x1c\x41\x64\x64ressStringToBytesResponse\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"S\n\x1eQueryAccountAddressByIDRequest\x12\x12\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01R\x02id\x12\x1d\n\naccount_id\x18\x02 \x01(\x04R\taccountId\"d\n\x1fQueryAccountAddressByIDResponse\x12\x41\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x61\x63\x63ountAddress\"M\n\x17QueryAccountInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"P\n\x18QueryAccountInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountR\x04info2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B\xbe\x01\n\x17\x63om.cosmos.auth.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9e\x01\n\x15QueryAccountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"J\n\x13QueryAccountRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"_\n\x14QueryAccountResponse\x12G\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1c\n\x1aQueryModuleAccountsRequest\"m\n\x1bQueryModuleAccountsResponse\x12N\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"/\n\x1fQueryModuleAccountByNameRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"q\n QueryModuleAccountByNameResponse\x12M\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"\x15\n\x13\x42\x65\x63h32PrefixRequest\"-\n\x14\x42\x65\x63h32PrefixResponse\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\"4\n\x1b\x41\x64\x64ressBytesToStringRequest\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"6\n\x1c\x41\x64\x64ressBytesToStringResponse\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1b\x41\x64\x64ressStringToBytesRequest\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1c\x41\x64\x64ressStringToBytesResponse\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"D\n\x1eQueryAccountAddressByIDRequest\x12\x0e\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01\x12\x12\n\naccount_id\x18\x02 \x01(\x04\"T\n\x1fQueryAccountAddressByIDResponse\x12\x31\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"D\n\x17QueryAccountInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"J\n\x18QueryAccountInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccount2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._loaded_options = None @@ -80,45 +70,45 @@ _globals['_QUERY'].methods_by_name['AccountInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/account_info/{address}' _globals['_QUERYACCOUNTSREQUEST']._serialized_start=267 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=361 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=364 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=544 - _globals['_QUERYACCOUNTREQUEST']._serialized_start=546 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=629 - _globals['_QUERYACCOUNTRESPONSE']._serialized_start=631 - _globals['_QUERYACCOUNTRESPONSE']._serialized_end=735 - _globals['_QUERYPARAMSREQUEST']._serialized_start=737 - _globals['_QUERYPARAMSREQUEST']._serialized_end=757 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=759 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=839 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=841 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=869 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=871 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=990 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=992 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=1045 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=1047 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1169 - _globals['_BECH32PREFIXREQUEST']._serialized_start=1171 - _globals['_BECH32PREFIXREQUEST']._serialized_end=1192 - _globals['_BECH32PREFIXRESPONSE']._serialized_start=1194 - _globals['_BECH32PREFIXRESPONSE']._serialized_end=1253 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1255 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1321 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1323 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1392 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1394 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1462 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1464 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1531 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1533 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1616 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1618 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1718 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1720 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1797 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1799 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1879 - _globals['_QUERY']._serialized_start=1882 - _globals['_QUERY']._serialized_end=3529 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=349 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=352 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=510 + _globals['_QUERYACCOUNTREQUEST']._serialized_start=512 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=586 + _globals['_QUERYACCOUNTRESPONSE']._serialized_start=588 + _globals['_QUERYACCOUNTRESPONSE']._serialized_end=683 + _globals['_QUERYPARAMSREQUEST']._serialized_start=685 + _globals['_QUERYPARAMSREQUEST']._serialized_end=705 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=707 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=779 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=781 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=809 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=811 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=920 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=922 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=969 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=971 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1084 + _globals['_BECH32PREFIXREQUEST']._serialized_start=1086 + _globals['_BECH32PREFIXREQUEST']._serialized_end=1107 + _globals['_BECH32PREFIXRESPONSE']._serialized_start=1109 + _globals['_BECH32PREFIXRESPONSE']._serialized_end=1154 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1156 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1208 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1210 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1264 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1266 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1319 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1321 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1374 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1376 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1444 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1446 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1530 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1532 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1600 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1602 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1676 + _globals['_QUERY']._serialized_start=1679 + _globals['_QUERY']._serialized_end=3326 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index b8bcec08..7100f432 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index ff98f9d2..c43059b1 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/auth/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.auth.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -46,9 +36,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=370 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 - _globals['_MSG']._serialized_start=399 - _globals['_MSG']._serialized_end=511 + _globals['_MSGUPDATEPARAMS']._serialized_end=351 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 + _globals['_MSG']._serialized_start=380 + _globals['_MSG']._serialized_end=492 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 4c82c564..6b3c2312 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/auth Msg service. diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index 0580bc6f..fc4344eb 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzB\xa4\x01\n\x1a\x63om.cosmos.authz.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x16\x43osmos.Authz.Module.V1\xca\x02\x16\x43osmos\\Authz\\Module\\V1\xe2\x02\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Authz::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.authz.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\026Cosmos.Authz.Module.V1\312\002\026Cosmos\\Authz\\Module\\V1\342\002\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Authz::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/authz' _globals['_MODULE']._serialized_start=97 diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 2daafffe..41a6eb18 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 17d9d0c1..83abe96d 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/v1beta1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"t\n\x14GenericAuthorization\x12\x10\n\x03msg\x18\x01 \x01(\tR\x03msg:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\xb1\x01\n\x05Grant\x12\x62\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12\x44\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01R\nexpiration\"\xa2\x02\n\x12GrantAuthorization\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x62\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12@\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration\"4\n\x0eGrantQueueItem\x12\"\n\rmsg_type_urls\x18\x01 \x03(\tR\x0bmsgTypeUrlsB\xc2\x01\n\x18\x63om.cosmos.authz.v1beta1B\nAuthzProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"o\n\x14GenericAuthorization\x12\x0b\n\x03msg\x18\x01 \x01(\t:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\x96\x01\n\x05Grant\x12S\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x38\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01\"\xf5\x01\n\x12GrantAuthorization\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12S\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x34\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\"\'\n\x0eGrantQueueItem\x12\x15\n\rmsg_type_urls\x18\x01 \x03(\tB*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nAuthzProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' _globals['_GENERICAUTHORIZATION']._loaded_options = None _globals['_GENERICAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\037cosmos-sdk/GenericAuthorization' _globals['_GRANT'].fields_by_name['authorization']._loaded_options = None @@ -52,11 +42,11 @@ _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_GENERICAUTHORIZATION']._serialized_start=186 - _globals['_GENERICAUTHORIZATION']._serialized_end=302 - _globals['_GRANT']._serialized_start=305 - _globals['_GRANT']._serialized_end=482 - _globals['_GRANTAUTHORIZATION']._serialized_start=485 - _globals['_GRANTAUTHORIZATION']._serialized_end=775 - _globals['_GRANTQUEUEITEM']._serialized_start=777 - _globals['_GRANTQUEUEITEM']._serialized_end=829 + _globals['_GENERICAUTHORIZATION']._serialized_end=297 + _globals['_GRANT']._serialized_start=300 + _globals['_GRANT']._serialized_end=450 + _globals['_GRANTAUTHORIZATION']._serialized_start=453 + _globals['_GRANTAUTHORIZATION']._serialized_end=698 + _globals['_GRANTQUEUEITEM']._serialized_start=700 + _globals['_GRANTQUEUEITEM']._serialized_end=739 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 2daafffe..6ab92cd1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 1de7da43..077fe130 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/event.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/v1beta1/event.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"\x96\x01\n\nEventGrant\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"\x97\x01\n\x0b\x45ventRevoke\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granteeB\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nEventProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"x\n\nEventGrant\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"y\n\x0b\x45ventRevoke\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringB&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nEventProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' _globals['_EVENTGRANT'].fields_by_name['granter']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTGRANT'].fields_by_name['grantee']._loaded_options = None @@ -41,8 +31,8 @@ _globals['_EVENTREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTGRANT']._serialized_start=86 - _globals['_EVENTGRANT']._serialized_end=236 - _globals['_EVENTREVOKE']._serialized_start=239 - _globals['_EVENTREVOKE']._serialized_end=390 + _globals['_EVENTGRANT']._serialized_start=85 + _globals['_EVENTGRANT']._serialized_end=205 + _globals['_EVENTREVOKE']._serialized_start=207 + _globals['_EVENTREVOKE']._serialized_end=328 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 2daafffe..1455078e 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index fb90ceaa..1fb92dc4 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"i\n\x0cGenesisState\x12Y\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rauthorizationB\xc0\x01\n\x18\x63om.cosmos.authz.v1beta1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"Z\n\x0cGenesisState\x12J\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' _globals['_GENESISSTATE'].fields_by_name['authorization']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['authorization']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=240 + _globals['_GENESISSTATE']._serialized_end=225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 2daafffe..86d0781f 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index 4dea0553..3e1b8a97 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe6\x01\n\x12QueryGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x93\x01\n\x13QueryGrantsResponse\x12\x33\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranterGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranterGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranteeGrantsRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranteeGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbc\x01\n\x12QueryGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x13QueryGrantsResponse\x12+\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranterGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranterGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranteeGrantsRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranteeGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -51,17 +41,17 @@ _globals['_QUERY'].methods_by_name['GranteeGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranteeGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/grantee/{grantee}' _globals['_QUERYGRANTSREQUEST']._serialized_start=194 - _globals['_QUERYGRANTSREQUEST']._serialized_end=424 - _globals['_QUERYGRANTSRESPONSE']._serialized_start=427 - _globals['_QUERYGRANTSRESPONSE']._serialized_end=574 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=577 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=728 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=731 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=898 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=901 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=1052 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=1055 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1222 - _globals['_QUERY']._serialized_start=1225 - _globals['_QUERY']._serialized_end=1712 + _globals['_QUERYGRANTSREQUEST']._serialized_end=382 + _globals['_QUERYGRANTSRESPONSE']._serialized_start=384 + _globals['_QUERYGRANTSRESPONSE']._serialized_end=511 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=514 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=644 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=647 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=794 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=797 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=927 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=930 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1077 + _globals['_QUERY']._serialized_start=1080 + _globals['_QUERY']._serialized_end=1567 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index e75edd23..5ed73a42 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 82e56e9b..1dbe6b49 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/authz/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xd6\x01\n\x08MsgGrant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12<\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05grant:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\xa9\x01\n\x07MsgExec\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x45\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.MsgR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"+\n\x0fMsgExecResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"\xbc\x01\n\tMsgRevoke\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"1\n\x15MsgExecCompatResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"|\n\rMsgExecCompat\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x12\n\x04msgs\x18\x02 \x03(\tR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbf\x01\n\x18\x63om.cosmos.authz.v1beta1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' _globals['_MSGGRANT'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANT'].fields_by_name['grantee']._loaded_options = None @@ -58,28 +48,20 @@ _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None - _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_MSGEXECCOMPAT']._loaded_options = None - _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 - _globals['_MSGGRANT']._serialized_end=424 - _globals['_MSGGRANTRESPONSE']._serialized_start=426 - _globals['_MSGGRANTRESPONSE']._serialized_end=444 - _globals['_MSGEXEC']._serialized_start=447 - _globals['_MSGEXEC']._serialized_end=616 - _globals['_MSGEXECRESPONSE']._serialized_start=618 - _globals['_MSGEXECRESPONSE']._serialized_end=661 - _globals['_MSGREVOKE']._serialized_start=664 - _globals['_MSGREVOKE']._serialized_end=852 - _globals['_MSGREVOKERESPONSE']._serialized_start=854 - _globals['_MSGREVOKERESPONSE']._serialized_end=873 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=875 - _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=924 - _globals['_MSGEXECCOMPAT']._serialized_start=926 - _globals['_MSGEXECCOMPAT']._serialized_end=1050 - _globals['_MSG']._serialized_start=1053 - _globals['_MSG']._serialized_end=1404 + _globals['_MSGGRANT']._serialized_end=399 + _globals['_MSGGRANTRESPONSE']._serialized_start=401 + _globals['_MSGGRANTRESPONSE']._serialized_end=419 + _globals['_MSGEXEC']._serialized_start=422 + _globals['_MSGEXEC']._serialized_end=576 + _globals['_MSGEXECRESPONSE']._serialized_start=578 + _globals['_MSGEXECRESPONSE']._serialized_end=612 + _globals['_MSGREVOKE']._serialized_start=615 + _globals['_MSGREVOKE']._serialized_end=773 + _globals['_MSGREVOKERESPONSE']._serialized_start=775 + _globals['_MSGREVOKERESPONSE']._serialized_end=794 + _globals['_MSG']._serialized_start=797 + _globals['_MSG']._serialized_end=1052 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index 2a2458a1..dc51176c 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 +import warnings + +from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/authz/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class MsgStub(object): @@ -30,11 +55,6 @@ def __init__(self, channel): request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, _registered_method=True) - self.ExecCompat = channel.unary_unary( - '/cosmos.authz.v1beta1.Msg/ExecCompat', - request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - _registered_method=True) class MsgServicer(object): @@ -68,13 +88,6 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def ExecCompat(self, request, context): - """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -93,11 +106,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), - 'ExecCompat': grpc.unary_unary_rpc_method_handler( - servicer.ExecCompat, - request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, - response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) @@ -190,30 +198,3 @@ def Revoke(request, timeout, metadata, _registered_method=True) - - @staticmethod - def ExecCompat(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmos.authz.v1beta1.Msg/ExecCompat', - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, - cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py index a0073817..f7f30012 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/options.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/autocli/v1/options.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,30 +14,30 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x8f\x01\n\rModuleOptions\x12;\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x02tx\x12\x41\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05query\"\xd8\x02\n\x18ServiceCommandDescriptor\x12\x18\n\x07service\x18\x01 \x01(\tR\x07service\x12T\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptionsR\x11rpcCommandOptions\x12_\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntryR\x0bsubCommands\x1ak\n\x10SubCommandsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x41\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05value:\x02\x38\x01\"\x9c\x04\n\x11RpcCommandOptions\x12\x1d\n\nrpc_method\x18\x01 \x01(\tR\trpcMethod\x12\x10\n\x03use\x18\x02 \x01(\tR\x03use\x12\x12\n\x04long\x18\x03 \x01(\tR\x04long\x12\x14\n\x05short\x18\x04 \x01(\tR\x05short\x12\x18\n\x07\x65xample\x18\x05 \x01(\tR\x07\x65xample\x12\x14\n\x05\x61lias\x18\x06 \x03(\tR\x05\x61lias\x12\x1f\n\x0bsuggest_for\x18\x07 \x03(\tR\nsuggestFor\x12\x1e\n\ndeprecated\x18\x08 \x01(\tR\ndeprecated\x12\x18\n\x07version\x18\t \x01(\tR\x07version\x12X\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntryR\x0b\x66lagOptions\x12S\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptorR\x0epositionalArgs\x12\x12\n\x04skip\x18\x0c \x01(\x08R\x04skip\x1a^\n\x10\x46lagOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x34\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptionsR\x05value:\x02\x38\x01\"\xe5\x01\n\x0b\x46lagOptions\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1c\n\tshorthand\x18\x02 \x01(\tR\tshorthand\x12\x14\n\x05usage\x18\x03 \x01(\tR\x05usage\x12#\n\rdefault_value\x18\x04 \x01(\tR\x0c\x64\x65\x66\x61ultValue\x12\x1e\n\ndeprecated\x18\x06 \x01(\tR\ndeprecated\x12\x31\n\x14shorthand_deprecated\x18\x07 \x01(\tR\x13shorthandDeprecated\x12\x16\n\x06hidden\x18\x08 \x01(\x08R\x06hidden\"T\n\x17PositionalArgDescriptor\x12\x1f\n\x0bproto_field\x18\x01 \x01(\tR\nprotoField\x12\x18\n\x07varargs\x18\x02 \x01(\x08R\x07varargsB\xb6\x01\n\x15\x63om.cosmos.autocli.v1B\x0cOptionsProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x84\x01\n\rModuleOptions\x12\x37\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\x12:\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\"\xa3\x02\n\x18ServiceCommandDescriptor\x12\x0f\n\x07service\x18\x01 \x01(\t\x12\x41\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptions\x12R\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntry\x1a_\n\x10SubCommandsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12:\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor:\x02\x38\x01\"\x9f\x03\n\x11RpcCommandOptions\x12\x12\n\nrpc_method\x18\x01 \x01(\t\x12\x0b\n\x03use\x18\x02 \x01(\t\x12\x0c\n\x04long\x18\x03 \x01(\t\x12\r\n\x05short\x18\x04 \x01(\t\x12\x0f\n\x07\x65xample\x18\x05 \x01(\t\x12\r\n\x05\x61lias\x18\x06 \x03(\t\x12\x13\n\x0bsuggest_for\x18\x07 \x03(\t\x12\x12\n\ndeprecated\x18\x08 \x01(\t\x12\x0f\n\x07version\x18\t \x01(\t\x12K\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntry\x12\x43\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptor\x12\x0c\n\x04skip\x18\x0c \x01(\x08\x1aR\n\x10\x46lagOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12-\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptions:\x02\x38\x01\"\x96\x01\n\x0b\x46lagOptions\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x11\n\tshorthand\x18\x02 \x01(\t\x12\r\n\x05usage\x18\x03 \x01(\t\x12\x15\n\rdefault_value\x18\x04 \x01(\t\x12\x12\n\ndeprecated\x18\x06 \x01(\t\x12\x1c\n\x14shorthand_deprecated\x18\x07 \x01(\t\x12\x0e\n\x06hidden\x18\x08 \x01(\x08\"?\n\x17PositionalArgDescriptor\x12\x13\n\x0bproto_field\x18\x01 \x01(\t\x12\x0f\n\x07varargs\x18\x02 \x01(\x08\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.options_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\014OptionsProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._loaded_options = None _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_options = b'8\001' _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._loaded_options = None _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_options = b'8\001' _globals['_MODULEOPTIONS']._serialized_start=55 - _globals['_MODULEOPTIONS']._serialized_end=198 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=201 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=545 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=438 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=545 - _globals['_RPCCOMMANDOPTIONS']._serialized_start=548 - _globals['_RPCCOMMANDOPTIONS']._serialized_end=1088 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=994 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=1088 - _globals['_FLAGOPTIONS']._serialized_start=1091 - _globals['_FLAGOPTIONS']._serialized_end=1320 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1322 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1406 + _globals['_MODULEOPTIONS']._serialized_end=187 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=190 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=481 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=386 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=481 + _globals['_RPCCOMMANDOPTIONS']._serialized_start=484 + _globals['_RPCCOMMANDOPTIONS']._serialized_end=899 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=817 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=899 + _globals['_FLAGOPTIONS']._serialized_start=902 + _globals['_FLAGOPTIONS']._serialized_end=1052 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1054 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1117 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index 2daafffe..e388b205 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index 55328c6c..ad495a6c 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/autocli/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xd9\x01\n\x12\x41ppOptionsResponse\x12_\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntryR\rmoduleOptions\x1a\x62\n\x12ModuleOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x36\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptionsR\x05value:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42\xb4\x01\n\x15\x63om.cosmos.autocli.v1B\nQueryProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xbe\x01\n\x12\x41ppOptionsResponse\x12P\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntry\x1aV\n\x12ModuleOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12/\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptions:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\nQueryProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._loaded_options = None _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_options = b'8\001' _globals['_QUERY'].methods_by_name['AppOptions']._loaded_options = None @@ -41,9 +31,9 @@ _globals['_APPOPTIONSREQUEST']._serialized_start=114 _globals['_APPOPTIONSREQUEST']._serialized_end=133 _globals['_APPOPTIONSRESPONSE']._serialized_start=136 - _globals['_APPOPTIONSRESPONSE']._serialized_end=353 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=255 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=353 - _globals['_QUERY']._serialized_start=355 - _globals['_QUERY']._serialized_end=460 + _globals['_APPOPTIONSRESPONSE']._serialized_end=326 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=240 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=326 + _globals['_QUERY']._serialized_start=328 + _globals['_QUERY']._serialized_end=433 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index 989a8356..d9b18db7 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """RemoteInfoService provides clients with the information they need diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index 46a5bc04..51baa779 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xcb\x01\n\x06Module\x12G\n blocked_module_accounts_override\x18\x01 \x03(\tR\x1d\x62lockedModuleAccountsOverride\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12-\n\x12restrictions_order\x18\x03 \x03(\tR\x11restrictionsOrder:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankB\x9f\x01\n\x19\x63om.cosmos.bank.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x42M\xaa\x02\x15\x43osmos.Bank.Module.V1\xca\x02\x15\x43osmos\\Bank\\Module\\V1\xe2\x02!Cosmos\\Bank\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Bank::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x8e\x01\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1a\n\x12restrictions_order\x18\x03 \x03(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.bank.module.v1B\013ModuleProtoP\001\242\002\003CBM\252\002\025Cosmos.Bank.Module.V1\312\002\025Cosmos\\Bank\\Module\\V1\342\002!Cosmos\\Bank\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Bank::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/bank' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=299 + _globals['_MODULE']._serialized_end=238 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 2daafffe..6e58e0b4 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index 170105bb..e55328b2 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x9a\x02\n\x11SendAuthorization\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12\x37\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tallowList:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nAuthzProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nAuthzProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None @@ -43,5 +33,5 @@ _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=439 + _globals['_SENDAUTHORIZATION']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 2daafffe..285e00f5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 6848ee8e..41519048 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/bank.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/bank.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa2\x01\n\x06Params\x12G\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01R\x0bsendEnabled\x12\x30\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08R\x12\x64\x65\x66\x61ultSendEnabled:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"C\n\x0bSendEnabled\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x65nabled\x18\x02 \x01(\x08R\x07\x65nabled:\x04\xe8\xa0\x1f\x01\"\xca\x01\n\x05Input\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xbf\x01\n\x06Output\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x06Supply\x12w\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05total:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"W\n\tDenomUnit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x65xponent\x18\x02 \x01(\rR\x08\x65xponent\x12\x18\n\x07\x61liases\x18\x03 \x03(\tR\x07\x61liases\"\xa6\x02\n\x08Metadata\x12 \n\x0b\x64\x65scription\x18\x01 \x01(\tR\x0b\x64\x65scription\x12?\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnitR\ndenomUnits\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x18\n\x07\x64isplay\x18\x04 \x01(\tR\x07\x64isplay\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x19\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URIR\x03uri\x12&\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashR\x07uriHash\x12\x1a\n\x08\x64\x65\x63imals\x18\t \x01(\rR\x08\x64\x65\x63imalsB\xbd\x01\n\x17\x63om.cosmos.bank.v1beta1B\tBankProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.bank_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\tBankProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' _globals['_PARAMS']._loaded_options = None @@ -64,17 +54,17 @@ _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=343 - _globals['_SENDENABLED']._serialized_start=345 - _globals['_SENDENABLED']._serialized_end=412 - _globals['_INPUT']._serialized_start=415 - _globals['_INPUT']._serialized_end=617 - _globals['_OUTPUT']._serialized_start=620 - _globals['_OUTPUT']._serialized_end=811 - _globals['_SUPPLY']._serialized_start=814 - _globals['_SUPPLY']._serialized_end=986 - _globals['_DENOMUNIT']._serialized_start=988 - _globals['_DENOMUNIT']._serialized_end=1075 - _globals['_METADATA']._serialized_start=1078 - _globals['_METADATA']._serialized_end=1372 + _globals['_PARAMS']._serialized_end=310 + _globals['_SENDENABLED']._serialized_start=312 + _globals['_SENDENABLED']._serialized_end=363 + _globals['_INPUT']._serialized_start=366 + _globals['_INPUT']._serialized_end=552 + _globals['_OUTPUT']._serialized_start=555 + _globals['_OUTPUT']._serialized_end=730 + _globals['_SUPPLY']._serialized_start=733 + _globals['_SUPPLY']._serialized_end=898 + _globals['_DENOMUNIT']._serialized_start=900 + _globals['_DENOMUNIT']._serialized_end=961 + _globals['_METADATA']._serialized_start=964 + _globals['_METADATA']._serialized_end=1162 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 2daafffe..8a692062 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py deleted file mode 100644 index 60554edb..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py +++ /dev/null @@ -1,44 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE -# source: cosmos/bank/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/events.proto' -) -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x10\x45ventSetBalances\x12K\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdateR\x0e\x62\x61lanceUpdates\"}\n\rBalanceUpdate\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\x0cR\x04\x61\x64\x64r\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\x0cR\x05\x64\x65nom\x12\x42\n\x03\x61mt\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x03\x61mtB\xbf\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0b\x45ventsProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\013EventsProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' - _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None - _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' - _globals['_EVENTSETBALANCES']._serialized_start=125 - _globals['_EVENTSETBALANCES']._serialized_end=220 - _globals['_BALANCEUPDATE']._serialized_start=222 - _globals['_BALANCEUPDATE']._serialized_end=347 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index 1d5abb1a..ec6558c5 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xaf\x03\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x43\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12y\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12O\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdenomMetadata\x12N\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bsendEnabled\"\xc0\x01\n\x07\x42\x61lance\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xc0\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None @@ -54,7 +44,7 @@ _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=622 - _globals['_BALANCE']._serialized_start=625 - _globals['_BALANCE']._serialized_end=817 + _globals['_GENESISSTATE']._serialized_end=568 + _globals['_BALANCE']._serialized_start=571 + _globals['_BALANCE']._serialized_end=747 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 2daafffe..4fd6af84 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index 5c680753..d800c7eb 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"i\n\x13QueryBalanceRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"K\n\x14QueryBalanceResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"\xc4\x01\n\x17QueryAllBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12#\n\rresolve_denom\x18\x03 \x01(\x08R\x0cresolveDenom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x01\n\x18QueryAllBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xa5\x01\n\x1dQuerySpendableBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe8\x01\n\x1eQuerySpendableBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n#QuerySpendableBalanceByDenomRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n$QuerySpendableBalanceByDenomResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"k\n\x17QueryTotalSupplyRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n\x18QueryTotalSupplyResponse\x12y\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x14QuerySupplyOfRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"U\n\x15QuerySupplyOfResponse\x12<\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"d\n\x1aQueryDenomsMetadataRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1bQueryDenomsMetadataResponse\x12\x46\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tmetadatas\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"1\n\x19QueryDenomMetadataRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"b\n\x1aQueryDenomMetadataResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\">\n&QueryDenomMetadataByQueryStringRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"o\n\'QueryDenomMetadataByQueryStringResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\"w\n\x17QueryDenomOwnersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x80\x01\n\nDenomOwner\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance\"\xa7\x01\n\x18QueryDenomOwnersResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1eQueryDenomOwnersByQueryRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n\x17QuerySendEnabledRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\x12\x46\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa8\x01\n\x18QuerySendEnabledResponse\x12\x43\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12G\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYBALANCEREQUEST']._loaded_options = None @@ -105,59 +95,59 @@ _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 - _globals['_QUERYBALANCEREQUEST']._serialized_end=396 - _globals['_QUERYBALANCERESPONSE']._serialized_start=398 - _globals['_QUERYBALANCERESPONSE']._serialized_end=473 - _globals['_QUERYALLBALANCESREQUEST']._serialized_start=476 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=672 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=675 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=901 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=904 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=1069 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=1072 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1304 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1306 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1427 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1429 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1520 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1522 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1629 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1632 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1854 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1856 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1900 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1902 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1987 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1989 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2009 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2011 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2096 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=2098 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=2198 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=2201 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2375 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2377 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2426 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2428 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2526 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2528 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2590 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2592 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2703 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2705 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2824 - _globals['_DENOMOWNER']._serialized_start=2827 - _globals['_DENOMOWNER']._serialized_end=2955 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2958 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=3125 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=3127 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=3253 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=3256 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3430 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3432 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3553 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3556 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3724 - _globals['_QUERY']._serialized_start=3727 - _globals['_QUERY']._serialized_end=5977 + _globals['_QUERYBALANCEREQUEST']._serialized_end=380 + _globals['_QUERYBALANCERESPONSE']._serialized_start=382 + _globals['_QUERYBALANCERESPONSE']._serialized_end=448 + _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 + _globals['_DENOMOWNER']._serialized_start=2533 + _globals['_DENOMOWNER']._serialized_end=2643 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 + _globals['_QUERY']._serialized_start=3301 + _globals['_QUERY']._serialized_end=5551 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 2318f271..67a7f249 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index b9d6e8ac..ca3ac536 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/bank/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xac\x02\n\x07MsgSend\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xbc\x01\n\x0cMsgMultiSend\x12=\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06inputs\x12@\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07outputs:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe9\x01\n\x11MsgSetSendEnabled\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12&\n\x0fuse_default_for\x18\x03 \x03(\tR\ruseDefaultFor:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.bank.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' _globals['_MSGSEND'].fields_by_name['from_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None @@ -65,21 +55,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=511 - _globals['_MSGSENDRESPONSE']._serialized_start=513 - _globals['_MSGSENDRESPONSE']._serialized_end=530 - _globals['_MSGMULTISEND']._serialized_start=533 - _globals['_MSGMULTISEND']._serialized_end=721 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=723 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=745 - _globals['_MSGUPDATEPARAMS']._serialized_start=748 - _globals['_MSGUPDATEPARAMS']._serialized_end=939 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=941 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=966 - _globals['_MSGSETSENDENABLED']._serialized_start=969 - _globals['_MSGSETSENDENABLED']._serialized_end=1202 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1204 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1231 - _globals['_MSG']._serialized_start=1234 - _globals['_MSG']._serialized_end=1619 + _globals['_MSGSEND']._serialized_end=479 + _globals['_MSGSENDRESPONSE']._serialized_start=481 + _globals['_MSGSENDRESPONSE']._serialized_end=498 + _globals['_MSGMULTISEND']._serialized_start=501 + _globals['_MSGMULTISEND']._serialized_end=672 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 + _globals['_MSGUPDATEPARAMS']._serialized_start=699 + _globals['_MSGUPDATEPARAMS']._serialized_end=871 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 + _globals['_MSGSETSENDENABLED']._serialized_start=901 + _globals['_MSGSETSENDENABLED']._serialized_end=1095 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 + _globals['_MSG']._serialized_start=1127 + _globals['_MSG']._serialized_end=1512 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index 1b438771..a0b3f7fe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 962bd199..3736a45f 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/abci/v1beta1/abci.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xcc\x03\n\nTxResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\"\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHashR\x06txhash\x12\x1c\n\tcodespace\x18\x03 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x04 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\tR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x06 \x01(\tR\x06rawLog\x12U\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogsR\x04logs\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x03R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x03R\x07gasUsed\x12$\n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.AnyR\x02tx\x12\x1c\n\ttimestamp\x18\x0c \x01(\tR\ttimestamp\x12\x34\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents:\x04\x88\xa0\x1f\x00\"\xa9\x01\n\x0e\x41\x42\x43IMessageLog\x12*\n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_indexR\x08msgIndex\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12S\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEventsR\x06\x65vents:\x04\x80\xdc \x01\"r\n\x0bStringEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12I\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00R\nattributes:\x04\x80\xdc \x01\"3\n\tAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\"C\n\x07GasInfo\x12\x1d\n\ngas_wanted\x18\x01 \x01(\x04R\tgasWanted\x12\x19\n\x08gas_used\x18\x02 \x01(\x04R\x07gasUsed\"\xa9\x01\n\x06Result\x12\x16\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x04\x64\x61ta\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x34\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents\x12\x39\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x88\xa0\x1f\x00\"\x96\x01\n\x12SimulationResponse\x12\x46\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01R\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"@\n\x07MsgData\x12\x19\n\x08msg_type\x18\x01 \x01(\tR\x07msgType\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta:\x06\x18\x01\x80\xdc \x01\"\x87\x01\n\tTxMsgData\x12\x39\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01R\x04\x64\x61ta\x12\x39\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x80\xdc \x01\"\xdc\x01\n\x0fSearchTxsResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x04R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x04R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x04R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x36\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x03txs:\x04\x80\xdc \x01\"\xd8\x01\n\x12SearchBlocksResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x03R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x03R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x03R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x03R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x03R\x05limit\x12/\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.BlockR\x06\x62locks:\x04\x80\xdc \x01\x42\xd4\x01\n\x1c\x63om.cosmos.base.abci.v1beta1B\tAbciProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42\x41\xaa\x02\x18\x43osmos.Base.Abci.V1beta1\xca\x02\x18\x43osmos\\Base\\Abci\\V1beta1\xe2\x02$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Abci::V1beta1\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.abci.v1beta1B\tAbciProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBA\252\002\030Cosmos.Base.Abci.V1beta1\312\002\030Cosmos\\Base\\Abci\\V1beta1\342\002$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Abci::V1beta1\330\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None @@ -73,25 +63,25 @@ _globals['_SEARCHBLOCKSRESULT']._loaded_options = None _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' _globals['_TXRESPONSE']._serialized_start=174 - _globals['_TXRESPONSE']._serialized_end=634 - _globals['_ABCIMESSAGELOG']._serialized_start=637 - _globals['_ABCIMESSAGELOG']._serialized_end=806 - _globals['_STRINGEVENT']._serialized_start=808 - _globals['_STRINGEVENT']._serialized_end=922 - _globals['_ATTRIBUTE']._serialized_start=924 - _globals['_ATTRIBUTE']._serialized_end=975 - _globals['_GASINFO']._serialized_start=977 - _globals['_GASINFO']._serialized_end=1044 - _globals['_RESULT']._serialized_start=1047 - _globals['_RESULT']._serialized_end=1216 - _globals['_SIMULATIONRESPONSE']._serialized_start=1219 - _globals['_SIMULATIONRESPONSE']._serialized_end=1369 - _globals['_MSGDATA']._serialized_start=1371 - _globals['_MSGDATA']._serialized_end=1435 - _globals['_TXMSGDATA']._serialized_start=1438 - _globals['_TXMSGDATA']._serialized_end=1573 - _globals['_SEARCHTXSRESULT']._serialized_start=1576 - _globals['_SEARCHTXSRESULT']._serialized_end=1796 - _globals['_SEARCHBLOCKSRESULT']._serialized_start=1799 - _globals['_SEARCHBLOCKSRESULT']._serialized_end=2015 + _globals['_TXRESPONSE']._serialized_end=532 + _globals['_ABCIMESSAGELOG']._serialized_start=535 + _globals['_ABCIMESSAGELOG']._serialized_end=681 + _globals['_STRINGEVENT']._serialized_start=683 + _globals['_STRINGEVENT']._serialized_end=779 + _globals['_ATTRIBUTE']._serialized_start=781 + _globals['_ATTRIBUTE']._serialized_end=820 + _globals['_GASINFO']._serialized_start=822 + _globals['_GASINFO']._serialized_end=869 + _globals['_RESULT']._serialized_start=872 + _globals['_RESULT']._serialized_end=1008 + _globals['_SIMULATIONRESPONSE']._serialized_start=1011 + _globals['_SIMULATIONRESPONSE']._serialized_end=1144 + _globals['_MSGDATA']._serialized_start=1146 + _globals['_MSGDATA']._serialized_end=1195 + _globals['_TXMSGDATA']._serialized_start=1197 + _globals['_TXMSGDATA']._serialized_end=1312 + _globals['_SEARCHTXSRESULT']._serialized_start=1315 + _globals['_SEARCHTXSRESULT']._serialized_end=1481 + _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 + _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index 2daafffe..dd1b5932 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 21b31f2e..8e59bccc 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/node/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"\xb8\x01\n\x0e\x43onfigResponse\x12*\n\x11minimum_gas_price\x18\x01 \x01(\tR\x0fminimumGasPrice\x12.\n\x13pruning_keep_recent\x18\x02 \x01(\tR\x11pruningKeepRecent\x12)\n\x10pruning_interval\x18\x03 \x01(\tR\x0fpruningInterval\x12\x1f\n\x0bhalt_height\x18\x04 \x01(\x04R\nhaltHeight\"\x0f\n\rStatusRequest\"\xde\x01\n\x0eStatusResponse\x12\x32\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04R\x13\x65\x61rliestStoreHeight\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12>\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\ttimestamp\x12\x19\n\x08\x61pp_hash\x18\x04 \x01(\x0cR\x07\x61ppHash\x12%\n\x0evalidator_hash\x18\x05 \x01(\x0cR\rvalidatorHash2\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB\xdc\x01\n\x1c\x63om.cosmos.base.node.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/client/grpc/node\xa2\x02\x03\x43\x42N\xaa\x02\x18\x43osmos.Base.Node.V1beta1\xca\x02\x18\x43osmos\\Base\\Node\\V1beta1\xe2\x02$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Node::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.node.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/client/grpc/node\242\002\003CBN\252\002\030Cosmos.Base.Node.V1beta1\312\002\030Cosmos\\Base\\Node\\V1beta1\342\002$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Node::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None @@ -43,12 +33,12 @@ _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' _globals['_CONFIGREQUEST']._serialized_start=151 _globals['_CONFIGREQUEST']._serialized_end=166 - _globals['_CONFIGRESPONSE']._serialized_start=169 - _globals['_CONFIGRESPONSE']._serialized_end=353 - _globals['_STATUSREQUEST']._serialized_start=355 - _globals['_STATUSREQUEST']._serialized_end=370 - _globals['_STATUSRESPONSE']._serialized_start=373 - _globals['_STATUSRESPONSE']._serialized_end=595 - _globals['_SERVICE']._serialized_start=598 - _globals['_SERVICE']._serialized_end=879 + _globals['_CONFIGRESPONSE']._serialized_start=168 + _globals['_CONFIGRESPONSE']._serialized_end=287 + _globals['_STATUSREQUEST']._serialized_start=289 + _globals['_STATUSREQUEST']._serialized_end=304 + _globals['_STATUSRESPONSE']._serialized_start=307 + _globals['_STATUSRESPONSE']._serialized_end=465 + _globals['_SERVICE']._serialized_start=468 + _globals['_SERVICE']._serialized_end=749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index 3cc93343..18a4cb4c 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/node/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for node related queries. diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py index e6595278..d988376d 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/query/v1beta1/pagination.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/query/v1beta1/pagination.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,16 +14,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"\x88\x01\n\x0bPageRequest\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x16\n\x06offset\x18\x02 \x01(\x04R\x06offset\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x1f\n\x0b\x63ount_total\x18\x04 \x01(\x08R\ncountTotal\x12\x18\n\x07reverse\x18\x05 \x01(\x08R\x07reverse\"?\n\x0cPageResponse\x12\x19\n\x08next_key\x18\x01 \x01(\x0cR\x07nextKey\x12\x14\n\x05total\x18\x02 \x01(\x04R\x05totalB\xe1\x01\n\x1d\x63om.cosmos.base.query.v1beta1B\x0fPaginationProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43\x42Q\xaa\x02\x19\x43osmos.Base.Query.V1beta1\xca\x02\x19\x43osmos\\Base\\Query\\V1beta1\xe2\x02%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Base::Query::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"_\n\x0bPageRequest\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x0e\n\x06offset\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x13\n\x0b\x63ount_total\x18\x04 \x01(\x08\x12\x0f\n\x07reverse\x18\x05 \x01(\x08\"/\n\x0cPageResponse\x12\x10\n\x08next_key\x18\x01 \x01(\x0c\x12\r\n\x05total\x18\x02 \x01(\x04\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.query.v1beta1.pagination_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.base.query.v1beta1B\017PaginationProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CBQ\252\002\031Cosmos.Base.Query.V1beta1\312\002\031Cosmos\\Base\\Query\\V1beta1\342\002%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\352\002\034Cosmos::Base::Query::V1beta1' - _globals['_PAGEREQUEST']._serialized_start=74 - _globals['_PAGEREQUEST']._serialized_end=210 - _globals['_PAGERESPONSE']._serialized_start=212 - _globals['_PAGERESPONSE']._serialized_end=275 + _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' + _globals['_PAGEREQUEST']._serialized_start=73 + _globals['_PAGEREQUEST']._serialized_end=168 + _globals['_PAGERESPONSE']._serialized_start=170 + _globals['_PAGERESPONSE']._serialized_end=217 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index 2daafffe..eb30a3d4 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index 6561ecd3..caffc681 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v1beta1/reflection.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/reflection/v1beta1/reflection.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"D\n\x19ListAllInterfacesResponse\x12\'\n\x0finterface_names\x18\x01 \x03(\tR\x0einterfaceNames\"C\n\x1aListImplementationsRequest\x12%\n\x0einterface_name\x18\x01 \x01(\tR\rinterfaceName\"_\n\x1bListImplementationsResponse\x12@\n\x1cimplementation_message_names\x18\x01 \x03(\tR\x1aimplementationMessageNames2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB\x85\x02\n\"com.cosmos.base.reflection.v1beta1B\x0fReflectionProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\xa2\x02\x03\x43\x42R\xaa\x02\x1e\x43osmos.Base.Reflection.V1beta1\xca\x02\x1e\x43osmos\\Base\\Reflection\\V1beta1\xe2\x02*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Reflection::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"4\n\x19ListAllInterfacesResponse\x12\x17\n\x0finterface_names\x18\x01 \x03(\t\"4\n\x1aListImplementationsRequest\x12\x16\n\x0einterface_name\x18\x01 \x01(\t\"C\n\x1bListImplementationsResponse\x12$\n\x1cimplementation_message_names\x18\x01 \x03(\t2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB5Z3github.com/cosmos/cosmos-sdk/client/grpc/reflectionb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v1beta1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.reflection.v1beta1B\017ReflectionProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\242\002\003CBR\252\002\036Cosmos.Base.Reflection.V1beta1\312\002\036Cosmos\\Base\\Reflection\\V1beta1\342\002*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Reflection::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection' _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/reflection/v1beta1/interfaces' _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._loaded_options = None @@ -40,11 +30,11 @@ _globals['_LISTALLINTERFACESREQUEST']._serialized_start=113 _globals['_LISTALLINTERFACESREQUEST']._serialized_end=139 _globals['_LISTALLINTERFACESRESPONSE']._serialized_start=141 - _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=209 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=211 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=278 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=280 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=375 - _globals['_REFLECTIONSERVICE']._serialized_start=378 - _globals['_REFLECTIONSERVICE']._serialized_end=818 + _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=193 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=195 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=247 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=249 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=316 + _globals['_REFLECTIONSERVICE']._serialized_start=319 + _globals['_REFLECTIONSERVICE']._serialized_end=759 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 9a956494..640012be 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for interface reflection. diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index de74b429..6b07e5de 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v2alpha1/reflection.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/reflection/v2alpha1/reflection.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0cosmos/base/reflection/v2alpha1/reflection.proto\x12\x1f\x63osmos.base.reflection.v2alpha1\x1a\x1cgoogle/api/annotations.proto\"\xe7\x03\n\rAppDescriptor\x12\x46\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptorR\x05\x61uthn\x12\x46\n\x05\x63hain\x18\x02 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptorR\x05\x63hain\x12\x46\n\x05\x63odec\x18\x03 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptorR\x05\x63odec\x12^\n\rconfiguration\x18\x04 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptorR\rconfiguration\x12_\n\x0equery_services\x18\x05 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptorR\rqueryServices\x12=\n\x02tx\x18\x06 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptorR\x02tx\"n\n\x0cTxDescriptor\x12\x1a\n\x08\x66ullname\x18\x01 \x01(\tR\x08\x66ullname\x12\x42\n\x04msgs\x18\x02 \x03(\x0b\x32..cosmos.base.reflection.v2alpha1.MsgDescriptorR\x04msgs\"h\n\x0f\x41uthnDescriptor\x12U\n\nsign_modes\x18\x01 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.SigningModeDescriptorR\tsignModes\"\x91\x01\n\x15SigningModeDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06number\x18\x02 \x01(\x05R\x06number\x12L\n#authn_info_provider_method_fullname\x18\x03 \x01(\tR\x1f\x61uthnInfoProviderMethodFullname\"!\n\x0f\x43hainDescriptor\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\"g\n\x0f\x43odecDescriptor\x12T\n\ninterfaces\x18\x01 \x03(\x0b\x32\x34.cosmos.base.reflection.v2alpha1.InterfaceDescriptorR\ninterfaces\"\xb2\x02\n\x13InterfaceDescriptor\x12\x1a\n\x08\x66ullname\x18\x01 \x01(\tR\x08\x66ullname\x12\x86\x01\n\x1cinterface_accepting_messages\x18\x02 \x03(\x0b\x32\x44.cosmos.base.reflection.v2alpha1.InterfaceAcceptingMessageDescriptorR\x1ainterfaceAcceptingMessages\x12v\n\x16interface_implementers\x18\x03 \x03(\x0b\x32?.cosmos.base.reflection.v2alpha1.InterfaceImplementerDescriptorR\x15interfaceImplementers\"W\n\x1eInterfaceImplementerDescriptor\x12\x1a\n\x08\x66ullname\x18\x01 \x01(\tR\x08\x66ullname\x12\x19\n\x08type_url\x18\x02 \x01(\tR\x07typeUrl\"w\n#InterfaceAcceptingMessageDescriptor\x12\x1a\n\x08\x66ullname\x18\x01 \x01(\tR\x08\x66ullname\x12\x34\n\x16\x66ield_descriptor_names\x18\x02 \x03(\tR\x14\x66ieldDescriptorNames\"\\\n\x17\x43onfigurationDescriptor\x12\x41\n\x1d\x62\x65\x63h32_account_address_prefix\x18\x01 \x01(\tR\x1a\x62\x65\x63h32AccountAddressPrefix\"1\n\rMsgDescriptor\x12 \n\x0cmsg_type_url\x18\x01 \x01(\tR\nmsgTypeUrl\"\x1b\n\x19GetAuthnDescriptorRequest\"d\n\x1aGetAuthnDescriptorResponse\x12\x46\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptorR\x05\x61uthn\"\x1b\n\x19GetChainDescriptorRequest\"d\n\x1aGetChainDescriptorResponse\x12\x46\n\x05\x63hain\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptorR\x05\x63hain\"\x1b\n\x19GetCodecDescriptorRequest\"d\n\x1aGetCodecDescriptorResponse\x12\x46\n\x05\x63odec\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptorR\x05\x63odec\"#\n!GetConfigurationDescriptorRequest\"v\n\"GetConfigurationDescriptorResponse\x12P\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptorR\x06\x63onfig\"#\n!GetQueryServicesDescriptorRequest\"x\n\"GetQueryServicesDescriptorResponse\x12R\n\x07queries\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptorR\x07queries\"\x18\n\x16GetTxDescriptorRequest\"X\n\x17GetTxDescriptorResponse\x12=\n\x02tx\x18\x01 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptorR\x02tx\"y\n\x17QueryServicesDescriptor\x12^\n\x0equery_services\x18\x01 \x03(\x0b\x32\x37.cosmos.base.reflection.v2alpha1.QueryServiceDescriptorR\rqueryServices\"\xa3\x01\n\x16QueryServiceDescriptor\x12\x1a\n\x08\x66ullname\x18\x01 \x01(\tR\x08\x66ullname\x12\x1b\n\tis_module\x18\x02 \x01(\x08R\x08isModule\x12P\n\x07methods\x18\x03 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.QueryMethodDescriptorR\x07methods\"S\n\x15QueryMethodDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12&\n\x0f\x66ull_query_path\x18\x02 \x01(\tR\rfullQueryPath2\xa7\n\n\x11ReflectionService\x12\xcb\x01\n\x12GetAuthnDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/authn\x12\xcb\x01\n\x12GetChainDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetChainDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetChainDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/chain\x12\xcb\x01\n\x12GetCodecDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetCodecDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetCodecDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/codec\x12\xeb\x01\n\x1aGetConfigurationDescriptor\x12\x42.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorRequest\x1a\x43.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12\n\x15QueryMethodDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x17\n\x0f\x66ull_query_path\x18\x02 \x01(\t2\xa7\n\n\x11ReflectionService\x12\xcb\x01\n\x12GetAuthnDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/authn\x12\xcb\x01\n\x12GetChainDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetChainDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetChainDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/chain\x12\xcb\x01\n\x12GetCodecDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetCodecDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetCodecDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/codec\x12\xeb\x01\n\x1aGetConfigurationDescriptor\x12\x42.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorRequest\x1a\x43.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12Z\022={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """ReflectionService defines a service for application reflection. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py index 765377c1..a3387612 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2.py @@ -1,47 +1,37 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/tendermint/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/tendermint/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.base.tendermint.v1beta1 import types_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x1eGetValidatorSetByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd8\x01\n\x1fGetValidatorSetByHeightResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"f\n\x1cGetLatestValidatorSetRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd6\x01\n\x1dGetLatestValidatorSetResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n\tValidator\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"1\n\x17GetBlockByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\xc3\x01\n\x18GetBlockByHeightResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x17\n\x15GetLatestBlockRequest\"\xc1\x01\n\x16GetLatestBlockResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x13\n\x11GetSyncingRequest\".\n\x12GetSyncingResponse\x12\x18\n\x07syncing\x18\x01 \x01(\x08R\x07syncing\"\x14\n\x12GetNodeInfoRequest\"\xc0\x01\n\x13GetNodeInfoResponse\x12K\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfoR\x0f\x64\x65\x66\x61ultNodeInfo\x12\\\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfoR\x12\x61pplicationVersion\"\xa8\x02\n\x0bVersionInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x19\n\x08\x61pp_name\x18\x02 \x01(\tR\x07\x61ppName\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x1d\n\ngit_commit\x18\x04 \x01(\tR\tgitCommit\x12\x1d\n\nbuild_tags\x18\x05 \x01(\tR\tbuildTags\x12\x1d\n\ngo_version\x18\x06 \x01(\tR\tgoVersion\x12\x45\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.ModuleR\tbuildDeps\x12,\n\x12\x63osmos_sdk_version\x18\x08 \x01(\tR\x10\x63osmosSdkVersion\"H\n\x06Module\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x10\n\x03sum\x18\x03 \x01(\tR\x03sum\"h\n\x10\x41\x42\x43IQueryRequest\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"\x8e\x02\n\x11\x41\x42\x43IQueryResponse\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x45\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespaceJ\x04\x08\x02\x10\x03\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"P\n\x08ProofOps\x12\x44\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03ops2\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"l\n\x1eGetValidatorSetByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb3\x01\n\x1fGetValidatorSetByHeightResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x1cGetLatestValidatorSetRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xb1\x01\n\x1dGetLatestValidatorSetResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12=\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.Validator\x12;\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8e\x01\n\tValidator\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\")\n\x17GetBlockByHeightRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\xa9\x01\n\x18GetBlockByHeightResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x17\n\x15GetLatestBlockRequest\"\xa7\x01\n\x16GetLatestBlockResponse\x12+\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x38\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.Block\"\x13\n\x11GetSyncingRequest\"%\n\x12GetSyncingResponse\x12\x0f\n\x07syncing\x18\x01 \x01(\x08\"\x14\n\x12GetNodeInfoRequest\"\x9b\x01\n\x13GetNodeInfoResponse\x12:\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfo\x12H\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfo\"\xd2\x01\n\x0bVersionInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08\x61pp_name\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12\x12\n\ngit_commit\x18\x04 \x01(\t\x12\x12\n\nbuild_tags\x18\x05 \x01(\t\x12\x12\n\ngo_version\x18\x06 \x01(\t\x12:\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.Module\x12\x1a\n\x12\x63osmos_sdk_version\x18\x08 \x01(\t\"4\n\x06Module\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x0b\n\x03sum\x18\x03 \x01(\t\"M\n\x10\x41\x42\x43IQueryRequest\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"\xcd\x01\n\x11\x41\x42\x43IQueryResponse\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12;\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\tJ\x04\x08\x02\x10\x03\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"K\n\x08ProofOps\x12?\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None @@ -60,44 +50,44 @@ _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/base/tendermint/v1beta1/validatorsets/{height}' _globals['_SERVICE'].methods_by_name['ABCIQuery']._loaded_options = None _globals['_SERVICE'].methods_by_name['ABCIQuery']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/tendermint/v1beta1/abci_query' - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=380 - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=508 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=511 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=727 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=729 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=831 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=834 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=1048 - _globals['_VALIDATOR']._serialized_start=1051 - _globals['_VALIDATOR']._serialized_end=1241 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1243 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1292 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1295 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1490 - _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1492 - _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1515 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1518 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1711 - _globals['_GETSYNCINGREQUEST']._serialized_start=1713 - _globals['_GETSYNCINGREQUEST']._serialized_end=1732 - _globals['_GETSYNCINGRESPONSE']._serialized_start=1734 - _globals['_GETSYNCINGRESPONSE']._serialized_end=1780 - _globals['_GETNODEINFOREQUEST']._serialized_start=1782 - _globals['_GETNODEINFOREQUEST']._serialized_end=1802 - _globals['_GETNODEINFORESPONSE']._serialized_start=1805 - _globals['_GETNODEINFORESPONSE']._serialized_end=1997 - _globals['_VERSIONINFO']._serialized_start=2000 - _globals['_VERSIONINFO']._serialized_end=2296 - _globals['_MODULE']._serialized_start=2298 - _globals['_MODULE']._serialized_end=2370 - _globals['_ABCIQUERYREQUEST']._serialized_start=2372 - _globals['_ABCIQUERYREQUEST']._serialized_end=2476 - _globals['_ABCIQUERYRESPONSE']._serialized_start=2479 - _globals['_ABCIQUERYRESPONSE']._serialized_end=2749 - _globals['_PROOFOP']._serialized_start=2751 - _globals['_PROOFOP']._serialized_end=2818 - _globals['_PROOFOPS']._serialized_start=2820 - _globals['_PROOFOPS']._serialized_end=2900 - _globals['_SERVICE']._serialized_start=2903 - _globals['_SERVICE']._serialized_end=4230 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=379 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=487 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=490 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=669 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=671 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=761 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=764 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=941 + _globals['_VALIDATOR']._serialized_start=944 + _globals['_VALIDATOR']._serialized_end=1086 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1088 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1129 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1132 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1301 + _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1303 + _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1326 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1329 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1496 + _globals['_GETSYNCINGREQUEST']._serialized_start=1498 + _globals['_GETSYNCINGREQUEST']._serialized_end=1517 + _globals['_GETSYNCINGRESPONSE']._serialized_start=1519 + _globals['_GETSYNCINGRESPONSE']._serialized_end=1556 + _globals['_GETNODEINFOREQUEST']._serialized_start=1558 + _globals['_GETNODEINFOREQUEST']._serialized_end=1578 + _globals['_GETNODEINFORESPONSE']._serialized_start=1581 + _globals['_GETNODEINFORESPONSE']._serialized_end=1736 + _globals['_VERSIONINFO']._serialized_start=1739 + _globals['_VERSIONINFO']._serialized_end=1949 + _globals['_MODULE']._serialized_start=1951 + _globals['_MODULE']._serialized_end=2003 + _globals['_ABCIQUERYREQUEST']._serialized_start=2005 + _globals['_ABCIQUERYREQUEST']._serialized_end=2082 + _globals['_ABCIQUERYRESPONSE']._serialized_start=2085 + _globals['_ABCIQUERYRESPONSE']._serialized_end=2290 + _globals['_PROOFOP']._serialized_start=2292 + _globals['_PROOFOP']._serialized_end=2342 + _globals['_PROOFOPS']._serialized_start=2344 + _globals['_PROOFOPS']._serialized_end=2419 + _globals['_SERVICE']._serialized_start=2422 + _globals['_SERVICE']._serialized_end=3749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 30707ac1..286a4655 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines the gRPC querier service for tendermint queries. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index b548ca73..d4101985 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/tendermint/v1beta1/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/tendermint/v1beta1/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x05\x42lock\x12I\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x35\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04\x64\x61ta\x12\x45\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommit\"\xf5\x04\n\x06Header\x12\x42\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12=\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12H\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\tR\x0fproposerAddressB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -53,7 +43,7 @@ _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK']._serialized_start=248 - _globals['_BLOCK']._serialized_end=515 - _globals['_HEADER']._serialized_start=518 - _globals['_HEADER']._serialized_end=1147 + _globals['_BLOCK']._serialized_end=479 + _globals['_HEADER']._serialized_start=482 + _globals['_HEADER']._serialized_end=932 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 2daafffe..033369f2 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index ccd5f885..a1a647a8 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/v1beta1/coin.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/base/v1beta1/coin.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"l\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12H\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x06\x61mount:\x04\xe8\xa0\x1f\x01\"p\n\x07\x44\x65\x63\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06\x61mount:\x04\xe8\xa0\x1f\x01\"I\n\x08IntProto\x12=\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03int\"O\n\x08\x44\x65\x63Proto\x12\x43\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x03\x64\x65\x63\x42\xbe\x01\n\x17\x63om.cosmos.base.v1beta1B\tCoinProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Base.V1beta1\xca\x02\x13\x43osmos\\Base\\V1beta1\xe2\x02\x1f\x43osmos\\Base\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Base::V1beta1\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.v1beta1.coin_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.base.v1beta1B\tCoinProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBX\252\002\023Cosmos.Base.V1beta1\312\002\023Cosmos\\Base\\V1beta1\342\002\037Cosmos\\Base\\V1beta1\\GPBMetadata\352\002\025Cosmos::Base::V1beta1\330\341\036\000\200\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' _globals['_COIN'].fields_by_name['amount']._loaded_options = None _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_COIN']._loaded_options = None @@ -48,11 +38,11 @@ _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=231 - _globals['_DECCOIN']._serialized_start=233 - _globals['_DECCOIN']._serialized_end=345 - _globals['_INTPROTO']._serialized_start=347 - _globals['_INTPROTO']._serialized_end=420 - _globals['_DECPROTO']._serialized_start=422 - _globals['_DECPROTO']._serialized_end=501 + _globals['_COIN']._serialized_end=216 + _globals['_DECCOIN']._serialized_start=218 + _globals['_DECCOIN']._serialized_end=315 + _globals['_INTPROTO']._serialized_start=317 + _globals['_INTPROTO']._serialized_end=385 + _globals['_DECPROTO']._serialized_start=387 + _globals['_DECPROTO']._serialized_end=461 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 2daafffe..1de6a63b 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py index 9baafd7c..2f7dd65e 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/circuit/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitB\xae\x01\n\x1c\x63om.cosmos.circuit.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x18\x43osmos.Circuit.Module.V1\xca\x02\x18\x43osmos\\Circuit\\Module\\V1\xe2\x02$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Circuit::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.circuit.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\030Cosmos.Circuit.Module.V1\312\002\030Cosmos\\Circuit\\Module\\V1\342\002$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Circuit::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/circuit' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=171 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py index 2daafffe..8e7b1ab5 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py index dc14d131..0a9ec565 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/circuit/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"/\n\x13QueryAccountRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x0f\x41\x63\x63ountResponse\x12>\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\npermission\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa5\x01\n\x10\x41\x63\x63ountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x1a\n\x18QueryDisabledListRequest\";\n\x14\x44isabledListResponse\x12#\n\rdisabled_list\x18\x01 \x03(\tR\x0c\x64isabledList2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"&\n\x13QueryAccountRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"E\n\x0f\x41\x63\x63ountResponse\x12\x32\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x10\x41\x63\x63ountsResponse\x12>\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1a\n\x18QueryDisabledListRequest\"-\n\x14\x44isabledListResponse\x12\x15\n\rdisabled_list\x18\x01 \x03(\t2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nQueryProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' _globals['_QUERY'].methods_by_name['Account']._loaded_options = None _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\'\022%/cosmos/circuit/v1/accounts/{address}' _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None @@ -43,17 +33,17 @@ _globals['_QUERY'].methods_by_name['DisabledList']._loaded_options = None _globals['_QUERY'].methods_by_name['DisabledList']._serialized_options = b'\210\347\260*\001\202\323\344\223\002!\022\037/cosmos/circuit/v1/disable_list' _globals['_QUERYACCOUNTREQUEST']._serialized_start=186 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=233 - _globals['_ACCOUNTRESPONSE']._serialized_start=235 - _globals['_ACCOUNTRESPONSE']._serialized_end=316 - _globals['_QUERYACCOUNTSREQUEST']._serialized_start=318 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=412 - _globals['_ACCOUNTSRESPONSE']._serialized_start=415 - _globals['_ACCOUNTSRESPONSE']._serialized_end=580 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=582 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=608 - _globals['_DISABLEDLISTRESPONSE']._serialized_start=610 - _globals['_DISABLEDLISTRESPONSE']._serialized_end=669 - _globals['_QUERY']._serialized_start=672 - _globals['_QUERY']._serialized_end=1101 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=224 + _globals['_ACCOUNTRESPONSE']._serialized_start=226 + _globals['_ACCOUNTRESPONSE']._serialized_end=295 + _globals['_QUERYACCOUNTSREQUEST']._serialized_start=297 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=379 + _globals['_ACCOUNTSRESPONSE']._serialized_start=382 + _globals['_ACCOUNTSRESPONSE']._serialized_end=525 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=527 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=553 + _globals['_DISABLEDLISTRESPONSE']._serialized_start=555 + _globals['_DISABLEDLISTRESPONSE']._serialized_end=600 + _globals['_QUERY']._serialized_start=603 + _globals['_QUERY']._serialized_end=1032 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py index 677ccf27..178ccae2 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 +import warnings + +from cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class QueryStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py index d7a146b3..42023b0a 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/circuit/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\xa0\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\x12@\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions:\x0c\x82\xe7\xb0*\x07granter\">\n\"MsgAuthorizeCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"i\n\x15MsgTripCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x02 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\"9\n\x1dMsgTripCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"j\n\x16MsgResetCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x03 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\":\n\x1eMsgResetCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa4\x01\n\x15\x63om.cosmos.circuit.v1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\x81\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\x12\x33\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions:\x0c\x82\xe7\xb0*\x07granter\"5\n\"MsgAuthorizeCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"Q\n\x15MsgTripCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x02 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"0\n\x1dMsgTripCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"R\n\x16MsgResetCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x03 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"1\n\x1eMsgResetCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\007TxProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' _globals['_MSGAUTHORIZECIRCUITBREAKER']._loaded_options = None _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_options = b'\202\347\260*\007granter' _globals['_MSGTRIPCIRCUITBREAKER']._loaded_options = None @@ -43,17 +33,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_start=106 - _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=266 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=268 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=330 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=332 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=437 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=439 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=496 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=498 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=604 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=606 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=664 - _globals['_MSG']._serialized_start=667 - _globals['_MSG']._serialized_end=1039 + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=235 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=237 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=290 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=292 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=373 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=375 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=423 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=425 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=507 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=509 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=558 + _globals['_MSG']._serialized_start=561 + _globals['_MSG']._serialized_end=933 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py index ab4dcc13..43c4099c 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 +import warnings + +from cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class MsgStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py index 49649103..babef447 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/circuit/v1/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,20 +14,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xd6\x01\n\x0bPermissions\x12:\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.LevelR\x05level\x12&\n\x0flimit_type_urls\x18\x02 \x03(\tR\rlimitTypeUrls\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"w\n\x19GenesisAccountPermissions\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions\"\x9b\x01\n\x0cGenesisState\x12]\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x12\x61\x63\x63ountPermissions\x12,\n\x12\x64isabled_type_urls\x18\x02 \x03(\tR\x10\x64isabledTypeUrlsB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nTypesProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xc0\x01\n\x0bPermissions\x12\x33\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.Level\x12\x17\n\x0flimit_type_urls\x18\x02 \x03(\t\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"a\n\x19GenesisAccountPermissions\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x33\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"u\n\x0cGenesisState\x12I\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12\x1a\n\x12\x64isabled_type_urls\x18\x02 \x03(\tB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nTypesProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' _globals['_PERMISSIONS']._serialized_start=53 - _globals['_PERMISSIONS']._serialized_end=267 - _globals['_PERMISSIONS_LEVEL']._serialized_start=168 - _globals['_PERMISSIONS_LEVEL']._serialized_end=267 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=269 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=388 - _globals['_GENESISSTATE']._serialized_start=391 - _globals['_GENESISSTATE']._serialized_end=546 + _globals['_PERMISSIONS']._serialized_end=245 + _globals['_PERMISSIONS_LEVEL']._serialized_start=146 + _globals['_PERMISSIONS_LEVEL']._serialized_end=245 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=247 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=344 + _globals['_GENESISSTATE']._serialized_start=346 + _globals['_GENESISSTATE']._serialized_end=463 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py index 2daafffe..b59ca76f 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/circuit/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index ff0a26c0..59e5a13f 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/consensus/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"X\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusB\xb8\x01\n\x1e\x63om.cosmos.consensus.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x1a\x43osmos.Consensus.Module.V1\xca\x02\x1a\x43osmos\\Consensus\\Module\\V1\xe2\x02&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\xea\x02\x1d\x43osmos::Consensus::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"M\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.consensus.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\032Cosmos.Consensus.Module.V1\312\002\032Cosmos\\Consensus\\Module\\V1\342\002&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\352\002\035Cosmos::Consensus::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001*\n(github.com/cosmos/cosmos-sdk/x/consensus' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=193 + _globals['_MODULE']._serialized_end=182 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 2daafffe..93428b40 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index f02228b1..a7d1e0c0 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/consensus/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x06params2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB\xc3\x01\n\x17\x63om.cosmos.consensus.v1B\nQueryProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\nQueryProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/consensus/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=117 _globals['_QUERYPARAMSREQUEST']._serialized_end=137 _globals['_QUERYPARAMSRESPONSE']._serialized_start=139 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=219 - _globals['_QUERY']._serialized_start=222 - _globals['_QUERY']._serialized_end=360 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=211 + _globals['_QUERY']._serialized_start=214 + _globals['_QUERY']._serialized_end=352 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index b1a719b2..050636c6 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index e7a4b451..a1d1452c 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/consensus/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xea\x02\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x33\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc0\x01\n\x17\x63om.cosmos.consensus.v1B\x07TxProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\007TxProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -43,9 +33,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=156 - _globals['_MSGUPDATEPARAMS']._serialized_end=518 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=520 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=545 - _globals['_MSG']._serialized_start=547 - _globals['_MSG']._serialized_end=659 + _globals['_MSGUPDATEPARAMS']._serialized_end=473 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 + _globals['_MSG']._serialized_start=502 + _globals['_MSG']._serialized_end=614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index da512ed6..03417a09 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the consensus Msg service. diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index 0bb8e588..969636d7 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crisis/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x83\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisB\xa9\x01\n\x1b\x63om.cosmos.crisis.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x17\x43osmos.Crisis.Module.V1\xca\x02\x17\x43osmos\\Crisis\\Module\\V1\xe2\x02#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Crisis::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"f\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crisis.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\027Cosmos.Crisis.Module.V1\312\002\027Cosmos\\Crisis\\Module\\V1\342\002#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Crisis::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/crisis' - _globals['_MODULE']._serialized_start=100 - _globals['_MODULE']._serialized_end=231 + _globals['_MODULE']._serialized_start=99 + _globals['_MODULE']._serialized_end=201 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 2daafffe..781018ac 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 86e8cc40..17999c69 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crisis/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFeeB\xcc\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"J\n\x0cGenesisState\x12:\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' _globals['_GENESISSTATE'].fields_by_name['constant_fee']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=222 + _globals['_GENESISSTATE']._serialized_end=209 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index 2daafffe..b8a4124f 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index 945df17b..07b352a9 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crisis/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xda\x01\n\x12MsgVerifyInvariant\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x32\n\x15invariant_module_name\x18\x02 \x01(\tR\x13invariantModuleName\x12\'\n\x0finvariant_route\x18\x03 \x01(\tR\x0einvariantRoute:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xca\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12G\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFee:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xad\x01\n\x12MsgVerifyInvariant\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1d\n\x15invariant_module_name\x18\x02 \x01(\t\x12\x17\n\x0finvariant_route\x18\x03 \x01(\t:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._loaded_options = None _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGVERIFYINVARIANT']._loaded_options = None @@ -50,13 +40,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGVERIFYINVARIANT']._serialized_start=183 - _globals['_MSGVERIFYINVARIANT']._serialized_end=401 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=403 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=431 - _globals['_MSGUPDATEPARAMS']._serialized_start=434 - _globals['_MSGUPDATEPARAMS']._serialized_end=636 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=638 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=663 - _globals['_MSG']._serialized_start=666 - _globals['_MSG']._serialized_end=895 + _globals['_MSGVERIFYINVARIANT']._serialized_end=356 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=358 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=386 + _globals['_MSGUPDATEPARAMS']._serialized_start=389 + _globals['_MSGUPDATEPARAMS']._serialized_end=567 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=569 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=594 + _globals['_MSG']._serialized_start=597 + _globals['_MSG']._serialized_end=826 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index 1d15bace..dcee8866 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index 7e0c1e81..f249dd29 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/ed25519/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/ed25519/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"i\n\x06PubKey\x12.\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKeyR\x03key:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"h\n\x07PrivKey\x12/\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKeyR\x03key:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB\xce\x01\n\x19\x63om.cosmos.crypto.ed25519B\tKeysProtoP\x01Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\xa2\x02\x03\x43\x43\x45\xaa\x02\x15\x43osmos.Crypto.Ed25519\xca\x02\x15\x43osmos\\Crypto\\Ed25519\xe2\x02!Cosmos\\Crypto\\Ed25519\\GPBMetadata\xea\x02\x17\x43osmos::Crypto::Ed25519b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"d\n\x06PubKey\x12)\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKey:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"c\n\x07PrivKey\x12*\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKey:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB2Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.ed25519.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crypto.ed25519B\tKeysProtoP\001Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\242\002\003CCE\252\002\025Cosmos.Crypto.Ed25519\312\002\025Cosmos\\Crypto\\Ed25519\342\002!Cosmos\\Crypto\\Ed25519\\GPBMetadata\352\002\027Cosmos::Crypto::Ed25519' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\030crypto/ed25519.PublicKey' _globals['_PUBKEY']._loaded_options = None @@ -43,7 +33,7 @@ _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\031tendermint/PrivKeyEd25519\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=100 - _globals['_PUBKEY']._serialized_end=205 - _globals['_PRIVKEY']._serialized_start=207 - _globals['_PRIVKEY']._serialized_end=311 + _globals['_PUBKEY']._serialized_end=200 + _globals['_PRIVKEY']._serialized_start=202 + _globals['_PRIVKEY']._serialized_end=301 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index 2daafffe..ed86dc9b 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 57b80472..688dfe8c 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/hd/v1/hd.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/hd/v1/hd.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\xc0\x01\n\x0b\x42IP44Params\x12\x18\n\x07purpose\x18\x01 \x01(\rR\x07purpose\x12\x1b\n\tcoin_type\x18\x02 \x01(\rR\x08\x63oinType\x12\x18\n\x07\x61\x63\x63ount\x18\x03 \x01(\rR\x07\x61\x63\x63ount\x12\x16\n\x06\x63hange\x18\x04 \x01(\x08R\x06\x63hange\x12#\n\raddress_index\x18\x05 \x01(\rR\x0c\x61\x64\x64ressIndex:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB\xbd\x01\n\x17\x63om.cosmos.crypto.hd.v1B\x07HdProtoP\x01Z&github.com/cosmos/cosmos-sdk/crypto/hd\xa2\x02\x03\x43\x43H\xaa\x02\x13\x43osmos.Crypto.Hd.V1\xca\x02\x13\x43osmos\\Crypto\\Hd\\V1\xe2\x02\x1f\x43osmos\\Crypto\\Hd\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Crypto::Hd::V1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\x8e\x01\n\x0b\x42IP44Params\x12\x0f\n\x07purpose\x18\x01 \x01(\r\x12\x11\n\tcoin_type\x18\x02 \x01(\r\x12\x0f\n\x07\x61\x63\x63ount\x18\x03 \x01(\r\x12\x0e\n\x06\x63hange\x18\x04 \x01(\x08\x12\x15\n\raddress_index\x18\x05 \x01(\r:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB,Z&github.com/cosmos/cosmos-sdk/crypto/hd\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.hd.v1.hd_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.crypto.hd.v1B\007HdProtoP\001Z&github.com/cosmos/cosmos-sdk/crypto/hd\242\002\003CCH\252\002\023Cosmos.Crypto.Hd.V1\312\002\023Cosmos\\Crypto\\Hd\\V1\342\002\037Cosmos\\Crypto\\Hd\\V1\\GPBMetadata\352\002\026Cosmos::Crypto::Hd::V1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/cosmos/cosmos-sdk/crypto/hd\310\341\036\000' _globals['_BIP44PARAMS']._loaded_options = None _globals['_BIP44PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\032crypto/keys/hd/BIP44Params' _globals['_BIP44PARAMS']._serialized_start=95 - _globals['_BIP44PARAMS']._serialized_end=287 + _globals['_BIP44PARAMS']._serialized_end=237 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 2daafffe..03c80dec 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index c1b8a4a2..babc9619 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -1,48 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/keyring/v1/record.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/keyring/v1/record.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 +from cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xea\x03\n\x06Record\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12>\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00R\x05local\x12\x41\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00R\x06ledger\x12>\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00R\x05multi\x12\x44\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00R\x07offline\x1a\x38\n\x05Local\x12/\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07privKey\x1a>\n\x06Ledger\x12\x34\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44ParamsR\x04path\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB\xe3\x01\n\x1c\x63om.cosmos.crypto.keyring.v1B\x0bRecordProtoP\x01Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xa2\x02\x03\x43\x43K\xaa\x02\x18\x43osmos.Crypto.Keyring.V1\xca\x02\x18\x43osmos\\Crypto\\Keyring\\V1\xe2\x02$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Crypto::Keyring::V1\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xae\x03\n\x06Record\x12\x0c\n\x04name\x18\x01 \x01(\t\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x37\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00\x12\x39\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00\x12\x37\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00\x12;\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00\x1a/\n\x05Local\x12&\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x1a\x38\n\x06Ledger\x12.\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44Params\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB5Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.keyring.v1.record_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.crypto.keyring.v1B\013RecordProtoP\001Z+github.com/cosmos/cosmos-sdk/crypto/keyring\242\002\003CCK\252\002\030Cosmos.Crypto.Keyring.V1\312\002\030Cosmos\\Crypto\\Keyring\\V1\342\002$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\352\002\033Cosmos::Crypto::Keyring::V1\310\341\036\000\230\343\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/crypto/keyring\310\341\036\000\230\343\036\000' _globals['_RECORD']._serialized_start=147 - _globals['_RECORD']._serialized_end=637 - _globals['_RECORD_LOCAL']._serialized_start=489 - _globals['_RECORD_LOCAL']._serialized_end=545 - _globals['_RECORD_LEDGER']._serialized_start=547 - _globals['_RECORD_LEDGER']._serialized_end=609 - _globals['_RECORD_MULTI']._serialized_start=611 - _globals['_RECORD_MULTI']._serialized_end=618 - _globals['_RECORD_OFFLINE']._serialized_start=620 - _globals['_RECORD_OFFLINE']._serialized_end=629 + _globals['_RECORD']._serialized_end=577 + _globals['_RECORD_LOCAL']._serialized_start=444 + _globals['_RECORD_LOCAL']._serialized_end=491 + _globals['_RECORD_LEDGER']._serialized_start=493 + _globals['_RECORD_LEDGER']._serialized_end=549 + _globals['_RECORD_MULTI']._serialized_start=551 + _globals['_RECORD_MULTI']._serialized_end=558 + _globals['_RECORD_OFFLINE']._serialized_start=560 + _globals['_RECORD_OFFLINE']._serialized_end=569 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 2daafffe..8f877d97 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index 3d93637a..2ca3b5ec 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/multisig/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xc3\x01\n\x11LegacyAminoPubKey\x12\x1c\n\tthreshold\x18\x01 \x01(\rR\tthreshold\x12N\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeysR\npublicKeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB\xd4\x01\n\x1a\x63om.cosmos.crypto.multisigB\tKeysProtoP\x01Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\xa2\x02\x03\x43\x43M\xaa\x02\x16\x43osmos.Crypto.Multisig\xca\x02\x16\x43osmos\\Crypto\\Multisig\xe2\x02\"Cosmos\\Crypto\\Multisig\\GPBMetadata\xea\x02\x18\x43osmos::Crypto::Multisigb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n\x11LegacyAminoPubKey\x12\x11\n\tthreshold\x18\x01 \x01(\r\x12\x42\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB3Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisigb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.crypto.multisigB\tKeysProtoP\001Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\242\002\003CCM\252\002\026Cosmos.Crypto.Multisig\312\002\026Cosmos\\Crypto\\Multisig\342\002\"Cosmos\\Crypto\\Multisig\\GPBMetadata\352\002\030Cosmos::Crypto::Multisig' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig' _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._loaded_options = None _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._serialized_options = b'\342\336\037\007PubKeys\242\347\260*\007pubkeys' _globals['_LEGACYAMINOPUBKEY']._loaded_options = None _globals['_LEGACYAMINOPUBKEY']._serialized_options = b'\210\240\037\000\212\347\260*\"tendermint/PubKeyMultisigThreshold\222\347\260*\020threshold_string' _globals['_LEGACYAMINOPUBKEY']._serialized_start=130 - _globals['_LEGACYAMINOPUBKEY']._serialized_end=325 + _globals['_LEGACYAMINOPUBKEY']._serialized_end=302 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 2daafffe..813983af 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index 2963ad03..b72934ef 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/v1beta1/multisig.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/multisig/v1beta1/multisig.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"6\n\x0eMultiSignature\x12\x1e\n\nsignatures\x18\x01 \x03(\x0cR\nsignatures:\x04\xd0\xa1\x1f\x01\"Y\n\x0f\x43ompactBitArray\x12*\n\x11\x65xtra_bits_stored\x18\x01 \x01(\rR\x0f\x65xtraBitsStored\x12\x14\n\x05\x65lems\x18\x02 \x01(\x0cR\x05\x65lems:\x04\x98\xa0\x1f\x00\x42\xf9\x01\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\x01Z)github.com/cosmos/cosmos-sdk/crypto/types\xa2\x02\x03\x43\x43M\xaa\x02\x1e\x43osmos.Crypto.Multisig.V1beta1\xca\x02\x1e\x43osmos\\Crypto\\Multisig\\V1beta1\xe2\x02*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Crypto::Multisig::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"*\n\x0eMultiSignature\x12\x12\n\nsignatures\x18\x01 \x03(\x0c:\x04\xd0\xa1\x1f\x01\"A\n\x0f\x43ompactBitArray\x12\x19\n\x11\x65xtra_bits_stored\x18\x01 \x01(\r\x12\r\n\x05\x65lems\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/crypto/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.v1beta1.multisig_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\001Z)github.com/cosmos/cosmos-sdk/crypto/types\242\002\003CCM\252\002\036Cosmos.Crypto.Multisig.V1beta1\312\002\036Cosmos\\Crypto\\Multisig\\V1beta1\342\002*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\352\002!Cosmos::Crypto::Multisig::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/crypto/types' _globals['_MULTISIGNATURE']._loaded_options = None _globals['_MULTISIGNATURE']._serialized_options = b'\320\241\037\001' _globals['_COMPACTBITARRAY']._loaded_options = None _globals['_COMPACTBITARRAY']._serialized_options = b'\230\240\037\000' _globals['_MULTISIGNATURE']._serialized_start=103 - _globals['_MULTISIGNATURE']._serialized_end=157 - _globals['_COMPACTBITARRAY']._serialized_start=159 - _globals['_COMPACTBITARRAY']._serialized_end=248 + _globals['_MULTISIGNATURE']._serialized_end=145 + _globals['_COMPACTBITARRAY']._serialized_start=147 + _globals['_COMPACTBITARRAY']._serialized_end=212 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index 2daafffe..d96cbfca 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index 06e7d31b..c30bce63 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256k1/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/secp256k1/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"M\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"K\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB\xda\x01\n\x1b\x63om.cosmos.crypto.secp256k1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256k1\xca\x02\x17\x43osmos\\Crypto\\Secp256k1\xe2\x02#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"H\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"F\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB4Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256k1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256k1\312\002\027Cosmos\\Crypto\\Secp256k1\342\002#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256k1' + _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\032tendermint/PubKeySecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\033tendermint/PrivKeySecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=104 - _globals['_PUBKEY']._serialized_end=181 - _globals['_PRIVKEY']._serialized_start=183 - _globals['_PRIVKEY']._serialized_end=258 + _globals['_PUBKEY']._serialized_end=176 + _globals['_PRIVKEY']._serialized_start=178 + _globals['_PRIVKEY']._serialized_end=248 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 2daafffe..5777851f 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index 6cecc3ba..6637cd26 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256r1/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/crypto/secp256r1/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\'\n\x06PubKey\x12\x1d\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPKR\x03key\".\n\x07PrivKey\x12#\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKR\x06secretB\xe6\x01\n\x1b\x63om.cosmos.crypto.secp256r1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256r1\xca\x02\x17\x43osmos\\Crypto\\Secp256r1\xe2\x02#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\"\n\x06PubKey\x12\x18\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPK\"&\n\x07PrivKey\x12\x1b\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKB@Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256r1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256r1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256r1\312\002\027Cosmos\\Crypto\\Secp256r1\342\002#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\332\336\037\007ecdsaPK' _globals['_PRIVKEY'].fields_by_name['secret']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['secret']._serialized_options = b'\332\336\037\007ecdsaSK' _globals['_PUBKEY']._serialized_start=85 - _globals['_PUBKEY']._serialized_end=124 - _globals['_PRIVKEY']._serialized_start=126 - _globals['_PRIVKEY']._serialized_end=172 + _globals['_PUBKEY']._serialized_end=119 + _globals['_PRIVKEY']._serialized_start=121 + _globals['_PRIVKEY']._serialized_end=159 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index 2daafffe..b7d8d50a 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index c02c6ad2..e41ea2eb 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/distribution/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x89\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionB\xc7\x01\n!com.cosmos.distribution.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x44M\xaa\x02\x1d\x43osmos.Distribution.Module.V1\xca\x02\x1d\x43osmos\\Distribution\\Module\\V1\xe2\x02)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\xea\x02 Cosmos::Distribution::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"l\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.cosmos.distribution.module.v1B\013ModuleProtoP\001\242\002\003CDM\252\002\035Cosmos.Distribution.Module.V1\312\002\035Cosmos\\Distribution\\Module\\V1\342\002)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\352\002 Cosmos::Distribution::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/distribution' - _globals['_MODULE']._serialized_start=112 - _globals['_MODULE']._serialized_end=249 + _globals['_MODULE']._serialized_start=111 + _globals['_MODULE']._serialized_end=219 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index 2daafffe..e573012c 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index 9d3d74fe..f1fd9d52 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/distribution.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/distribution/v1beta1/distribution.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9a\x03\n\x06Params\x12[\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0c\x63ommunityTax\x12j\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12\x62\x61seProposerReward\x12l\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13\x62onusProposerReward\x12\x32\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08R\x13withdrawAddrEnabled:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xd6\x01\n\x1aValidatorHistoricalRewards\x12\x8e\x01\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x15\x63umulativeRewardRatio\x12\'\n\x0freference_count\x18\x02 \x01(\rR\x0ereferenceCount\"\xa3\x01\n\x17ValidatorCurrentRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\"\x98\x01\n\x1eValidatorAccumulatedCommission\x12v\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\ncommission\"\x8f\x01\n\x1bValidatorOutstandingRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"\x8f\x01\n\x13ValidatorSlashEvent\x12)\n\x10validator_period\x18\x01 \x01(\x04R\x0fvalidatorPeriod\x12M\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x08\x66raction\"\x89\x01\n\x14ValidatorSlashEvents\x12q\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents\"\x88\x01\n\x07\x46\x65\x65Pool\x12}\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\rcommunityPool\"\x97\x02\n\x1a\x43ommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd4\x01\n\x15\x44\x65legatorStartingInfo\x12\'\n\x0fprevious_period\x18\x01 \x01(\x04R\x0epreviousPeriod\x12L\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x05stake\x12\x44\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01R\x06height\"\xe1\x01\n\x19\x44\x65legationDelegatorReward\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12n\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x06reward:\x04\x88\xa0\x1f\x00\"\xd3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12\x16\n\x06\x61mount\x18\x04 \x01(\tR\x06\x61mount\x12\x18\n\x07\x64\x65posit\x18\x05 \x01(\tR\x07\x64\x65posit:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xf9\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x11\x44istributionProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.distribution_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\021DistributionProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None @@ -75,27 +65,27 @@ _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=590 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=593 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=807 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=810 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=973 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=976 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1128 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1131 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1274 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1277 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1420 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1423 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1560 - _globals['_FEEPOOL']._serialized_start=1563 - _globals['_FEEPOOL']._serialized_end=1699 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1702 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1981 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1984 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=2196 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=2199 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2424 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2427 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2638 + _globals['_PARAMS']._serialized_end=514 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 + _globals['_FEEPOOL']._serialized_start=1357 + _globals['_FEEPOOL']._serialized_end=1478 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index 2daafffe..ed9e15ba 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 844e3704..41ad684f 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/distribution/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x02\n!ValidatorOutstandingRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x87\x01\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x12outstandingRewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xea\x01\n$ValidatorAccumulatedCommissionRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12h\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x61\x63\x63umulated:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x01\n ValidatorHistoricalRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\x12\\\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd4\x01\n\x1dValidatorCurrentRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12Y\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x02\n\x1b\x44\x65legatorStartingInfoRecord\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x62\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cstartingInfo:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x96\x02\n\x19ValidatorSlashEventRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x16\n\x06period\x18\x03 \x01(\x04R\x06period\x12o\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13validatorSlashEvent:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8c\t\n\x0cGenesisState\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x66\x65\x65Pool\x12w\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorWithdrawInfos\x12\x45\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10previousProposer\x12z\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12outstandingRewards\x12\x98\x01\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1fvalidatorAccumulatedCommissions\x12\x8a\x01\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1avalidatorHistoricalRewards\x12\x81\x01\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x17validatorCurrentRewards\x12}\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorStartingInfos\x12w\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xf4\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x0cGenesisProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\014GenesisProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._loaded_options = None @@ -104,19 +94,19 @@ _globals['_GENESISSTATE']._loaded_options = None _globals['_GENESISSTATE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 - _globals['_DELEGATORWITHDRAWINFO']._serialized_end=396 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=399 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=662 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=665 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=899 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=902 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1144 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1147 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1359 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1362 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1652 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1655 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1933 - _globals['_GENESISSTATE']._serialized_start=1936 - _globals['_GENESISSTATE']._serialized_end=3100 + _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 + _globals['_GENESISSTATE']._serialized_start=1664 + _globals['_GENESISSTATE']._serialized_end=2614 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index 2daafffe..ccfd6cca 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index d56a1f10..469f5712 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/distribution/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"]\n\x13QueryParamsResponse\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"w\n%QueryValidatorDistributionInfoRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\xee\x02\n&QueryValidatorDistributionInfoResponse\x12L\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x0foperatorAddress\x12\x82\x01\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x0fselfBondRewards\x12q\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoinsR\ncommission\"y\n\'QueryValidatorOutstandingRewardsRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x89\x01\n(QueryValidatorOutstandingRewardsResponse\x12]\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\"q\n\x1fQueryValidatorCommissionRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x8a\x01\n QueryValidatorCommissionResponse\x12\x66\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\"\x8a\x02\n\x1cQueryValidatorSlashesRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\'\n\x0fstarting_height\x18\x02 \x01(\x04R\x0estartingHeight\x12#\n\rending_height\x18\x03 \x01(\x04R\x0c\x65ndingHeight\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x04\x88\xa0\x1f\x00\"\xbf\x01\n\x1dQueryValidatorSlashesResponse\x12U\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07slashes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xc0\x01\n\x1dQueryDelegationRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x92\x01\n\x1eQueryDelegationRewardsResponse\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"u\n\"QueryDelegationTotalRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n#QueryDelegationTotalRewardsResponse\x12[\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\x12l\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x05total\"r\n\x1fQueryDelegatorValidatorsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n QueryDelegatorValidatorsResponse\x12\x1e\n\nvalidators\x18\x01 \x03(\tR\nvalidators:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"w\n$QueryDelegatorWithdrawAddressRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n%QueryDelegatorWithdrawAddressResponse\x12\x43\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x88\x01\n\x1aQueryCommunityPoolResponse\x12j\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x04pool2\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB\xee\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\nQueryProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\nQueryProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None @@ -118,43 +108,43 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=294 _globals['_QUERYPARAMSREQUEST']._serialized_end=314 _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=409 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=411 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=530 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=533 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=899 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=901 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=1022 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=1025 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1162 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1164 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1277 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1280 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1418 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1421 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1687 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1690 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1881 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1884 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=2076 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=2079 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=2225 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=2227 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2344 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2347 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2587 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2589 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2703 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2705 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2781 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2783 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2902 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2904 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=3022 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=3024 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=3051 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=3054 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=3190 - _globals['_QUERY']._serialized_start=3193 - _globals['_QUERY']._serialized_end=5437 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 + _globals['_QUERY']._serialized_start=2831 + _globals['_QUERY']._serialized_end=5075 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index 583d9bda..a3346d16 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for distribution module. diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index fd76fc3e..dd94e8bc 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/distribution/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xeb\x01\n\x15MsgSetWithdrawAddress\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xfe\x01\n\x1aMsgWithdrawDelegatorReward\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x9f\x01\n\"MsgWithdrawDelegatorRewardResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\xb8\x01\n\x1eMsgWithdrawValidatorCommission\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\xa3\x01\n&MsgWithdrawValidatorCommissionResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x85\x02\n\x14MsgFundCommunityPool\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xcd\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x46\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xa3\x02\n\x15MsgCommunityPoolSpend\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xe5\x02\n\x1eMsgDepositValidatorRewardsPool\x12\x36\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xef\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._loaded_options = None @@ -87,33 +77,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 - _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=478 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=480 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=511 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=514 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=768 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=771 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=930 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=933 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1117 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1120 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1283 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1286 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1547 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1549 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1579 - _globals['_MSGUPDATEPARAMS']._serialized_start=1582 - _globals['_MSGUPDATEPARAMS']._serialized_end=1787 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1789 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1814 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1817 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=2108 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=2110 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=2141 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=2144 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2501 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2503 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2543 - _globals['_MSG']._serialized_start=2546 - _globals['_MSG']._serialized_end=3550 + _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=443 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 + _globals['_MSGUPDATEPARAMS']._serialized_start=1458 + _globals['_MSGUPDATEPARAMS']._serialized_end=1644 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 + _globals['_MSG']._serialized_start=2336 + _globals['_MSG']._serialized_end=3340 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index 57ae313a..ed2046ed 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/distribution/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the distribution Msg service. diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index dce0bbfc..ff70c9fe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/evidence/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceB\xb3\x01\n\x1d\x63om.cosmos.evidence.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x45M\xaa\x02\x19\x43osmos.Evidence.Module.V1\xca\x02\x19\x43osmos\\Evidence\\Module\\V1\xe2\x02%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Evidence::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.evidence.module.v1B\013ModuleProtoP\001\242\002\003CEM\252\002\031Cosmos.Evidence.Module.V1\312\002\031Cosmos\\Evidence\\Module\\V1\342\002%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Evidence::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 2daafffe..36ecbcf7 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 7e4f86fa..504515c5 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/evidence.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/evidence/v1beta1/evidence.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe8\x01\n\x0c\x45quivocation\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12=\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\x12\x45\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x63onsensusAddress:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB\xcd\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\rEvidenceProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\rEvidenceProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None @@ -43,5 +33,5 @@ _globals['_EQUIVOCATION']._loaded_options = None _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=401 + _globals['_EQUIVOCATION']._serialized_end=362 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index 2daafffe..b0655041 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 5fd0a437..73a37669 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/evidence/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,14 +15,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"@\n\x0cGenesisState\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65videnceB\xc8\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x0cGenesisProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\014GenesisProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' _globals['_GENESISSTATE']._serialized_start=93 - _globals['_GENESISSTATE']._serialized_end=157 + _globals['_GENESISSTATE']._serialized_end=147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index 2daafffe..dc2ce73d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 6e6d9714..00b15add 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/evidence/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"S\n\x14QueryEvidenceRequest\x12\'\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x0c\x65videnceHash\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"I\n\x15QueryEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\"a\n\x17QueryAllEvidenceRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x95\x01\n\x18QueryAllEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\xc6\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\nQueryProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\nQueryProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None @@ -42,13 +32,13 @@ _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=248 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=250 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=323 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=325 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=422 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=425 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=574 - _globals['_QUERY']._serialized_start=577 - _globals['_QUERY']._serialized_end=902 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 + _globals['_QUERY']._serialized_start=512 + _globals['_QUERY']._serialized_end=837 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index 879e2663..fd673d56 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index 1f547b3b..fc71365d 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/evidence/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xdc\x01\n\x11MsgSubmitEvidence\x12\x36\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tsubmitter\x12V\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.EvidenceR\x08\x65vidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\"/\n\x19MsgSubmitEvidenceResponse\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash2~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x07TxProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\007TxProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None @@ -46,9 +36,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITEVIDENCE']._serialized_start=182 - _globals['_MSGSUBMITEVIDENCE']._serialized_end=402 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=404 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=451 - _globals['_MSG']._serialized_start=453 - _globals['_MSG']._serialized_end=579 + _globals['_MSGSUBMITEVIDENCE']._serialized_end=381 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=383 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=424 + _globals['_MSG']._serialized_start=426 + _globals['_MSG']._serialized_end=552 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index 404c0f89..c7c8677e 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the evidence Msg service. diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index d765557d..76e9e6a0 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/feegrant/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantB\xb3\x01\n\x1d\x63om.cosmos.feegrant.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x46M\xaa\x02\x19\x43osmos.Feegrant.Module.V1\xca\x02\x19\x43osmos\\Feegrant\\Module\\V1\xe2\x02%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Feegrant::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.feegrant.module.v1B\013ModuleProtoP\001\242\002\003CFM\252\002\031Cosmos.Feegrant.Module.V1\312\002\031Cosmos\\Feegrant\\Module\\V1\342\002%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Feegrant::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 2daafffe..6e78c597 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 6cf5161d..62877c10 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/feegrant.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/feegrant/v1beta1/feegrant.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xa0\x02\n\x0e\x42\x61sicAllowance\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12@\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xd9\x04\n\x11PeriodicAllowance\x12H\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05\x62\x61sic\x12@\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x06period\x12\x8f\x01\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10periodSpendLimit\x12\x8b\x01\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0eperiodCanSpend\x12L\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bperiodReset:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xf1\x01\n\x13\x41llowedMsgAllowance\x12]\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance\x12)\n\x10\x61llowed_messages\x18\x02 \x03(\tR\x0f\x61llowedMessages:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xce\x01\n\x05Grant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowanceB\xc3\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\rFeegrantProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\rFeegrantProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None @@ -68,11 +58,11 @@ _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=548 - _globals['_PERIODICALLOWANCE']._serialized_start=551 - _globals['_PERIODICALLOWANCE']._serialized_end=1152 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1155 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1396 - _globals['_GRANT']._serialized_start=1399 - _globals['_GRANT']._serialized_end=1605 + _globals['_BASICALLOWANCE']._serialized_end=523 + _globals['_PERIODICALLOWANCE']._serialized_start=526 + _globals['_PERIODICALLOWANCE']._serialized_end=1063 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 + _globals['_GRANT']._serialized_start=1282 + _globals['_GRANT']._serialized_end=1459 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index 2daafffe..a53e752f 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 2f43b1fc..7d1d4cb1 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/feegrant/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"Y\n\x0cGenesisState\x12I\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nallowancesB\xc2\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x0cGenesisProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\014GenesisProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 - _globals['_GENESISSTATE']._serialized_end=236 + _globals['_GENESISSTATE']._serialized_end=224 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 2daafffe..627adfc3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index f2866373..010c4e43 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/feegrant/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x7f\n\x15QueryAllowanceRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"V\n\x16QueryAllowanceResponse\x12<\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\tallowance\"\x94\x01\n\x16QueryAllowancesRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa2\x01\n\x17QueryAllowancesResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9d\x01\n\x1fQueryAllowancesByGranterRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n QueryAllowancesByGranterResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\xc0\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\nQueryProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\nQueryProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -51,17 +41,17 @@ _globals['_QUERY'].methods_by_name['AllowancesByGranter']._loaded_options = None _globals['_QUERY'].methods_by_name['AllowancesByGranter']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/feegrant/v1beta1/issued/{granter}' _globals['_QUERYALLOWANCEREQUEST']._serialized_start=205 - _globals['_QUERYALLOWANCEREQUEST']._serialized_end=332 - _globals['_QUERYALLOWANCERESPONSE']._serialized_start=334 - _globals['_QUERYALLOWANCERESPONSE']._serialized_end=420 - _globals['_QUERYALLOWANCESREQUEST']._serialized_start=423 - _globals['_QUERYALLOWANCESREQUEST']._serialized_end=571 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=574 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=736 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=739 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=896 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=899 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=1070 - _globals['_QUERY']._serialized_start=1073 - _globals['_QUERY']._serialized_end=1616 + _globals['_QUERYALLOWANCEREQUEST']._serialized_end=314 + _globals['_QUERYALLOWANCERESPONSE']._serialized_start=316 + _globals['_QUERYALLOWANCERESPONSE']._serialized_end=391 + _globals['_QUERYALLOWANCESREQUEST']._serialized_start=393 + _globals['_QUERYALLOWANCESREQUEST']._serialized_end=520 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=523 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=661 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=664 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=800 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=803 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=950 + _globals['_QUERY']._serialized_start=953 + _globals['_QUERY']._serialized_end=1496 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index e5f502ad..cf48437e 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 9696a2a3..306af9c3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/feegrant/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x89\x02\n\x11MsgGrantAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\xac\x01\n\x12MsgRevokeAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"S\n\x12MsgPruneAllowances\x12\x30\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06pruner:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x07TxProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\007TxProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None @@ -57,17 +47,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 - _globals['_MSGGRANTALLOWANCE']._serialized_end=425 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=427 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=454 - _globals['_MSGREVOKEALLOWANCE']._serialized_start=457 - _globals['_MSGREVOKEALLOWANCE']._serialized_end=629 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=631 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=659 - _globals['_MSGPRUNEALLOWANCES']._serialized_start=661 - _globals['_MSGPRUNEALLOWANCES']._serialized_end=744 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=746 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=774 - _globals['_MSG']._serialized_start=777 - _globals['_MSG']._serialized_end=1137 + _globals['_MSGGRANTALLOWANCE']._serialized_end=396 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=398 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=425 + _globals['_MSGREVOKEALLOWANCE']._serialized_start=428 + _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 + _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 + _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 + _globals['_MSG']._serialized_start=722 + _globals['_MSG']._serialized_end=1082 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 86ab0ccc..10097e0b 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/feegrant/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the feegrant msg service. diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index 91b72910..3e8cdee9 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/genutil/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilB\xae\x01\n\x1c\x63om.cosmos.genutil.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x18\x43osmos.Genutil.Module.V1\xca\x02\x18\x43osmos\\Genutil\\Module\\V1\xe2\x02$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Genutil::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.genutil.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\030Cosmos.Genutil.Module.V1\312\002\030Cosmos\\Genutil\\Module\\V1\342\002$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Genutil::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/genutil' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 2daafffe..8fbc2deb 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index fe6ce1f3..36cc38d2 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/genutil/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x0cGenesisState\x12O\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01R\x06genTxsB\xd2\x01\n\x1a\x63om.cosmos.genutil.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/genutil/types\xa2\x02\x03\x43GX\xaa\x02\x16\x43osmos.Genutil.V1beta1\xca\x02\x16\x43osmos\\Genutil\\V1beta1\xe2\x02\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Genutil::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/genutil/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.genutil.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/genutil/types\242\002\003CGX\252\002\026Cosmos.Genutil.V1beta1\312\002\026Cosmos\\Genutil\\V1beta1\342\002\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\352\002\030Cosmos::Genutil::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/genutil/types' _globals['_GENESISSTATE'].fields_by_name['gen_txs']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['gen_txs']._serialized_options = b'\352\336\037\006gentxs\372\336\037\030encoding/json.RawMessage\242\347\260*\006gentxs\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=105 - _globals['_GENESISSTATE']._serialized_end=200 + _globals['_GENESISSTATE']._serialized_end=192 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index 2daafffe..e0c67349 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index a55065e7..b1343d35 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"|\n\x06Module\x12(\n\x10max_metadata_len\x18\x01 \x01(\x04R\x0emaxMetadataLen\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govB\x9a\x01\n\x18\x63om.cosmos.gov.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x14\x43osmos.Gov.Module.V1\xca\x02\x14\x43osmos\\Gov\\Module\\V1\xe2\x02 Cosmos\\Gov\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Gov::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"a\n\x06Module\x12\x18\n\x10max_metadata_len\x18\x01 \x01(\x04\x12\x11\n\tauthority\x18\x02 \x01(\t:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.gov.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\024Cosmos.Gov.Module.V1\312\002\024Cosmos\\Gov\\Module\\V1\342\002 Cosmos\\Gov\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Gov::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/gov' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=217 + _globals['_MODULE']._serialized_end=190 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index 2daafffe..a66c0664 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index 407cadf9..5bf72a99 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\xfb\x03\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12\x32\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12)\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12\x35\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x44\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12\x41\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\x12\"\n\x0c\x63onstitution\x18\t \x01(\tR\x0c\x63onstitutionB\xa4\x01\n\x11\x63om.cosmos.gov.v1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\x8b\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\x12\x14\n\x0c\x63onstitution\x18\t \x01(\tB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None @@ -40,5 +30,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE']._serialized_start=72 - _globals['_GENESISSTATE']._serialized_end=579 + _globals['_GENESISSTATE']._serialized_end=467 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index 2daafffe..c5256a75 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index 1e7b0a24..ecf8a88e 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/gov.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1/gov.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"o\n\x12WeightedVoteOption\x12\x31\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12&\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06weight\"\xa0\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x84\x06\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x30\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x35\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x06status\x12H\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x10\x66inalTallyResult\x12\x41\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nsubmitTime\x12J\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0e\x64\x65positEndTime\x12I\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12L\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0fvotingStartTime\x12H\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\rvotingEndTime\x12\x1a\n\x08metadata\x18\n \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x0b \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0c \x01(\tR\x07summary\x12\x34\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1c\n\texpedited\x18\x0e \x01(\x08R\texpedited\x12#\n\rfailed_reason\x18\x0f \x01(\tR\x0c\x66\x61iledReason\"\xd7\x01\n\x0bTallyResult\x12+\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x08yesCount\x12\x33\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0c\x61\x62stainCount\x12)\n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x07noCount\x12;\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0fnoWithVetoCount\"\xb6\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x05 \x01(\tR\x08metadataJ\x04\x08\x03\x10\x04\"\xdd\x01\n\rDepositParams\x12Y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitemptyR\nminDeposit\x12m\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod:\x02\x18\x01\"X\n\x0cVotingParams\x12\x44\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod:\x02\x18\x01\"\x9e\x01\n\x0bTallyParams\x12&\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold:\x02\x18\x01\"\x8f\x08\n\x06Params\x12\x45\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nminDeposit\x12M\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x10maxDepositPeriod\x12\x44\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod\x12&\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold\x12I\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x16minInitialDepositRatio\x12\x42\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x13proposalCancelRatio\x12J\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12proposalCancelDest\x12W\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x15\x65xpeditedVotingPeriod\x12?\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x12\x65xpeditedThreshold\x12X\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x65xpeditedMinDeposit\x12(\n\x10\x62urn_vote_quorum\x18\r \x01(\x08R\x0e\x62urnVoteQuorum\x12\x41\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08R\x1a\x62urnProposalDepositPrevote\x12$\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08R\x0c\x62urnVoteVeto\x12:\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x0fminDepositRatio*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42\xa0\x01\n\x11\x63om.cosmos.gov.v1B\x08GovProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\010GovProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None @@ -111,26 +101,26 @@ _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=3206 - _globals['_VOTEOPTION']._serialized_end=3343 - _globals['_PROPOSALSTATUS']._serialized_start=3346 - _globals['_PROPOSALSTATUS']._serialized_end=3552 + _globals['_VOTEOPTION']._serialized_start=2535 + _globals['_VOTEOPTION']._serialized_end=2672 + _globals['_PROPOSALSTATUS']._serialized_start=2675 + _globals['_PROPOSALSTATUS']._serialized_end=2881 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=345 - _globals['_DEPOSIT']._serialized_start=348 - _globals['_DEPOSIT']._serialized_end=508 - _globals['_PROPOSAL']._serialized_start=511 - _globals['_PROPOSAL']._serialized_end=1283 - _globals['_TALLYRESULT']._serialized_start=1286 - _globals['_TALLYRESULT']._serialized_end=1501 - _globals['_VOTE']._serialized_start=1504 - _globals['_VOTE']._serialized_end=1686 - _globals['_DEPOSITPARAMS']._serialized_start=1689 - _globals['_DEPOSITPARAMS']._serialized_end=1910 - _globals['_VOTINGPARAMS']._serialized_start=1912 - _globals['_VOTINGPARAMS']._serialized_end=2000 - _globals['_TALLYPARAMS']._serialized_start=2003 - _globals['_TALLYPARAMS']._serialized_end=2161 - _globals['_PARAMS']._serialized_start=2164 - _globals['_PARAMS']._serialized_end=3203 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 + _globals['_DEPOSIT']._serialized_start=332 + _globals['_DEPOSIT']._serialized_end=461 + _globals['_PROPOSAL']._serialized_start=464 + _globals['_PROPOSAL']._serialized_end=1061 + _globals['_TALLYRESULT']._serialized_start=1064 + _globals['_TALLYRESULT']._serialized_end=1229 + _globals['_VOTE']._serialized_start=1232 + _globals['_VOTE']._serialized_end=1376 + _globals['_DEPOSITPARAMS']._serialized_start=1379 + _globals['_DEPOSITPARAMS']._serialized_end=1570 + _globals['_VOTINGPARAMS']._serialized_start=1572 + _globals['_VOTINGPARAMS']._serialized_end=1646 + _globals['_TALLYPARAMS']._serialized_start=1648 + _globals['_TALLYPARAMS']._serialized_end=1772 + _globals['_PARAMS']._serialized_start=1775 + _globals['_PARAMS']._serialized_end=2532 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 2daafffe..42753a72 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index 691957f7..f6b63e25 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"?\n\x19QueryConstitutionResponse\x12\"\n\x0c\x63onstitution\x18\x01 \x01(\tR\x0c\x63onstitution\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x15QueryProposalResponse\x12\x33\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.ProposalR\x08proposal\"\x8f\x02\n\x15QueryProposalsRequest\x12\x46\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x16QueryProposalsResponse\x12\x35\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"c\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"<\n\x11QueryVoteResponse\x12\'\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.VoteR\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x88\x01\n\x12QueryVotesResponse\x12)\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x96\x02\n\x13QueryParamsResponse\x12\x44\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12G\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x41\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\"n\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\"H\n\x14QueryDepositResponse\x12\x30\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.DepositR\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x15QueryDepositsResponse\x12\x32\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x18QueryTallyResultResponse\x12\x30\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x05tally2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB\xa2\x01\n\x11\x63om.cosmos.gov.v1B\nQueryProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\nQueryProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None @@ -71,39 +61,39 @@ _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 - _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=261 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=263 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=318 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=320 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=396 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=399 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=670 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=673 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=825 - _globals['_QUERYVOTEREQUEST']._serialized_start=827 - _globals['_QUERYVOTEREQUEST']._serialized_end=926 - _globals['_QUERYVOTERESPONSE']._serialized_start=928 - _globals['_QUERYVOTERESPONSE']._serialized_end=988 - _globals['_QUERYVOTESREQUEST']._serialized_start=990 - _globals['_QUERYVOTESREQUEST']._serialized_end=1114 - _globals['_QUERYVOTESRESPONSE']._serialized_start=1117 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1253 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1255 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1308 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1311 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1589 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1591 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1701 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1703 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1775 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1777 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1904 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1907 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2055 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2057 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2115 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2117 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2193 - _globals['_QUERY']._serialized_start=2196 - _globals['_QUERY']._serialized_end=3447 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 + _globals['_QUERYVOTEREQUEST']._serialized_start=722 + _globals['_QUERYVOTEREQUEST']._serialized_end=802 + _globals['_QUERYVOTERESPONSE']._serialized_start=804 + _globals['_QUERYVOTERESPONSE']._serialized_end=858 + _globals['_QUERYVOTESREQUEST']._serialized_start=860 + _globals['_QUERYVOTESREQUEST']._serialized_end=960 + _globals['_QUERYVOTESRESPONSE']._serialized_start=962 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 + _globals['_QUERY']._serialized_start=1862 + _globals['_QUERY']._serialized_end=3113 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 4189082a..03e45f91 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index be5fce64..4c14e562 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xa5\x03\n\x11MsgSubmitProposal\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x05 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x06 \x01(\tR\x07summary\x12\x1c\n\texpedited\x18\x07 \x01(\x08R\texpedited:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xbb\x01\n\x14MsgExecLegacyContent\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xe5\x01\n\x07MsgVote\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x31\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xff\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xe6\x01\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xbb\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x8a\x01\n\x11MsgCancelProposal\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12\x34\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:\r\x82\xe7\xb0*\x08proposer\"\xc1\x01\n\x19MsgCancelProposalResponse\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12I\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x0c\x63\x61nceledTime\x12\'\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04R\x0e\x63\x61nceledHeight2\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x11\x63om.cosmos.gov.v1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None @@ -89,33 +79,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=673 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=675 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=735 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=738 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=925 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=927 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=957 - _globals['_MSGVOTE']._serialized_start=960 - _globals['_MSGVOTE']._serialized_end=1189 - _globals['_MSGVOTERESPONSE']._serialized_start=1191 - _globals['_MSGVOTERESPONSE']._serialized_end=1208 - _globals['_MSGVOTEWEIGHTED']._serialized_start=1211 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1466 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1468 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1493 - _globals['_MSGDEPOSIT']._serialized_start=1496 - _globals['_MSGDEPOSIT']._serialized_end=1726 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1728 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1748 - _globals['_MSGUPDATEPARAMS']._serialized_start=1751 - _globals['_MSGUPDATEPARAMS']._serialized_end=1938 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1940 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1965 - _globals['_MSGCANCELPROPOSAL']._serialized_start=1968 - _globals['_MSGCANCELPROPOSAL']._serialized_end=2106 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=2109 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2302 - _globals['_MSG']._serialized_start=2305 - _globals['_MSG']._serialized_end=2921 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 + _globals['_MSGVOTE']._serialized_start=854 + _globals['_MSGVOTE']._serialized_end=1046 + _globals['_MSGVOTERESPONSE']._serialized_start=1048 + _globals['_MSGVOTERESPONSE']._serialized_end=1065 + _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 + _globals['_MSGDEPOSIT']._serialized_start=1315 + _globals['_MSGDEPOSIT']._serialized_end=1514 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 + _globals['_MSGUPDATEPARAMS']._serialized_start=1539 + _globals['_MSGUPDATEPARAMS']._serialized_end=1707 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 + _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 + _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 + _globals['_MSG']._serialized_start=2009 + _globals['_MSG']._serialized_end=2625 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index a1defed3..0c59dc21 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the gov Msg service. diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 9107f741..73aa2466 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\x9e\x04\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12N\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12\x42\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01R\x05votes\x12R\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01R\tproposals\x12S\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12P\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12M\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParamsB\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x0cGenesisProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\xc4\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12\x44\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01\x12;\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01\x12G\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\014GenesisProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' _globals['_GENESISSTATE'].fields_by_name['deposits']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\252\337\037\010Deposits\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['votes']._loaded_options = None @@ -48,5 +38,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=128 - _globals['_GENESISSTATE']._serialized_end=670 + _globals['_GENESISSTATE']._serialized_end=580 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index 2daafffe..e9b978c6 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index a1fadb6e..63b30b1a 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/gov.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1beta1/gov.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x12WeightedVoteOption\x12\x36\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option\x12N\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x06weight\"\x86\x01\n\x0cTextProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xd6\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12h\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x06\x61mount:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd9\x05\n\x08Proposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12N\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12:\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x06status\x12X\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12S\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x64\x65positEndTime\x12u\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12U\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingStartTime\x12Q\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\rvotingEndTime:\x04\xe8\xa0\x1f\x01\"\xa5\x02\n\x0bTallyResult\x12=\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03yes\x12\x45\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x61\x62stain\x12;\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x02no\x12M\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\nnoWithVeto:\x04\xe8\xa0\x1f\x01\"\xfa\x01\n\x04Vote\x12\x33\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12:\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01R\x06option\x12K\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:\x04\xe8\xa0\x1f\x00\"\x8a\x02\n\rDepositParams\x12\x85\x01\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nminDeposit\x12q\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod\"s\n\x0cVotingParams\x12\x63\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01R\x0cvotingPeriod\"\xca\x02\n\x0bTallyParams\x12]\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.DecR\x06quorum\x12\x66\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.DecR\tthreshold\x12t\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.DecR\rvetoThreshold*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x08GovProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\010GovProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None @@ -123,26 +113,26 @@ _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2758 - _globals['_VOTEOPTION']._serialized_end=2988 - _globals['_PROPOSALSTATUS']._serialized_start=2991 - _globals['_PROPOSALSTATUS']._serialized_end=3323 + _globals['_VOTEOPTION']._serialized_start=2424 + _globals['_VOTEOPTION']._serialized_end=2654 + _globals['_PROPOSALSTATUS']._serialized_start=2657 + _globals['_PROPOSALSTATUS']._serialized_end=2989 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=401 - _globals['_TEXTPROPOSAL']._serialized_start=404 - _globals['_TEXTPROPOSAL']._serialized_end=538 - _globals['_DEPOSIT']._serialized_start=541 - _globals['_DEPOSIT']._serialized_end=755 - _globals['_PROPOSAL']._serialized_start=758 - _globals['_PROPOSAL']._serialized_end=1487 - _globals['_TALLYRESULT']._serialized_start=1490 - _globals['_TALLYRESULT']._serialized_end=1783 - _globals['_VOTE']._serialized_start=1786 - _globals['_VOTE']._serialized_end=2036 - _globals['_DEPOSITPARAMS']._serialized_start=2039 - _globals['_DEPOSITPARAMS']._serialized_end=2305 - _globals['_VOTINGPARAMS']._serialized_start=2307 - _globals['_VOTINGPARAMS']._serialized_end=2422 - _globals['_TALLYPARAMS']._serialized_start=2425 - _globals['_TALLYPARAMS']._serialized_end=2755 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 + _globals['_TEXTPROPOSAL']._serialized_start=387 + _globals['_TEXTPROPOSAL']._serialized_end=501 + _globals['_DEPOSIT']._serialized_start=504 + _globals['_DEPOSIT']._serialized_end=687 + _globals['_PROPOSAL']._serialized_start=690 + _globals['_PROPOSAL']._serialized_end=1298 + _globals['_TALLYRESULT']._serialized_start=1301 + _globals['_TALLYRESULT']._serialized_end=1564 + _globals['_VOTE']._serialized_start=1567 + _globals['_VOTE']._serialized_end=1781 + _globals['_DEPOSITPARAMS']._serialized_start=1784 + _globals['_DEPOSITPARAMS']._serialized_end=2019 + _globals['_VOTINGPARAMS']._serialized_start=2021 + _globals['_VOTINGPARAMS']._serialized_end=2122 + _globals['_TALLYPARAMS']._serialized_start=2125 + _globals['_TALLYPARAMS']._serialized_end=2421 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 2daafffe..9f0fc764 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index 5c3bcdea..465099d0 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x15QueryProposalResponse\x12\x43\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08proposal\"\x9e\x02\n\x15QueryProposalsRequest\x12K\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa8\x01\n\x16QueryProposalsResponse\x12\x45\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"m\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n\x11QueryVoteResponse\x12\x37\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x12QueryVotesResponse\x12\x39\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x8b\x02\n\x13QueryParamsResponse\x12P\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12S\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12M\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParams\"x\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x14QueryDepositResponse\x12@\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x15QueryDepositsResponse\x12\x42\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x18QueryTallyResultResponse\x12@\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally2\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB\xc0\x01\n\x16\x63om.cosmos.gov.v1beta1B\nQueryProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x15QueryProposalResponse\x12\x39\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf0\x01\n\x15QueryProposalsRequest\x12;\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x16QueryProposalsResponse\x12:\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x11QueryVoteResponse\x12\x31\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x12QueryVotesResponse\x12\x32\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe1\x01\n\x13QueryParamsResponse\x12\x42\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"a\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"O\n\x14QueryDepositResponse\x12\x37\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8e\x01\n\x15QueryDepositsResponse\x12\x38\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"U\n\x18QueryTallyResultResponse\x12\x39\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB2Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\nQueryProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None @@ -89,37 +79,37 @@ _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=226 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=281 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=283 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=375 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=378 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=664 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=667 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=835 - _globals['_QUERYVOTEREQUEST']._serialized_start=837 - _globals['_QUERYVOTEREQUEST']._serialized_end=946 - _globals['_QUERYVOTERESPONSE']._serialized_start=948 - _globals['_QUERYVOTERESPONSE']._serialized_end=1024 - _globals['_QUERYVOTESREQUEST']._serialized_start=1026 - _globals['_QUERYVOTESREQUEST']._serialized_end=1150 - _globals['_QUERYVOTESRESPONSE']._serialized_start=1153 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1305 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1307 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1360 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1363 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1630 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1632 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1752 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1754 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1842 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1844 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1971 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1974 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2138 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2140 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2198 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2200 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2292 - _globals['_QUERY']._serialized_start=2295 - _globals['_QUERY']._serialized_end=3531 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=269 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=271 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=353 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=356 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=596 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=599 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=744 + _globals['_QUERYVOTEREQUEST']._serialized_start=746 + _globals['_QUERYVOTEREQUEST']._serialized_end=836 + _globals['_QUERYVOTERESPONSE']._serialized_start=838 + _globals['_QUERYVOTERESPONSE']._serialized_end=908 + _globals['_QUERYVOTESREQUEST']._serialized_start=910 + _globals['_QUERYVOTESREQUEST']._serialized_end=1010 + _globals['_QUERYVOTESRESPONSE']._serialized_start=1013 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1146 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1148 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1189 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1192 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1417 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1419 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1516 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1518 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1597 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1599 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1702 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1705 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1847 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1849 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1895 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1897 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1982 + _globals['_QUERY']._serialized_start=1985 + _globals['_QUERY']._serialized_end=3221 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index 1c268032..ad7a6c4f 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 8d394d98..64bc3513 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/gov/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xde\x02\n\x11MsgSubmitProposal\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"R\n\x19MsgSubmitProposalResponse\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\"\xbd\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xf8\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12K\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xac\x02\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x16\x63om.cosmos.gov.v1beta1B\x07TxProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\007TxProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None @@ -72,21 +62,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=584 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=586 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=668 - _globals['_MSGVOTE']._serialized_start=671 - _globals['_MSGVOTE']._serialized_end=860 - _globals['_MSGVOTERESPONSE']._serialized_start=862 - _globals['_MSGVOTERESPONSE']._serialized_end=879 - _globals['_MSGVOTEWEIGHTED']._serialized_start=882 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1130 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1132 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1157 - _globals['_MSGDEPOSIT']._serialized_start=1160 - _globals['_MSGDEPOSIT']._serialized_end=1460 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1462 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1482 - _globals['_MSG']._serialized_start=1485 - _globals['_MSG']._serialized_end=1856 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 + _globals['_MSGVOTE']._serialized_start=623 + _globals['_MSGVOTE']._serialized_end=785 + _globals['_MSGVOTERESPONSE']._serialized_start=787 + _globals['_MSGVOTERESPONSE']._serialized_end=804 + _globals['_MSGVOTEWEIGHTED']._serialized_start=807 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 + _globals['_MSGDEPOSIT']._serialized_start=1057 + _globals['_MSGDEPOSIT']._serialized_end=1326 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 + _globals['_MSG']._serialized_start=1351 + _globals['_MSG']._serialized_end=1722 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index a8fbf803..d6ba08c7 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the gov Msg service. diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index fc34209d..e735d56d 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -1,45 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\xbc\x01\n\x06Module\x12Z\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12maxExecutionPeriod\x12(\n\x10max_metadata_len\x18\x02 \x01(\x04R\x0emaxMetadataLen:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupB\xa4\x01\n\x1a\x63om.cosmos.group.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x16\x43osmos.Group.Module.V1\xca\x02\x16\x43osmos\\Group\\Module\\V1\xe2\x02\"Cosmos\\Group\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Group::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x06Module\x12\x46\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x18\n\x10max_metadata_len\x18\x02 \x01(\x04:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.group.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\026Cosmos.Group.Module.V1\312\002\026Cosmos\\Group\\Module\\V1\342\002\"Cosmos\\Group\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Group::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/group' _globals['_MODULE']._serialized_start=171 - _globals['_MODULE']._serialized_end=359 + _globals['_MODULE']._serialized_end=323 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 2daafffe..75848b93 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index bd6945b0..1c3d7028 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/v1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"-\n\x10\x45ventCreateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"-\n\x10\x45ventUpdateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"L\n\x16\x45ventCreateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"L\n\x16\x45ventUpdateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"6\n\x13\x45ventSubmitProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"8\n\x15\x45ventWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\",\n\tEventVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\x81\x01\n\tEventExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\x12\x12\n\x04logs\x18\x03 \x01(\tR\x04logs\"`\n\x0f\x45ventLeaveGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xb0\x01\n\x13\x45ventProposalPruned\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x37\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12?\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultR\x0btallyResultB\xa6\x01\n\x13\x63om.cosmos.group.v1B\x0b\x45ventsProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"$\n\x10\x45ventCreateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"$\n\x10\x45ventUpdateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"C\n\x16\x45ventCreateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"C\n\x16\x45ventUpdateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"*\n\x13\x45ventSubmitProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\",\n\x15\x45ventWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\" \n\tEventVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"g\n\tEventExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12\x0c\n\x04logs\x18\x03 \x01(\t\"N\n\x0f\x45ventLeaveGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8f\x01\n\x13\x45ventProposalPruned\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12/\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x32\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\013EventsProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None @@ -41,23 +31,23 @@ _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTCREATEGROUP']._serialized_start=105 - _globals['_EVENTCREATEGROUP']._serialized_end=150 - _globals['_EVENTUPDATEGROUP']._serialized_start=152 - _globals['_EVENTUPDATEGROUP']._serialized_end=197 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=199 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=275 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=277 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=353 - _globals['_EVENTSUBMITPROPOSAL']._serialized_start=355 - _globals['_EVENTSUBMITPROPOSAL']._serialized_end=409 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=411 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=467 - _globals['_EVENTVOTE']._serialized_start=469 - _globals['_EVENTVOTE']._serialized_end=513 - _globals['_EVENTEXEC']._serialized_start=516 - _globals['_EVENTEXEC']._serialized_end=645 - _globals['_EVENTLEAVEGROUP']._serialized_start=647 - _globals['_EVENTLEAVEGROUP']._serialized_end=743 - _globals['_EVENTPROPOSALPRUNED']._serialized_start=746 - _globals['_EVENTPROPOSALPRUNED']._serialized_end=922 + _globals['_EVENTCREATEGROUP']._serialized_end=141 + _globals['_EVENTUPDATEGROUP']._serialized_start=143 + _globals['_EVENTUPDATEGROUP']._serialized_end=179 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=181 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=248 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=250 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=317 + _globals['_EVENTSUBMITPROPOSAL']._serialized_start=319 + _globals['_EVENTSUBMITPROPOSAL']._serialized_end=361 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=363 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=407 + _globals['_EVENTVOTE']._serialized_start=409 + _globals['_EVENTVOTE']._serialized_end=441 + _globals['_EVENTEXEC']._serialized_start=443 + _globals['_EVENTEXEC']._serialized_end=546 + _globals['_EVENTLEAVEGROUP']._serialized_start=548 + _globals['_EVENTLEAVEGROUP']._serialized_end=626 + _globals['_EVENTPROPOSALPRUNED']._serialized_start=629 + _globals['_EVENTPROPOSALPRUNED']._serialized_end=772 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index 2daafffe..ece303bf 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index d688d4cc..78748ede 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\x9e\x03\n\x0cGenesisState\x12\x1b\n\tgroup_seq\x18\x01 \x01(\x04R\x08groupSeq\x12\x32\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12\x41\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x0cgroupMembers\x12(\n\x10group_policy_seq\x18\x04 \x01(\x04R\x0egroupPolicySeq\x12G\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12!\n\x0cproposal_seq\x18\x06 \x01(\x04R\x0bproposalSeq\x12\x37\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12+\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votesB\xa7\x01\n\x13\x63om.cosmos.group.v1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\xc0\x02\n\x0cGenesisState\x12\x11\n\tgroup_seq\x18\x01 \x01(\x04\x12*\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12\x33\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12\x18\n\x10group_policy_seq\x18\x04 \x01(\x04\x12\x38\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12\x14\n\x0cproposal_seq\x18\x06 \x01(\x04\x12,\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12$\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_GENESISSTATE']._serialized_start=80 - _globals['_GENESISSTATE']._serialized_end=494 + _globals['_GENESISSTATE']._serialized_end=400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index 2daafffe..e687ea6c 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index 92ab48cc..f6398b5e 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"2\n\x15QueryGroupInfoRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"H\n\x16QueryGroupInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x04info\"Q\n\x1bQueryGroupPolicyInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"T\n\x1cQueryGroupPolicyInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\x04info\"}\n\x18QueryGroupMembersRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9c\x01\n\x19QueryGroupMembersResponse\x12\x36\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x07members\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x93\x01\n\x19QueryGroupsByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x99\x01\n\x1aQueryGroupsByAdminResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n QueryGroupPoliciesByGroupRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByGroupResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n QueryGroupPoliciesByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByAdminResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"N\n\x15QueryProposalResponse\x12\x35\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.ProposalR\x08proposal\"\xa0\x01\n\"QueryProposalsByGroupPolicyRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n#QueryProposalsByGroupPolicyResponse\x12\x37\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"r\n\x1fQueryVoteByProposalVoterRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"M\n QueryVoteByProposalVoterResponse\x12)\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.VoteR\x04vote\"\x86\x01\n\x1bQueryVotesByProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x1cQueryVotesByProposalResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x92\x01\n\x18QueryVotesByVoterRequest\x12.\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x91\x01\n\x19QueryVotesByVoterResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x98\x01\n\x1aQueryGroupsByMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9a\x01\n\x1bQueryGroupsByMemberResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"Y\n\x18QueryTallyResultResponse\x12=\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally\"\\\n\x12QueryGroupsRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x92\x01\n\x13QueryGroupsResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB\xa5\x01\n\x13\x63om.cosmos.group.v1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\")\n\x15QueryGroupInfoRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"B\n\x16QueryGroupInfoResponse\x12(\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\"H\n\x1bQueryGroupPolicyInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"N\n\x1cQueryGroupPolicyInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\"h\n\x18QueryGroupMembersRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x87\x01\n\x19QueryGroupMembersResponse\x12-\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x80\x01\n\x19QueryGroupsByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x1aQueryGroupsByAdminResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"p\n QueryGroupPoliciesByGroupRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByGroupResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x87\x01\n QueryGroupPoliciesByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByAdminResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"D\n\x15QueryProposalResponse\x12+\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.Proposal\"\x8b\x01\n\"QueryProposalsByGroupPolicyRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n#QueryProposalsByGroupPolicyResponse\x12,\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"_\n\x1fQueryVoteByProposalVoterRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"G\n QueryVoteByProposalVoterResponse\x12#\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.Vote\"n\n\x1bQueryVotesByProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x1cQueryVotesByProposalResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x7f\n\x18QueryVotesByVoterRequest\x12\'\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x19QueryVotesByVoterResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x83\x01\n\x1aQueryGroupsByMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x86\x01\n\x1bQueryGroupsByMemberResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x18QueryTallyResultResponse\x12\x36\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"P\n\x12QueryGroupsRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x13QueryGroupsResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None @@ -83,61 +73,61 @@ _globals['_QUERY'].methods_by_name['Groups']._loaded_options = None _globals['_QUERY'].methods_by_name['Groups']._serialized_options = b'\202\323\344\223\002\031\022\027/cosmos/group/v1/groups' _globals['_QUERYGROUPINFOREQUEST']._serialized_start=219 - _globals['_QUERYGROUPINFOREQUEST']._serialized_end=269 - _globals['_QUERYGROUPINFORESPONSE']._serialized_start=271 - _globals['_QUERYGROUPINFORESPONSE']._serialized_end=343 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=345 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=426 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=428 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=512 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=514 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=639 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=642 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=798 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=801 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=948 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=951 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=1104 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=1107 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1240 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1243 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1424 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1427 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1581 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1584 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1765 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=1767 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=1822 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1824 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1902 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1905 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=2065 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=2068 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=2235 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=2237 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2351 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2353 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2430 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2433 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2567 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2570 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2718 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2721 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2867 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2870 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=3015 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=3018 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=3170 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=3173 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=3327 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=3329 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=3387 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=3389 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3478 - _globals['_QUERYGROUPSREQUEST']._serialized_start=3480 - _globals['_QUERYGROUPSREQUEST']._serialized_end=3572 - _globals['_QUERYGROUPSRESPONSE']._serialized_start=3575 - _globals['_QUERYGROUPSRESPONSE']._serialized_end=3721 - _globals['_QUERY']._serialized_start=3724 - _globals['_QUERY']._serialized_end=6023 + _globals['_QUERYGROUPINFOREQUEST']._serialized_end=260 + _globals['_QUERYGROUPINFORESPONSE']._serialized_start=262 + _globals['_QUERYGROUPINFORESPONSE']._serialized_end=328 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=330 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=402 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=404 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=482 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=484 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=588 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=591 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=726 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=729 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=857 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=860 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=993 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=995 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1107 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1110 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1264 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1267 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1402 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1405 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1559 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=1561 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=1604 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1606 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1674 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1677 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=1816 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=1819 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=1963 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=1965 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2060 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2062 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2133 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2135 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2245 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2248 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2377 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2379 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2506 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2508 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=2634 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=2637 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=2768 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=2771 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=2905 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2907 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2953 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2955 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3037 + _globals['_QUERYGROUPSREQUEST']._serialized_start=3039 + _globals['_QUERYGROUPSREQUEST']._serialized_end=3119 + _globals['_QUERYGROUPSRESPONSE']._serialized_start=3121 + _globals['_QUERYGROUPSRESPONSE']._serialized_end=3247 + _globals['_QUERY']._serialized_start=3250 + _globals['_QUERY']._serialized_end=5549 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index 3018bf10..fd71377b 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is the cosmos.group.v1 Query service. diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 1dae82e7..5f9dddba 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x01\n\x0eMsgCreateGroup\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"3\n\x16MsgCreateGroupResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"\xe5\x01\n\x15MsgUpdateGroupMembers\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12P\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rmemberUpdates:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xc6\x01\n\x13MsgUpdateGroupAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\xb1\x01\n\x16MsgUpdateGroupMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\x94\x02\n\x14MsgCreateGroupPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"R\n\x1cMsgCreateGroupPolicyResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\x83\x02\n\x19MsgUpdateGroupPolicyAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xb8\x03\n\x18MsgCreateGroupWithPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12%\n\x0egroup_metadata\x18\x03 \x01(\tR\rgroupMetadata\x12\x32\n\x15group_policy_metadata\x18\x04 \x01(\tR\x13groupPolicyMetadata\x12\x31\n\x15group_policy_as_admin\x18\x05 \x01(\x08R\x12groupPolicyAsAdmin\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"\x89\x01\n MsgCreateGroupWithPolicyResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\"\xbf\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xee\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\xe1\x02\n\x11MsgSubmitProposal\x12J\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1c\n\tproposers\x18\x02 \x03(\tR\tproposers\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x30\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec\x12\x14\n\x05title\x18\x06 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x07 \x01(\tR\x07summary:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xa1\x01\n\x13MsgWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xff\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"\x8c\x01\n\x07MsgExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x34\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x65xecutor:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"R\n\x0fMsgExecResponse\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\"\x8f\x01\n\rMsgLeaveGroup\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa2\x01\n\x13\x63om.cosmos.group.v1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_MSGCREATEGROUP'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEGROUP'].fields_by_name['members']._loaded_options = None @@ -122,64 +112,64 @@ _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=4346 - _globals['_EXEC']._serialized_end=4388 + _globals['_EXEC']._serialized_start=3743 + _globals['_EXEC']._serialized_end=3785 _globals['_MSGCREATEGROUP']._serialized_start=195 - _globals['_MSGCREATEGROUP']._serialized_end=398 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=400 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=451 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=454 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=683 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=685 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=716 - _globals['_MSGUPDATEGROUPADMIN']._serialized_start=719 - _globals['_MSGUPDATEGROUPADMIN']._serialized_end=917 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=919 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=948 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=951 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1128 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1130 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1162 - _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1165 - _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1441 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1443 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1525 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1528 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1787 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1789 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1824 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1827 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=2267 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=2270 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2407 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2410 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2729 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2731 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2775 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2778 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=3016 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=3018 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=3056 - _globals['_MSGSUBMITPROPOSAL']._serialized_start=3059 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=3412 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=3414 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=3474 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=3477 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3638 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3640 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3669 - _globals['_MSGVOTE']._serialized_start=3672 - _globals['_MSGVOTE']._serialized_end=3927 - _globals['_MSGVOTERESPONSE']._serialized_start=3929 - _globals['_MSGVOTERESPONSE']._serialized_end=3946 - _globals['_MSGEXEC']._serialized_start=3949 - _globals['_MSGEXEC']._serialized_end=4089 - _globals['_MSGEXECRESPONSE']._serialized_start=4091 - _globals['_MSGEXECRESPONSE']._serialized_end=4173 - _globals['_MSGLEAVEGROUP']._serialized_start=4176 - _globals['_MSGLEAVEGROUP']._serialized_end=4319 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=4321 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=4344 - _globals['_MSG']._serialized_start=4391 - _globals['_MSG']._serialized_end=5873 + _globals['_MSGCREATEGROUP']._serialized_end=372 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=416 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=419 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=617 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=619 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=650 + _globals['_MSGUPDATEGROUPADMIN']._serialized_start=653 + _globals['_MSGUPDATEGROUPADMIN']._serialized_end=825 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=827 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=856 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=859 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1010 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1012 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1044 + _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1047 + _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1281 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1283 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1356 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1359 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1581 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1583 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1618 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1621 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=1973 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=1975 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2083 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2086 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2362 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2364 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2408 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2411 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=2612 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=2614 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=2652 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=2655 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=2935 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=2937 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=2985 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=2988 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3128 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3130 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3159 + _globals['_MSGVOTE']._serialized_start=3162 + _globals['_MSGVOTE']._serialized_end=3374 + _globals['_MSGVOTERESPONSE']._serialized_start=3376 + _globals['_MSGVOTERESPONSE']._serialized_end=3393 + _globals['_MSGEXEC']._serialized_start=3395 + _globals['_MSGEXEC']._serialized_end=3513 + _globals['_MSGEXECRESPONSE']._serialized_start=3515 + _globals['_MSGEXECRESPONSE']._serialized_end=3589 + _globals['_MSGLEAVEGROUP']._serialized_start=3591 + _globals['_MSGLEAVEGROUP']._serialized_end=3716 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 + _globals['_MSG']._serialized_start=3788 + _globals['_MSG']._serialized_end=5270 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 39d77388..85053d43 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg is the cosmos.group.v1 Msg service. diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index dbad3d6b..581f7add 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/group/v1/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xb6\x01\n\x06Member\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x44\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x07\x61\x64\x64\x65\x64\x41t\"w\n\rMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\"\xc4\x01\n\x17ThresholdDecisionPolicy\x12\x1c\n\tthreshold\x18\x01 \x01(\tR\tthreshold\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xc8\x01\n\x18PercentageDecisionPolicy\x12\x1e\n\npercentage\x18\x01 \x01(\tR\npercentage\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xc2\x01\n\x15\x44\x65\x63isionPolicyWindows\x12M\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0cvotingPeriod\x12Z\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12minExecutionPeriod\"\xee\x01\n\tGroupInfo\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x04 \x01(\x04R\x07version\x12!\n\x0ctotal_weight\x18\x05 \x01(\tR\x0btotalWeight\x12H\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt\"Y\n\x0bGroupMember\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12/\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.MemberR\x06member\"\xfd\x02\n\x0fGroupPolicyInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x05 \x01(\x04R\x07version\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy\x12H\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfe\x05\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x36\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tproposers\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12#\n\rgroup_version\x18\x06 \x01(\x04R\x0cgroupVersion\x12\x30\n\x14group_policy_version\x18\x07 \x01(\x04R\x12groupPolicyVersion\x12\x37\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12U\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12U\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingPeriodEnd\x12P\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x0e\x65xecutorResult\x12\x30\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x14\n\x05title\x18\r \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0e \x01(\tR\x07summary:\x04\x88\xa0\x1f\x00\"\x9d\x01\n\x0bTallyResult\x12\x1b\n\tyes_count\x18\x01 \x01(\tR\x08yesCount\x12#\n\rabstain_count\x18\x02 \x01(\tR\x0c\x61\x62stainCount\x12\x19\n\x08no_count\x18\x03 \x01(\tR\x07noCount\x12+\n\x12no_with_veto_count\x18\x04 \x01(\tR\x0fnoWithVetoCount:\x04\x88\xa0\x1f\x00\"\xf4\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42\xa5\x01\n\x13\x63om.cosmos.group.v1B\nTypesProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x06Member\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12;\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\\\n\rMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\"\xb0\x01\n\x17ThresholdDecisionPolicy\x12\x11\n\tthreshold\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xb3\x01\n\x18PercentageDecisionPolicy\x12\x12\n\npercentage\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xa0\x01\n\x15\x44\x65\x63isionPolicyWindows\x12?\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x46\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xb8\x01\n\tGroupInfo\x12\n\n\x02id\x18\x01 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12\x0f\n\x07version\x18\x04 \x01(\x04\x12\x14\n\x0ctotal_weight\x18\x05 \x01(\t\x12=\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"H\n\x0bGroupMember\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\'\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.Member\"\xb6\x02\n\x0fGroupPolicyInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\x04\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x12=\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xce\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12+\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x15\n\rgroup_version\x18\x06 \x01(\x04\x12\x1c\n\x14group_policy_version\x18\x07 \x01(\x04\x12/\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x43\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12@\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12&\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05title\x18\r \x01(\t\x12\x0f\n\x07summary\x18\x0e \x01(\t:\x04\x88\xa0\x1f\x00\"k\n\x0bTallyResult\x12\x11\n\tyes_count\x18\x01 \x01(\t\x12\x15\n\rabstain_count\x18\x02 \x01(\t\x12\x10\n\x08no_count\x18\x03 \x01(\t\x12\x1a\n\x12no_with_veto_count\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xc3\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nTypesProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_PROPOSALSTATUS']._loaded_options = None @@ -90,32 +80,32 @@ _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VOTE'].fields_by_name['submit_time']._loaded_options = None _globals['_VOTE'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VOTEOPTION']._serialized_start=3006 - _globals['_VOTEOPTION']._serialized_end=3149 - _globals['_PROPOSALSTATUS']._serialized_start=3152 - _globals['_PROPOSALSTATUS']._serialized_end=3358 - _globals['_PROPOSALEXECUTORRESULT']._serialized_start=3361 - _globals['_PROPOSALEXECUTORRESULT']._serialized_end=3547 + _globals['_VOTEOPTION']._serialized_start=2450 + _globals['_VOTEOPTION']._serialized_end=2593 + _globals['_PROPOSALSTATUS']._serialized_start=2596 + _globals['_PROPOSALSTATUS']._serialized_end=2802 + _globals['_PROPOSALEXECUTORRESULT']._serialized_start=2805 + _globals['_PROPOSALEXECUTORRESULT']._serialized_end=2991 _globals['_MEMBER']._serialized_start=209 - _globals['_MEMBER']._serialized_end=391 - _globals['_MEMBERREQUEST']._serialized_start=393 - _globals['_MEMBERREQUEST']._serialized_end=512 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=515 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=711 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=714 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=914 - _globals['_DECISIONPOLICYWINDOWS']._serialized_start=917 - _globals['_DECISIONPOLICYWINDOWS']._serialized_end=1111 - _globals['_GROUPINFO']._serialized_start=1114 - _globals['_GROUPINFO']._serialized_end=1352 - _globals['_GROUPMEMBER']._serialized_start=1354 - _globals['_GROUPMEMBER']._serialized_end=1443 - _globals['_GROUPPOLICYINFO']._serialized_start=1446 - _globals['_GROUPPOLICYINFO']._serialized_end=1827 - _globals['_PROPOSAL']._serialized_start=1830 - _globals['_PROPOSAL']._serialized_end=2596 - _globals['_TALLYRESULT']._serialized_start=2599 - _globals['_TALLYRESULT']._serialized_end=2756 - _globals['_VOTE']._serialized_start=2759 - _globals['_VOTE']._serialized_end=3003 + _globals['_MEMBER']._serialized_end=355 + _globals['_MEMBERREQUEST']._serialized_start=357 + _globals['_MEMBERREQUEST']._serialized_end=449 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=452 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=628 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=631 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=810 + _globals['_DECISIONPOLICYWINDOWS']._serialized_start=813 + _globals['_DECISIONPOLICYWINDOWS']._serialized_end=973 + _globals['_GROUPINFO']._serialized_start=976 + _globals['_GROUPINFO']._serialized_end=1160 + _globals['_GROUPMEMBER']._serialized_start=1162 + _globals['_GROUPMEMBER']._serialized_end=1234 + _globals['_GROUPPOLICYINFO']._serialized_start=1237 + _globals['_GROUPPOLICYINFO']._serialized_end=1547 + _globals['_PROPOSAL']._serialized_start=1550 + _globals['_PROPOSAL']._serialized_end=2140 + _globals['_TALLYRESULT']._serialized_start=2142 + _globals['_TALLYRESULT']._serialized_end=2249 + _globals['_VOTE']._serialized_start=2252 + _globals['_VOTE']._serialized_end=2447 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index 2daafffe..c721892d 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py index 0b1d7ea9..ad2e39c6 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/ics23/v1/proofs.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/ics23/v1/proofs.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,42 +14,42 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"\x93\x01\n\x0e\x45xistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12,\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x04path\"\x91\x01\n\x11NonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x33\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x04left\x12\x35\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x05right\"\x93\x02\n\x0f\x43ommitmentProof\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexist\x12\x33\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00R\x05\x62\x61tch\x12G\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00R\ncompressedB\x07\n\x05proof\"\xf8\x01\n\x06LeafOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x38\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\nprehashKey\x12<\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x0cprehashValue\x12\x31\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOpR\x06length\x12\x16\n\x06prefix\x18\x05 \x01(\x0cR\x06prefix\"f\n\x07InnerOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x12\x16\n\x06suffix\x18\x03 \x01(\x0cR\x06suffix\"\xf9\x01\n\tProofSpec\x12\x34\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x08leafSpec\x12\x39\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpecR\tinnerSpec\x12\x1b\n\tmax_depth\x18\x03 \x01(\x05R\x08maxDepth\x12\x1b\n\tmin_depth\x18\x04 \x01(\x05R\x08minDepth\x12\x41\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08R\x1aprehashKeyBeforeComparison\"\xf1\x01\n\tInnerSpec\x12\x1f\n\x0b\x63hild_order\x18\x01 \x03(\x05R\nchildOrder\x12\x1d\n\nchild_size\x18\x02 \x01(\x05R\tchildSize\x12*\n\x11min_prefix_length\x18\x03 \x01(\x05R\x0fminPrefixLength\x12*\n\x11max_prefix_length\x18\x04 \x01(\x05R\x0fmaxPrefixLength\x12\x1f\n\x0b\x65mpty_child\x18\x05 \x01(\x0cR\nemptyChild\x12+\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\"C\n\nBatchProof\x12\x35\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntryR\x07\x65ntries\"\x90\x01\n\nBatchEntry\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x96\x01\n\x14\x43ompressedBatchProof\x12?\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntryR\x07\x65ntries\x12=\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x0clookupInners\"\xae\x01\n\x14\x43ompressedBatchEntry\x12\x41\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00R\x05\x65xist\x12J\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x83\x01\n\x18\x43ompressedExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12\x12\n\x04path\x18\x04 \x03(\x05R\x04path\"\xaf\x01\n\x1b\x43ompressedNonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12=\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x04left\x12?\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x05right*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\xa2\x01\n\x13\x63om.cosmos.ics23.v1B\x0bProofsProtoP\x01Z github.com/cosmos/ics23/go;ics23\xa2\x02\x03\x43IX\xaa\x02\x0f\x43osmos.Ics23.V1\xca\x02\x0f\x43osmos\\Ics23\\V1\xe2\x02\x1b\x43osmos\\Ics23\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Ics23::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"{\n\x0e\x45xistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12&\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x7f\n\x11NonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12-\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\x12.\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\"\xef\x01\n\x0f\x43ommitmentProof\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x12,\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00\x12;\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00\x42\x07\n\x05proof\"\xc8\x01\n\x06LeafOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12,\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12.\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12)\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOp\x12\x0e\n\x06prefix\x18\x05 \x01(\x0c\"P\n\x07InnerOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x12\x0e\n\x06suffix\x18\x03 \x01(\x0c\"\xb4\x01\n\tProofSpec\x12*\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12.\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpec\x12\x11\n\tmax_depth\x18\x03 \x01(\x05\x12\x11\n\tmin_depth\x18\x04 \x01(\x05\x12%\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08\"\xa6\x01\n\tInnerSpec\x12\x13\n\x0b\x63hild_order\x18\x01 \x03(\x05\x12\x12\n\nchild_size\x18\x02 \x01(\x05\x12\x19\n\x11min_prefix_length\x18\x03 \x01(\x05\x12\x19\n\x11max_prefix_length\x18\x04 \x01(\x05\x12\x13\n\x0b\x65mpty_child\x18\x05 \x01(\x0c\x12%\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\":\n\nBatchProof\x12,\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntry\"\x7f\n\nBatchEntry\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x42\x07\n\x05proof\"\x7f\n\x14\x43ompressedBatchProof\x12\x36\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntry\x12/\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x9d\x01\n\x14\x43ompressedBatchEntry\x12:\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00\x42\x07\n\x05proof\"k\n\x18\x43ompressedExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12\x0c\n\x04path\x18\x04 \x03(\x05\"\x9d\x01\n\x1b\x43ompressedNonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x37\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof\x12\x38\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\"Z github.com/cosmos/ics23/go;ics23b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.ics23.v1.proofs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.ics23.v1B\013ProofsProtoP\001Z github.com/cosmos/ics23/go;ics23\242\002\003CIX\252\002\017Cosmos.Ics23.V1\312\002\017Cosmos\\Ics23\\V1\342\002\033Cosmos\\Ics23\\V1\\GPBMetadata\352\002\021Cosmos::Ics23::V1' - _globals['_HASHOP']._serialized_start=2335 - _globals['_HASHOP']._serialized_end=2485 - _globals['_LENGTHOP']._serialized_start=2488 - _globals['_LENGTHOP']._serialized_end=2659 - _globals['_EXISTENCEPROOF']._serialized_start=50 - _globals['_EXISTENCEPROOF']._serialized_end=197 - _globals['_NONEXISTENCEPROOF']._serialized_start=200 - _globals['_NONEXISTENCEPROOF']._serialized_end=345 - _globals['_COMMITMENTPROOF']._serialized_start=348 - _globals['_COMMITMENTPROOF']._serialized_end=623 - _globals['_LEAFOP']._serialized_start=626 - _globals['_LEAFOP']._serialized_end=874 - _globals['_INNEROP']._serialized_start=876 - _globals['_INNEROP']._serialized_end=978 - _globals['_PROOFSPEC']._serialized_start=981 - _globals['_PROOFSPEC']._serialized_end=1230 - _globals['_INNERSPEC']._serialized_start=1233 - _globals['_INNERSPEC']._serialized_end=1474 - _globals['_BATCHPROOF']._serialized_start=1476 - _globals['_BATCHPROOF']._serialized_end=1543 - _globals['_BATCHENTRY']._serialized_start=1546 - _globals['_BATCHENTRY']._serialized_end=1690 - _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1693 - _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1843 - _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1846 - _globals['_COMPRESSEDBATCHENTRY']._serialized_end=2020 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=2023 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=2154 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=2157 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=2332 + _globals['DESCRIPTOR']._serialized_options = b'Z github.com/cosmos/ics23/go;ics23' + _globals['_HASHOP']._serialized_start=1930 + _globals['_HASHOP']._serialized_end=2080 + _globals['_LENGTHOP']._serialized_start=2083 + _globals['_LENGTHOP']._serialized_end=2254 + _globals['_EXISTENCEPROOF']._serialized_start=49 + _globals['_EXISTENCEPROOF']._serialized_end=172 + _globals['_NONEXISTENCEPROOF']._serialized_start=174 + _globals['_NONEXISTENCEPROOF']._serialized_end=301 + _globals['_COMMITMENTPROOF']._serialized_start=304 + _globals['_COMMITMENTPROOF']._serialized_end=543 + _globals['_LEAFOP']._serialized_start=546 + _globals['_LEAFOP']._serialized_end=746 + _globals['_INNEROP']._serialized_start=748 + _globals['_INNEROP']._serialized_end=828 + _globals['_PROOFSPEC']._serialized_start=831 + _globals['_PROOFSPEC']._serialized_end=1011 + _globals['_INNERSPEC']._serialized_start=1014 + _globals['_INNERSPEC']._serialized_end=1180 + _globals['_BATCHPROOF']._serialized_start=1182 + _globals['_BATCHPROOF']._serialized_end=1240 + _globals['_BATCHENTRY']._serialized_start=1242 + _globals['_BATCHENTRY']._serialized_end=1369 + _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1371 + _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1498 + _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1501 + _globals['_COMPRESSEDBATCHENTRY']._serialized_end=1658 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=1660 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=1767 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=1770 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=1927 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index 2daafffe..a82d5f8b 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index b3176972..0cc83382 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/mint/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x81\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintB\x9f\x01\n\x19\x63om.cosmos.mint.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43MM\xaa\x02\x15\x43osmos.Mint.Module.V1\xca\x02\x15\x43osmos\\Mint\\Module\\V1\xe2\x02!Cosmos\\Mint\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Mint::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"d\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.mint.module.v1B\013ModuleProtoP\001\242\002\003CMM\252\002\025Cosmos.Mint.Module.V1\312\002\025Cosmos\\Mint\\Module\\V1\342\002!Cosmos\\Mint\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Mint::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/mint' - _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=225 + _globals['_MODULE']._serialized_start=95 + _globals['_MODULE']._serialized_end=195 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index 2daafffe..f7416d70 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index c020f7eb..1888f563 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/mint/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x8e\x01\n\x0cGenesisState\x12>\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06minter\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06paramsB\xc0\x01\n\x17\x63om.cosmos.mint.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"~\n\x0cGenesisState\x12\x36\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_GENESISSTATE'].fields_by_name['minter']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['minter']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=132 - _globals['_GENESISSTATE']._serialized_end=274 + _globals['_GENESISSTATE']._serialized_start=131 + _globals['_GENESISSTATE']._serialized_end=257 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 2daafffe..3c40b433 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index c6054776..fd4c0ca2 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/mint.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/mint/v1beta1/mint.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb9\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tinflation\x12^\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x10\x61nnualProvisions\"\xed\x03\n\x06Params\x12\x1d\n\nmint_denom\x18\x01 \x01(\tR\tmintDenom\x12j\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13inflationRateChange\x12[\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMax\x12[\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMin\x12W\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\ngoalBonded\x12&\n\x0f\x62locks_per_year\x18\x06 \x01(\x04R\rblocksPerYear:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB\xbd\x01\n\x17\x63om.cosmos.mint.v1beta1B\tMintProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.mint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\tMintProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None @@ -50,7 +40,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=309 - _globals['_PARAMS']._serialized_start=312 - _globals['_PARAMS']._serialized_end=805 + _globals['_MINTER']._serialized_end=280 + _globals['_PARAMS']._serialized_start=283 + _globals['_PARAMS']._serialized_end=689 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index 2daafffe..f6da96cd 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index d2b1ce39..523443a7 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/mint/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\x17\n\x15QueryInflationRequest\"n\n\x16QueryInflationResponse\x12T\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\tinflation\"\x1e\n\x1cQueryAnnualProvisionsRequest\"\x84\x01\n\x1dQueryAnnualProvisionsResponse\x12\x63\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x10\x61nnualProvisions2\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB\xbe\x01\n\x17\x63om.cosmos.mint.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None @@ -52,15 +42,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=186 _globals['_QUERYPARAMSREQUEST']._serialized_end=206 _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=293 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=295 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=318 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=320 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=430 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=432 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=462 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=465 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=597 - _globals['_QUERY']._serialized_start=600 - _globals['_QUERY']._serialized_end=1053 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 + _globals['_QUERY']._serialized_start=562 + _globals['_QUERY']._serialized_end=1015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index c9ec00cb..982f1fda 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index 45a3937c..f00885c7 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/mint/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.mint.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -46,9 +36,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=370 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 - _globals['_MSG']._serialized_start=399 - _globals['_MSG']._serialized_end=511 + _globals['_MSGUPDATEPARAMS']._serialized_end=351 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 + _globals['_MSG']._serialized_start=380 + _globals['_MSG']._serialized_end=492 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index 0d6e1328..9ba40034 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the x/mint Msg service. diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py index f49c3b0e..5079cb52 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/textual/v1/textual.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/msg/textual/v1/textual.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,12 +15,11 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:X\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tR\x14\x65xpertCustomRendererB\xa0\x01\n\x19\x63om.cosmos.msg.textual.v1B\x0cTextualProtoP\x01\xa2\x02\x03\x43MT\xaa\x02\x15\x43osmos.Msg.Textual.V1\xca\x02\x15\x43osmos\\Msg\\Textual\\V1\xe2\x02!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Msg::Textual::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:B\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.textual.v1.textual_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.msg.textual.v1B\014TextualProtoP\001\242\002\003CMT\252\002\025Cosmos.Msg.Textual.V1\312\002\025Cosmos\\Msg\\Textual\\V1\342\002!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\352\002\030Cosmos::Msg::Textual::V1' + DESCRIPTOR._loaded_options = None # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py index 2daafffe..2952b60a 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/msg/textual/v1/textual_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py index dd518c15..a4ce7eb7 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/v1/msg.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/msg/v1/msg.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,12 +15,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:<\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08R\x07service::\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tR\x06signerB\xa2\x01\n\x11\x63om.cosmos.msg.v1B\x08MsgProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/msgservice\xa2\x02\x03\x43MX\xaa\x02\rCosmos.Msg.V1\xca\x02\rCosmos\\Msg\\V1\xe2\x02\x19\x43osmos\\Msg\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Msg::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:3\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08:2\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tB/Z-github.com/cosmos/cosmos-sdk/types/msgserviceb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.v1.msg_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.msg.v1B\010MsgProtoP\001Z-github.com/cosmos/cosmos-sdk/types/msgservice\242\002\003CMX\252\002\rCosmos.Msg.V1\312\002\rCosmos\\Msg\\V1\342\002\031Cosmos\\Msg\\V1\\GPBMetadata\352\002\017Cosmos::Msg::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/msgservice' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 2daafffe..3730ba40 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index 4c40db0f..217d6013 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftB\x9a\x01\n\x18\x63om.cosmos.nft.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43NM\xaa\x02\x14\x43osmos.Nft.Module.V1\xca\x02\x14\x43osmos\\Nft\\Module\\V1\xe2\x02 Cosmos\\Nft\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Nft::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.nft.module.v1B\013ModuleProtoP\001\242\002\003CNM\252\002\024Cosmos.Nft.Module.V1\312\002\024Cosmos\\Nft\\Module\\V1\342\002 Cosmos\\Nft\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Nft::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' _globals['_MODULE']._serialized_start=93 diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 2daafffe..22737655 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 9af5816f..86d74c90 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/event.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/v1beta1/event.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,18 +14,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"j\n\tEventSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\"L\n\tEventMint\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05owner\"L\n\tEventBurn\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05ownerB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nEventProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nEventProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_EVENTSEND']._serialized_start=54 - _globals['_EVENTSEND']._serialized_end=160 - _globals['_EVENTMINT']._serialized_start=162 - _globals['_EVENTMINT']._serialized_end=238 - _globals['_EVENTBURN']._serialized_start=240 - _globals['_EVENTBURN']._serialized_end=316 + _globals['_EVENTSEND']._serialized_end=129 + _globals['_EVENTMINT']._serialized_start=131 + _globals['_EVENTMINT']._serialized_end=187 + _globals['_EVENTBURN']._serialized_start=189 + _globals['_EVENTBURN']._serialized_end=245 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 2daafffe..4f50dde7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index 1c599164..c44e63ca 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"x\n\x0cGenesisState\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12\x33\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.EntryR\x07\x65ntries\"J\n\x05\x45ntry\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12+\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nftsB\xa4\x01\n\x16\x63om.cosmos.nft.v1beta1B\x0cGenesisProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\014GenesisProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_GENESISSTATE']._serialized_start=86 - _globals['_GENESISSTATE']._serialized_end=206 - _globals['_ENTRY']._serialized_start=208 - _globals['_ENTRY']._serialized_end=282 + _globals['_GENESISSTATE']._serialized_end=188 + _globals['_ENTRY']._serialized_start=190 + _globals['_ENTRY']._serialized_end=251 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index 2daafffe..ffcfec91 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 697464e4..0ea652f4 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/nft.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/v1beta1/nft.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,16 +15,16 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\xbc\x01\n\x05\x43lass\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12 \n\x0b\x64\x65scription\x18\x04 \x01(\tR\x0b\x64\x65scription\x12\x10\n\x03uri\x18\x05 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x06 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61ta\"\x87\x01\n\x03NFT\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x10\n\x03uri\x18\x03 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x04 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61taB\xa0\x01\n\x16\x63om.cosmos.nft.v1beta1B\x08NftProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\010NftProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_CLASS']._serialized_start=80 - _globals['_CLASS']._serialized_end=268 - _globals['_NFT']._serialized_start=271 - _globals['_NFT']._serialized_end=406 + _globals['_CLASS']._serialized_end=217 + _globals['_NFT']._serialized_start=219 + _globals['_NFT']._serialized_end=321 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 2daafffe..72c83091 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index e9a1374a..b6f45782 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"F\n\x13QueryBalanceRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\".\n\x14QueryBalanceResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\">\n\x11QueryOwnerRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"*\n\x12QueryOwnerResponse\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\"/\n\x12QuerySupplyRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"-\n\x13QuerySupplyResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\"\x8b\x01\n\x10QueryNFTsRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x89\x01\n\x11QueryNFTsResponse\x12+\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nfts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"<\n\x0fQueryNFTRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"=\n\x10QueryNFTResponse\x12)\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x03nft\".\n\x11QueryClassRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"E\n\x12QueryClassResponse\x12/\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x05\x63lass\"]\n\x13QueryClassesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x14QueryClassesResponse\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nQueryProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nQueryProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None @@ -50,33 +40,33 @@ _globals['_QUERY'].methods_by_name['Classes']._loaded_options = None _globals['_QUERY'].methods_by_name['Classes']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/nft/v1beta1/classes' _globals['_QUERYBALANCEREQUEST']._serialized_start=158 - _globals['_QUERYBALANCEREQUEST']._serialized_end=228 - _globals['_QUERYBALANCERESPONSE']._serialized_start=230 - _globals['_QUERYBALANCERESPONSE']._serialized_end=276 - _globals['_QUERYOWNERREQUEST']._serialized_start=278 - _globals['_QUERYOWNERREQUEST']._serialized_end=340 - _globals['_QUERYOWNERRESPONSE']._serialized_start=342 - _globals['_QUERYOWNERRESPONSE']._serialized_end=384 - _globals['_QUERYSUPPLYREQUEST']._serialized_start=386 - _globals['_QUERYSUPPLYREQUEST']._serialized_end=433 - _globals['_QUERYSUPPLYRESPONSE']._serialized_start=435 - _globals['_QUERYSUPPLYRESPONSE']._serialized_end=480 - _globals['_QUERYNFTSREQUEST']._serialized_start=483 - _globals['_QUERYNFTSREQUEST']._serialized_end=622 - _globals['_QUERYNFTSRESPONSE']._serialized_start=625 - _globals['_QUERYNFTSRESPONSE']._serialized_end=762 - _globals['_QUERYNFTREQUEST']._serialized_start=764 - _globals['_QUERYNFTREQUEST']._serialized_end=824 - _globals['_QUERYNFTRESPONSE']._serialized_start=826 - _globals['_QUERYNFTRESPONSE']._serialized_end=887 - _globals['_QUERYCLASSREQUEST']._serialized_start=889 - _globals['_QUERYCLASSREQUEST']._serialized_end=935 - _globals['_QUERYCLASSRESPONSE']._serialized_start=937 - _globals['_QUERYCLASSRESPONSE']._serialized_end=1006 - _globals['_QUERYCLASSESREQUEST']._serialized_start=1008 - _globals['_QUERYCLASSESREQUEST']._serialized_end=1101 - _globals['_QUERYCLASSESRESPONSE']._serialized_start=1104 - _globals['_QUERYCLASSESRESPONSE']._serialized_end=1252 - _globals['_QUERY']._serialized_start=1255 - _globals['_QUERY']._serialized_end=2213 + _globals['_QUERYBALANCEREQUEST']._serialized_end=212 + _globals['_QUERYBALANCERESPONSE']._serialized_start=214 + _globals['_QUERYBALANCERESPONSE']._serialized_end=252 + _globals['_QUERYOWNERREQUEST']._serialized_start=254 + _globals['_QUERYOWNERREQUEST']._serialized_end=303 + _globals['_QUERYOWNERRESPONSE']._serialized_start=305 + _globals['_QUERYOWNERRESPONSE']._serialized_end=340 + _globals['_QUERYSUPPLYREQUEST']._serialized_start=342 + _globals['_QUERYSUPPLYREQUEST']._serialized_end=380 + _globals['_QUERYSUPPLYRESPONSE']._serialized_start=382 + _globals['_QUERYSUPPLYRESPONSE']._serialized_end=419 + _globals['_QUERYNFTSREQUEST']._serialized_start=421 + _globals['_QUERYNFTSREQUEST']._serialized_end=532 + _globals['_QUERYNFTSRESPONSE']._serialized_start=534 + _globals['_QUERYNFTSRESPONSE']._serialized_end=653 + _globals['_QUERYNFTREQUEST']._serialized_start=655 + _globals['_QUERYNFTREQUEST']._serialized_end=702 + _globals['_QUERYNFTRESPONSE']._serialized_start=704 + _globals['_QUERYNFTRESPONSE']._serialized_end=760 + _globals['_QUERYCLASSREQUEST']._serialized_start=762 + _globals['_QUERYCLASSREQUEST']._serialized_end=799 + _globals['_QUERYCLASSRESPONSE']._serialized_start=801 + _globals['_QUERYCLASSRESPONSE']._serialized_end=863 + _globals['_QUERYCLASSESREQUEST']._serialized_start=865 + _globals['_QUERYCLASSESREQUEST']._serialized_end=946 + _globals['_QUERYCLASSESRESPONSE']._serialized_start=948 + _globals['_QUERYCLASSESRESPONSE']._serialized_end=1075 + _globals['_QUERY']._serialized_start=1078 + _globals['_QUERY']._serialized_end=2036 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index ab1f20be..8e86cfaf 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index ca2833b1..40b885d6 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/nft/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xa9\x01\n\x07MsgSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x30\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08receiver:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x16\x63om.cosmos.nft.v1beta1B\x07TxProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\007TxProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None @@ -43,9 +33,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=104 - _globals['_MSGSEND']._serialized_end=273 - _globals['_MSGSENDRESPONSE']._serialized_start=275 - _globals['_MSGSENDRESPONSE']._serialized_end=292 - _globals['_MSG']._serialized_start=294 - _globals['_MSG']._serialized_end=380 + _globals['_MSGSEND']._serialized_end=242 + _globals['_MSGSENDRESPONSE']._serialized_start=244 + _globals['_MSGSENDRESPONSE']._serialized_end=261 + _globals['_MSG']._serialized_start=263 + _globals['_MSG']._serialized_end=349 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index c932a6d7..3b62828d 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the nft Msg service. diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 01fa977c..26694fcc 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/module/v1alpha1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/orm/module/v1alpha1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormB\xb8\x01\n\x1e\x63om.cosmos.orm.module.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43OM\xaa\x02\x1a\x43osmos.Orm.Module.V1alpha1\xca\x02\x1a\x43osmos\\Orm\\Module\\V1alpha1\xe2\x02&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\xea\x02\x1d\x43osmos::Orm::Module::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.module.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.orm.module.v1alpha1B\013ModuleProtoP\001\242\002\003COM\252\002\032Cosmos.Orm.Module.V1alpha1\312\002\032Cosmos\\Orm\\Module\\V1alpha1\342\002&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\352\002\035Cosmos::Orm::Module::V1alpha1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' _globals['_MODULE']._serialized_start=105 diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index 2daafffe..bd028b7a 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index 0ffda7ce..2a3c9d0d 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/query/v1alpha1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/orm/query/v1alpha1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,31 +15,30 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"\x84\x01\n\nGetRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12=\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\";\n\x0bGetResponse\x12,\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06result\"\xee\x03\n\x0bListRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12G\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00R\x06prefix\x12\x44\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00R\x05range\x12\x46\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x1aG\n\x06Prefix\x12=\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\x1a}\n\x05Range\x12;\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x05start\x12\x37\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x03\x65ndB\x07\n\x05query\"\x87\x01\n\x0cListResponse\x12.\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x07results\x12G\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x8c\x02\n\nIndexValue\x12\x14\n\x04uint\x18\x01 \x01(\x04H\x00R\x04uint\x12\x12\n\x03int\x18\x02 \x01(\x03H\x00R\x03int\x12\x12\n\x03str\x18\x03 \x01(\tH\x00R\x03str\x12\x16\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00R\x05\x62ytes\x12\x14\n\x04\x65num\x18\x05 \x01(\tH\x00R\x04\x65num\x12\x14\n\x04\x62ool\x18\x06 \x01(\x08H\x00R\x04\x62ool\x12:\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00R\ttimestamp\x12\x37\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00R\x08\x64urationB\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseB\xb2\x01\n\x1d\x63om.cosmos.orm.query.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43OQ\xaa\x02\x19\x43osmos.Orm.Query.V1alpha1\xca\x02\x19\x43osmos\\Orm\\Query\\V1alpha1\xe2\x02%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\xea\x02\x1c\x43osmos::Orm::Query::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"h\n\nGetRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12\x35\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\"3\n\x0bGetResponse\x12$\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xab\x03\n\x0bListRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12?\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00\x12=\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00\x12:\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a?\n\x06Prefix\x12\x35\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x1aq\n\x05Range\x12\x34\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x12\x32\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueB\x07\n\x05query\"r\n\x0cListResponse\x12%\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xd4\x01\n\nIndexValue\x12\x0e\n\x04uint\x18\x01 \x01(\x04H\x00\x12\r\n\x03int\x18\x02 \x01(\x03H\x00\x12\r\n\x03str\x18\x03 \x01(\tH\x00\x12\x0f\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00\x12\x0e\n\x04\x65num\x18\x05 \x01(\tH\x00\x12\x0e\n\x04\x62ool\x18\x06 \x01(\x08H\x00\x12/\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x12-\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00\x42\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.query.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.orm.query.v1alpha1B\nQueryProtoP\001\242\002\003COQ\252\002\031Cosmos.Orm.Query.V1alpha1\312\002\031Cosmos\\Orm\\Query\\V1alpha1\342\002%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\352\002\034Cosmos::Orm::Query::V1alpha1' - _globals['_GETREQUEST']._serialized_start=205 - _globals['_GETREQUEST']._serialized_end=337 - _globals['_GETRESPONSE']._serialized_start=339 - _globals['_GETRESPONSE']._serialized_end=398 - _globals['_LISTREQUEST']._serialized_start=401 - _globals['_LISTREQUEST']._serialized_end=895 - _globals['_LISTREQUEST_PREFIX']._serialized_start=688 - _globals['_LISTREQUEST_PREFIX']._serialized_end=759 - _globals['_LISTREQUEST_RANGE']._serialized_start=761 - _globals['_LISTREQUEST_RANGE']._serialized_end=886 - _globals['_LISTRESPONSE']._serialized_start=898 - _globals['_LISTRESPONSE']._serialized_end=1033 - _globals['_INDEXVALUE']._serialized_start=1036 - _globals['_INDEXVALUE']._serialized_end=1304 - _globals['_QUERY']._serialized_start=1307 - _globals['_QUERY']._serialized_end=1489 + DESCRIPTOR._loaded_options = None + _globals['_GETREQUEST']._serialized_start=204 + _globals['_GETREQUEST']._serialized_end=308 + _globals['_GETRESPONSE']._serialized_start=310 + _globals['_GETRESPONSE']._serialized_end=361 + _globals['_LISTREQUEST']._serialized_start=364 + _globals['_LISTREQUEST']._serialized_end=791 + _globals['_LISTREQUEST_PREFIX']._serialized_start=604 + _globals['_LISTREQUEST_PREFIX']._serialized_end=667 + _globals['_LISTREQUEST_RANGE']._serialized_start=669 + _globals['_LISTREQUEST_RANGE']._serialized_end=782 + _globals['_LISTRESPONSE']._serialized_start=793 + _globals['_LISTRESPONSE']._serialized_end=907 + _globals['_INDEXVALUE']._serialized_start=910 + _globals['_INDEXVALUE']._serialized_end=1122 + _globals['_QUERY']._serialized_start=1125 + _globals['_QUERY']._serialized_end=1307 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index fdcaaba1..835dc4ed 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query is a generic gRPC service for querying ORM data. diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py index b285b131..19b13b87 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1/orm.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/orm/v1/orm.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,20 +15,19 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\xa6\x01\n\x0fTableDescriptor\x12\x44\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptorR\nprimaryKey\x12=\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptorR\x05index\x12\x0e\n\x02id\x18\x03 \x01(\rR\x02id\"U\n\x14PrimaryKeyDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12%\n\x0e\x61uto_increment\x18\x02 \x01(\x08R\rautoIncrement\"Z\n\x18SecondaryIndexDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12\x0e\n\x02id\x18\x02 \x01(\rR\x02id\x12\x16\n\x06unique\x18\x03 \x01(\x08R\x06unique\"%\n\x13SingletonDescriptor\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id:X\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptorR\x05table:d\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorR\tsingletonBs\n\x11\x63om.cosmos.orm.v1B\x08OrmProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\rCosmos.Orm.V1\xca\x02\rCosmos\\Orm\\V1\xe2\x02\x19\x43osmos\\Orm\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Orm::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\x8f\x01\n\x0fTableDescriptor\x12\x38\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptor\x12\x36\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptor\x12\n\n\x02id\x18\x03 \x01(\r\">\n\x14PrimaryKeyDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\x16\n\x0e\x61uto_increment\x18\x02 \x01(\x08\"F\n\x18SecondaryIndexDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\r\x12\x0e\n\x06unique\x18\x03 \x01(\x08\"!\n\x13SingletonDescriptor\x12\n\n\x02id\x18\x01 \x01(\r:Q\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptor:Y\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1.orm_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.orm.v1B\010OrmProtoP\001\242\002\003COX\252\002\rCosmos.Orm.V1\312\002\rCosmos\\Orm\\V1\342\002\031Cosmos\\Orm\\V1\\GPBMetadata\352\002\017Cosmos::Orm::V1' + DESCRIPTOR._loaded_options = None _globals['_TABLEDESCRIPTOR']._serialized_start=77 - _globals['_TABLEDESCRIPTOR']._serialized_end=243 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=245 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=330 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=332 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=422 - _globals['_SINGLETONDESCRIPTOR']._serialized_start=424 - _globals['_SINGLETONDESCRIPTOR']._serialized_end=461 + _globals['_TABLEDESCRIPTOR']._serialized_end=220 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=222 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=284 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=286 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=356 + _globals['_SINGLETONDESCRIPTOR']._serialized_start=358 + _globals['_SINGLETONDESCRIPTOR']._serialized_end=391 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 2daafffe..0f03d13d 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 06498708..3e072baf 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1alpha1/schema.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/orm/v1alpha1/schema.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,18 +15,17 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\x93\x02\n\x16ModuleSchemaDescriptor\x12V\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntryR\nschemaFile\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x1a\x88\x01\n\tFileEntry\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id\x12&\n\x0fproto_file_name\x18\x02 \x01(\tR\rprotoFileName\x12\x43\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageTypeR\x0bstorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:t\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorR\x0cmoduleSchemaB\x94\x01\n\x17\x63om.cosmos.orm.v1alpha1B\x0bSchemaProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\x13\x43osmos.Orm.V1alpha1\xca\x02\x13\x43osmos\\Orm\\V1alpha1\xe2\x02\x1f\x43osmos\\Orm\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::Orm::V1alpha1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.orm.v1alpha1B\013SchemaProtoP\001\242\002\003COX\252\002\023Cosmos.Orm.V1alpha1\312\002\023Cosmos\\Orm\\V1alpha1\342\002\037Cosmos\\Orm\\V1alpha1\\GPBMetadata\352\002\025Cosmos::Orm::V1alpha1' - _globals['_STORAGETYPE']._serialized_start=369 - _globals['_STORAGETYPE']._serialized_end=473 + DESCRIPTOR._loaded_options = None + _globals['_STORAGETYPE']._serialized_start=316 + _globals['_STORAGETYPE']._serialized_end=420 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 - _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=367 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=231 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=367 + _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=314 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 2daafffe..40712371 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index c3f25450..b40c446a 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/params/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsB\xa9\x01\n\x1b\x63om.cosmos.params.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43PM\xaa\x02\x17\x43osmos.Params.Module.V1\xca\x02\x17\x43osmos\\Params\\Module\\V1\xe2\x02#Cosmos\\Params\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Params::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.params.module.v1B\013ModuleProtoP\001\242\002\003CPM\252\002\027Cosmos.Params.Module.V1\312\002\027Cosmos\\Params\\Module\\V1\342\002#Cosmos\\Params\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Params::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/params' _globals['_MODULE']._serialized_start=99 diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 2daafffe..4bad0bd0 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 77a10b2b..53c2cc22 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/params.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/params/v1beta1/params.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe5\x01\n\x17ParameterChangeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x63hanges:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"Q\n\x0bParamChange\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\x12\x14\n\x05value\x18\x03 \x01(\tR\x05valueB\xd8\x01\n\x19\x63om.cosmos.params.v1beta1B\x0bParamsProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\013ParamsProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\250\342\036\001' _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=359 - _globals['_PARAMCHANGE']._serialized_start=361 - _globals['_PARAMCHANGE']._serialized_end=442 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 + _globals['_PARAMCHANGE']._serialized_start=332 + _globals['_PARAMCHANGE']._serialized_end=391 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index 2daafffe..cdfe7f6d 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index be62e574..79e3ea10 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/params/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"B\n\x12QueryParamsRequest\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"Z\n\x13QueryParamsResponse\x12\x43\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05param\"\x17\n\x15QuerySubspacesRequest\"W\n\x16QuerySubspacesResponse\x12=\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.SubspaceR\tsubspaces\":\n\x08Subspace\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x12\n\x04keys\x18\x02 \x03(\tR\x04keys2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB\xd3\x01\n\x19\x63om.cosmos.params.v1beta1B\nQueryProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"3\n\x12QueryParamsRequest\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"S\n\x13QueryParamsResponse\x12<\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QuerySubspacesRequest\"L\n\x16QuerySubspacesResponse\x12\x32\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.Subspace\"*\n\x08Subspace\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0c\n\x04keys\x18\x02 \x03(\t2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB6Z4github.com/cosmos/cosmos-sdk/x/params/types/proposalb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\nQueryProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -43,15 +33,15 @@ _globals['_QUERY'].methods_by_name['Subspaces']._loaded_options = None _globals['_QUERY'].methods_by_name['Subspaces']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/params/v1beta1/subspaces' _globals['_QUERYPARAMSREQUEST']._serialized_start=167 - _globals['_QUERYPARAMSREQUEST']._serialized_end=233 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=235 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=325 - _globals['_QUERYSUBSPACESREQUEST']._serialized_start=327 - _globals['_QUERYSUBSPACESREQUEST']._serialized_end=350 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=352 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=439 - _globals['_SUBSPACE']._serialized_start=441 - _globals['_SUBSPACE']._serialized_end=499 - _globals['_QUERY']._serialized_start=502 - _globals['_QUERY']._serialized_end=795 + _globals['_QUERYPARAMSREQUEST']._serialized_end=218 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=220 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=303 + _globals['_QUERYSUBSPACESREQUEST']._serialized_start=305 + _globals['_QUERYSUBSPACESREQUEST']._serialized_end=328 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=330 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=406 + _globals['_SUBSPACE']._serialized_start=408 + _globals['_SUBSPACE']._serialized_end=450 + _globals['_QUERY']._serialized_start=453 + _globals['_QUERY']._serialized_end=746 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index b9ed1797..babbc747 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2.py b/pyinjective/proto/cosmos/query/v1/query_pb2.py index 052f2e56..9e13f960 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/query/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/query/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,12 +15,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:M\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08R\x0fmoduleQuerySafeB\xa9\x01\n\x13\x63om.cosmos.query.v1B\nQueryProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43QX\xaa\x02\x0f\x43osmos.Query.V1\xca\x02\x0f\x43osmos\\Query\\V1\xe2\x02\x1b\x43osmos\\Query\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Query::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:<\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.query.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.query.v1B\nQueryProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CQX\252\002\017Cosmos.Query.V1\312\002\017Cosmos\\Query\\V1\342\002\033Cosmos\\Query\\V1\\GPBMetadata\352\002\021Cosmos::Query::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 2daafffe..51870a49 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index 541cddee..d4428c47 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -1,45 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/reflection/v1/reflection.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/reflection/v1/reflection.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"U\n\x17\x46ileDescriptorsResponse\x12:\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProtoR\x05\x66iles2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x42\x9d\x01\n\x18\x63om.cosmos.reflection.v1B\x0fReflectionProtoP\x01\xa2\x02\x03\x43RX\xaa\x02\x14\x43osmos.Reflection.V1\xca\x02\x14\x43osmos\\Reflection\\V1\xe2\x02 Cosmos\\Reflection\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Reflection::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"N\n\x17\x46ileDescriptorsResponse\x12\x33\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProto2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.reflection.v1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.reflection.v1B\017ReflectionProtoP\001\242\002\003CRX\252\002\024Cosmos.Reflection.V1\312\002\024Cosmos\\Reflection\\V1\342\002 Cosmos\\Reflection\\V1\\GPBMetadata\352\002\026Cosmos::Reflection::V1' + DESCRIPTOR._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._serialized_options = b'\210\347\260*\000' _globals['_FILEDESCRIPTORSREQUEST']._serialized_start=126 _globals['_FILEDESCRIPTORSREQUEST']._serialized_end=150 _globals['_FILEDESCRIPTORSRESPONSE']._serialized_start=152 - _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=237 - _globals['_REFLECTIONSERVICE']._serialized_start=240 - _globals['_REFLECTIONSERVICE']._serialized_end=378 + _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=230 + _globals['_REFLECTIONSERVICE']._serialized_start=233 + _globals['_REFLECTIONSERVICE']._serialized_end=371 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index 0c311309..c0f91980 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ReflectionServiceStub(object): """Package cosmos.reflection.v1 provides support for inspecting protobuf diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index f9850969..9b0a305a 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/slashing/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"W\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingB\xb3\x01\n\x1d\x63om.cosmos.slashing.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x19\x43osmos.Slashing.Module.V1\xca\x02\x19\x43osmos\\Slashing\\Module\\V1\xe2\x02%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Slashing::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"L\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.slashing.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\031Cosmos.Slashing.Module.V1\312\002\031Cosmos\\Slashing\\Module\\V1\342\002%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Slashing::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/slashing' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=190 + _globals['_MODULE']._serialized_end=179 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 2daafffe..34467489 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index b5a19521..21e1f022 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/slashing/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x88\x02\n\x0cGenesisState\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12T\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0csigningInfos\x12^\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\"\xba\x01\n\x0bSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12n\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSigningInfo\"\xaa\x01\n\x15ValidatorMissedBlocks\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12T\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\";\n\x0bMissedBlock\x12\x14\n\x05index\x18\x01 \x01(\x03R\x05index\x12\x16\n\x06missed\x18\x02 \x01(\x08R\x06missedB\xd8\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x0cGenesisProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\014GenesisProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['signing_infos']._loaded_options = None @@ -51,11 +41,11 @@ _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=439 - _globals['_SIGNINGINFO']._serialized_start=442 - _globals['_SIGNINGINFO']._serialized_end=628 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=631 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=801 - _globals['_MISSEDBLOCK']._serialized_start=803 - _globals['_MISSEDBLOCK']._serialized_end=862 + _globals['_GENESISSTATE']._serialized_end=403 + _globals['_SIGNINGINFO']._serialized_start=406 + _globals['_SIGNINGINFO']._serialized_end=561 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 + _globals['_MISSEDBLOCK']._serialized_start=713 + _globals['_MISSEDBLOCK']._serialized_end=757 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 2daafffe..5b3f838a 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index adf14d29..51c319ef 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/slashing/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Y\n\x13QueryParamsResponse\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"_\n\x17QuerySigningInfoRequest\x12\x44\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x0b\x63onsAddress\"~\n\x18QuerySigningInfoResponse\x12\x62\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evalSigningInfo\"b\n\x18QuerySigningInfosRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb2\x01\n\x19QuerySigningInfosResponse\x12L\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04info\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB\xd6\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None @@ -55,15 +45,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=246 _globals['_QUERYPARAMSREQUEST']._serialized_end=266 _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=357 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=359 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=454 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=456 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=582 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=584 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=682 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=685 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=863 - _globals['_QUERY']._serialized_start=866 - _globals['_QUERY']._serialized_end=1364 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 + _globals['_QUERY']._serialized_start=799 + _globals['_QUERY']._serialized_end=1297 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index 69674eb7..d73f0ff9 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index e6461b91..7b8da5d3 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/slashing.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/slashing/v1beta1/slashing.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc1\x02\n\x14ValidatorSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12!\n\x0cstart_height\x18\x02 \x01(\x03R\x0bstartHeight\x12!\n\x0cindex_offset\x18\x03 \x01(\x03R\x0bindexOffset\x12L\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bjailedUntil\x12\x1e\n\ntombstoned\x18\x05 \x01(\x08R\ntombstoned\x12\x32\n\x15missed_blocks_counter\x18\x06 \x01(\x03R\x13missedBlocksCounter:\x04\xe8\xa0\x1f\x01\"\x8d\x04\n\x06Params\x12\x30\n\x14signed_blocks_window\x18\x01 \x01(\x03R\x12signedBlocksWindow\x12i\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12minSignedPerWindow\x12^\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x14\x64owntimeJailDuration\x12s\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x17slashFractionDoubleSign\x12n\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x15slashFractionDowntime:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB\xdd\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\rSlashingProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.slashing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\rSlashingProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None @@ -54,7 +44,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=522 - _globals['_PARAMS']._serialized_start=525 - _globals['_PARAMS']._serialized_end=1050 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 + _globals['_PARAMS']._serialized_start=444 + _globals['_PARAMS']._serialized_end=859 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 2daafffe..42aa6035 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index 8e978f9e..e8467771 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/slashing/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa3\x01\n\tMsgUnjail\x12\x64\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01R\rvalidatorAddr:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xc7\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd7\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x07TxProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\007TxProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' _globals['_MSGUNJAIL']._loaded_options = None @@ -50,13 +40,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=358 - _globals['_MSGUNJAILRESPONSE']._serialized_start=360 - _globals['_MSGUNJAILRESPONSE']._serialized_end=379 - _globals['_MSGUPDATEPARAMS']._serialized_start=382 - _globals['_MSGUPDATEPARAMS']._serialized_end=581 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=583 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=608 - _globals['_MSG']._serialized_start=611 - _globals['_MSG']._serialized_end=821 + _globals['_MSGUNJAIL']._serialized_end=343 + _globals['_MSGUNJAILRESPONSE']._serialized_start=345 + _globals['_MSGUNJAILRESPONSE']._serialized_end=364 + _globals['_MSGUPDATEPARAMS']._serialized_start=367 + _globals['_MSGUPDATEPARAMS']._serialized_end=547 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 + _globals['_MSG']._serialized_start=577 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index 63fd5cdd..480aed79 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the slashing Msg service. diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index a7b48ea8..6cf1115c 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe7\x01\n\x06Module\x12\x1f\n\x0bhooks_order\x18\x01 \x03(\tR\nhooksOrder\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12\x36\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\tR\x15\x62\x65\x63h32PrefixValidator\x12\x36\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\tR\x15\x62\x65\x63h32PrefixConsensus:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingB\xae\x01\n\x1c\x63om.cosmos.staking.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x18\x43osmos.Staking.Module.V1\xca\x02\x18\x43osmos\\Staking\\Module\\V1\xe2\x02$Cosmos\\Staking\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Staking::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xa2\x01\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.staking.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\030Cosmos.Staking.Module.V1\312\002\030Cosmos\\Staking\\Module\\V1\342\002$Cosmos\\Staking\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Staking::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/staking' _globals['_MODULE']._serialized_start=102 - _globals['_MODULE']._serialized_end=333 + _globals['_MODULE']._serialized_end=264 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 2daafffe..246d99d1 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 6f048828..29a3e9b3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/v1beta1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xfa\x04\n\x12StakeAuthorization\x12\x65\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tmaxTokens\x12\x84\x01\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00R\tallowList\x12\x81\x01\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00R\x08\x64\x65nyList\x12X\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationTypeR\x11\x61uthorizationType\x1a@\n\nValidators\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nAuthzProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nAuthzProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._loaded_options = None _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None @@ -46,10 +36,10 @@ _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=800 - _globals['_AUTHORIZATIONTYPE']._serialized_end=1010 + _globals['_AUTHORIZATIONTYPE']._serialized_start=738 + _globals['_AUTHORIZATIONTYPE']._serialized_end=948 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=797 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=645 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=709 + _globals['_STAKEAUTHORIZATION']._serialized_end=735 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 2daafffe..129a33db 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index bae112d1..ed1cacb1 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x97\x05\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12Z\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0elastTotalPower\x12i\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13lastValidatorPowers\x12L\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12O\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65legations\x12k\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14unbondingDelegations\x12U\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rredelegations\x12\x1a\n\x08\x65xported\x18\x08 \x01(\x08R\x08\x65xported\"h\n\x12LastValidatorPower\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None @@ -55,7 +45,7 @@ _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=834 - _globals['_LASTVALIDATORPOWER']._serialized_start=836 - _globals['_LASTVALIDATORPOWER']._serialized_end=940 + _globals['_GENESISSTATE']._serialized_end=717 + _globals['_LASTVALIDATORPOWER']._serialized_start=719 + _globals['_LASTVALIDATORPOWER']._serialized_end=807 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 2daafffe..06c7bacd 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index 1184e931..f47e5634 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"x\n\x16QueryValidatorsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb0\x01\n\x17QueryValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x15QueryValidatorRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\"d\n\x16QueryValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"\xb4\x01\n QueryValidatorDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xed\x01\n!QueryValidatorDelegationsResponse\x12\x7f\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbd\x01\n)QueryValidatorUnbondingDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n*QueryValidatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xad\x01\n\x16QueryDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n\x17QueryDelegationResponse\x12[\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseR\x12\x64\x65legationResponse\"\xb6\x01\n\x1fQueryUnbondingDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"r\n QueryUnbondingDelegationResponse\x12N\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06unbond\"\xb5\x01\n QueryDelegatorDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n!QueryDelegatorDelegationsResponse\x12h\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x02\n\x19QueryRedelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10srcValidatorAddr\x12\x46\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64stValidatorAddr\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x1aQueryRedelegationsResponse\x12n\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15redelegationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb4\x01\n\x1fQueryDelegatorValidatorsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n QueryDelegatorValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb5\x01\n\x1eQueryDelegatorValidatorRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"m\n\x1fQueryDelegatorValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"4\n\x1aQueryHistoricalInfoRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"Y\n\x1bQueryHistoricalInfoResponse\x12:\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfoR\x04hist\"\x12\n\x10QueryPoolRequest\"P\n\x11QueryPoolResponse\x12;\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04pool\"\x14\n\x12QueryParamsRequest\"X\n\x13QueryParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params2\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nQueryProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nQueryProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None @@ -136,61 +126,61 @@ _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002 \022\036/cosmos/staking/v1beta1/params' _globals['_QUERYVALIDATORSREQUEST']._serialized_start=271 - _globals['_QUERYVALIDATORSREQUEST']._serialized_end=391 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=394 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=570 - _globals['_QUERYVALIDATORREQUEST']._serialized_start=572 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=669 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=671 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=771 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=774 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=954 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=957 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1194 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1197 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1386 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1389 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1611 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1614 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1787 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1789 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1907 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1910 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=2092 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=2094 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=2208 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=2211 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2392 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2395 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2609 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2612 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2802 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2805 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=3027 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=3030 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=3348 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=3351 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3564 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3567 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3747 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3750 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3935 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3938 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=4119 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=4121 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=4230 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=4232 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=4284 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=4286 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=4375 - _globals['_QUERYPOOLREQUEST']._serialized_start=4377 - _globals['_QUERYPOOLREQUEST']._serialized_end=4395 - _globals['_QUERYPOOLRESPONSE']._serialized_start=4397 - _globals['_QUERYPOOLRESPONSE']._serialized_end=4477 - _globals['_QUERYPARAMSREQUEST']._serialized_start=4479 - _globals['_QUERYPARAMSREQUEST']._serialized_end=4499 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=4501 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=4589 - _globals['_QUERY']._serialized_start=4592 - _globals['_QUERY']._serialized_end=7456 + _globals['_QUERYVALIDATORSREQUEST']._serialized_end=371 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 + _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 + _globals['_QUERYPOOLREQUEST']._serialized_start=3777 + _globals['_QUERYPOOLREQUEST']._serialized_end=3795 + _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 + _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 + _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 + _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 + _globals['_QUERY']._serialized_start=3978 + _globals['_QUERY']._serialized_end=6842 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index 9ed468d7..beee0859 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index fe6561ff..968e7a69 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/staking.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/v1beta1/staking.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x93\x01\n\x0eHistoricalInfo\x12;\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x44\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06valset\"\x96\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x04rate\x12Q\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x07maxRate\x12^\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\rmaxChangeRate:\x04\xe8\xa0\x1f\x01\"\xc1\x01\n\nCommission\x12\x61\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01R\x0f\x63ommissionRates\x12J\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nupdateTime:\x04\xe8\xa0\x1f\x01\"\xa8\x01\n\x0b\x44\x65scription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails:\x04\xe8\xa0\x1f\x01\"\x8a\x07\n\tValidator\x12\x43\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0foperatorAddress\x12Y\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x0f\x63onsensusPubkey\x12\x16\n\x06jailed\x18\x03 \x01(\x08R\x06jailed\x12:\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatusR\x06status\x12\x43\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x06tokens\x12\\\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0f\x64\x65legatorShares\x12P\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\x08 \x01(\x03R\x0funbondingHeight\x12P\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12M\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12[\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation\x12<\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03R\x17unbondingOnHoldRefCount\x12#\n\runbonding_ids\x18\r \x03(\x04R\x0cunbondingIds:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x0cValAddresses\x12\x36\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses\"\xa9\x01\n\x06\x44VPair\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"J\n\x07\x44VPairs\x12?\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05pairs\"\x8b\x02\n\nDVVTriplet\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x0b\x44VVTriplets\x12I\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08triplets\"\xf8\x01\n\nDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12I\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06shares:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8d\x02\n\x13UnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12U\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9b\x03\n\x18UnbondingDelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x11RedelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12P\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tsharesDst\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\xdd\x02\n\x0cRedelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12N\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9c\x03\n\x06Params\x12O\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12%\n\x0emax_validators\x18\x02 \x01(\rR\rmaxValidators\x12\x1f\n\x0bmax_entries\x18\x03 \x01(\rR\nmaxEntries\x12-\n\x12historical_entries\x18\x04 \x01(\rR\x11historicalEntries\x12\x1d\n\nbond_denom\x18\x05 \x01(\tR\tbondDenom\x12\x84\x01\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x11minCommissionRate:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\xa9\x01\n\x12\x44\x65legationResponse\x12M\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ndelegation\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance:\x04\xe8\xa0\x1f\x00\"\xcd\x01\n\x19RedelegationEntryResponse\x12\x63\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11redelegationEntry\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance:\x04\xe8\xa0\x1f\x01\"\xc9\x01\n\x14RedelegationResponse\x12S\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0credelegation\x12V\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0fnotBondedTokens\x12\x66\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0c\x62ondedTokens:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"Y\n\x10ValidatorUpdates\x12\x45\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07updates*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cStakingProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.staking_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014StakingProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' _globals['_BONDSTATUS']._loaded_options = None _globals['_BONDSTATUS']._serialized_options = b'\210\243\036\000' _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._loaded_options = None @@ -183,50 +173,50 @@ _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=5738 - _globals['_BONDSTATUS']._serialized_end=5920 - _globals['_INFRACTION']._serialized_start=5922 - _globals['_INFRACTION']._serialized_end=6015 + _globals['_BONDSTATUS']._serialized_start=4740 + _globals['_BONDSTATUS']._serialized_end=4922 + _globals['_INFRACTION']._serialized_start=4924 + _globals['_INFRACTION']._serialized_end=5017 _globals['_HISTORICALINFO']._serialized_start=316 - _globals['_HISTORICALINFO']._serialized_end=463 - _globals['_COMMISSIONRATES']._serialized_start=466 - _globals['_COMMISSIONRATES']._serialized_end=744 - _globals['_COMMISSION']._serialized_start=747 - _globals['_COMMISSION']._serialized_end=940 - _globals['_DESCRIPTION']._serialized_start=943 - _globals['_DESCRIPTION']._serialized_end=1111 - _globals['_VALIDATOR']._serialized_start=1114 - _globals['_VALIDATOR']._serialized_end=2020 - _globals['_VALADDRESSES']._serialized_start=2022 - _globals['_VALADDRESSES']._serialized_end=2092 - _globals['_DVPAIR']._serialized_start=2095 - _globals['_DVPAIR']._serialized_end=2264 - _globals['_DVPAIRS']._serialized_start=2266 - _globals['_DVPAIRS']._serialized_end=2340 - _globals['_DVVTRIPLET']._serialized_start=2343 - _globals['_DVVTRIPLET']._serialized_end=2610 - _globals['_DVVTRIPLETS']._serialized_start=2612 - _globals['_DVVTRIPLETS']._serialized_end=2700 - _globals['_DELEGATION']._serialized_start=2703 - _globals['_DELEGATION']._serialized_end=2951 - _globals['_UNBONDINGDELEGATION']._serialized_start=2954 - _globals['_UNBONDINGDELEGATION']._serialized_end=3223 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=3226 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3637 - _globals['_REDELEGATIONENTRY']._serialized_start=3640 - _globals['_REDELEGATIONENTRY']._serialized_end=4055 - _globals['_REDELEGATION']._serialized_start=4058 - _globals['_REDELEGATION']._serialized_end=4407 - _globals['_PARAMS']._serialized_start=4410 - _globals['_PARAMS']._serialized_end=4822 - _globals['_DELEGATIONRESPONSE']._serialized_start=4825 - _globals['_DELEGATIONRESPONSE']._serialized_end=4994 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4997 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=5202 - _globals['_REDELEGATIONRESPONSE']._serialized_start=5205 - _globals['_REDELEGATIONRESPONSE']._serialized_end=5406 - _globals['_POOL']._serialized_start=5409 - _globals['_POOL']._serialized_end=5644 - _globals['_VALIDATORUPDATES']._serialized_start=5646 - _globals['_VALIDATORUPDATES']._serialized_end=5735 + _globals['_HISTORICALINFO']._serialized_end=447 + _globals['_COMMISSIONRATES']._serialized_start=450 + _globals['_COMMISSIONRATES']._serialized_end=698 + _globals['_COMMISSION']._serialized_start=701 + _globals['_COMMISSION']._serialized_end=865 + _globals['_DESCRIPTION']._serialized_start=867 + _globals['_DESCRIPTION']._serialized_end=981 + _globals['_VALIDATOR']._serialized_start=984 + _globals['_VALIDATOR']._serialized_end=1700 + _globals['_VALADDRESSES']._serialized_start=1702 + _globals['_VALADDRESSES']._serialized_end=1761 + _globals['_DVPAIR']._serialized_start=1764 + _globals['_DVPAIR']._serialized_end=1897 + _globals['_DVPAIRS']._serialized_start=1899 + _globals['_DVPAIRS']._serialized_end=1966 + _globals['_DVVTRIPLET']._serialized_start=1969 + _globals['_DVVTRIPLET']._serialized_end=2176 + _globals['_DVVTRIPLETS']._serialized_start=2178 + _globals['_DVVTRIPLETS']._serialized_end=2256 + _globals['_DELEGATION']._serialized_start=2259 + _globals['_DELEGATION']._serialized_end=2463 + _globals['_UNBONDINGDELEGATION']._serialized_start=2466 + _globals['_UNBONDINGDELEGATION']._serialized_end=2690 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 + _globals['_REDELEGATIONENTRY']._serialized_start=3012 + _globals['_REDELEGATIONENTRY']._serialized_end=3330 + _globals['_REDELEGATION']._serialized_start=3333 + _globals['_REDELEGATION']._serialized_end=3613 + _globals['_PARAMS']._serialized_start=3616 + _globals['_PARAMS']._serialized_end=3936 + _globals['_DELEGATIONRESPONSE']._serialized_start=3939 + _globals['_DELEGATIONRESPONSE']._serialized_end=4087 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 + _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 + _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 + _globals['_POOL']._serialized_start=4451 + _globals['_POOL']._serialized_end=4655 + _globals['_VALIDATORUPDATES']._serialized_start=4657 + _globals['_VALIDATORUPDATES']._serialized_end=4737 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 2daafffe..57d3c259 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index 37cb3f9b..edd8777a 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/staking/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,22 +14,22 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x04\n\x12MsgCreateValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12R\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12`\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x11minSelfDelegation\x12G\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x46\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x06pubkey\x12:\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05value:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xa5\x03\n\x10MsgEditValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12V\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0e\x63ommissionRate\x12W\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\x9d\x02\n\x0bMsgDelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\x89\x03\n\x12MsgBeginRedelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12<\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"p\n\x1aMsgBeginRedelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\"\xa1\x02\n\rMsgUndelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\xa9\x01\n\x15MsgUndelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12<\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\xe8\x02\n\x1cMsgCancelUnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\x12\'\n\x0f\x63reation_height\x18\x04 \x01(\x03R\x0e\x63reationHeight:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xc5\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcd\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x07TxProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\007TxProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None @@ -115,33 +105,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=918 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=920 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=948 - _globals['_MSGEDITVALIDATOR']._serialized_start=951 - _globals['_MSGEDITVALIDATOR']._serialized_end=1372 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1374 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1400 - _globals['_MSGDELEGATE']._serialized_start=1403 - _globals['_MSGDELEGATE']._serialized_end=1688 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1690 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1711 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1714 - _globals['_MSGBEGINREDELEGATE']._serialized_end=2107 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=2109 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=2221 - _globals['_MSGUNDELEGATE']._serialized_start=2224 - _globals['_MSGUNDELEGATE']._serialized_end=2513 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2516 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2685 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2688 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=3048 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=3050 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=3088 - _globals['_MSGUPDATEPARAMS']._serialized_start=3091 - _globals['_MSGUPDATEPARAMS']._serialized_end=3288 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3290 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3315 - _globals['_MSG']._serialized_start=3318 - _globals['_MSG']._serialized_end=4115 + _globals['_MSGCREATEVALIDATOR']._serialized_end=823 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 + _globals['_MSGEDITVALIDATOR']._serialized_start=856 + _globals['_MSGEDITVALIDATOR']._serialized_end=1211 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 + _globals['_MSGDELEGATE']._serialized_start=1242 + _globals['_MSGDELEGATE']._serialized_end=1483 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 + _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 + _globals['_MSGUNDELEGATE']._serialized_start=1935 + _globals['_MSGUNDELEGATE']._serialized_end=2180 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 + _globals['_MSGUPDATEPARAMS']._serialized_start=2674 + _globals['_MSGUPDATEPARAMS']._serialized_end=2852 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 + _globals['_MSG']._serialized_start=2882 + _globals['_MSG']._serialized_end=3679 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index f4113b4b..eb2a5bf3 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the staking Msg service. diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py index a37e7a1d..d9c99515 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/internal/kv/v1beta1/kv.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/store/internal/kv/v1beta1/kv.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"K\n\x05Pairs\x12\x42\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00R\x05pairs\".\n\x04Pair\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05valueB\xf4\x01\n$com.cosmos.store.internal.kv.v1beta1B\x07KvProtoP\x01Z\x1e\x63osmossdk.io/store/internal/kv\xa2\x02\x04\x43SIK\xaa\x02 Cosmos.Store.Internal.Kv.V1beta1\xca\x02 Cosmos\\Store\\Internal\\Kv\\V1beta1\xe2\x02,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\xea\x02$Cosmos::Store::Internal::Kv::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"D\n\x05Pairs\x12;\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42 Z\x1e\x63osmossdk.io/store/internal/kvb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.internal.kv.v1beta1.kv_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n$com.cosmos.store.internal.kv.v1beta1B\007KvProtoP\001Z\036cosmossdk.io/store/internal/kv\242\002\004CSIK\252\002 Cosmos.Store.Internal.Kv.V1beta1\312\002 Cosmos\\Store\\Internal\\Kv\\V1beta1\342\002,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\352\002$Cosmos::Store::Internal::Kv::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\036cosmossdk.io/store/internal/kv' _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' _globals['_PAIRS']._serialized_start=101 - _globals['_PAIRS']._serialized_end=176 - _globals['_PAIR']._serialized_start=178 - _globals['_PAIR']._serialized_end=224 + _globals['_PAIRS']._serialized_end=169 + _globals['_PAIR']._serialized_start=171 + _globals['_PAIR']._serialized_end=205 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py index 2daafffe..f3b3da38 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py index fde48a20..33940244 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py @@ -1,54 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/snapshots/v1/snapshot.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/store/snapshots/v1/snapshot.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\xad\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x45\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadata\"-\n\x08Metadata\x12!\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0cR\x0b\x63hunkHashes\"\xdf\x02\n\x0cSnapshotItem\x12\x44\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00R\x05store\x12K\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00R\x04iavl\x12P\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00R\textension\x12\x62\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00R\x10\x65xtensionPayloadB\x06\n\x04item\"\'\n\x11SnapshotStoreItem\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"l\n\x10SnapshotIAVLItem\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x18\n\x07version\x18\x03 \x01(\x03R\x07version\x12\x16\n\x06height\x18\x04 \x01(\x05R\x06height\"C\n\x15SnapshotExtensionMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\"4\n\x18SnapshotExtensionPayload\x12\x18\n\x07payload\x18\x01 \x01(\x0cR\x07payloadB\xd9\x01\n\x1d\x63om.cosmos.store.snapshots.v1B\rSnapshotProtoP\x01Z\"cosmossdk.io/store/snapshots/types\xa2\x02\x03\x43SS\xaa\x02\x19\x43osmos.Store.Snapshots.V1\xca\x02\x19\x43osmos\\Store\\Snapshots\\V1\xe2\x02%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Store::Snapshots::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\x85\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12;\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xb5\x02\n\x0cSnapshotItem\x12=\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00\x12\x45\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12\x45\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00\x12P\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\x42$Z\"cosmossdk.io/store/snapshots/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.snapshots.v1.snapshot_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.store.snapshots.v1B\rSnapshotProtoP\001Z\"cosmossdk.io/store/snapshots/types\242\002\003CSS\252\002\031Cosmos.Store.Snapshots.V1\312\002\031Cosmos\\Store\\Snapshots\\V1\342\002%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\352\002\034Cosmos::Store::Snapshots::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z\"cosmossdk.io/store/snapshots/types' _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' _globals['_SNAPSHOT']._serialized_start=94 - _globals['_SNAPSHOT']._serialized_end=267 - _globals['_METADATA']._serialized_start=269 - _globals['_METADATA']._serialized_end=314 - _globals['_SNAPSHOTITEM']._serialized_start=317 - _globals['_SNAPSHOTITEM']._serialized_end=668 - _globals['_SNAPSHOTSTOREITEM']._serialized_start=670 - _globals['_SNAPSHOTSTOREITEM']._serialized_end=709 - _globals['_SNAPSHOTIAVLITEM']._serialized_start=711 - _globals['_SNAPSHOTIAVLITEM']._serialized_end=819 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=821 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=888 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=890 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=942 + _globals['_SNAPSHOT']._serialized_end=227 + _globals['_METADATA']._serialized_start=229 + _globals['_METADATA']._serialized_end=261 + _globals['_SNAPSHOTITEM']._serialized_start=264 + _globals['_SNAPSHOTITEM']._serialized_end=573 + _globals['_SNAPSHOTSTOREITEM']._serialized_start=575 + _globals['_SNAPSHOTSTOREITEM']._serialized_end=608 + _globals['_SNAPSHOTIAVLITEM']._serialized_start=610 + _globals['_SNAPSHOTIAVLITEM']._serialized_end=689 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=691 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=744 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=746 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=789 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py index 2daafffe..66bea308 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/snapshots/v1/snapshot_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py index 95cb15a0..513be0e0 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py @@ -1,47 +1,37 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/streaming/abci/grpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/store/streaming/abci/grpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from pyinjective.proto.cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x8f\x01\n\x1aListenFinalizeBlockRequest\x12\x37\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x03req\x12\x38\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x03res\"\x1d\n\x1bListenFinalizeBlockResponse\"\xad\x01\n\x13ListenCommitRequest\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12\x31\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x03res\x12@\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPairR\tchangeSet\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB\xdf\x01\n\x1f\x63om.cosmos.store.streaming.abciB\tGrpcProtoP\x01Z!cosmossdk.io/store/streaming/abci\xa2\x02\x04\x43SSA\xaa\x02\x1b\x43osmos.Store.Streaming.Abci\xca\x02\x1b\x43osmos\\Store\\Streaming\\Abci\xe2\x02\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\xea\x02\x1e\x43osmos::Store::Streaming::Abcib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x85\x01\n\x1aListenFinalizeBlockRequest\x12\x32\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12\x33\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"\x1d\n\x1bListenFinalizeBlockResponse\"\x90\x01\n\x13ListenCommitRequest\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12,\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x35\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPair\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB#Z!cosmossdk.io/store/streaming/abcib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.streaming.abci.grpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.store.streaming.abciB\tGrpcProtoP\001Z!cosmossdk.io/store/streaming/abci\242\002\004CSSA\252\002\033Cosmos.Store.Streaming.Abci\312\002\033Cosmos\\Store\\Streaming\\Abci\342\002\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\352\002\036Cosmos::Store::Streaming::Abci' + _globals['DESCRIPTOR']._serialized_options = b'Z!cosmossdk.io/store/streaming/abci' _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_start=139 - _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=282 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=284 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=313 - _globals['_LISTENCOMMITREQUEST']._serialized_start=316 - _globals['_LISTENCOMMITREQUEST']._serialized_end=489 - _globals['_LISTENCOMMITRESPONSE']._serialized_start=491 - _globals['_LISTENCOMMITRESPONSE']._serialized_end=513 - _globals['_ABCILISTENERSERVICE']._serialized_start=516 - _globals['_ABCILISTENERSERVICE']._serialized_end=793 + _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=272 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=274 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=303 + _globals['_LISTENCOMMITREQUEST']._serialized_start=306 + _globals['_LISTENCOMMITREQUEST']._serialized_end=450 + _globals['_LISTENCOMMITRESPONSE']._serialized_start=452 + _globals['_LISTENCOMMITRESPONSE']._serialized_end=474 + _globals['_ABCILISTENERSERVICE']._serialized_start=477 + _globals['_ABCILISTENERSERVICE']._serialized_end=754 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py index da99ee14..fd9a2422 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings -from pyinjective.proto.cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 +from cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/streaming/abci/grpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class ABCIListenerServiceStub(object): diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py index 24c85955..6ce6f2d3 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/commit_info.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/store/v1beta1/commit_info.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb2\x01\n\nCommitInfo\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x46\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00R\nstoreInfos\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"b\n\tStoreInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x41\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00R\x08\x63ommitId\">\n\x08\x43ommitID\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash:\x04\x98\xa0\x1f\x00\x42\xb7\x01\n\x18\x63om.cosmos.store.v1beta1B\x0f\x43ommitInfoProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x92\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12:\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"R\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x37\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.commit_info_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\017CommitInfoProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None @@ -43,9 +33,9 @@ _globals['_COMMITID']._loaded_options = None _globals['_COMMITID']._serialized_options = b'\230\240\037\000' _globals['_COMMITINFO']._serialized_start=120 - _globals['_COMMITINFO']._serialized_end=298 - _globals['_STOREINFO']._serialized_start=300 - _globals['_STOREINFO']._serialized_end=398 - _globals['_COMMITID']._serialized_start=400 - _globals['_COMMITID']._serialized_end=462 + _globals['_COMMITINFO']._serialized_end=266 + _globals['_STOREINFO']._serialized_start=268 + _globals['_STOREINFO']._serialized_end=350 + _globals['_COMMITID']._serialized_start=352 + _globals['_COMMITID']._serialized_end=399 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py index 2daafffe..03188415 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/v1beta1/commit_info_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py index fc9bd848..662659f9 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/listening.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/store/v1beta1/listening.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"j\n\x0bStoreKVPair\x12\x1b\n\tstore_key\x18\x01 \x01(\tR\x08storeKey\x12\x16\n\x06\x64\x65lete\x18\x02 \x01(\x08R\x06\x64\x65lete\x12\x10\n\x03key\x18\x03 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x0cR\x05value\"\xb4\x02\n\rBlockMetadata\x12H\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x0eresponseCommit\x12[\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x14requestFinalizeBlock\x12^\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x15responseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\xb6\x01\n\x18\x63om.cosmos.store.v1beta1B\x0eListeningProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\xf7\x01\n\rBlockMetadata\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x45\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12G\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.listening_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\016ListeningProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' _globals['_STOREKVPAIR']._serialized_start=91 - _globals['_STOREKVPAIR']._serialized_end=197 - _globals['_BLOCKMETADATA']._serialized_start=200 - _globals['_BLOCKMETADATA']._serialized_end=508 + _globals['_STOREKVPAIR']._serialized_end=167 + _globals['_BLOCKMETADATA']._serialized_start=170 + _globals['_BLOCKMETADATA']._serialized_end=417 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py index 2daafffe..cb16a173 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/store/v1beta1/listening_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index b5a0ac3f..3ae4802f 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/config/v1/config.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/tx/config/v1/config.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"\x90\x01\n\x06\x43onfig\x12*\n\x11skip_ante_handler\x18\x01 \x01(\x08R\x0fskipAnteHandler\x12*\n\x11skip_post_handler\x18\x02 \x01(\x08R\x0fskipPostHandler:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txB\x95\x01\n\x17\x63om.cosmos.tx.config.v1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43TC\xaa\x02\x13\x43osmos.Tx.Config.V1\xca\x02\x13\x43osmos\\Tx\\Config\\V1\xe2\x02\x1f\x43osmos\\Tx\\Config\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Tx::Config::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"n\n\x06\x43onfig\x12\x19\n\x11skip_ante_handler\x18\x01 \x01(\x08\x12\x19\n\x11skip_post_handler\x18\x02 \x01(\x08:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.config.v1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.tx.config.v1B\013ConfigProtoP\001\242\002\003CTC\252\002\023Cosmos.Tx.Config.V1\312\002\023Cosmos\\Tx\\Config\\V1\342\002\037Cosmos\\Tx\\Config\\V1\\GPBMetadata\352\002\026Cosmos::Tx::Config::V1' + DESCRIPTOR._loaded_options = None _globals['_CONFIG']._loaded_options = None _globals['_CONFIG']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/auth/tx' - _globals['_CONFIG']._serialized_start=92 - _globals['_CONFIG']._serialized_end=236 + _globals['_CONFIG']._serialized_start=91 + _globals['_CONFIG']._serialized_end=201 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 2daafffe..98c32a53 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index f4597c3b..be360f14 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -1,49 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/signing/v1beta1/signing.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/tx/signing/v1beta1/signing.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"f\n\x14SignatureDescriptors\x12N\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptorR\nsignatures\"\xf5\x04\n\x13SignatureDescriptor\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12G\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x1a\xc3\x03\n\x04\x44\x61ta\x12T\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00R\x06single\x12Q\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00R\x05multi\x1a_\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x1a\xa9\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12S\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\nsignaturesB\x05\n\x03sum*\xbf\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x18\n\x13SIGN_MODE_EIP712_V2\x10\x80\x01\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42\xe3\x01\n\x1d\x63om.cosmos.tx.signing.v1beta1B\x0cSigningProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/tx/signing\xa2\x02\x03\x43TS\xaa\x02\x19\x43osmos.Tx.Signing.V1beta1\xca\x02\x19\x43osmos\\Tx\\Signing\\V1beta1\xe2\x02%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Tx::Signing::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"Z\n\x14SignatureDescriptors\x12\x42\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptor\"\xa4\x04\n\x13SignatureDescriptor\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x41\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x1a\x8d\x03\n\x04\x44\x61ta\x12L\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00\x12J\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00\x1aN\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x1a\x93\x01\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12G\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataB\x05\n\x03sum*\xa5\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42/Z-github.com/cosmos/cosmos-sdk/types/tx/signingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.signing.v1beta1.signing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.tx.signing.v1beta1B\014SigningProtoP\001Z-github.com/cosmos/cosmos-sdk/types/tx/signing\242\002\003CTS\252\002\031Cosmos.Tx.Signing.V1beta1\312\002\031Cosmos\\Tx\\Signing\\V1beta1\342\002%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\352\002\034Cosmos::Tx::Signing::V1beta1' - _globals['_SIGNMODE']._serialized_start=881 - _globals['_SIGNMODE']._serialized_end=1072 + _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/tx/signing' + _globals['_SIGNMODE']._serialized_start=788 + _globals['_SIGNMODE']._serialized_end=953 _globals['_SIGNATUREDESCRIPTORS']._serialized_start=144 - _globals['_SIGNATUREDESCRIPTORS']._serialized_end=246 - _globals['_SIGNATUREDESCRIPTOR']._serialized_start=249 - _globals['_SIGNATUREDESCRIPTOR']._serialized_end=878 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=427 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=878 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=604 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=699 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=702 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=871 + _globals['_SIGNATUREDESCRIPTORS']._serialized_end=234 + _globals['_SIGNATUREDESCRIPTOR']._serialized_start=237 + _globals['_SIGNATUREDESCRIPTOR']._serialized_end=785 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=388 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=785 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=550 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=628 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=631 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=778 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index 2daafffe..c2fc4c5b 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 56cf0f23..844c95bd 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/service.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/tx/v1beta1/service.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 -from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 +from cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xf3\x01\n\x12GetTxsEventRequest\x12\x1a\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01R\x06\x65vents\x12J\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01R\npagination\x12\x35\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderByR\x07orderBy\x12\x12\n\x04page\x18\x04 \x01(\x04R\x04page\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x14\n\x05query\x18\x06 \x01(\tR\x05query\"\xea\x01\n\x13GetTxsEventResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12G\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x0btxResponses\x12K\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01R\npagination\x12\x14\n\x05total\x18\x04 \x01(\x04R\x05total\"e\n\x12\x42roadcastTxRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\x12\x34\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastModeR\x04mode\"\\\n\x13\x42roadcastTxResponse\x12\x45\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"W\n\x0fSimulateRequest\x12)\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01R\x02tx\x12\x19\n\x08tx_bytes\x18\x02 \x01(\x0cR\x07txBytes\"\x8a\x01\n\x10SimulateResponse\x12<\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoR\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"}\n\rGetTxResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\x12\x45\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"x\n\x16GetBlockWithTxsRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xf0\x01\n\x17GetBlockWithTxsResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12\x34\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12G\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x0fTxDecodeRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"9\n\x10TxDecodeResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"8\n\x0fTxEncodeRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"-\n\x10TxEncodeResponse\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"5\n\x14TxEncodeAminoRequest\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson\":\n\x15TxEncodeAminoResponse\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"9\n\x14TxDecodeAminoRequest\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"6\n\x15TxDecodeAminoResponse\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\xb2\x01\n\x15\x63om.cosmos.tx.v1beta1B\x0cServiceProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.service_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\014ServiceProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None @@ -66,46 +56,46 @@ _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=2131 - _globals['_ORDERBY']._serialized_end=2203 - _globals['_BROADCASTMODE']._serialized_start=2206 - _globals['_BROADCASTMODE']._serialized_end=2334 + _globals['_ORDERBY']._serialized_start=1838 + _globals['_ORDERBY']._serialized_end=1910 + _globals['_BROADCASTMODE']._serialized_start=1913 + _globals['_BROADCASTMODE']._serialized_end=2041 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=497 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=500 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=734 - _globals['_BROADCASTTXREQUEST']._serialized_start=736 - _globals['_BROADCASTTXREQUEST']._serialized_end=837 - _globals['_BROADCASTTXRESPONSE']._serialized_start=839 - _globals['_BROADCASTTXRESPONSE']._serialized_end=931 - _globals['_SIMULATEREQUEST']._serialized_start=933 - _globals['_SIMULATEREQUEST']._serialized_end=1020 - _globals['_SIMULATERESPONSE']._serialized_start=1023 - _globals['_SIMULATERESPONSE']._serialized_end=1161 - _globals['_GETTXREQUEST']._serialized_start=1163 - _globals['_GETTXREQUEST']._serialized_end=1197 - _globals['_GETTXRESPONSE']._serialized_start=1199 - _globals['_GETTXRESPONSE']._serialized_end=1324 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1326 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1446 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1449 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1689 - _globals['_TXDECODEREQUEST']._serialized_start=1691 - _globals['_TXDECODEREQUEST']._serialized_end=1735 - _globals['_TXDECODERESPONSE']._serialized_start=1737 - _globals['_TXDECODERESPONSE']._serialized_end=1794 - _globals['_TXENCODEREQUEST']._serialized_start=1796 - _globals['_TXENCODEREQUEST']._serialized_end=1852 - _globals['_TXENCODERESPONSE']._serialized_start=1854 - _globals['_TXENCODERESPONSE']._serialized_end=1899 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1901 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1954 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1956 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=2014 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=2016 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=2073 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=2075 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=2129 - _globals['_SERVICE']._serialized_start=2337 - _globals['_SERVICE']._serialized_end=3531 + _globals['_GETTXSEVENTREQUEST']._serialized_end=448 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 + _globals['_BROADCASTTXREQUEST']._serialized_start=650 + _globals['_BROADCASTTXREQUEST']._serialized_end=736 + _globals['_BROADCASTTXRESPONSE']._serialized_start=738 + _globals['_BROADCASTTXRESPONSE']._serialized_end=818 + _globals['_SIMULATEREQUEST']._serialized_start=820 + _globals['_SIMULATEREQUEST']._serialized_end=894 + _globals['_SIMULATERESPONSE']._serialized_start=896 + _globals['_SIMULATERESPONSE']._serialized_end=1017 + _globals['_GETTXREQUEST']._serialized_start=1019 + _globals['_GETTXREQUEST']._serialized_end=1047 + _globals['_GETTXRESPONSE']._serialized_start=1049 + _globals['_GETTXRESPONSE']._serialized_end=1158 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 + _globals['_TXDECODEREQUEST']._serialized_start=1472 + _globals['_TXDECODEREQUEST']._serialized_end=1507 + _globals['_TXDECODERESPONSE']._serialized_start=1509 + _globals['_TXDECODERESPONSE']._serialized_end=1562 + _globals['_TXENCODEREQUEST']._serialized_start=1564 + _globals['_TXENCODEREQUEST']._serialized_end=1616 + _globals['_TXENCODERESPONSE']._serialized_start=1618 + _globals['_TXENCODERESPONSE']._serialized_end=1654 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 + _globals['_SERVICE']._serialized_start=2044 + _globals['_SERVICE']._serialized_end=3238 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index df830953..84ee1f8c 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class ServiceStub(object): """Service defines a gRPC service for interacting with transactions. diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index b039573a..53036ec8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/tx/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x8d\x01\n\x02Tx\x12-\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBodyR\x04\x62ody\x12\x38\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfoR\x08\x61uthInfo\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"n\n\x05TxRaw\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"\x92\x01\n\x07SignDoc\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\"\xf2\x01\n\x10SignDocDirectAux\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12\x33\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x05 \x01(\x04R\x08sequence\x12,\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x95\x02\n\x06TxBody\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x12\n\x04memo\x18\x02 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x03 \x01(\x04R\rtimeoutHeight\x12\x42\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.AnyR\x10\x65xtensionOptions\x12Z\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.AnyR\x1bnonCriticalExtensionOptions\"\xa4\x01\n\x08\x41uthInfo\x12@\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfoR\x0bsignerInfos\x12(\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.FeeR\x03\x66\x65\x65\x12,\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x97\x01\n\nSignerInfo\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x38\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\x08modeInfo\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xe0\x02\n\x08ModeInfo\x12<\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00R\x06single\x12\x39\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00R\x05multi\x1a\x41\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x1a\x90\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12:\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\tmodeInfosB\x05\n\x03sum\"\x81\x02\n\x03\x46\x65\x65\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12.\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05payer\x12\x32\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\"\xb6\x01\n\x03Tip\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x30\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06tipper:\x02\x18\x01\"\xce\x01\n\rAuxSignerData\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAuxR\x07signDoc\x12\x37\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x10\n\x03sig\x18\x04 \x01(\x0cR\x03sigB\xad\x01\n\x15\x63om.cosmos.tx.v1beta1B\x07TxProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\007TxProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None @@ -57,30 +47,30 @@ _globals['_TIP']._serialized_options = b'\030\001' _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=265 - _globals['_TX']._serialized_end=406 - _globals['_TXRAW']._serialized_start=408 - _globals['_TXRAW']._serialized_end=518 - _globals['_SIGNDOC']._serialized_start=521 - _globals['_SIGNDOC']._serialized_end=667 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=670 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=912 - _globals['_TXBODY']._serialized_start=915 - _globals['_TXBODY']._serialized_end=1192 - _globals['_AUTHINFO']._serialized_start=1195 - _globals['_AUTHINFO']._serialized_end=1359 - _globals['_SIGNERINFO']._serialized_start=1362 - _globals['_SIGNERINFO']._serialized_end=1513 - _globals['_MODEINFO']._serialized_start=1516 - _globals['_MODEINFO']._serialized_end=1868 - _globals['_MODEINFO_SINGLE']._serialized_start=1649 - _globals['_MODEINFO_SINGLE']._serialized_end=1714 - _globals['_MODEINFO_MULTI']._serialized_start=1717 - _globals['_MODEINFO_MULTI']._serialized_end=1861 - _globals['_FEE']._serialized_start=1871 - _globals['_FEE']._serialized_end=2128 - _globals['_TIP']._serialized_start=2131 - _globals['_TIP']._serialized_end=2313 - _globals['_AUXSIGNERDATA']._serialized_start=2316 - _globals['_AUXSIGNERDATA']._serialized_end=2522 + _globals['_TX']._serialized_start=264 + _globals['_TX']._serialized_end=377 + _globals['_TXRAW']._serialized_start=379 + _globals['_TXRAW']._serialized_end=451 + _globals['_SIGNDOC']._serialized_start=453 + _globals['_SIGNDOC']._serialized_end=549 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 + _globals['_TXBODY']._serialized_start=736 + _globals['_TXBODY']._serialized_end=935 + _globals['_AUTHINFO']._serialized_start=938 + _globals['_AUTHINFO']._serialized_end=1079 + _globals['_SIGNERINFO']._serialized_start=1081 + _globals['_SIGNERINFO']._serialized_end=1201 + _globals['_MODEINFO']._serialized_start=1204 + _globals['_MODEINFO']._serialized_end=1513 + _globals['_MODEINFO_SINGLE']._serialized_start=1322 + _globals['_MODEINFO_SINGLE']._serialized_end=1381 + _globals['_MODEINFO_MULTI']._serialized_start=1383 + _globals['_MODEINFO_MULTI']._serialized_end=1506 + _globals['_FEE']._serialized_start=1516 + _globals['_FEE']._serialized_end=1739 + _globals['_TIP']._serialized_start=1742 + _globals['_TIP']._serialized_end=1908 + _globals['_AUXSIGNERDATA']._serialized_start=1911 + _globals['_AUXSIGNERDATA']._serialized_end=2088 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index 2daafffe..cbbb3eb8 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 5f8ad033..9a841acf 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -1,40 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/upgrade/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeB\xae\x01\n\x1c\x63om.cosmos.upgrade.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43UM\xaa\x02\x18\x43osmos.Upgrade.Module.V1\xca\x02\x18\x43osmos\\Upgrade\\Module\\V1\xe2\x02$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Upgrade::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.upgrade.module.v1B\013ModuleProtoP\001\242\002\003CUM\252\002\030Cosmos.Upgrade.Module.V1\312\002\030Cosmos\\Upgrade\\Module\\V1\342\002$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Upgrade::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=171 + _globals['_MODULE']._serialized_end=160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 2daafffe..81d877e2 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index 3dcf27be..a362e0b7 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/upgrade/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"L\n\x18QueryCurrentPlanResponse\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanR\x04plan\"-\n\x17QueryAppliedPlanRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"2\n\x18QueryAppliedPlanResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"I\n\"QueryUpgradedConsensusStateRequest\x12\x1f\n\x0blast_height\x18\x01 \x01(\x03R\nlastHeight:\x02\x18\x01\"i\n#QueryUpgradedConsensusStateResponse\x12\x38\n\x18upgraded_consensus_state\x18\x02 \x01(\x0cR\x16upgradedConsensusState:\x02\x18\x01J\x04\x08\x01\x10\x02\"=\n\x1aQueryModuleVersionsRequest\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\"m\n\x1bQueryModuleVersionsResponse\x12N\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersionR\x0emoduleVersions\"\x17\n\x15QueryAuthorityRequest\"2\n\x16QueryAuthorityResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\xc0\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\nQueryProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None @@ -51,23 +41,23 @@ _globals['_QUERYCURRENTPLANREQUEST']._serialized_start=130 _globals['_QUERYCURRENTPLANREQUEST']._serialized_end=155 _globals['_QUERYCURRENTPLANRESPONSE']._serialized_start=157 - _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=233 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=235 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=280 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=282 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=332 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=334 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=407 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=409 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=514 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=516 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=577 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=579 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=688 - _globals['_QUERYAUTHORITYREQUEST']._serialized_start=690 - _globals['_QUERYAUTHORITYREQUEST']._serialized_end=713 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=715 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=765 - _globals['_QUERY']._serialized_start=768 - _globals['_QUERY']._serialized_end=1652 + _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=227 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=229 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=268 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=270 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=312 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=314 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=375 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=377 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=458 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=460 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=509 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=511 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=604 + _globals['_QUERYAUTHORITYREQUEST']._serialized_start=606 + _globals['_QUERYAUTHORITYREQUEST']._serialized_end=629 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=631 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=672 + _globals['_QUERY']._serialized_start=675 + _globals['_QUERY']._serialized_end=1559 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index d5092b8d..cae22797 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC upgrade querier service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index e19a86c2..3da13e1f 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/upgrade/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbb\x01\n\x12MsgSoftwareUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"z\n\x10MsgCancelUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\007TxProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None @@ -50,13 +40,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSOFTWAREUPGRADE']._serialized_start=191 - _globals['_MSGSOFTWAREUPGRADE']._serialized_end=378 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=380 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=408 - _globals['_MSGCANCELUPGRADE']._serialized_start=410 - _globals['_MSGCANCELUPGRADE']._serialized_end=532 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=534 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=560 - _globals['_MSG']._serialized_start=563 - _globals['_MSG']._serialized_end=799 + _globals['_MSGSOFTWAREUPGRADE']._serialized_end=361 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=363 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=391 + _globals['_MSGCANCELUPGRADE']._serialized_start=393 + _globals['_MSGCANCELUPGRADE']._serialized_end=504 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=506 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=532 + _globals['_MSG']._serialized_start=535 + _globals['_MSG']._serialized_end=771 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 2a4012ac..7dd30bb8 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the upgrade Msg service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 2a97d175..2c9251d2 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/upgrade.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/upgrade/v1beta1/upgrade.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xef\x01\n\x04Plan\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12?\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12L\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01R\x13upgradedClientState:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xdb\x01\n\x17SoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12;\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\xaa\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"C\n\rModuleVersion\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07version\x18\x02 \x01(\x04R\x07version:\x04\xe8\xa0\x1f\x01\x42\xc6\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x0cUpgradeProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\014UpgradeProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None @@ -52,11 +42,11 @@ _globals['_MODULEVERSION']._loaded_options = None _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=432 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=435 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=654 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=657 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=827 - _globals['_MODULEVERSION']._serialized_start=829 - _globals['_MODULEVERSION']._serialized_end=896 + _globals['_PLAN']._serialized_end=385 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 + _globals['_MODULEVERSION']._serialized_start=736 + _globals['_MODULEVERSION']._serialized_end=788 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index 2daafffe..cce8a2dc 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index 61c60ff3..5381c5bf 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -1,38 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/module/v1/module.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/vesting/module/v1/module.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingB\xae\x01\n\x1c\x63om.cosmos.vesting.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43VM\xaa\x02\x18\x43osmos.Vesting.Module.V1\xca\x02\x18\x43osmos\\Vesting\\Module\\V1\xe2\x02$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Vesting::Module::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.vesting.module.v1B\013ModuleProtoP\001\242\002\003CVM\252\002\030Cosmos.Vesting.Module.V1\312\002\030Cosmos\\Vesting\\Module\\V1\342\002$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Vesting::Module::V1' + DESCRIPTOR._loaded_options = None _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/auth/vesting' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 2daafffe..34cc657c 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 34b222fe..7cf26be0 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/vesting/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfd\x02\n\x17MsgCreateVestingAccount\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x03R\x07\x65ndTime\x12\x18\n\x07\x64\x65layed\x18\x05 \x01(\x08R\x07\x64\x65layed:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xcf\x02\n\x1fMsgCreatePermanentLockedAccount\x12:\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"R\x0b\x66romAddress\x12\x34\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"R\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\x97\x02\n\x1fMsgCreatePeriodicVestingAccount\x12!\n\x0c\x66rom_address\x18\x01 \x01(\tR\x0b\x66romAddress\x12\x1d\n\nto_address\x18\x02 \x01(\tR\ttoAddress\x12\x1d\n\nstart_time\x18\x03 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd2\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None @@ -61,17 +51,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=604 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=606 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=639 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=642 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=977 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=979 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=1020 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=1023 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1302 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1304 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1345 - _globals['_MSG']._serialized_start=1348 - _globals['_MSG']._serialized_end=1801 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 + _globals['_MSG']._serialized_start=1215 + _globals['_MSG']._serialized_end=1668 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index 023b77e1..63ec9f40 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index f268eea0..7435bce5 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/vesting.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos/vesting/v1beta1/vesting.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcd\x04\n\x12\x42\x61seVestingAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x8c\x01\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0foriginalVesting\x12\x88\x01\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\rdelegatedFree\x12\x8e\x01\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10\x64\x65legatedVesting\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x03R\x07\x65ndTime:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xcb\x01\n\x18\x43ontinuousVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\xa6\x01\n\x15\x44\x65layedVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x9b\x01\n\x06Period\x12\x16\n\x06length\x18\x01 \x01(\x03R\x06length\x12y\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x9b\x02\n\x16PeriodicVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\xa8\x01\n\x16PermanentLockedAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB\xd7\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x0cVestingProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.vesting_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\014VestingProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None @@ -67,15 +57,15 @@ _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=759 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=762 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=965 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=968 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1134 - _globals['_PERIOD']._serialized_start=1137 - _globals['_PERIOD']._serialized_end=1292 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1295 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1578 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1581 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1749 + _globals['_BASEVESTINGACCOUNT']._serialized_end=684 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 + _globals['_PERIOD']._serialized_start=1011 + _globals['_PERIOD']._serialized_end=1150 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 2daafffe..585a3132 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2.py b/pyinjective/proto/cosmos_proto/cosmos_pb2.py index 1aa51c90..46c8df48 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos_proto/cosmos.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmos_proto/cosmos.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,18 +15,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"K\n\x13InterfaceDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"\x81\x01\n\x10ScalarDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x37\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarTypeR\tfieldType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:T\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\tR\x13implementsInterface:L\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\tR\x10\x61\x63\x63\x65ptsInterface:7\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\tR\x06scalar:n\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptorR\x10\x64\x65\x63lareInterface:e\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorR\rdeclareScalarB\x98\x01\n\x10\x63om.cosmos_protoB\x0b\x43osmosProtoP\x01Z+github.com/cosmos/cosmos-proto;cosmos_proto\xa2\x02\x03\x43XX\xaa\x02\x0b\x43osmosProto\xca\x02\x0b\x43osmosProto\xe2\x02\x17\x43osmosProto\\GPBMetadata\xea\x02\x0b\x43osmosProtob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"8\n\x13InterfaceDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"c\n\x10ScalarDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12,\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:?\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\t::\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\t:/\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\t:\\\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptor:V\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorB-Z+github.com/cosmos/cosmos-proto;cosmos_protob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos_proto.cosmos_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\020com.cosmos_protoB\013CosmosProtoP\001Z+github.com/cosmos/cosmos-proto;cosmos_proto\242\002\003CXX\252\002\013CosmosProto\312\002\013CosmosProto\342\002\027CosmosProto\\GPBMetadata\352\002\013CosmosProto' - _globals['_SCALARTYPE']._serialized_start=286 - _globals['_SCALARTYPE']._serialized_end=374 + _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-proto;cosmos_proto' + _globals['_SCALARTYPE']._serialized_start=236 + _globals['_SCALARTYPE']._serialized_end=324 _globals['_INTERFACEDESCRIPTOR']._serialized_start=77 - _globals['_INTERFACEDESCRIPTOR']._serialized_end=152 - _globals['_SCALARDESCRIPTOR']._serialized_start=155 - _globals['_SCALARDESCRIPTOR']._serialized_end=284 + _globals['_INTERFACEDESCRIPTOR']._serialized_end=133 + _globals['_SCALARDESCRIPTOR']._serialized_start=135 + _globals['_SCALARDESCRIPTOR']._serialized_end=234 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 2daafffe..6fc327ab 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index dc1f9779..6419c101 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xa0\x01\n\x16StoreCodeAuthorization\x12>\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xb4\x01\n\x1e\x43ontractExecutionAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xb4\x01\n\x1e\x43ontractMigrationAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"\x7f\n\tCodeGrant\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12U\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\"\xf4\x01\n\rContractGrant\x12\x34\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12T\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitXR\x05limit\x12W\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterXR\x06\x66ilter\"n\n\rMaxCallsLimit\x12\x1c\n\tremaining\x18\x01 \x01(\x04R\tremaining:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xcd\x01\n\rMaxFundsLimit\x12{\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xf6\x01\n\rCombinedLimit\x12\'\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04R\x0e\x63\x61llsRemaining\x12{\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"}\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x12\n\x04keys\x18\x01 \x03(\tR\x04keys:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\xa7\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12\x42\n\x08messages\x18\x01 \x03(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x08messages:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB\xb0\x01\n\x14\x63om.cosmwasm.wasm.v1B\nAuthzProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nAuthzProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_STORECODEAUTHORIZATION']._loaded_options = None @@ -59,11 +49,11 @@ _globals['_MAXCALLSLIMIT']._loaded_options = None _globals['_MAXCALLSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxCallsLimit' _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MAXFUNDSLIMIT']._loaded_options = None _globals['_MAXFUNDSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxFundsLimit' _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_COMBINEDLIMIT']._loaded_options = None _globals['_COMBINEDLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/CombinedLimit' _globals['_ALLOWALLMESSAGESFILTER']._loaded_options = None @@ -71,29 +61,29 @@ _globals['_ACCEPTEDMESSAGEKEYSFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\036wasm/AcceptedMessageKeysFilter' _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._loaded_options = None - _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_ACCEPTEDMESSAGESFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AcceptedMessagesFilter' _globals['_STORECODEAUTHORIZATION']._serialized_start=208 - _globals['_STORECODEAUTHORIZATION']._serialized_end=368 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=371 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=551 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=554 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=734 - _globals['_CODEGRANT']._serialized_start=736 - _globals['_CODEGRANT']._serialized_end=863 - _globals['_CONTRACTGRANT']._serialized_start=866 - _globals['_CONTRACTGRANT']._serialized_end=1110 - _globals['_MAXCALLSLIMIT']._serialized_start=1112 - _globals['_MAXCALLSLIMIT']._serialized_end=1222 - _globals['_MAXFUNDSLIMIT']._serialized_start=1225 - _globals['_MAXFUNDSLIMIT']._serialized_end=1430 - _globals['_COMBINEDLIMIT']._serialized_start=1433 - _globals['_COMBINEDLIMIT']._serialized_end=1679 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1681 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1780 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1782 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1907 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1910 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=2077 + _globals['_STORECODEAUTHORIZATION']._serialized_end=360 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=363 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=535 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=538 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=710 + _globals['_CODEGRANT']._serialized_start=712 + _globals['_CODEGRANT']._serialized_end=806 + _globals['_CONTRACTGRANT']._serialized_start=809 + _globals['_CONTRACTGRANT']._serialized_end=1028 + _globals['_MAXCALLSLIMIT']._serialized_start=1030 + _globals['_MAXCALLSLIMIT']._serialized_end=1129 + _globals['_MAXFUNDSLIMIT']._serialized_start=1132 + _globals['_MAXFUNDSLIMIT']._serialized_end=1311 + _globals['_COMBINEDLIMIT']._serialized_start=1314 + _globals['_COMBINEDLIMIT']._serialized_end=1518 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 2daafffe..08368e00 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index a1dd4068..578f303d 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xcf\x02\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01R\x05\x63odes\x12Z\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01R\tcontracts\x12Z\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01R\tsequences\"\xa6\x01\n\x04\x43ode\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x42\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x63odeInfo\x12\x1d\n\ncode_bytes\x18\x03 \x01(\x0cR\tcodeBytes\x12\x16\n\x06pinned\x18\x04 \x01(\x08R\x06pinned\"\xd5\x02\n\x08\x43ontract\x12\x43\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0f\x63ontractAddress\x12N\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo\x12I\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rcontractState\x12i\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x63ontractCodeHistory\"B\n\x08Sequence\x12 \n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKeyR\x05idKey\x12\x14\n\x05value\x18\x02 \x01(\x04R\x05valueB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x0cGenesisProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\014GenesisProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None @@ -59,11 +49,11 @@ _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' _globals['_GENESISSTATE']._serialized_start=151 - _globals['_GENESISSTATE']._serialized_end=486 - _globals['_CODE']._serialized_start=489 - _globals['_CODE']._serialized_end=655 - _globals['_CONTRACT']._serialized_start=658 - _globals['_CONTRACT']._serialized_end=999 - _globals['_SEQUENCE']._serialized_start=1001 - _globals['_SEQUENCE']._serialized_end=1067 + _globals['_GENESISSTATE']._serialized_end=449 + _globals['_CODE']._serialized_start=452 + _globals['_CODE']._serialized_end=581 + _globals['_CONTRACT']._serialized_start=584 + _globals['_CONTRACT']._serialized_end=858 + _globals['_SEQUENCE']._serialized_start=860 + _globals['_SEQUENCE']._serialized_end=912 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index 2daafffe..a7fa61f0 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index 29b30528..be9a2e57 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/ibc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/ibc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xe2\x01\n\nMsgIBCSend\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannel\x12@\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"R\rtimeoutHeight\x12I\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"R\x10timeoutTimestamp\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\"0\n\x12MsgIBCSendResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\"I\n\x12MsgIBCCloseChannel\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannelB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x08IbcProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xb2\x01\n\nMsgIBCSend\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x31\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\"&\n\x12MsgIBCSendResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\"@\n\x12MsgIBCCloseChannel\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"B,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.ibc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\010IbcProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' _globals['_MSGIBCSEND'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._loaded_options = None @@ -42,9 +32,9 @@ _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND']._serialized_start=71 - _globals['_MSGIBCSEND']._serialized_end=297 - _globals['_MSGIBCSENDRESPONSE']._serialized_start=299 - _globals['_MSGIBCSENDRESPONSE']._serialized_end=347 - _globals['_MSGIBCCLOSECHANNEL']._serialized_start=349 - _globals['_MSGIBCCLOSECHANNEL']._serialized_end=422 + _globals['_MSGIBCSEND']._serialized_end=249 + _globals['_MSGIBCSENDRESPONSE']._serialized_start=251 + _globals['_MSGIBCSENDRESPONSE']._serialized_end=289 + _globals['_MSGIBCCLOSECHANNEL']._serialized_start=291 + _globals['_MSGIBCCLOSECHANNEL']._serialized_end=355 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index 2daafffe..b6513996 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index b17192d8..e308585b 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/proposal_legacy.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/proposal_legacy.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xc2\x03\n\x11StoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x08 \x01(\x08R\tunpinCode\x12\x16\n\x06source\x18\t \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\n \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0b \x01(\x0cR\x08\x63odeHash:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\xeb\x03\n\x1bInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\x9a\x04\n\x1cInstantiateContract2Proposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\t \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\n \x01(\x08R\x06\x66ixMsg:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xa9\x02\n\x17MigrateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x06 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xfe\x01\n\x14SudoContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xae\x03\n\x17\x45xecuteContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\x8d\x02\n\x13UpdateAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12I\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xc0\x01\n\x12\x43learAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xc1\x01\n\x10PinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xc5\x01\n\x12UnpinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"\x9b\x01\n\x12\x41\x63\x63\x65ssConfigUpdate\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12`\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission\"\xb3\x02\n\x1fUpdateInstantiateConfigProposal\x12&\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"R\x05title\x12\x38\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"R\x0b\x64\x65scription\x12\x63\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x61\x63\x63\x65ssConfigUpdates:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\xb9\x05\n#StoreAndInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x06 \x01(\x08R\tunpinCode\x12\x14\n\x05\x61\x64min\x18\x07 \x01(\tR\x05\x61\x64min\x12\x14\n\x05label\x18\x08 \x01(\tR\x05label\x12\x38\n\x03msg\x18\t \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\x0b \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0c \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\r \x01(\x0cR\x08\x63odeHash:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB\xc1\x01\n\x14\x63om.cosmwasm.wasm.v1B\x13ProposalLegacyProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xdc\x02\n\x11StoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x08 \x01(\x08\x12\x0e\n\x06source\x18\t \x01(\t\x12\x0f\n\x07\x62uilder\x18\n \x01(\t\x12\x11\n\tcode_hash\x18\x0b \x01(\x0c:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\x8d\x03\n\x1bInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\xae\x03\n\x1cInstantiateContract2Proposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\t \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\n \x01(\x08:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xee\x01\n\x17MigrateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x06 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xcb\x01\n\x14SudoContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xdc\x02\n\x17\x45xecuteContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\xe5\x01\n\x13UpdateAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12?\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xa2\x01\n\x12\x43learAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xa4\x01\n\x10PinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xa8\x01\n\x12UnpinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"|\n\x12\x41\x63\x63\x65ssConfigUpdate\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12I\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x02\n\x1fUpdateInstantiateConfigProposal\x12\x1f\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"\x12+\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"\x12N\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\x98\x04\n#StoreAndInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x06 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x07 \x01(\t\x12\r\n\x05label\x18\x08 \x01(\t\x12#\n\x03msg\x18\t \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\x0b \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0c \x01(\t\x12\x11\n\tcode_hash\x18\r \x01(\x0c:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB4Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.proposal_legacy_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\023ProposalLegacyProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\330\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\330\341\036\000\250\342\036\001' _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -50,9 +40,9 @@ _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_INSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260* wasm/InstantiateContractProposal' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -62,9 +52,9 @@ _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_INSTANTIATECONTRACT2PROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!wasm/InstantiateContract2Proposal' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None @@ -72,13 +62,13 @@ _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MIGRATECONTRACTPROPOSAL']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/MigrateContractProposal' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_SUDOCONTRACTPROPOSAL']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\031wasm/SudoContractProposal' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -86,9 +76,9 @@ _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_EXECUTECONTRACTPROPOSAL']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/ExecuteContractProposal' _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._loaded_options = None @@ -126,35 +116,35 @@ _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(wasm/StoreAndInstantiateContractProposal' _globals['_STORECODEPROPOSAL']._serialized_start=191 - _globals['_STORECODEPROPOSAL']._serialized_end=641 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=644 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=1135 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=1138 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1676 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1679 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1976 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1979 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=2233 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=2236 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2666 - _globals['_UPDATEADMINPROPOSAL']._serialized_start=2669 - _globals['_UPDATEADMINPROPOSAL']._serialized_end=2938 - _globals['_CLEARADMINPROPOSAL']._serialized_start=2941 - _globals['_CLEARADMINPROPOSAL']._serialized_end=3133 - _globals['_PINCODESPROPOSAL']._serialized_start=3136 - _globals['_PINCODESPROPOSAL']._serialized_end=3329 - _globals['_UNPINCODESPROPOSAL']._serialized_start=3332 - _globals['_UNPINCODESPROPOSAL']._serialized_end=3529 - _globals['_ACCESSCONFIGUPDATE']._serialized_start=3532 - _globals['_ACCESSCONFIGUPDATE']._serialized_end=3687 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3690 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3997 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=4000 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=4697 + _globals['_STORECODEPROPOSAL']._serialized_end=539 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=542 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=939 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=942 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1372 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1375 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1613 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1616 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=1819 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=1822 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2170 + _globals['_UPDATEADMINPROPOSAL']._serialized_start=2173 + _globals['_UPDATEADMINPROPOSAL']._serialized_end=2402 + _globals['_CLEARADMINPROPOSAL']._serialized_start=2405 + _globals['_CLEARADMINPROPOSAL']._serialized_end=2567 + _globals['_PINCODESPROPOSAL']._serialized_start=2570 + _globals['_PINCODESPROPOSAL']._serialized_end=2734 + _globals['_UNPINCODESPROPOSAL']._serialized_start=2737 + _globals['_UNPINCODESPROPOSAL']._serialized_end=2905 + _globals['_ACCESSCONFIGUPDATE']._serialized_start=2907 + _globals['_ACCESSCONFIGUPDATE']._serialized_end=3031 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3034 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3300 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=3303 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=3839 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 2daafffe..416372a7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 66e6e7f1..9b0fe0f7 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"N\n\x18QueryContractInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xad\x01\n\x19QueryContractInfoResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo:\x04\xe8\xa0\x1f\x01\"\x99\x01\n\x1bQueryContractHistoryRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb8\x01\n\x1cQueryContractHistoryResponse\x12O\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1bQueryContractsByCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9f\x01\n\x1cQueryContractsByCodeResponse\x12\x36\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tcontracts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n\x1cQueryAllContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x1dQueryAllContractStateResponse\x12:\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06models\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"q\n\x1cQueryRawContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x1d\n\nquery_data\x18\x02 \x01(\x0cR\tqueryData\"3\n\x1dQueryRawContractStateResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x9b\x01\n\x1eQuerySmartContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x45\n\nquery_data\x18\x02 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\tqueryData\"]\n\x1fQuerySmartContractStateResponse\x12:\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x04\x64\x61ta\"+\n\x10QueryCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\"\xb8\x02\n\x10\x43odeInfoResponse\x12)\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02idR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12Q\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x08\x64\x61taHash\x12`\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"\x82\x01\n\x11QueryCodeResponse\x12I\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00R\x08\x63odeInfo\x12\x1c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"[\n\x11QueryCodesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n\x12QueryCodesResponse\x12L\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tcodeInfos\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x17QueryPinnedCodesRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x8b\x01\n\x18QueryPinnedCodesResponse\x12&\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDsR\x07\x63odeIds\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\xab\x01\n\x1eQueryContractsByCreatorRequest\x12\x41\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb3\x01\n\x1fQueryContractsByCreatorResponse\x12G\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x11\x63ontractAddresses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xab\x01\n\x18QueryBuildAddressRequest\x12\x1b\n\tcode_hash\x18\x01 \x01(\tR\x08\x63odeHash\x12\x41\n\x0f\x63reator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x12\n\x04salt\x18\x03 \x01(\tR\x04salt\x12\x1b\n\tinit_args\x18\x04 \x01(\x0cR\x08initArgs\"O\n\x19QueryBuildAddressResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress2\xdf\x0e\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}\x12\x99\x01\n\x0c\x42uildAddress\x12*.cosmwasm.wasm.v1.QueryBuildAddressRequest\x1a+.cosmwasm.wasm.v1.QueryBuildAddressResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmwasm/wasm/v1/contract/build_addressB\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nQueryProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nQueryProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None @@ -61,9 +51,9 @@ _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None @@ -90,10 +80,6 @@ _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._loaded_options = None - _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._loaded_options = None - _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None @@ -116,58 +102,52 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' - _globals['_QUERY'].methods_by_name['BuildAddress']._loaded_options = None - _globals['_QUERY'].methods_by_name['BuildAddress']._serialized_options = b'\202\323\344\223\002*\022(/cosmwasm/wasm/v1/contract/build_address' _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=300 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=303 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=476 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=479 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=632 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=635 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=819 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=821 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=947 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=950 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=1109 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=1112 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1266 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1269 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1433 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1435 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1548 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1550 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1601 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1604 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1759 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1761 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1854 - _globals['_QUERYCODEREQUEST']._serialized_start=1856 - _globals['_QUERYCODEREQUEST']._serialized_end=1899 - _globals['_CODEINFORESPONSE']._serialized_start=1902 - _globals['_CODEINFORESPONSE']._serialized_end=2214 - _globals['_QUERYCODERESPONSE']._serialized_start=2217 - _globals['_QUERYCODERESPONSE']._serialized_end=2347 - _globals['_QUERYCODESREQUEST']._serialized_start=2349 - _globals['_QUERYCODESREQUEST']._serialized_end=2440 - _globals['_QUERYCODESRESPONSE']._serialized_start=2443 - _globals['_QUERYCODESRESPONSE']._serialized_end=2614 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2616 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2713 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2716 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2855 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2857 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2877 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2879 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2961 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2964 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=3135 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=3138 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=3317 - _globals['_QUERYBUILDADDRESSREQUEST']._serialized_start=3320 - _globals['_QUERYBUILDADDRESSREQUEST']._serialized_end=3491 - _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_start=3493 - _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_end=3572 - _globals['_QUERY']._serialized_start=3575 - _globals['_QUERY']._serialized_end=5462 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 + _globals['_QUERYCODEREQUEST']._serialized_start=1613 + _globals['_QUERYCODEREQUEST']._serialized_end=1648 + _globals['_CODEINFORESPONSE']._serialized_start=1651 + _globals['_CODEINFORESPONSE']._serialized_end=1913 + _globals['_QUERYCODERESPONSE']._serialized_start=1915 + _globals['_QUERYCODERESPONSE']._serialized_end=2029 + _globals['_QUERYCODESREQUEST']._serialized_start=2031 + _globals['_QUERYCODESREQUEST']._serialized_end=2110 + _globals['_QUERYCODESRESPONSE']._serialized_start=2113 + _globals['_QUERYCODESRESPONSE']._serialized_end=2261 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 + _globals['_QUERY']._serialized_start=2866 + _globals['_QUERY']._serialized_end=4597 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index ed773a07..0d7faba0 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 +import warnings + +from cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class QueryStub(object): @@ -70,11 +95,6 @@ def __init__(self, channel): request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, _registered_method=True) - self.BuildAddress = channel.unary_unary( - '/cosmwasm.wasm.v1.Query/BuildAddress', - request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, - response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, - _registered_method=True) class QueryServicer(object): @@ -158,13 +178,6 @@ def ContractsByCreator(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def BuildAddress(self, request, context): - """BuildAddress builds a contract address - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -223,11 +236,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.FromString, response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.SerializeToString, ), - 'BuildAddress': grpc.unary_unary_rpc_method_handler( - servicer.BuildAddress, - request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.FromString, - response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.SerializeToString, - ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Query', rpc_method_handlers) @@ -536,30 +544,3 @@ def ContractsByCreator(request, timeout, metadata, _registered_method=True) - - @staticmethod - def BuildAddress(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/cosmwasm.wasm.v1.Query/BuildAddress', - cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, - cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index 819f5e81..afbaeabf 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xfe\x01\n\x0cMsgStoreCode\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"W\n\x14MsgStoreCodeResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\"\x95\x03\n\x16MsgInstantiateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"h\n\x1eMsgInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc4\x03\n\x17MsgInstantiateContract2\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\x07 \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\x08 \x01(\x08R\x06\x66ixMsg:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"i\n\x1fMsgInstantiateContract2Response\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xd8\x02\n\x12MsgExecuteContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"0\n\x1aMsgExecuteContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x84\x02\n\x12MsgMigrateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"0\n\x1aMsgMigrateContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xd4\x01\n\x0eMsgUpdateAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x35\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x9b\x01\n\rMsgClearAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\x82\x02\n\x1aMsgUpdateInstantiateConfig\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\\\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x18newInstantiatePermission:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\xaf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe2\x01\n\x0fMsgSudoContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"-\n\x17MsgSudoContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xa5\x01\n\x0bMsgPinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\xa9\x01\n\rMsgUnpinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\x86\x05\n\x1eMsgStoreAndInstantiateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x05 \x01(\x08R\tunpinCode\x12.\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x08 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\n \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0b \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0c \x01(\x0cR\x08\x63odeHash:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"p\n&MsgStoreAndInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc6\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xcc\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\xed\x02\n\x1aMsgStoreAndMigrateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1a\n\x08\x63ontract\x18\x04 \x01(\tR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"y\n\"MsgStoreAndMigrateContractResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"\xca\x01\n\x16MsgUpdateContractLabel\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x1b\n\tnew_label\x18\x02 \x01(\tR\x08newLabel\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xad\x01\n\x14\x63om.cosmwasm.wasm.v1B\x07TxProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\007TxProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -53,9 +43,9 @@ _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -67,9 +57,9 @@ _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None @@ -79,9 +69,9 @@ _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None @@ -91,7 +81,7 @@ _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None @@ -125,7 +115,7 @@ _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSUDOCONTRACT']._loaded_options = None _globals['_MSGSUDOCONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgSudoContract' _globals['_MSGPINCODES'].fields_by_name['authority']._loaded_options = None @@ -147,9 +137,9 @@ _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -171,7 +161,7 @@ _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MSGSTOREANDMIGRATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\037wasm/MsgStoreAndMigrateContract' _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._loaded_options = None @@ -185,73 +175,73 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=457 - _globals['_MSGSTORECODERESPONSE']._serialized_start=459 - _globals['_MSGSTORECODERESPONSE']._serialized_end=546 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=549 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=954 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=956 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=1060 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=1063 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1515 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1517 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1622 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1625 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1969 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1971 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=2019 - _globals['_MSGMIGRATECONTRACT']._serialized_start=2022 - _globals['_MSGMIGRATECONTRACT']._serialized_end=2282 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=2284 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=2332 - _globals['_MSGUPDATEADMIN']._serialized_start=2335 - _globals['_MSGUPDATEADMIN']._serialized_end=2547 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2549 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2573 - _globals['_MSGCLEARADMIN']._serialized_start=2576 - _globals['_MSGCLEARADMIN']._serialized_end=2731 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2733 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2756 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2759 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=3017 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=3019 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=3055 - _globals['_MSGUPDATEPARAMS']._serialized_start=3058 - _globals['_MSGUPDATEPARAMS']._serialized_end=3233 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3235 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3260 - _globals['_MSGSUDOCONTRACT']._serialized_start=3263 - _globals['_MSGSUDOCONTRACT']._serialized_end=3489 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=3491 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3536 - _globals['_MSGPINCODES']._serialized_start=3539 - _globals['_MSGPINCODES']._serialized_end=3704 - _globals['_MSGPINCODESRESPONSE']._serialized_start=3706 - _globals['_MSGPINCODESRESPONSE']._serialized_end=3727 - _globals['_MSGUNPINCODES']._serialized_start=3730 - _globals['_MSGUNPINCODES']._serialized_end=3899 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3901 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3924 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3927 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=4573 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=4575 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=4687 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=4690 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4888 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4890 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4931 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4934 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=5138 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=5140 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=5184 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=5187 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=5552 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=5554 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=5675 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=5678 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=5880 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=5882 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5914 - _globals['_MSG']._serialized_start=5917 - _globals['_MSG']._serialized_end=7794 + _globals['_MSGSTORECODE']._serialized_end=412 + _globals['_MSGSTORECODERESPONSE']._serialized_start=414 + _globals['_MSGSTORECODERESPONSE']._serialized_end=483 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 + _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 + _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 + _globals['_MSGUPDATEADMIN']._serialized_start=1956 + _globals['_MSGUPDATEADMIN']._serialized_end=2140 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 + _globals['_MSGCLEARADMIN']._serialized_start=2169 + _globals['_MSGCLEARADMIN']._serialized_end=2306 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 + _globals['_MSGUPDATEPARAMS']._serialized_start=2591 + _globals['_MSGUPDATEPARAMS']._serialized_end=2747 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 + _globals['_MSGSUDOCONTRACT']._serialized_start=2777 + _globals['_MSGSUDOCONTRACT']._serialized_end=2961 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 + _globals['_MSGPINCODES']._serialized_start=3005 + _globals['_MSGPINCODES']._serialized_end=3150 + _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 + _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 + _globals['_MSGUNPINCODES']._serialized_start=3176 + _globals['_MSGUNPINCODES']._serialized_end=3325 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 + _globals['_MSG']._serialized_start=5008 + _globals['_MSG']._serialized_end=6885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index 7dbc1734..31e62310 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasm Msg service. diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index e8785138..3db7c709 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'cosmwasm/wasm/v1/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"]\n\x0f\x41\x63\x63\x65ssTypeParam\x12\x44\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\"R\x05value:\x04\x98\xa0\x1f\x01\"\xa7\x01\n\x0c\x41\x63\x63\x65ssConfig\x12S\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"R\npermission\x12\x36\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\x94\x02\n\x06Params\x12t\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01R\x10\x63odeUploadAccess\x12\x8d\x01\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\"R\x1cinstantiateDefaultPermission:\x04\x98\xa0\x1f\x00\"\xc1\x01\n\x08\x43odeInfo\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12X\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11instantiateConfigJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x82\x03\n\x0c\x43ontractInfo\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12>\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07\x63reated\x12-\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortIDR\tibcPortId\x12^\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtensionR\textension:\x04\xe8\xa0\x1f\x01\"\x8b\x02\n\x18\x43ontractCodeHistoryEntry\x12P\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationTypeR\toperation\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12>\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07updated\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\"R\n\x12\x41\x62soluteTxPosition\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x19\n\x08tx_index\x18\x02 \x01(\x04R\x07txIndex\"e\n\x05Model\x12\x46\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\"\xb1\x01\n\x0f\x45ventCodeStored\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x18\n\x07\x63reator\x18\x02 \x01(\tR\x07\x63reator\x12\x43\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x0c\x61\x63\x63\x65ssConfig\x12\x1a\n\x08\x63hecksum\x18\x04 \x01(\x0cR\x08\x63hecksum\"\xbe\x02\n\x19\x45ventContractInstantiated\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x14\n\x05\x61\x64min\x18\x02 \x01(\tR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x61\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x66unds\x12(\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x18\n\x07\x63reator\x18\x07 \x01(\tR\x07\x63reator\"\x91\x01\n\x15\x45ventContractMigrated\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12(\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\"_\n\x15\x45ventContractAdminSet\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tnew_admin\x18\x02 \x01(\tR\x08newAdmin*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nTypesProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nTypesProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\001' _globals['_ACCESSTYPE']._loaded_options = None _globals['_ACCESSTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._loaded_options = None @@ -92,7 +82,7 @@ _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._loaded_options = None - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' _globals['_MODEL'].fields_by_name['key']._loaded_options = None _globals['_MODEL'].fields_by_name['key']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_EVENTCODESTORED'].fields_by_name['code_id']._loaded_options = None @@ -107,32 +97,32 @@ _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2510 - _globals['_ACCESSTYPE']._serialized_end=2756 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2759 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=3181 + _globals['_ACCESSTYPE']._serialized_start=2089 + _globals['_ACCESSTYPE']._serialized_end=2335 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 _globals['_ACCESSTYPEPARAM']._serialized_start=177 - _globals['_ACCESSTYPEPARAM']._serialized_end=270 - _globals['_ACCESSCONFIG']._serialized_start=273 - _globals['_ACCESSCONFIG']._serialized_end=440 - _globals['_PARAMS']._serialized_start=443 - _globals['_PARAMS']._serialized_end=719 - _globals['_CODEINFO']._serialized_start=722 - _globals['_CODEINFO']._serialized_end=915 - _globals['_CONTRACTINFO']._serialized_start=918 - _globals['_CONTRACTINFO']._serialized_end=1304 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1307 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1574 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1576 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1658 - _globals['_MODEL']._serialized_start=1660 - _globals['_MODEL']._serialized_end=1761 - _globals['_EVENTCODESTORED']._serialized_start=1764 - _globals['_EVENTCODESTORED']._serialized_end=1941 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1944 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=2262 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=2265 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2410 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=2412 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2507 + _globals['_ACCESSTYPEPARAM']._serialized_end=263 + _globals['_ACCESSCONFIG']._serialized_start=266 + _globals['_ACCESSCONFIG']._serialized_end=410 + _globals['_PARAMS']._serialized_start=413 + _globals['_PARAMS']._serialized_end=640 + _globals['_CODEINFO']._serialized_start=643 + _globals['_CODEINFO']._serialized_end=798 + _globals['_CONTRACTINFO']._serialized_start=801 + _globals['_CONTRACTINFO']._serialized_end=1125 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 + _globals['_MODEL']._serialized_start=1410 + _globals['_MODEL']._serialized_end=1499 + _globals['_EVENTCODESTORED']._serialized_start=1502 + _globals['_EVENTCODESTORED']._serialized_end=1638 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 2daafffe..5cb4c9d9 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2.py b/pyinjective/proto/exchange/event_provider_api_pb2.py index d1af1fff..f815c155 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/event_provider_api.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/event_provider_api.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,54 +14,54 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"~\n\x17GetLatestHeightResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeightR\x04\x64\x61ta\"+\n\x11LatestBlockHeight\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\"L\n\x18StreamBlockEventsRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"N\n\x19StreamBlockEventsResponse\x12\x31\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.BlockR\x06\x62locks\"\x8a\x01\n\x05\x42lock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x36\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEventR\x06\x65vents\x12\x17\n\x07in_sync\x18\x04 \x01(\x08R\x06inSync\"V\n\nBlockEvent\x12\x19\n\x08type_url\x18\x01 \x01(\tR\x07typeUrl\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x17\n\x07tx_hash\x18\x03 \x01(\x0cR\x06txHash\"L\n\x18GetBlockEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"}\n\x19GetBlockEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"\xca\x01\n\x0e\x42lockEventsRPC\x12\x14\n\x05types\x18\x01 \x03(\tR\x05types\x12\x16\n\x06\x65vents\x18\x02 \x03(\x0cR\x06\x65vents\x12M\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntryR\x08txHashes\x1a;\n\rTxHashesEntry\x12\x10\n\x03key\x18\x01 \x01(\x11R\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x02\x38\x01\"e\n\x19GetCustomEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\x12\x16\n\x06\x65vents\x18\x03 \x01(\tR\x06\x65vents\"~\n\x1aGetCustomEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"T\n\x19GetABCIBlockEventsRequest\x12\x16\n\x06height\x18\x01 \x01(\x11R\x06height\x12\x1f\n\x0b\x65vent_types\x18\x02 \x03(\tR\neventTypes\"\x81\x01\n\x1aGetABCIBlockEventsResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlockR\x08rawBlock\"\xcc\x02\n\x08RawBlock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x1d\n\nblock_time\x18\x05 \x01(\tR\tblockTime\x12\'\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12R\x0e\x62lockTimestamp\x12J\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTxR\ntxsResults\x12K\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x10\x62\x65ginBlockEvents\x12G\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x0e\x65ndBlockEvents\"\xf9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\x11R\x04\x63ode\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x12\n\x04info\x18\x03 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\x04 \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\x05 \x01(\x12R\x07gasUsed\x12\x35\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x06\x65vents\x12\x1c\n\tcodespace\x18\x07 \x01(\tR\tcodespace\x12\x17\n\x07tx_hash\x18\x08 \x01(\x0cR\x06txHash\"b\n\tABCIEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttributeR\nattributes\"7\n\rABCIAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\xa6\x01\n\x16\x63om.event_provider_apiB\x15\x45ventProviderApiProtoP\x01Z\x15/event_provider_apipb\xa2\x02\x03\x45XX\xaa\x02\x10\x45ventProviderApi\xca\x02\x10\x45ventProviderApi\xe2\x02\x1c\x45ventProviderApi\\GPBMetadata\xea\x02\x10\x45ventProviderApib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"o\n\x17GetLatestHeightResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x33\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeight\"#\n\x11LatestBlockHeight\x12\x0e\n\x06height\x18\x01 \x01(\x04\";\n\x18StreamBlockEventsRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"F\n\x19StreamBlockEventsResponse\x12)\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.Block\"i\n\x05\x42lock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x0f\n\x07version\x18\x02 \x01(\t\x12.\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEvent\x12\x0f\n\x07in_sync\x18\x04 \x01(\x08\">\n\nBlockEvent\x12\x10\n\x08type_url\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07tx_hash\x18\x03 \x01(\x0c\";\n\x18GetBlockEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"n\n\x19GetBlockEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"\xa5\x01\n\x0e\x42lockEventsRPC\x12\r\n\x05types\x18\x01 \x03(\t\x12\x0e\n\x06\x65vents\x18\x02 \x03(\x0c\x12\x43\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntry\x1a/\n\rTxHashesEntry\x12\x0b\n\x03key\x18\x01 \x01(\x11\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x38\x01\"L\n\x19GetCustomEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\x12\x0e\n\x06\x65vents\x18\x03 \x01(\t\"o\n\x1aGetCustomEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"@\n\x19GetABCIBlockEventsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x11\x12\x13\n\x0b\x65vent_types\x18\x02 \x03(\t\"n\n\x1aGetABCIBlockEventsResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12/\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlock\"\xfb\x01\n\x08RawBlock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x12\n\nblock_time\x18\x05 \x01(\t\x12\x17\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12\x12>\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTx\x12\x39\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x37\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\"\xb9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x11\x12\x0b\n\x03log\x18\x02 \x01(\t\x12\x0c\n\x04info\x18\x03 \x01(\t\x12\x12\n\ngas_wanted\x18\x04 \x01(\x12\x12\x10\n\x08gas_used\x18\x05 \x01(\x12\x12-\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x11\n\tcodespace\x18\x07 \x01(\t\x12\x0f\n\x07tx_hash\x18\x08 \x01(\x0c\"P\n\tABCIEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x35\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttribute\"+\n\rABCIAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\x17Z\x15/event_provider_apipbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.event_provider_api_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.event_provider_apiB\025EventProviderApiProtoP\001Z\025/event_provider_apipb\242\002\003EXX\252\002\020EventProviderApi\312\002\020EventProviderApi\342\002\034EventProviderApi\\GPBMetadata\352\002\020EventProviderApi' + _globals['DESCRIPTOR']._serialized_options = b'Z\025/event_provider_apipb' _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._loaded_options = None _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_options = b'8\001' _globals['_GETLATESTHEIGHTREQUEST']._serialized_start=57 _globals['_GETLATESTHEIGHTREQUEST']._serialized_end=81 _globals['_GETLATESTHEIGHTRESPONSE']._serialized_start=83 - _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=209 - _globals['_LATESTBLOCKHEIGHT']._serialized_start=211 - _globals['_LATESTBLOCKHEIGHT']._serialized_end=254 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=256 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=332 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=334 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=412 - _globals['_BLOCK']._serialized_start=415 - _globals['_BLOCK']._serialized_end=553 - _globals['_BLOCKEVENT']._serialized_start=555 - _globals['_BLOCKEVENT']._serialized_end=641 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=643 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=719 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=721 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=846 - _globals['_BLOCKEVENTSRPC']._serialized_start=849 - _globals['_BLOCKEVENTSRPC']._serialized_end=1051 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=992 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=1051 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=1053 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=1154 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=1156 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1282 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1284 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1368 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1371 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1500 - _globals['_RAWBLOCK']._serialized_start=1503 - _globals['_RAWBLOCK']._serialized_end=1835 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1838 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=2087 - _globals['_ABCIEVENT']._serialized_start=2089 - _globals['_ABCIEVENT']._serialized_end=2187 - _globals['_ABCIATTRIBUTE']._serialized_start=2189 - _globals['_ABCIATTRIBUTE']._serialized_end=2244 - _globals['_EVENTPROVIDERAPI']._serialized_start=2247 - _globals['_EVENTPROVIDERAPI']._serialized_end=2837 + _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=194 + _globals['_LATESTBLOCKHEIGHT']._serialized_start=196 + _globals['_LATESTBLOCKHEIGHT']._serialized_end=231 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=233 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=292 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=294 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=364 + _globals['_BLOCK']._serialized_start=366 + _globals['_BLOCK']._serialized_end=471 + _globals['_BLOCKEVENT']._serialized_start=473 + _globals['_BLOCKEVENT']._serialized_end=535 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=537 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=596 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=598 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=708 + _globals['_BLOCKEVENTSRPC']._serialized_start=711 + _globals['_BLOCKEVENTSRPC']._serialized_end=876 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=829 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=876 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=878 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=954 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=956 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1067 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1069 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1133 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1135 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1245 + _globals['_RAWBLOCK']._serialized_start=1248 + _globals['_RAWBLOCK']._serialized_end=1499 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1502 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=1687 + _globals['_ABCIEVENT']._serialized_start=1689 + _globals['_ABCIEVENT']._serialized_end=1769 + _globals['_ABCIATTRIBUTE']._serialized_start=1771 + _globals['_ABCIATTRIBUTE']._serialized_end=1814 + _globals['_EVENTPROVIDERAPI']._serialized_start=1817 + _globals['_EVENTPROVIDERAPI']._serialized_end=2407 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index 7a17ca12..2ea71b89 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class EventProviderAPIStub(object): """EventProviderAPI provides processed block events for different backends. diff --git a/pyinjective/proto/exchange/health_pb2.py b/pyinjective/proto/exchange/health_pb2.py index e0a403b4..b92feb01 100644 --- a/pyinjective/proto/exchange/health_pb2.py +++ b/pyinjective/proto/exchange/health_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/health.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/health.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,20 +14,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"{\n\x11GetStatusResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12(\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatusR\x04\x64\x61ta\x12\x16\n\x06status\x18\x04 \x01(\tR\x06status\"\xae\x01\n\x0cHealthStatus\x12!\n\x0clocal_height\x18\x01 \x01(\x11R\x0blocalHeight\x12\'\n\x0flocal_timestamp\x18\x02 \x01(\x11R\x0elocalTimestamp\x12%\n\x0ehoracle_height\x18\x03 \x01(\x11R\rhoracleHeight\x12+\n\x11horacle_timestamp\x18\x04 \x01(\x11R\x10horacleTimestamp2J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB]\n\ncom.api.v1B\x0bHealthProtoP\x01Z\t/api.v1pb\xa2\x02\x03\x41XX\xaa\x02\x06\x41pi.V1\xca\x02\x06\x41pi\\V1\xe2\x02\x12\x41pi\\V1\\GPBMetadata\xea\x02\x07\x41pi::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"b\n\x11GetStatusResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatus\x12\x0e\n\x06status\x18\x04 \x01(\t\"p\n\x0cHealthStatus\x12\x14\n\x0clocal_height\x18\x01 \x01(\x11\x12\x17\n\x0flocal_timestamp\x18\x02 \x01(\x11\x12\x16\n\x0ehoracle_height\x18\x03 \x01(\x11\x12\x19\n\x11horacle_timestamp\x18\x04 \x01(\x11\x32J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB\x0bZ\t/api.v1pbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.health_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\ncom.api.v1B\013HealthProtoP\001Z\t/api.v1pb\242\002\003AXX\252\002\006Api.V1\312\002\006Api\\V1\342\002\022Api\\V1\\GPBMetadata\352\002\007Api::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z\t/api.v1pb' _globals['_GETSTATUSREQUEST']._serialized_start=33 _globals['_GETSTATUSREQUEST']._serialized_end=51 _globals['_GETSTATUSRESPONSE']._serialized_start=53 - _globals['_GETSTATUSRESPONSE']._serialized_end=176 - _globals['_HEALTHSTATUS']._serialized_start=179 - _globals['_HEALTHSTATUS']._serialized_end=353 - _globals['_HEALTH']._serialized_start=355 - _globals['_HEALTH']._serialized_end=429 + _globals['_GETSTATUSRESPONSE']._serialized_end=151 + _globals['_HEALTHSTATUS']._serialized_start=153 + _globals['_HEALTHSTATUS']._serialized_end=265 + _globals['_HEALTH']._serialized_start=267 + _globals['_HEALTH']._serialized_end=341 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index f83f04db..52b52fa3 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import health_pb2 as exchange_dot_health__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/health_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class HealthStub(object): """HealthAPI allows to check if backend data is up-to-date and reliable or not. diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py index a3426046..12ca180c 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_accounts_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_accounts_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,106 +14,106 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\";\n\x10PortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"[\n\x11PortfolioResponse\x12\x46\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolioR\tportfolio\"\x85\x02\n\x10\x41\x63\x63ountPortfolio\x12\'\n\x0fportfolio_value\x18\x01 \x01(\tR\x0eportfolioValue\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\x12M\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolioR\x0bsubaccounts\"\xb5\x01\n\x13SubaccountPortfolio\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\"x\n\x12OrderStatesRequest\x12*\n\x11spot_order_hashes\x18\x01 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\tR\x15\x64\x65rivativeOrderHashes\"\xcd\x01\n\x13OrderStatesResponse\x12T\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x0fspotOrderStates\x12`\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x15\x64\x65rivativeOrderStates\"\x8b\x03\n\x10OrderStateRecord\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x1d\n\norder_type\x18\x04 \x01(\tR\torderType\x12\x1d\n\norder_side\x18\x05 \x01(\tR\torderSide\x12\x14\n\x05state\x18\x06 \x01(\tR\x05state\x12\'\n\x0fquantity_filled\x18\x07 \x01(\tR\x0equantityFilled\x12-\n\x12quantity_remaining\x18\x08 \x01(\tR\x11quantityRemaining\x12\x1d\n\ncreated_at\x18\t \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x14\n\x05price\x18\x0b \x01(\tR\x05price\x12\x16\n\x06margin\x18\x0c \x01(\tR\x06margin\"A\n\x16SubaccountsListRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\";\n\x17SubaccountsListResponse\x12 \n\x0bsubaccounts\x18\x01 \x03(\tR\x0bsubaccounts\"\\\n\x1dSubaccountBalancesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"g\n\x1eSubaccountBalancesListResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x08\x62\x61lances\"\xbc\x01\n\x11SubaccountBalance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"]\n SubaccountBalanceEndpointRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"h\n!SubaccountBalanceEndpointResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\"]\n\x1eStreamSubaccountBalanceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"\x84\x01\n\x1fStreamSubaccountBalanceResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xc1\x01\n\x18SubaccountHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12%\n\x0etransfer_types\x18\x03 \x03(\tR\rtransferTypes\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\"\xa4\x01\n\x19SubaccountHistoryResponse\x12O\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransferR\ttransfers\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.PagingR\x06paging\"\xd5\x02\n\x19SubaccountBalanceTransfer\x12#\n\rtransfer_type\x18\x01 \x01(\tR\x0ctransferType\x12*\n\x11src_subaccount_id\x18\x02 \x01(\tR\x0fsrcSubaccountId\x12.\n\x13src_account_address\x18\x03 \x01(\tR\x11srcAccountAddress\x12*\n\x11\x64st_subaccount_id\x18\x04 \x01(\tR\x0f\x64stSubaccountId\x12.\n\x13\x64st_account_address\x18\x05 \x01(\tR\x11\x64stAccountAddress\x12:\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoinR\x06\x61mount\x12\x1f\n\x0b\x65xecuted_at\x18\x07 \x01(\x12R\nexecutedAt\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x8a\x01\n\x1dSubaccountOrderSummaryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0forder_direction\x18\x03 \x01(\tR\x0eorderDirection\"\x84\x01\n\x1eSubaccountOrderSummaryResponse\x12*\n\x11spot_orders_total\x18\x01 \x01(\x12R\x0fspotOrdersTotal\x12\x36\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12R\x15\x64\x65rivativeOrdersTotal\"O\n\x0eRewardsRequest\x12\x14\n\x05\x65poch\x18\x01 \x01(\x12R\x05\x65poch\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"K\n\x0fRewardsResponse\x12\x38\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.RewardR\x07rewards\"\x90\x01\n\x06Reward\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x36\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.CoinR\x07rewards\x12%\n\x0e\x64istributed_at\x18\x03 \x01(\x12R\rdistributedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"C\n\x18StreamAccountDataRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xde\x03\n\x19StreamAccountDataResponse\x12^\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResultR\x11subaccountBalance\x12\x43\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResultR\x08position\x12\x39\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResultR\x05trade\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResultR\x05order\x12O\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResultR\x0corderHistory\x12U\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResultR\x0e\x66undingPayment\"|\n\x17SubaccountBalanceResult\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"m\n\x0fPositionsResult\x12<\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.PositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xe1\x02\n\x08Position\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\"\xf5\x01\n\x0bTradeResult\x12\x42\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00R\tspotTrade\x12T\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00R\x0f\x64\x65rivativeTrade\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05trade\"\xad\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12\x38\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xdd\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12L\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xff\x01\n\x0bOrderResult\x12G\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00R\tspotOrder\x12Y\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00R\x0f\x64\x65rivativeOrder\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05order\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xb0\x02\n\x12OrderHistoryResult\x12X\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00R\x10spotOrderHistory\x12j\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00R\x16\x64\x65rivativeOrderHistory\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x0f\n\rorder_history\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xae\x01\n\x14\x46undingPaymentResult\x12Q\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPaymentR\x0f\x66undingPayments\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_accounts_rpcB\x19InjectiveAccountsRpcProtoP\x01Z\x19/injective_accounts_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveAccountsRpc\xca\x02\x14InjectiveAccountsRpc\xe2\x02 InjectiveAccountsRpc\\GPBMetadata\xea\x02\x14InjectiveAccountsRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\"+\n\x10PortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"P\n\x11PortfolioResponse\x12;\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolio\"\xb8\x01\n\x10\x41\x63\x63ountPortfolio\x12\x17\n\x0fportfolio_value\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\x12@\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolio\"w\n\x13SubaccountPortfolio\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\"P\n\x12OrderStatesRequest\x12\x19\n\x11spot_order_hashes\x18\x01 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\t\"\xa5\x01\n\x13OrderStatesResponse\x12\x43\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\x12I\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\"\x83\x02\n\x10OrderStateRecord\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x12\n\norder_type\x18\x04 \x01(\t\x12\x12\n\norder_side\x18\x05 \x01(\t\x12\r\n\x05state\x18\x06 \x01(\t\x12\x17\n\x0fquantity_filled\x18\x07 \x01(\t\x12\x1a\n\x12quantity_remaining\x18\x08 \x01(\t\x12\x12\n\ncreated_at\x18\t \x01(\x12\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\r\n\x05price\x18\x0b \x01(\t\x12\x0e\n\x06margin\x18\x0c \x01(\t\"1\n\x16SubaccountsListRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\".\n\x17SubaccountsListResponse\x12\x13\n\x0bsubaccounts\x18\x01 \x03(\t\"F\n\x1dSubaccountBalancesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"]\n\x1eSubaccountBalancesListResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"\x8e\x01\n\x11SubaccountBalance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12:\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"H\n SubaccountBalanceEndpointRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"_\n!SubaccountBalanceEndpointResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"G\n\x1eStreamSubaccountBalanceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"p\n\x1fStreamSubaccountBalanceResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\x87\x01\n\x18SubaccountHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x16\n\x0etransfer_types\x18\x03 \x03(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\"\x91\x01\n\x19SubaccountHistoryResponse\x12\x44\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransfer\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.Paging\"\xeb\x01\n\x19SubaccountBalanceTransfer\x12\x15\n\rtransfer_type\x18\x01 \x01(\t\x12\x19\n\x11src_subaccount_id\x18\x02 \x01(\t\x12\x1b\n\x13src_account_address\x18\x03 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x04 \x01(\t\x12\x1b\n\x13\x64st_account_address\x18\x05 \x01(\t\x12\x32\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoin\x12\x13\n\x0b\x65xecuted_at\x18\x07 \x01(\x12\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"b\n\x1dSubaccountOrderSummaryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0forder_direction\x18\x03 \x01(\t\"\\\n\x1eSubaccountOrderSummaryResponse\x12\x19\n\x11spot_orders_total\x18\x01 \x01(\x12\x12\x1f\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12\"8\n\x0eRewardsRequest\x12\r\n\x05\x65poch\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"B\n\x0fRewardsResponse\x12/\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.Reward\"h\n\x06Reward\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12-\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.Coin\x12\x16\n\x0e\x64istributed_at\x18\x03 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"3\n\x18StreamAccountDataRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"\x95\x03\n\x19StreamAccountDataResponse\x12K\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResult\x12\x39\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResult\x12\x32\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResult\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResult\x12\x41\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResult\x12\x45\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResult\"h\n\x17SubaccountBalanceResult\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"X\n\x0fPositionsResult\x12\x32\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.Position\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xe5\x01\n\x08Position\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\"\xbf\x01\n\x0bTradeResult\x12\x37\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00\x12\x43\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05trade\"\xa3\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x31\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xc4\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12=\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xc9\x01\n\x0bOrderResult\x12<\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00\x12H\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05order\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xec\x01\n\x12OrderHistoryResult\x12\x46\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00\x12R\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x0f\n\rorder_history\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x83\x01\n\x14\x46undingPaymentResult\x12@\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPayment\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\x1bZ\x19/injective_accounts_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_accounts_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_accounts_rpcB\031InjectiveAccountsRpcProtoP\001Z\031/injective_accounts_rpcpb\242\002\003IXX\252\002\024InjectiveAccountsRpc\312\002\024InjectiveAccountsRpc\342\002 InjectiveAccountsRpc\\GPBMetadata\352\002\024InjectiveAccountsRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_accounts_rpcpb' _globals['_PORTFOLIOREQUEST']._serialized_start=65 - _globals['_PORTFOLIOREQUEST']._serialized_end=124 - _globals['_PORTFOLIORESPONSE']._serialized_start=126 - _globals['_PORTFOLIORESPONSE']._serialized_end=217 - _globals['_ACCOUNTPORTFOLIO']._serialized_start=220 - _globals['_ACCOUNTPORTFOLIO']._serialized_end=481 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=484 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=665 - _globals['_ORDERSTATESREQUEST']._serialized_start=667 - _globals['_ORDERSTATESREQUEST']._serialized_end=787 - _globals['_ORDERSTATESRESPONSE']._serialized_start=790 - _globals['_ORDERSTATESRESPONSE']._serialized_end=995 - _globals['_ORDERSTATERECORD']._serialized_start=998 - _globals['_ORDERSTATERECORD']._serialized_end=1393 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1395 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1460 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1462 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1521 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1523 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1615 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1617 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1720 - _globals['_SUBACCOUNTBALANCE']._serialized_start=1723 - _globals['_SUBACCOUNTBALANCE']._serialized_end=1911 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1913 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2014 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=2016 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=2109 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=2111 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=2215 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=2217 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=2310 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=2313 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=2445 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=2448 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=2641 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=2644 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2808 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2811 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=3152 - _globals['_COSMOSCOIN']._serialized_start=3154 - _globals['_COSMOSCOIN']._serialized_end=3212 - _globals['_PAGING']._serialized_start=3215 - _globals['_PAGING']._serialized_end=3349 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=3352 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=3490 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=3493 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=3625 - _globals['_REWARDSREQUEST']._serialized_start=3627 - _globals['_REWARDSREQUEST']._serialized_end=3706 - _globals['_REWARDSRESPONSE']._serialized_start=3708 - _globals['_REWARDSRESPONSE']._serialized_end=3783 - _globals['_REWARD']._serialized_start=3786 - _globals['_REWARD']._serialized_end=3930 - _globals['_COIN']._serialized_start=3932 - _globals['_COIN']._serialized_end=3984 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=3986 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=4053 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=4056 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=4534 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=4536 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=4660 - _globals['_POSITIONSRESULT']._serialized_start=4662 - _globals['_POSITIONSRESULT']._serialized_end=4771 - _globals['_POSITION']._serialized_start=4774 - _globals['_POSITION']._serialized_end=5127 - _globals['_TRADERESULT']._serialized_start=5130 - _globals['_TRADERESULT']._serialized_end=5375 - _globals['_SPOTTRADE']._serialized_start=5378 - _globals['_SPOTTRADE']._serialized_end=5807 - _globals['_PRICELEVEL']._serialized_start=5809 - _globals['_PRICELEVEL']._serialized_end=5901 - _globals['_DERIVATIVETRADE']._serialized_start=5904 - _globals['_DERIVATIVETRADE']._serialized_end=6381 - _globals['_POSITIONDELTA']._serialized_start=6384 - _globals['_POSITIONDELTA']._serialized_end=6571 - _globals['_ORDERRESULT']._serialized_start=6574 - _globals['_ORDERRESULT']._serialized_end=6829 - _globals['_SPOTLIMITORDER']._serialized_start=6832 - _globals['_SPOTLIMITORDER']._serialized_end=7272 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7275 - _globals['_DERIVATIVELIMITORDER']._serialized_end=8002 - _globals['_ORDERHISTORYRESULT']._serialized_start=8005 - _globals['_ORDERHISTORYRESULT']._serialized_end=8309 - _globals['_SPOTORDERHISTORY']._serialized_start=8312 - _globals['_SPOTORDERHISTORY']._serialized_end=8811 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=8814 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=9495 - _globals['_FUNDINGPAYMENTRESULT']._serialized_start=9498 - _globals['_FUNDINGPAYMENTRESULT']._serialized_end=9672 - _globals['_FUNDINGPAYMENT']._serialized_start=9675 - _globals['_FUNDINGPAYMENT']._serialized_end=9811 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=9814 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=11058 + _globals['_PORTFOLIOREQUEST']._serialized_end=108 + _globals['_PORTFOLIORESPONSE']._serialized_start=110 + _globals['_PORTFOLIORESPONSE']._serialized_end=190 + _globals['_ACCOUNTPORTFOLIO']._serialized_start=193 + _globals['_ACCOUNTPORTFOLIO']._serialized_end=377 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=379 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=498 + _globals['_ORDERSTATESREQUEST']._serialized_start=500 + _globals['_ORDERSTATESREQUEST']._serialized_end=580 + _globals['_ORDERSTATESRESPONSE']._serialized_start=583 + _globals['_ORDERSTATESRESPONSE']._serialized_end=748 + _globals['_ORDERSTATERECORD']._serialized_start=751 + _globals['_ORDERSTATERECORD']._serialized_end=1010 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1012 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1061 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1063 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1109 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1111 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1181 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1183 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1276 + _globals['_SUBACCOUNTBALANCE']._serialized_start=1279 + _globals['_SUBACCOUNTBALANCE']._serialized_end=1421 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1423 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1492 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=1494 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=1566 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=1568 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=1663 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=1665 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=1736 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=1738 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=1850 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=1853 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=1988 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=1991 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2136 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2139 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=2374 + _globals['_COSMOSCOIN']._serialized_start=2376 + _globals['_COSMOSCOIN']._serialized_end=2419 + _globals['_PAGING']._serialized_start=2421 + _globals['_PAGING']._serialized_end=2513 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=2515 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=2613 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=2615 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=2707 + _globals['_REWARDSREQUEST']._serialized_start=2709 + _globals['_REWARDSREQUEST']._serialized_end=2765 + _globals['_REWARDSRESPONSE']._serialized_start=2767 + _globals['_REWARDSRESPONSE']._serialized_end=2833 + _globals['_REWARD']._serialized_start=2835 + _globals['_REWARD']._serialized_end=2939 + _globals['_COIN']._serialized_start=2941 + _globals['_COIN']._serialized_end=2978 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=2980 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=3031 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=3034 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=3439 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=3441 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=3545 + _globals['_POSITIONSRESULT']._serialized_start=3547 + _globals['_POSITIONSRESULT']._serialized_end=3635 + _globals['_POSITION']._serialized_start=3638 + _globals['_POSITION']._serialized_end=3867 + _globals['_TRADERESULT']._serialized_start=3870 + _globals['_TRADERESULT']._serialized_end=4061 + _globals['_SPOTTRADE']._serialized_start=4064 + _globals['_SPOTTRADE']._serialized_end=4355 + _globals['_PRICELEVEL']._serialized_start=4357 + _globals['_PRICELEVEL']._serialized_end=4421 + _globals['_DERIVATIVETRADE']._serialized_start=4424 + _globals['_DERIVATIVETRADE']._serialized_end=4748 + _globals['_POSITIONDELTA']._serialized_start=4750 + _globals['_POSITIONDELTA']._serialized_end=4869 + _globals['_ORDERRESULT']._serialized_start=4872 + _globals['_ORDERRESULT']._serialized_end=5073 + _globals['_SPOTLIMITORDER']._serialized_start=5076 + _globals['_SPOTLIMITORDER']._serialized_end=5365 + _globals['_DERIVATIVELIMITORDER']._serialized_start=5368 + _globals['_DERIVATIVELIMITORDER']._serialized_end=5840 + _globals['_ORDERHISTORYRESULT']._serialized_start=5843 + _globals['_ORDERHISTORYRESULT']._serialized_end=6079 + _globals['_SPOTORDERHISTORY']._serialized_start=6082 + _globals['_SPOTORDERHISTORY']._serialized_end=6410 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=6413 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=6858 + _globals['_FUNDINGPAYMENTRESULT']._serialized_start=6861 + _globals['_FUNDINGPAYMENTRESULT']._serialized_end=6992 + _globals['_FUNDINGPAYMENT']._serialized_start=6994 + _globals['_FUNDINGPAYMENT']._serialized_end=7087 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=7090 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=8334 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 7289d020..1f56a37a 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_accounts_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAccountsRPCStub(object): """InjectiveAccountsRPC defines API of Exchange Accounts provider. diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py index cea8324c..1958d92a 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_auction_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_auction_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,32 +14,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\".\n\x16\x41uctionEndpointRequest\x12\x14\n\x05round\x18\x01 \x01(\x12R\x05round\"\x83\x01\n\x17\x41uctionEndpointResponse\x12\x38\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x07\x61uction\x12.\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.BidR\x04\x62ids\"\xde\x01\n\x07\x41uction\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12\x33\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.CoinR\x06\x62\x61sket\x12,\n\x12winning_bid_amount\x18\x03 \x01(\tR\x10winningBidAmount\x12\x14\n\x05round\x18\x04 \x01(\x04R\x05round\x12#\n\rend_timestamp\x18\x05 \x01(\x12R\x0c\x65ndTimestamp\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"S\n\x03\x42id\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x11\n\x0f\x41uctionsRequest\"N\n\x10\x41uctionsResponse\x12:\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x08\x61uctions\"\x13\n\x11StreamBidsRequest\"\x7f\n\x12StreamBidsResponse\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x1d\n\nbid_amount\x18\x02 \x01(\tR\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\xbb\x01\n\x19\x63om.injective_auction_rpcB\x18InjectiveAuctionRpcProtoP\x01Z\x18/injective_auction_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveAuctionRpc\xca\x02\x13InjectiveAuctionRpc\xe2\x02\x1fInjectiveAuctionRpc\\GPBMetadata\xea\x02\x13InjectiveAuctionRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\"\'\n\x16\x41uctionEndpointRequest\x12\r\n\x05round\x18\x01 \x01(\x12\"t\n\x17\x41uctionEndpointResponse\x12/\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.Auction\x12(\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.Bid\"\x9c\x01\n\x07\x41uction\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12+\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.Coin\x12\x1a\n\x12winning_bid_amount\x18\x03 \x01(\t\x12\r\n\x05round\x18\x04 \x01(\x04\x12\x15\n\rend_timestamp\x18\x05 \x01(\x12\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"8\n\x03\x42id\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x11\n\x0f\x41uctionsRequest\"D\n\x10\x41uctionsResponse\x12\x30\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.Auction\"\x13\n\x11StreamBidsRequest\"Z\n\x12StreamBidsResponse\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x12\n\nbid_amount\x18\x02 \x01(\t\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\x1aZ\x18/injective_auction_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_auction_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_auction_rpcB\030InjectiveAuctionRpcProtoP\001Z\030/injective_auction_rpcpb\242\002\003IXX\252\002\023InjectiveAuctionRpc\312\002\023InjectiveAuctionRpc\342\002\037InjectiveAuctionRpc\\GPBMetadata\352\002\023InjectiveAuctionRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_auction_rpcpb' _globals['_AUCTIONENDPOINTREQUEST']._serialized_start=63 - _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=109 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=112 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=243 - _globals['_AUCTION']._serialized_start=246 - _globals['_AUCTION']._serialized_end=468 - _globals['_COIN']._serialized_start=470 - _globals['_COIN']._serialized_end=522 - _globals['_BID']._serialized_start=524 - _globals['_BID']._serialized_end=607 - _globals['_AUCTIONSREQUEST']._serialized_start=609 - _globals['_AUCTIONSREQUEST']._serialized_end=626 - _globals['_AUCTIONSRESPONSE']._serialized_start=628 - _globals['_AUCTIONSRESPONSE']._serialized_end=706 - _globals['_STREAMBIDSREQUEST']._serialized_start=708 - _globals['_STREAMBIDSREQUEST']._serialized_end=727 - _globals['_STREAMBIDSRESPONSE']._serialized_start=729 - _globals['_STREAMBIDSRESPONSE']._serialized_end=856 - _globals['_INJECTIVEAUCTIONRPC']._serialized_start=859 - _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1188 + _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=102 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=104 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=220 + _globals['_AUCTION']._serialized_start=223 + _globals['_AUCTION']._serialized_end=379 + _globals['_COIN']._serialized_start=381 + _globals['_COIN']._serialized_end=418 + _globals['_BID']._serialized_start=420 + _globals['_BID']._serialized_end=476 + _globals['_AUCTIONSREQUEST']._serialized_start=478 + _globals['_AUCTIONSREQUEST']._serialized_end=495 + _globals['_AUCTIONSRESPONSE']._serialized_start=497 + _globals['_AUCTIONSRESPONSE']._serialized_end=565 + _globals['_STREAMBIDSREQUEST']._serialized_start=567 + _globals['_STREAMBIDSREQUEST']._serialized_end=586 + _globals['_STREAMBIDSRESPONSE']._serialized_start=588 + _globals['_STREAMBIDSRESPONSE']._serialized_end=678 + _globals['_INJECTIVEAUCTIONRPC']._serialized_start=681 + _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1010 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index d2492e84..bae4f6b7 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveAuctionRPCStub(object): """InjectiveAuctionRPC defines gRPC API of the Auction API. diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index 65b7f36b..fdd3f308 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_campaign_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_campaign_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,48 +14,48 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\xcc\x01\n\x0eRankingRequest\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\"\xc3\x01\n\x0fRankingResponse\x12<\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.CampaignR\x08\x63\x61mpaign\x12:\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUserR\x05users\x12\x36\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\"\x9e\x04\n\x08\x43\x61mpaign\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12!\n\x0clast_updated\x18\x05 \x01(\x12R\x0blastUpdated\x12\x1d\n\nstart_date\x18\x06 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x07 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\x08 \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\t \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\n \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x1d\n\nuser_score\x18\x0c \x01(\tR\tuserScore\x12!\n\x0cuser_claimed\x18\r \x01(\x08R\x0buserClaimed\x12\x30\n\x14subaccount_id_suffix\x18\x0e \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0f \x01(\tR\x0erewardContract\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xef\x02\n\x0c\x43\x61mpaignUser\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05score\x18\x04 \x01(\tR\x05score\x12)\n\x10\x63ontract_updated\x18\x05 \x01(\x08R\x0f\x63ontractUpdated\x12!\n\x0c\x62lock_height\x18\x06 \x01(\x12R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x07 \x01(\x12R\tblockTime\x12)\n\x10purchased_amount\x18\x08 \x01(\tR\x0fpurchasedAmount\x12#\n\rgalxe_updated\x18\t \x01(\x08R\x0cgalxeUpdated\x12%\n\x0ereward_claimed\x18\n \x01(\x08R\rrewardClaimed\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xa1\x01\n\x10\x43\x61mpaignsRequest\x12\x19\n\x08round_id\x18\x01 \x01(\x12R\x07roundId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x1e\n\x0bto_round_id\x18\x03 \x01(\x11R\ttoRoundId\x12)\n\x10\x63ontract_address\x18\x04 \x01(\tR\x0f\x63ontractAddress\"\xc5\x01\n\x11\x43\x61mpaignsResponse\x12>\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.CampaignR\tcampaigns\x12M\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x12\x61\x63\x63umulatedRewards\x12!\n\x0creward_count\x18\x03 \x01(\x11R\x0brewardCount\"\x83\x01\n\x11ListGuildsRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x17\n\x07sort_by\x18\x04 \x01(\tR\x06sortBy\"\xf6\x01\n\x12ListGuildsResponse\x12\x35\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.GuildR\x06guilds\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12\x1d\n\nupdated_at\x18\x03 \x01(\x12R\tupdatedAt\x12R\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummaryR\x0f\x63\x61mpaignSummary\"\xe5\x03\n\x05Guild\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12%\n\x0emaster_address\x18\x03 \x01(\tR\rmasterAddress\x12\x1d\n\ncreated_at\x18\x04 \x01(\x12R\tcreatedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12$\n\x0erank_by_volume\x18\x07 \x01(\x11R\x0crankByVolume\x12\x1e\n\x0brank_by_tvl\x18\x08 \x01(\x11R\trankByTvl\x12\x12\n\x04logo\x18\t \x01(\tR\x04logo\x12\x1b\n\ttotal_tvl\x18\n \x01(\tR\x08totalTvl\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x12\n\x04name\x18\x0e \x01(\tR\x04name\x12\x1b\n\tis_active\x18\r \x01(\x08R\x08isActive\x12%\n\x0emaster_balance\x18\x0f \x01(\tR\rmasterBalance\x12 \n\x0b\x64\x65scription\x18\x10 \x01(\tR\x0b\x64\x65scription\"\x82\x03\n\x0f\x43\x61mpaignSummary\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12+\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\tR\x10\x63\x61mpaignContract\x12,\n\x12total_guilds_count\x18\x03 \x01(\x11R\x10totalGuildsCount\x12\x1b\n\ttotal_tvl\x18\x04 \x01(\tR\x08totalTvl\x12*\n\x11total_average_tvl\x18\x05 \x01(\tR\x0ftotalAverageTvl\x12!\n\x0ctotal_volume\x18\x06 \x01(\tR\x0btotalVolume\x12\x1d\n\nupdated_at\x18\x07 \x01(\x12R\tupdatedAt\x12.\n\x13total_members_count\x18\x08 \x01(\x11R\x11totalMembersCount\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\"\xd2\x01\n\x17ListGuildMembersRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x11R\x04skip\x12,\n\x12include_guild_info\x18\x05 \x01(\x08R\x10includeGuildInfo\x12\x17\n\x07sort_by\x18\x06 \x01(\tR\x06sortBy\"\xcf\x01\n\x18ListGuildMembersResponse\x12=\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x07members\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12<\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.GuildR\tguildInfo\"\xd3\x03\n\x0bGuildMember\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x1b\n\tjoined_at\x18\x04 \x01(\x12R\x08joinedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12\x1b\n\ttotal_tvl\x18\x07 \x01(\tR\x08totalTvl\x12\x36\n\x17volume_score_percentage\x18\x08 \x01(\x01R\x15volumeScorePercentage\x12\x30\n\x14tvl_score_percentage\x18\t \x01(\x01R\x12tvlScorePercentage\x12;\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\ttvlReward\x12\x41\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x0cvolumeReward\"^\n\x15GetGuildMemberRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x16GetGuildMemberResponse\x12\x37\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x04info2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\xc2\x01\n\x1a\x63om.injective_campaign_rpcB\x19InjectiveCampaignRpcProtoP\x01Z\x19/injective_campaign_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveCampaignRpc\xca\x02\x14InjectiveCampaignRpc\xe2\x02 InjectiveCampaignRpc\\GPBMetadata\xea\x02\x14InjectiveCampaignRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\x88\x01\n\x0eRankingRequest\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\"\xaa\x01\n\x0fRankingResponse\x12\x32\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x33\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUser\x12.\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\"\xe6\x02\n\x08\x43\x61mpaign\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0btotal_score\x18\x04 \x01(\t\x12\x14\n\x0clast_updated\x18\x05 \x01(\x12\x12\x12\n\nstart_date\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_date\x18\x07 \x01(\x12\x12\x14\n\x0cis_claimable\x18\x08 \x01(\x08\x12\x10\n\x08round_id\x18\t \x01(\x11\x12\x18\n\x10manager_contract\x18\n \x01(\t\x12-\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x12\n\nuser_score\x18\x0c \x01(\t\x12\x14\n\x0cuser_claimed\x18\r \x01(\x08\x12\x1c\n\x14subaccount_id_suffix\x18\x0e \x01(\t\x12\x17\n\x0freward_contract\x18\x0f \x01(\t\x12\x0f\n\x07version\x18\x10 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\xeb\x01\n\x0c\x43\x61mpaignUser\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05score\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_updated\x18\x05 \x01(\x08\x12\x14\n\x0c\x62lock_height\x18\x06 \x01(\x12\x12\x12\n\nblock_time\x18\x07 \x01(\x12\x12\x18\n\x10purchased_amount\x18\x08 \x01(\t\x12\x15\n\rgalxe_updated\x18\t \x01(\x08\x12\x16\n\x0ereward_claimed\x18\n \x01(\x08\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"l\n\x10\x43\x61mpaignsRequest\x12\x10\n\x08round_id\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\x13\n\x0bto_round_id\x18\x03 \x01(\x11\x12\x18\n\x10\x63ontract_address\x18\x04 \x01(\t\"\x99\x01\n\x11\x43\x61mpaignsResponse\x12\x33\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x39\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x14\n\x0creward_count\x18\x03 \x01(\x11\"\\\n\x11ListGuildsRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\x0f\n\x07sort_by\x18\x04 \x01(\t\"\xca\x01\n\x12ListGuildsResponse\x12-\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.Guild\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x12\n\nupdated_at\x18\x03 \x01(\x12\x12\x41\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummary\"\xb9\x02\n\x05Guild\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x16\n\x0emaster_address\x18\x03 \x01(\t\x12\x12\n\ncreated_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x16\n\x0erank_by_volume\x18\x07 \x01(\x11\x12\x13\n\x0brank_by_tvl\x18\x08 \x01(\x11\x12\x0c\n\x04logo\x18\t \x01(\t\x12\x11\n\ttotal_tvl\x18\n \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\x0c\n\x04name\x18\x0e \x01(\t\x12\x11\n\tis_active\x18\r \x01(\x08\x12\x16\n\x0emaster_balance\x18\x0f \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x10 \x01(\t\"\xf8\x01\n\x0f\x43\x61mpaignSummary\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x19\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\t\x12\x1a\n\x12total_guilds_count\x18\x03 \x01(\x11\x12\x11\n\ttotal_tvl\x18\x04 \x01(\t\x12\x19\n\x11total_average_tvl\x18\x05 \x01(\t\x12\x14\n\x0ctotal_volume\x18\x06 \x01(\t\x12\x12\n\nupdated_at\x18\x07 \x01(\x12\x12\x1b\n\x13total_members_count\x18\x08 \x01(\x11\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\"\x90\x01\n\x17ListGuildMembersRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x11\x12\x1a\n\x12include_guild_info\x18\x05 \x01(\x08\x12\x0f\n\x07sort_by\x18\x06 \x01(\t\"\xb3\x01\n\x18ListGuildMembersResponse\x12\x34\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMember\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x31\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.Guild\"\xc0\x02\n\x0bGuildMember\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\x11\n\tjoined_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x11\n\ttotal_tvl\x18\x07 \x01(\t\x12\x1f\n\x17volume_score_percentage\x18\x08 \x01(\x01\x12\x1c\n\x14tvl_score_percentage\x18\t \x01(\x01\x12\x30\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x33\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"C\n\x15GetGuildMemberRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"K\n\x16GetGuildMemberResponse\x12\x31\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMember2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\x1bZ\x19/injective_campaign_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_campaign_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_campaign_rpcB\031InjectiveCampaignRpcProtoP\001Z\031/injective_campaign_rpcpb\242\002\003IXX\252\002\024InjectiveCampaignRpc\312\002\024InjectiveCampaignRpc\342\002 InjectiveCampaignRpc\\GPBMetadata\352\002\024InjectiveCampaignRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_campaign_rpcpb' _globals['_RANKINGREQUEST']._serialized_start=66 - _globals['_RANKINGREQUEST']._serialized_end=270 - _globals['_RANKINGRESPONSE']._serialized_start=273 - _globals['_RANKINGRESPONSE']._serialized_end=468 - _globals['_CAMPAIGN']._serialized_start=471 - _globals['_CAMPAIGN']._serialized_end=1013 - _globals['_COIN']._serialized_start=1015 - _globals['_COIN']._serialized_end=1067 - _globals['_CAMPAIGNUSER']._serialized_start=1070 - _globals['_CAMPAIGNUSER']._serialized_end=1437 - _globals['_PAGING']._serialized_start=1440 - _globals['_PAGING']._serialized_end=1574 - _globals['_CAMPAIGNSREQUEST']._serialized_start=1577 - _globals['_CAMPAIGNSREQUEST']._serialized_end=1738 - _globals['_CAMPAIGNSRESPONSE']._serialized_start=1741 - _globals['_CAMPAIGNSRESPONSE']._serialized_end=1938 - _globals['_LISTGUILDSREQUEST']._serialized_start=1941 - _globals['_LISTGUILDSREQUEST']._serialized_end=2072 - _globals['_LISTGUILDSRESPONSE']._serialized_start=2075 - _globals['_LISTGUILDSRESPONSE']._serialized_end=2321 - _globals['_GUILD']._serialized_start=2324 - _globals['_GUILD']._serialized_end=2809 - _globals['_CAMPAIGNSUMMARY']._serialized_start=2812 - _globals['_CAMPAIGNSUMMARY']._serialized_end=3198 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=3201 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=3411 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=3414 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=3621 - _globals['_GUILDMEMBER']._serialized_start=3624 - _globals['_GUILDMEMBER']._serialized_end=4091 - _globals['_GETGUILDMEMBERREQUEST']._serialized_start=4093 - _globals['_GETGUILDMEMBERREQUEST']._serialized_end=4187 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=4189 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=4270 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=4273 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=4818 + _globals['_RANKINGREQUEST']._serialized_end=202 + _globals['_RANKINGRESPONSE']._serialized_start=205 + _globals['_RANKINGRESPONSE']._serialized_end=375 + _globals['_CAMPAIGN']._serialized_start=378 + _globals['_CAMPAIGN']._serialized_end=736 + _globals['_COIN']._serialized_start=738 + _globals['_COIN']._serialized_end=775 + _globals['_CAMPAIGNUSER']._serialized_start=778 + _globals['_CAMPAIGNUSER']._serialized_end=1013 + _globals['_PAGING']._serialized_start=1015 + _globals['_PAGING']._serialized_end=1107 + _globals['_CAMPAIGNSREQUEST']._serialized_start=1109 + _globals['_CAMPAIGNSREQUEST']._serialized_end=1217 + _globals['_CAMPAIGNSRESPONSE']._serialized_start=1220 + _globals['_CAMPAIGNSRESPONSE']._serialized_end=1373 + _globals['_LISTGUILDSREQUEST']._serialized_start=1375 + _globals['_LISTGUILDSREQUEST']._serialized_end=1467 + _globals['_LISTGUILDSRESPONSE']._serialized_start=1470 + _globals['_LISTGUILDSRESPONSE']._serialized_end=1672 + _globals['_GUILD']._serialized_start=1675 + _globals['_GUILD']._serialized_end=1988 + _globals['_CAMPAIGNSUMMARY']._serialized_start=1991 + _globals['_CAMPAIGNSUMMARY']._serialized_end=2239 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=2242 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=2386 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=2389 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=2568 + _globals['_GUILDMEMBER']._serialized_start=2571 + _globals['_GUILDMEMBER']._serialized_end=2891 + _globals['_GETGUILDMEMBERREQUEST']._serialized_start=2893 + _globals['_GETGUILDMEMBERREQUEST']._serialized_end=2960 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=2962 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=3037 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=3040 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=3585 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index d43b921d..6a6cb974 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveCampaignRPCStub(object): """InjectiveCampaignRPC defined a gRPC service for Injective Campaigns. diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index deb13aa0..9164a7c5 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_derivative_exchange_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_derivative_exchange_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,154 +14,154 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"\x7f\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x03 \x03(\tR\x0emarketStatuses\"d\n\x0fMarketsResponse\x12Q\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x07markets\"\xc9\x08\n\x14\x44\x65rivativeMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x30\n\x14initial_margin_ratio\x18\x08 \x01(\tR\x12initialMarginRatio\x12\x38\n\x18maintenance_margin_ratio\x18\t \x01(\tR\x16maintenanceMarginRatio\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12!\n\x0cis_perpetual\x18\x0f \x01(\x08R\x0bisPerpetual\x12-\n\x13min_price_tick_size\x18\x10 \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x11 \x01(\tR\x13minQuantityTickSize\x12j\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfoR\x13perpetualMarketInfo\x12s\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFundingR\x16perpetualMarketFunding\x12w\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfoR\x17\x65xpiryFuturesMarketInfo\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"\xdf\x01\n\x13PerpetualMarketInfo\x12\x35\n\x17hourly_funding_rate_cap\x18\x01 \x01(\tR\x14hourlyFundingRateCap\x12\x30\n\x14hourly_interest_rate\x18\x02 \x01(\tR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x03 \x01(\x12R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x04 \x01(\x12R\x0f\x66undingInterval\"\x99\x01\n\x16PerpetualMarketFunding\x12-\n\x12\x63umulative_funding\x18\x01 \x01(\tR\x11\x63umulativeFunding\x12)\n\x10\x63umulative_price\x18\x02 \x01(\tR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x12R\rlastTimestamp\"w\n\x17\x45xpiryFuturesMarketInfo\x12\x31\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12R\x13\x65xpirationTimestamp\x12)\n\x10settlement_price\x18\x02 \x01(\tR\x0fsettlementPrice\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"a\n\x0eMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\"4\n\x13StreamMarketRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xac\x01\n\x14StreamMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x8d\x01\n\x1b\x42inaryOptionsMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb7\x01\n\x1c\x42inaryOptionsMarketsResponse\x12T\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x07markets\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xfe\x05\n\x17\x42inaryOptionsMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x12R\x13settlementTimestamp\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0f \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x10 \x01(\tR\x13minQuantityTickSize\x12)\n\x10settlement_price\x18\x11 \x01(\tR\x0fsettlementPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"9\n\x1a\x42inaryOptionsMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"q\n\x1b\x42inaryOptionsMarketResponse\x12R\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x06market\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"r\n\x13OrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"\xde\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12\x41\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x04\x62uys\x12\x43\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"{\n\x14OrderbooksV2Response\x12\x63\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2R\norderbooks\"\x9c\x01\n SingleDerivativeLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12[\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xda\x01\n\x19StreamOrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xf3\x01\n\x1dStreamOrderbookUpdateResponse\x12p\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\x83\x02\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12G\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12I\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\xc9\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa4\x01\n\x0eOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xdc\x02\n\x10PositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xab\x01\n\x11PositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"\xde\x02\n\x12PositionsV2Request\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xaf\x01\n\x13PositionsV2Response\x12U\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2R\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe4\x02\n\x14\x44\x65rivativePositionV2\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x14\n\x05\x64\x65nom\x18\x0c \x01(\tR\x05\x64\x65nom\"c\n\x1aLiquidablePositionsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"r\n\x1bLiquidablePositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\"\xbe\x01\n\x16\x46undingPaymentsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x06 \x03(\tR\tmarketIds\"\xab\x01\n\x17\x46undingPaymentsResponse\x12M\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPaymentR\x08payments\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"w\n\x13\x46undingRatesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x12R\x07\x65ndTime\"\xae\x01\n\x14\x46undingRatesResponse\x12S\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRateR\x0c\x66undingRates\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\\\n\x0b\x46undingRate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04rate\x18\x02 \x01(\tR\x04rate\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc9\x01\n\x16StreamPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nmarket_ids\x18\x03 \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\x04 \x03(\tR\rsubaccountIds\x12\'\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x8a\x01\n\x17StreamPositionsResponse\x12Q\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xcf\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xaa\x01\n\x14StreamOrdersResponse\x12M\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9f\x01\n\x0eTradesResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe8\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12W\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa1\x01\n\x10TradesV2Response\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa5\x01\n\x14StreamTradesResponse\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa7\x01\n\x16StreamTradesV2Response\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb2\x01\n\x1cSubaccountOrdersListResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"j\n\x1cSubaccountTradesListResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\"\xfc\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x0c \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\r \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0e \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xad\x01\n\x15OrdersHistoryResponse\x12Q\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xb3\x01\n\x1bStreamOrdersHistoryResponse\x12O\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp2\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42\x8a\x02\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\x01Z$/injective_derivative_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x1eInjectiveDerivativeExchangeRpc\xca\x02\x1eInjectiveDerivativeExchangeRpc\xe2\x02*InjectiveDerivativeExchangeRpc\\GPBMetadata\xea\x02\x1eInjectiveDerivativeExchangeRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"U\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x03 \x03(\t\"[\n\x0fMarketsResponse\x12H\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\"\xff\x05\n\x14\x44\x65rivativeMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14initial_margin_ratio\x18\x08 \x01(\t\x12 \n\x18maintenance_margin_ratio\x18\t \x01(\t\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x14\n\x0cis_perpetual\x18\x0f \x01(\x08\x12\x1b\n\x13min_price_tick_size\x18\x10 \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x11 \x01(\t\x12U\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfo\x12[\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFunding\x12^\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfo\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x8e\x01\n\x13PerpetualMarketInfo\x12\x1f\n\x17hourly_funding_rate_cap\x18\x01 \x01(\t\x12\x1c\n\x14hourly_interest_rate\x18\x02 \x01(\t\x12\x1e\n\x16next_funding_timestamp\x18\x03 \x01(\x12\x12\x18\n\x10\x66unding_interval\x18\x04 \x01(\x12\"f\n\x16PerpetualMarketFunding\x12\x1a\n\x12\x63umulative_funding\x18\x01 \x01(\t\x12\x18\n\x10\x63umulative_price\x18\x02 \x01(\t\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x12\"Q\n\x17\x45xpiryFuturesMarketInfo\x12\x1c\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12\x12\x18\n\x10settlement_price\x18\x02 \x01(\t\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Y\n\x0eMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\")\n\x13StreamMarketRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x8a\x01\n\x14StreamMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"f\n\x1b\x42inaryOptionsMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa6\x01\n\x1c\x42inaryOptionsMarketsResponse\x12K\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xf3\x03\n\x17\x42inaryOptionsMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x12\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0f \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x10 \x01(\t\x12\x18\n\x10settlement_price\x18\x11 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"/\n\x1a\x42inaryOptionsMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"i\n\x1b\x42inaryOptionsMarketResponse\x12J\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n\x13OrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\"\xbc\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12<\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2\"\x87\x01\n SingleDerivativeLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12P\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xab\x01\n\x19StreamOrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb8\x01\n\x1dStreamOrderbookUpdateResponse\x12Y\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xd7\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x42\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xaa\x02\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x94\x01\n\x0eOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xe3\x01\n\x10PositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x98\x01\n\x11PositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\"\xe5\x01\n\x12PositionsV2Request\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x9c\x01\n\x13PositionsV2Response\x12J\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xec\x01\n\x14\x44\x65rivativePositionV2\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\r\n\x05\x64\x65nom\x18\x0c \x01(\t\"L\n\x1aLiquidablePositionsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\"g\n\x1bLiquidablePositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\"\x85\x01\n\x16\x46undingPaymentsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x12\x12\x12\n\nmarket_ids\x18\x06 \x03(\t\"\x99\x01\n\x17\x46undingPaymentsResponse\x12\x43\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPayment\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"W\n\x13\x46undingRatesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x12\"\x98\x01\n\x14\x46undingRatesResponse\x12\x45\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRate\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"A\n\x0b\x46undingRate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04rate\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x87\x01\n\x16StreamPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nmarket_ids\x18\x03 \x03(\t\x12\x16\n\x0esubaccount_ids\x18\x04 \x03(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\t\"u\n\x17StreamPositionsResponse\x12G\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xb0\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x89\x01\n\x14StreamOrdersResponse\x12\x46\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8f\x01\n\x0eTradesResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xcf\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12H\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x91\x01\n\x10TradesV2Response\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x84\x01\n\x14StreamTradesResponse\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x86\x01\n\x16StreamTradesV2Response\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa2\x01\n\x1cSubaccountOrdersListResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"b\n\x1cSubaccountTradesListResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\"\xcf\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x0c \x03(\t\x12\x12\n\nmarket_ids\x18\r \x03(\t\x12\x10\n\x08trade_id\x18\x0e \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x9d\x01\n\x15OrdersHistoryResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x92\x01\n\x1bStreamOrdersHistoryResponse\x12H\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x32\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42&Z$/injective_derivative_exchange_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_derivative_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\001Z$/injective_derivative_exchange_rpcpb\242\002\003IXX\252\002\036InjectiveDerivativeExchangeRpc\312\002\036InjectiveDerivativeExchangeRpc\342\002*InjectiveDerivativeExchangeRpc\\GPBMetadata\352\002\036InjectiveDerivativeExchangeRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z$/injective_derivative_exchange_rpcpb' _globals['_MARKETSREQUEST']._serialized_start=87 - _globals['_MARKETSREQUEST']._serialized_end=214 - _globals['_MARKETSRESPONSE']._serialized_start=216 - _globals['_MARKETSRESPONSE']._serialized_end=316 - _globals['_DERIVATIVEMARKETINFO']._serialized_start=319 - _globals['_DERIVATIVEMARKETINFO']._serialized_end=1416 - _globals['_TOKENMETA']._serialized_start=1419 - _globals['_TOKENMETA']._serialized_end=1579 - _globals['_PERPETUALMARKETINFO']._serialized_start=1582 - _globals['_PERPETUALMARKETINFO']._serialized_end=1805 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=1808 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=1961 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1963 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=2082 - _globals['_MARKETREQUEST']._serialized_start=2084 - _globals['_MARKETREQUEST']._serialized_end=2128 - _globals['_MARKETRESPONSE']._serialized_start=2130 - _globals['_MARKETRESPONSE']._serialized_end=2227 - _globals['_STREAMMARKETREQUEST']._serialized_start=2229 - _globals['_STREAMMARKETREQUEST']._serialized_end=2281 - _globals['_STREAMMARKETRESPONSE']._serialized_start=2284 - _globals['_STREAMMARKETRESPONSE']._serialized_end=2456 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=2459 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=2600 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=2603 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2786 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2789 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=3555 - _globals['_PAGING']._serialized_start=3558 - _globals['_PAGING']._serialized_end=3692 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=3694 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=3751 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=3753 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=3866 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=3868 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=3917 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=3919 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=4033 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=4036 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=4258 - _globals['_PRICELEVEL']._serialized_start=4260 - _globals['_PRICELEVEL']._serialized_end=4352 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=4354 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=4406 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=4408 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=4531 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=4534 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=4690 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=4692 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=4749 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=4752 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=4970 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=4972 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=5033 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=5036 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=5279 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=5282 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=5541 - _globals['_PRICELEVELUPDATE']._serialized_start=5543 - _globals['_PRICELEVELUPDATE']._serialized_end=5670 - _globals['_ORDERSREQUEST']._serialized_start=5673 - _globals['_ORDERSREQUEST']._serialized_end=6130 - _globals['_ORDERSRESPONSE']._serialized_start=6133 - _globals['_ORDERSRESPONSE']._serialized_end=6297 - _globals['_DERIVATIVELIMITORDER']._serialized_start=6300 - _globals['_DERIVATIVELIMITORDER']._serialized_end=7027 - _globals['_POSITIONSREQUEST']._serialized_start=7030 - _globals['_POSITIONSREQUEST']._serialized_end=7378 - _globals['_POSITIONSRESPONSE']._serialized_start=7381 - _globals['_POSITIONSRESPONSE']._serialized_end=7552 - _globals['_DERIVATIVEPOSITION']._serialized_start=7555 - _globals['_DERIVATIVEPOSITION']._serialized_end=7987 - _globals['_POSITIONSV2REQUEST']._serialized_start=7990 - _globals['_POSITIONSV2REQUEST']._serialized_end=8340 - _globals['_POSITIONSV2RESPONSE']._serialized_start=8343 - _globals['_POSITIONSV2RESPONSE']._serialized_end=8518 - _globals['_DERIVATIVEPOSITIONV2']._serialized_start=8521 - _globals['_DERIVATIVEPOSITIONV2']._serialized_end=8877 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=8879 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=8978 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=8980 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=9094 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=9097 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=9287 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=9290 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=9461 - _globals['_FUNDINGPAYMENT']._serialized_start=9464 - _globals['_FUNDINGPAYMENT']._serialized_end=9600 - _globals['_FUNDINGRATESREQUEST']._serialized_start=9602 - _globals['_FUNDINGRATESREQUEST']._serialized_end=9721 - _globals['_FUNDINGRATESRESPONSE']._serialized_start=9724 - _globals['_FUNDINGRATESRESPONSE']._serialized_end=9898 - _globals['_FUNDINGRATE']._serialized_start=9900 - _globals['_FUNDINGRATE']._serialized_end=9992 - _globals['_STREAMPOSITIONSREQUEST']._serialized_start=9995 - _globals['_STREAMPOSITIONSREQUEST']._serialized_end=10196 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=10199 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=10337 - _globals['_STREAMORDERSREQUEST']._serialized_start=10340 - _globals['_STREAMORDERSREQUEST']._serialized_end=10803 - _globals['_STREAMORDERSRESPONSE']._serialized_start=10806 - _globals['_STREAMORDERSRESPONSE']._serialized_end=10976 - _globals['_TRADESREQUEST']._serialized_start=10979 - _globals['_TRADESREQUEST']._serialized_end=11426 - _globals['_TRADESRESPONSE']._serialized_start=11429 - _globals['_TRADESRESPONSE']._serialized_end=11588 - _globals['_DERIVATIVETRADE']._serialized_start=11591 - _globals['_DERIVATIVETRADE']._serialized_end=12079 - _globals['_POSITIONDELTA']._serialized_start=12082 - _globals['_POSITIONDELTA']._serialized_end=12269 - _globals['_TRADESV2REQUEST']._serialized_start=12272 - _globals['_TRADESV2REQUEST']._serialized_end=12721 - _globals['_TRADESV2RESPONSE']._serialized_start=12724 - _globals['_TRADESV2RESPONSE']._serialized_end=12885 - _globals['_STREAMTRADESREQUEST']._serialized_start=12888 - _globals['_STREAMTRADESREQUEST']._serialized_end=13341 - _globals['_STREAMTRADESRESPONSE']._serialized_start=13344 - _globals['_STREAMTRADESRESPONSE']._serialized_end=13509 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=13512 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=13967 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=13970 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=14137 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=14140 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=14277 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=14280 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=14458 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=14461 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=14667 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=14669 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=14775 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=14778 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=15286 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=15289 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=15462 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=15465 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=16146 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=16149 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=16369 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=16372 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=16551 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=16554 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=19950 + _globals['_MARKETSREQUEST']._serialized_end=172 + _globals['_MARKETSRESPONSE']._serialized_start=174 + _globals['_MARKETSRESPONSE']._serialized_end=265 + _globals['_DERIVATIVEMARKETINFO']._serialized_start=268 + _globals['_DERIVATIVEMARKETINFO']._serialized_end=1035 + _globals['_TOKENMETA']._serialized_start=1037 + _globals['_TOKENMETA']._serialized_end=1147 + _globals['_PERPETUALMARKETINFO']._serialized_start=1150 + _globals['_PERPETUALMARKETINFO']._serialized_end=1292 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=1294 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=1396 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1398 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=1479 + _globals['_MARKETREQUEST']._serialized_start=1481 + _globals['_MARKETREQUEST']._serialized_end=1515 + _globals['_MARKETRESPONSE']._serialized_start=1517 + _globals['_MARKETRESPONSE']._serialized_end=1606 + _globals['_STREAMMARKETREQUEST']._serialized_start=1608 + _globals['_STREAMMARKETREQUEST']._serialized_end=1649 + _globals['_STREAMMARKETRESPONSE']._serialized_start=1652 + _globals['_STREAMMARKETRESPONSE']._serialized_end=1790 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=1792 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=1894 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=1897 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2063 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2066 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=2565 + _globals['_PAGING']._serialized_start=2567 + _globals['_PAGING']._serialized_end=2659 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=2661 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=2708 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=2710 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=2815 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=2817 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=2856 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=2858 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=2961 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=2964 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=3152 + _globals['_PRICELEVEL']._serialized_start=3154 + _globals['_PRICELEVEL']._serialized_end=3218 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=3220 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=3261 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=3263 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=3374 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=3377 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=3512 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=3514 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=3560 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=3563 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=3734 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=3736 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=3786 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=3789 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=3973 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=3976 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=4191 + _globals['_PRICELEVELUPDATE']._serialized_start=4193 + _globals['_PRICELEVELUPDATE']._serialized_end=4282 + _globals['_ORDERSREQUEST']._serialized_start=4285 + _globals['_ORDERSREQUEST']._serialized_end=4583 + _globals['_ORDERSRESPONSE']._serialized_start=4586 + _globals['_ORDERSRESPONSE']._serialized_end=4734 + _globals['_DERIVATIVELIMITORDER']._serialized_start=4737 + _globals['_DERIVATIVELIMITORDER']._serialized_end=5209 + _globals['_POSITIONSREQUEST']._serialized_start=5212 + _globals['_POSITIONSREQUEST']._serialized_end=5439 + _globals['_POSITIONSRESPONSE']._serialized_start=5442 + _globals['_POSITIONSRESPONSE']._serialized_end=5594 + _globals['_DERIVATIVEPOSITION']._serialized_start=5597 + _globals['_DERIVATIVEPOSITION']._serialized_end=5876 + _globals['_POSITIONSV2REQUEST']._serialized_start=5879 + _globals['_POSITIONSV2REQUEST']._serialized_end=6108 + _globals['_POSITIONSV2RESPONSE']._serialized_start=6111 + _globals['_POSITIONSV2RESPONSE']._serialized_end=6267 + _globals['_DERIVATIVEPOSITIONV2']._serialized_start=6270 + _globals['_DERIVATIVEPOSITIONV2']._serialized_end=6506 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=6508 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=6584 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=6586 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=6689 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=6692 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=6825 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=6828 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=6981 + _globals['_FUNDINGPAYMENT']._serialized_start=6983 + _globals['_FUNDINGPAYMENT']._serialized_end=7076 + _globals['_FUNDINGRATESREQUEST']._serialized_start=7078 + _globals['_FUNDINGRATESREQUEST']._serialized_end=7165 + _globals['_FUNDINGRATESRESPONSE']._serialized_start=7168 + _globals['_FUNDINGRATESRESPONSE']._serialized_end=7320 + _globals['_FUNDINGRATE']._serialized_start=7322 + _globals['_FUNDINGRATE']._serialized_end=7387 + _globals['_STREAMPOSITIONSREQUEST']._serialized_start=7390 + _globals['_STREAMPOSITIONSREQUEST']._serialized_end=7525 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=7527 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=7644 + _globals['_STREAMORDERSREQUEST']._serialized_start=7647 + _globals['_STREAMORDERSREQUEST']._serialized_end=7951 + _globals['_STREAMORDERSRESPONSE']._serialized_start=7954 + _globals['_STREAMORDERSRESPONSE']._serialized_end=8091 + _globals['_TRADESREQUEST']._serialized_start=8094 + _globals['_TRADESREQUEST']._serialized_end=8386 + _globals['_TRADESRESPONSE']._serialized_start=8389 + _globals['_TRADESRESPONSE']._serialized_end=8532 + _globals['_DERIVATIVETRADE']._serialized_start=8535 + _globals['_DERIVATIVETRADE']._serialized_end=8870 + _globals['_POSITIONDELTA']._serialized_start=8872 + _globals['_POSITIONDELTA']._serialized_end=8991 + _globals['_TRADESV2REQUEST']._serialized_start=8994 + _globals['_TRADESV2REQUEST']._serialized_end=9288 + _globals['_TRADESV2RESPONSE']._serialized_start=9291 + _globals['_TRADESV2RESPONSE']._serialized_end=9436 + _globals['_STREAMTRADESREQUEST']._serialized_start=9439 + _globals['_STREAMTRADESREQUEST']._serialized_end=9737 + _globals['_STREAMTRADESRESPONSE']._serialized_start=9740 + _globals['_STREAMTRADESRESPONSE']._serialized_end=9872 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=9875 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=10175 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=10178 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=10312 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=10314 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=10414 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=10417 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=10579 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=10582 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=10725 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=10727 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=10825 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=10828 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=11163 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=11166 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=11323 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=11326 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=11771 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=11774 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=11924 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=11927 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=12073 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=12076 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=15472 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index fd5d2b43..fee66490 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveDerivativeExchangeRPCStub(object): """InjectiveDerivativeExchangeRPC defines gRPC API of Derivative Markets diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py index e4cdef0b..41989732 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_exchange_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_exchange_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,44 +14,44 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"\xd3\x01\n\rGetTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x9d\x02\n\x10PrepareTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esigner_address\x18\x02 \x01(\tR\rsignerAddress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04memo\x18\x04 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x05 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x07 \x03(\x0cR\x04msgs\x12%\n\x0e\x65ip712_wrapper\x18\x08 \x01(\tR\reip712Wrapper\"|\n\x0b\x43osmosTxFee\x12\x38\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoinR\x05price\x12\x10\n\x03gas\x18\x02 \x01(\x04R\x03gas\x12!\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08R\x0b\x64\x65legateFee\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xc3\x01\n\x11PrepareTxResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x1b\n\tsign_mode\x18\x03 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x04 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x05 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x06 \x01(\tR\x0b\x66\x65\x65PayerSig\"\x85\x02\n\x12\x42roadcastTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12\x0e\n\x02tx\x18\x02 \x01(\x0cR\x02tx\x12\x12\n\x04msgs\x18\x03 \x03(\x0cR\x04msgs\x12=\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature\x12\x1b\n\tfee_payer\x18\x06 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x07 \x01(\tR\x0b\x66\x65\x65PayerSig\x12\x12\n\x04mode\x18\x08 \x01(\tR\x04mode\"4\n\x0c\x43osmosPubKey\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"\xd9\x01\n\x13\x42roadcastTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\xe0\x01\n\x16PrepareCosmosTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esender_address\x18\x02 \x01(\tR\rsenderAddress\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x04 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x06 \x03(\x0cR\x04msgs\"\xfa\x01\n\x17PrepareCosmosTxResponse\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x1b\n\tsign_mode\x18\x02 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x03 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x04 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x05 \x01(\tR\x0b\x66\x65\x65PayerSig\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey\"\xae\x01\n\x18\x42roadcastCosmosTxRequest\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12=\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x03 \x01(\tR\tsignature\x12%\n\x0esender_address\x18\x04 \x01(\tR\rsenderAddress\"\xdf\x01\n\x19\x42roadcastCosmosTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x14\n\x12GetFeePayerRequest\"\x83\x01\n\x13GetFeePayerResponse\x12\x1b\n\tfee_payer\x18\x01 \x01(\tR\x08\x66\x65\x65Payer\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\xc2\x01\n\x1a\x63om.injective_exchange_rpcB\x19InjectiveExchangeRpcProtoP\x01Z\x19/injective_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExchangeRpc\xca\x02\x14InjectiveExchangeRpc\xe2\x02 InjectiveExchangeRpc\\GPBMetadata\xea\x02\x14InjectiveExchangeRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"\x92\x01\n\rGetTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xb4\x01\n\x10PrepareTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esigner_address\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04memo\x18\x04 \x01(\t\x12\x16\n\x0etimeout_height\x18\x05 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x07 \x03(\x0c\"c\n\x0b\x43osmosTxFee\x12\x31\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoin\x12\x0b\n\x03gas\x18\x02 \x01(\x04\x12\x14\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x86\x01\n\x11PrepareTxResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x11\n\tsign_mode\x18\x03 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x04 \x01(\t\x12\x11\n\tfee_payer\x18\x05 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x06 \x01(\t\"\xc2\x01\n\x12\x42roadcastTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\n\n\x02tx\x18\x02 \x01(\x0c\x12\x0c\n\x04msgs\x18\x03 \x03(\x0c\x12\x35\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x05 \x01(\t\x12\x11\n\tfee_payer\x18\x06 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x07 \x01(\t\x12\x0c\n\x04mode\x18\x08 \x01(\t\")\n\x0c\x43osmosPubKey\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"\x98\x01\n\x13\x42roadcastTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xa8\x01\n\x16PrepareCosmosTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esender_address\x18\x02 \x01(\t\x12\x0c\n\x04memo\x18\x03 \x01(\t\x12\x16\n\x0etimeout_height\x18\x04 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x06 \x03(\x0c\"\xb9\x01\n\x17PrepareCosmosTxResponse\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x11\n\tsign_mode\x18\x02 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x03 \x01(\t\x12\x11\n\tfee_payer\x18\x04 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x05 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\"\x88\x01\n\x18\x42roadcastCosmosTxRequest\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x35\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x03 \x01(\t\x12\x16\n\x0esender_address\x18\x04 \x01(\t\"\x9e\x01\n\x19\x42roadcastCosmosTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\x14\n\x12GetFeePayerRequest\"i\n\x13GetFeePayerResponse\x12\x11\n\tfee_payer\x18\x01 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\x1bZ\x19/injective_exchange_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_exchange_rpcB\031InjectiveExchangeRpcProtoP\001Z\031/injective_exchange_rpcpb\242\002\003IXX\252\002\024InjectiveExchangeRpc\312\002\024InjectiveExchangeRpc\342\002 InjectiveExchangeRpc\\GPBMetadata\352\002\024InjectiveExchangeRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_exchange_rpcpb' _globals['_GETTXREQUEST']._serialized_start=65 - _globals['_GETTXREQUEST']._serialized_end=99 - _globals['_GETTXRESPONSE']._serialized_start=102 - _globals['_GETTXRESPONSE']._serialized_end=313 - _globals['_PREPARETXREQUEST']._serialized_start=316 - _globals['_PREPARETXREQUEST']._serialized_end=601 - _globals['_COSMOSTXFEE']._serialized_start=603 - _globals['_COSMOSTXFEE']._serialized_end=727 - _globals['_COSMOSCOIN']._serialized_start=729 - _globals['_COSMOSCOIN']._serialized_end=787 - _globals['_PREPARETXRESPONSE']._serialized_start=790 - _globals['_PREPARETXRESPONSE']._serialized_end=985 - _globals['_BROADCASTTXREQUEST']._serialized_start=988 - _globals['_BROADCASTTXREQUEST']._serialized_end=1249 - _globals['_COSMOSPUBKEY']._serialized_start=1251 - _globals['_COSMOSPUBKEY']._serialized_end=1303 - _globals['_BROADCASTTXRESPONSE']._serialized_start=1306 - _globals['_BROADCASTTXRESPONSE']._serialized_end=1523 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1526 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1750 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1753 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=2003 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=2006 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=2180 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=2183 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=2406 - _globals['_GETFEEPAYERREQUEST']._serialized_start=2408 - _globals['_GETFEEPAYERREQUEST']._serialized_end=2428 - _globals['_GETFEEPAYERRESPONSE']._serialized_start=2431 - _globals['_GETFEEPAYERRESPONSE']._serialized_end=2562 - _globals['_INJECTIVEEXCHANGERPC']._serialized_start=2565 - _globals['_INJECTIVEEXCHANGERPC']._serialized_end=3217 + _globals['_GETTXREQUEST']._serialized_end=93 + _globals['_GETTXRESPONSE']._serialized_start=96 + _globals['_GETTXRESPONSE']._serialized_end=242 + _globals['_PREPARETXREQUEST']._serialized_start=245 + _globals['_PREPARETXREQUEST']._serialized_end=425 + _globals['_COSMOSTXFEE']._serialized_start=427 + _globals['_COSMOSTXFEE']._serialized_end=526 + _globals['_COSMOSCOIN']._serialized_start=528 + _globals['_COSMOSCOIN']._serialized_end=571 + _globals['_PREPARETXRESPONSE']._serialized_start=574 + _globals['_PREPARETXRESPONSE']._serialized_end=708 + _globals['_BROADCASTTXREQUEST']._serialized_start=711 + _globals['_BROADCASTTXREQUEST']._serialized_end=905 + _globals['_COSMOSPUBKEY']._serialized_start=907 + _globals['_COSMOSPUBKEY']._serialized_end=948 + _globals['_BROADCASTTXRESPONSE']._serialized_start=951 + _globals['_BROADCASTTXRESPONSE']._serialized_end=1103 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1106 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1274 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1277 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=1462 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=1465 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=1601 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=1604 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=1762 + _globals['_GETFEEPAYERREQUEST']._serialized_start=1764 + _globals['_GETFEEPAYERREQUEST']._serialized_end=1784 + _globals['_GETFEEPAYERRESPONSE']._serialized_start=1786 + _globals['_GETFEEPAYERRESPONSE']._serialized_end=1891 + _globals['_INJECTIVEEXCHANGERPC']._serialized_start=1894 + _globals['_INJECTIVEEXCHANGERPC']._serialized_end=2546 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index cddca5ba..32dded3e 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExchangeRPCStub(object): """InjectiveExchangeRPC defines gRPC API of an Injective Exchange service. diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py index 85d828f5..d78d4f45 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_explorer_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_explorer_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,166 +14,166 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xc4\x02\n\x14GetAccountTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x03 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x06 \x01(\tR\x04type\x12\x16\n\x06module\x18\x07 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x08 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\t \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\n \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x0b \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0c \x01(\tR\x06status\"\x89\x01\n\x15GetAccountTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xab\x05\n\x0cTxDetailData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x12R\x07gasUsed\x12\x37\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFeeR\x06gasFee\x12\x1c\n\tcodespace\x18\x0c \x01(\tR\tcodespace\x12\x35\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.EventR\x06\x65vents\x12\x17\n\x07tx_type\x18\x0e \x01(\tR\x06txType\x12\x1a\n\x08messages\x18\x0f \x01(\x0cR\x08messages\x12\x41\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.SignatureR\nsignatures\x12\x12\n\x04memo\x18\x11 \x01(\tR\x04memo\x12\x1b\n\ttx_number\x18\x12 \x01(\x04R\x08txNumber\x12\x30\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04R\x12\x62lockUnixTimestamp\x12\x1b\n\terror_log\x18\x14 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04logs\x18\x15 \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x16 \x03(\x12R\x08\x63laimIds\"\x91\x01\n\x06GasFee\x12:\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoinR\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x14\n\x05payer\x18\x03 \x01(\tR\x05payer\x12\x18\n\x07granter\x18\x04 \x01(\tR\x07granter\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa9\x01\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12M\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntryR\nattributes\x1a=\n\x0f\x41ttributesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"w\n\tSignature\x12\x16\n\x06pubkey\x18\x01 \x01(\tR\x06pubkey\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature\"\x99\x01\n\x15GetContractTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x1f\n\x0b\x66rom_number\x18\x04 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x05 \x01(\x12R\x08toNumber\"\x8a\x01\n\x16GetContractTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x9b\x01\n\x17GetContractTxsV2Request\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x12\n\x04\x66rom\x18\x03 \x01(\x12R\x04\x66rom\x12\x0e\n\x02to\x18\x04 \x01(\x12R\x02to\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x14\n\x05token\x18\x06 \x01(\tR\x05token\"h\n\x18GetContractTxsV2Response\x12\x12\n\x04next\x18\x01 \x03(\tR\x04next\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"z\n\x10GetBlocksRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04\x66rom\x18\x04 \x01(\x04R\x04\x66rom\x12\x0e\n\x02to\x18\x05 \x01(\x04R\x02to\"\x82\x01\n\x11GetBlocksResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfoR\x04\x64\x61ta\"\xad\x02\n\tBlockInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp\"\xa0\x02\n\tTxDataRPC\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"!\n\x0fGetBlockRequest\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\"u\n\x10GetBlockResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfoR\x04\x64\x61ta\"\xcd\x02\n\x0f\x42lockDetailInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x1b\n\ttotal_txs\x18\x08 \x01(\x12R\x08totalTxs\x12\x30\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x03txs\x12\x1c\n\ttimestamp\x18\n \x01(\tR\ttimestamp\"\xd3\x02\n\x06TxData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\x0cR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12 \n\x0ctx_msg_types\x18\n \x01(\x0cR\ntxMsgTypes\x12\x12\n\x04logs\x18\x0b \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x0c \x03(\x12R\x08\x63laimIds\"\x16\n\x14GetValidatorsRequest\"t\n\x15GetValidatorsResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"\xb5\x07\n\tValidator\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x18\n\x07moniker\x18\x02 \x01(\tR\x07moniker\x12)\n\x10operator_address\x18\x03 \x01(\tR\x0foperatorAddress\x12+\n\x11\x63onsensus_address\x18\x04 \x01(\tR\x10\x63onsensusAddress\x12\x16\n\x06jailed\x18\x05 \x01(\x08R\x06jailed\x12\x16\n\x06status\x18\x06 \x01(\x11R\x06status\x12\x16\n\x06tokens\x18\x07 \x01(\tR\x06tokens\x12)\n\x10\x64\x65legator_shares\x18\x08 \x01(\tR\x0f\x64\x65legatorShares\x12N\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescriptionR\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\n \x01(\x12R\x0funbondingHeight\x12%\n\x0eunbonding_time\x18\x0b \x01(\tR\runbondingTime\x12\'\n\x0f\x63ommission_rate\x18\x0c \x01(\tR\x0e\x63ommissionRate\x12.\n\x13\x63ommission_max_rate\x18\r \x01(\tR\x11\x63ommissionMaxRate\x12;\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\tR\x17\x63ommissionMaxChangeRate\x12\x34\n\x16\x63ommission_update_time\x18\x0f \x01(\tR\x14\x63ommissionUpdateTime\x12\x1a\n\x08proposed\x18\x10 \x01(\x04R\x08proposed\x12\x16\n\x06signed\x18\x11 \x01(\x04R\x06signed\x12\x16\n\x06missed\x18\x12 \x01(\x04R\x06missed\x12\x1c\n\ttimestamp\x18\x13 \x01(\tR\ttimestamp\x12\x41\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x07uptimes\x12N\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEventR\x0eslashingEvents\x12+\n\x11uptime_percentage\x18\x16 \x01(\x01R\x10uptimePercentage\x12\x1b\n\timage_url\x18\x17 \x01(\tR\x08imageUrl\"\xc8\x01\n\x14ValidatorDescription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails\x12\x1b\n\timage_url\x18\x06 \x01(\tR\x08imageUrl\"L\n\x0fValidatorUptime\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\"\xe0\x01\n\rSlashingEvent\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x02 \x01(\tR\x0e\x62lockTimestamp\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x04 \x01(\x04R\x05power\x12\x16\n\x06reason\x18\x05 \x01(\tR\x06reason\x12\x16\n\x06jailed\x18\x06 \x01(\tR\x06jailed\x12#\n\rmissed_blocks\x18\x07 \x01(\x04R\x0cmissedBlocks\"/\n\x13GetValidatorRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"s\n\x14GetValidatorResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"5\n\x19GetValidatorUptimeRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x7f\n\x1aGetValidatorUptimeResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x04\x64\x61ta\"\xa3\x02\n\rGetTxsRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x05 \x01(\tR\x04type\x12\x16\n\x06module\x18\x06 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x07 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x08 \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0b \x01(\tR\x06status\"|\n\x0eGetTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x04\x64\x61ta\"*\n\x14GetTxByTxHashRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"w\n\x15GetTxByTxHashResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x38\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"y\n\x19GetPeggyDepositTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"Z\n\x1aGetPeggyDepositTxsResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTxR\x05\x66ield\"\xf9\x02\n\x0ePeggyDepositTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0b\x65vent_nonce\x18\x03 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x04 \x01(\x04R\x0b\x65ventHeight\x12\x16\n\x06\x61mount\x18\x05 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x06 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x07 \x01(\tR\x13orchestratorAddress\x12\x14\n\x05state\x18\x08 \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\t \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\n \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0b \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\tR\tupdatedAt\"|\n\x1cGetPeggyWithdrawalTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"`\n\x1dGetPeggyWithdrawalTxsResponse\x12?\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTxR\x05\x66ield\"\x87\x04\n\x11PeggyWithdrawalTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x04 \x01(\tR\x05\x64\x65nom\x12\x1d\n\nbridge_fee\x18\x05 \x01(\tR\tbridgeFee\x12$\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04R\x0coutgoingTxId\x12#\n\rbatch_timeout\x18\x07 \x01(\x04R\x0c\x62\x61tchTimeout\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x65vent_nonce\x18\n \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x0b \x01(\x04R\x0b\x65ventHeight\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\r \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"\xf4\x01\n\x18GetIBCTransferTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsrc_channel\x18\x03 \x01(\tR\nsrcChannel\x12\x19\n\x08src_port\x18\x04 \x01(\tR\x07srcPort\x12!\n\x0c\x64\x65st_channel\x18\x05 \x01(\tR\x0b\x64\x65stChannel\x12\x1b\n\tdest_port\x18\x06 \x01(\tR\x08\x64\x65stPort\x12\x14\n\x05limit\x18\x07 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x08 \x01(\x04R\x04skip\"X\n\x19GetIBCTransferTxsResponse\x12;\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTxR\x05\x66ield\"\x9e\x04\n\rIBCTransferTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsource_port\x18\x03 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x04 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x05 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x06 \x01(\tR\x12\x64\x65stinationChannel\x12\x16\n\x06\x61mount\x18\x07 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x08 \x01(\tR\x05\x64\x65nom\x12%\n\x0etimeout_height\x18\t \x01(\tR\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\n \x01(\x04R\x10timeoutTimestamp\x12\'\n\x0fpacket_sequence\x18\x0b \x01(\x04R\x0epacketSequence\x12\x19\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0cR\x07\x64\x61taHex\x12\x14\n\x05state\x18\r \x01(\tR\x05state\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"i\n\x13GetWasmCodesRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x02 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x03 \x01(\x12R\x08toNumber\"\x84\x01\n\x14GetWasmCodesResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x34\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCodeR\x04\x64\x61ta\"\xe2\x03\n\x08WasmCode\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"<\n\x08\x43hecksum\x12\x1c\n\talgorithm\x18\x01 \x01(\tR\talgorithm\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"O\n\x12\x43ontractPermission\x12\x1f\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11R\naccessType\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x16GetWasmCodeByIDRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x12R\x06\x63odeId\"\xf1\x03\n\x17GetWasmCodeByIDResponse\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"\xd1\x01\n\x17GetWasmContractsRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x17\n\x07\x63ode_id\x18\x02 \x01(\x12R\x06\x63odeId\x12\x1f\n\x0b\x66rom_number\x18\x03 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x04 \x01(\x12R\x08toNumber\x12\x1f\n\x0b\x61ssets_only\x18\x05 \x01(\x08R\nassetsOnly\x12\x12\n\x04skip\x18\x06 \x01(\x12R\x04skip\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\"\x8c\x01\n\x18GetWasmContractsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContractR\x04\x64\x61ta\"\xe9\x04\n\x0cWasmContract\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"<\n\x0c\x43ontractFund\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa6\x01\n\x0c\x43w20Metadata\x12\x44\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfoR\ttokenInfo\x12P\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfoR\rmarketingInfo\"z\n\rCw20TokenInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12R\x08\x64\x65\x63imals\x12!\n\x0ctotal_supply\x18\x04 \x01(\tR\x0btotalSupply\"\x81\x01\n\x11\x43w20MarketingInfo\x12\x18\n\x07project\x18\x01 \x01(\tR\x07project\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04logo\x18\x03 \x01(\tR\x04logo\x12\x1c\n\tmarketing\x18\x04 \x01(\x0cR\tmarketing\"L\n\x1fGetWasmContractByAddressRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"\xfd\x04\n GetWasmContractByAddressResponse\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"G\n\x15GetCw20BalanceRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\"W\n\x16GetCw20BalanceResponse\x12=\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20BalanceR\x05\x66ield\"\xda\x01\n\x0fWasmCw20Balance\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x18\n\x07\x61\x63\x63ount\x18\x02 \x01(\tR\x07\x61\x63\x63ount\x12\x18\n\x07\x62\x61lance\x18\x03 \x01(\tR\x07\x62\x61lance\x12\x1d\n\nupdated_at\x18\x04 \x01(\x12R\tupdatedAt\x12I\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\"1\n\x0fRelayersRequest\x12\x1e\n\x0bmarket_i_ds\x18\x01 \x03(\tR\tmarketIDs\"P\n\x10RelayersResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarketsR\x05\x66ield\"j\n\x0eRelayerMarkets\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12;\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.RelayerR\x08relayers\"/\n\x07Relayer\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x10\n\x03\x63ta\x18\x02 \x01(\tR\x03\x63ta\"\xbd\x02\n\x17GetBankTransfersRequest\x12\x18\n\x07senders\x18\x01 \x03(\tR\x07senders\x12\x1e\n\nrecipients\x18\x02 \x03(\tR\nrecipients\x12\x39\n\x19is_community_pool_related\x18\x03 \x01(\x08R\x16isCommunityPoolRelated\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x18\n\x07\x61\x64\x64ress\x18\x08 \x03(\tR\x07\x61\x64\x64ress\x12\x19\n\x08per_page\x18\t \x01(\x11R\x07perPage\x12\x14\n\x05token\x18\n \x01(\tR\x05token\"\x8c\x01\n\x18GetBankTransfersResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransferR\x04\x64\x61ta\"\xc8\x01\n\x0c\x42\x61nkTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12\x36\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.CoinR\x07\x61mounts\x12!\n\x0c\x62lock_number\x18\x04 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x05 \x01(\tR\x0e\x62lockTimestamp\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x12\n\x10StreamTxsRequest\"\xa8\x02\n\x11StreamTxsResponse\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"\x15\n\x13StreamBlocksRequest\"\xb8\x02\n\x14StreamBlocksResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_explorer_rpcB\x19InjectiveExplorerRpcProtoP\x01Z\x19/injective_explorer_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExplorerRpc\xca\x02\x14InjectiveExplorerRpc\xe2\x02 InjectiveExplorerRpc\\GPBMetadata\xea\x02\x14InjectiveExplorerRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xdf\x01\n\x14GetAccountTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x0c\n\x04type\x18\x06 \x01(\t\x12\x0e\n\x06module\x18\x07 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x08 \x01(\x12\x12\x11\n\tto_number\x18\t \x01(\x12\x12\x12\n\nstart_time\x18\n \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x0b \x01(\x12\x12\x0e\n\x06status\x18\x0c \x01(\t\"{\n\x15GetAccountTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\xe7\x03\n\x0cTxDetailData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x12\x12\x10\n\x08gas_used\x18\n \x01(\x12\x12/\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFee\x12\x11\n\tcodespace\x18\x0c \x01(\t\x12-\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.Event\x12\x0f\n\x07tx_type\x18\x0e \x01(\t\x12\x10\n\x08messages\x18\x0f \x01(\x0c\x12\x35\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.Signature\x12\x0c\n\x04memo\x18\x11 \x01(\t\x12\x11\n\ttx_number\x18\x12 \x01(\x04\x12\x1c\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04\x12\x11\n\terror_log\x18\x14 \x01(\t\x12\x0c\n\x04logs\x18\x15 \x01(\x0c\x12\x11\n\tclaim_ids\x18\x16 \x03(\x12\"o\n\x06GasFee\x12\x32\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoin\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\r\n\x05payer\x18\x03 \x01(\t\x12\x0f\n\x07granter\x18\x04 \x01(\t\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8b\x01\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntry\x1a\x31\n\x0f\x41ttributesEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"Q\n\tSignature\x12\x0e\n\x06pubkey\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\tsignature\x18\x04 \x01(\t\"m\n\x15GetContractTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\x13\n\x0b\x66rom_number\x18\x04 \x01(\x12\x12\x11\n\tto_number\x18\x05 \x01(\x12\"|\n\x16GetContractTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"r\n\x17GetContractTxsV2Request\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0c\n\x04\x66rom\x18\x03 \x01(\x12\x12\n\n\x02to\x18\x04 \x01(\x12\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\r\n\x05token\x18\x06 \x01(\t\"\\\n\x18GetContractTxsV2Response\x12\x0c\n\x04next\x18\x01 \x03(\t\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x10GetBlocksRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04\x66rom\x18\x04 \x01(\x04\x12\n\n\x02to\x18\x05 \x01(\x04\"t\n\x11GetBlocksResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12/\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfo\"\xd4\x01\n\tBlockInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t\"\xc0\x01\n\tTxDataRPC\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x1d\n\x0fGetBlockRequest\x12\n\n\x02id\x18\x01 \x01(\t\"d\n\x10GetBlockResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfo\"\xea\x01\n\x0f\x42lockDetailInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12\x11\n\ttotal_txs\x18\x08 \x01(\x12\x12+\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\x12\x11\n\ttimestamp\x18\n \x01(\t\"\xe1\x01\n\x06TxData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\x0c\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x14\n\x0ctx_msg_types\x18\n \x01(\x0c\x12\x0c\n\x04logs\x18\x0b \x01(\x0c\x12\x11\n\tclaim_ids\x18\x0c \x03(\x12\"\x16\n\x14GetValidatorsRequest\"c\n\x15GetValidatorsResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.Validator\"\x83\x05\n\tValidator\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0f\n\x07moniker\x18\x02 \x01(\t\x12\x18\n\x10operator_address\x18\x03 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x04 \x01(\t\x12\x0e\n\x06jailed\x18\x05 \x01(\x08\x12\x0e\n\x06status\x18\x06 \x01(\x11\x12\x0e\n\x06tokens\x18\x07 \x01(\t\x12\x18\n\x10\x64\x65legator_shares\x18\x08 \x01(\t\x12\x41\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescription\x12\x18\n\x10unbonding_height\x18\n \x01(\x12\x12\x16\n\x0eunbonding_time\x18\x0b \x01(\t\x12\x17\n\x0f\x63ommission_rate\x18\x0c \x01(\t\x12\x1b\n\x13\x63ommission_max_rate\x18\r \x01(\t\x12\"\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\t\x12\x1e\n\x16\x63ommission_update_time\x18\x0f \x01(\t\x12\x10\n\x08proposed\x18\x10 \x01(\x04\x12\x0e\n\x06signed\x18\x11 \x01(\x04\x12\x0e\n\x06missed\x18\x12 \x01(\x04\x12\x11\n\ttimestamp\x18\x13 \x01(\t\x12\x38\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\x12>\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEvent\x12\x19\n\x11uptime_percentage\x18\x16 \x01(\x01\x12\x11\n\timage_url\x18\x17 \x01(\t\"\x88\x01\n\x14ValidatorDescription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t\x12\x11\n\timage_url\x18\x06 \x01(\t\"7\n\x0fValidatorUptime\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\"\x95\x01\n\rSlashingEvent\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\r\n\x05power\x18\x04 \x01(\x04\x12\x0e\n\x06reason\x18\x05 \x01(\t\x12\x0e\n\x06jailed\x18\x06 \x01(\t\x12\x15\n\rmissed_blocks\x18\x07 \x01(\x04\"&\n\x13GetValidatorRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x14GetValidatorResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.Validator\",\n\x19GetValidatorUptimeRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"n\n\x1aGetValidatorUptimeResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\"\xc7\x01\n\rGetTxsRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\x0c\n\x04type\x18\x05 \x01(\t\x12\x0e\n\x06module\x18\x06 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x07 \x01(\x12\x12\x11\n\tto_number\x18\x08 \x01(\x12\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\x12\x0e\n\x06status\x18\x0b \x01(\t\"n\n\x0eGetTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12,\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\"$\n\x14GetTxByTxHashRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"f\n\x15GetTxByTxHashResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x32\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x19GetPeggyDepositTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"S\n\x1aGetPeggyDepositTxsResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTx\"\xf8\x01\n\x0ePeggyDepositTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\x03 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x04 \x01(\x04\x12\x0e\n\x06\x61mount\x18\x05 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x06 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x07 \x01(\t\x12\r\n\x05state\x18\x08 \x01(\t\x12\x12\n\nclaim_type\x18\t \x01(\x11\x12\x11\n\ttx_hashes\x18\n \x03(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\t\"]\n\x1cGetPeggyWithdrawalTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"Y\n\x1dGetPeggyWithdrawalTxsResponse\x12\x38\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTx\"\xd3\x02\n\x11PeggyWithdrawalTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x04 \x01(\t\x12\x12\n\nbridge_fee\x18\x05 \x01(\t\x12\x16\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x07 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\n \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x0b \x01(\x04\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\nclaim_type\x18\r \x01(\x11\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"\xa9\x01\n\x18GetIBCTransferTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsrc_channel\x18\x03 \x01(\t\x12\x10\n\x08src_port\x18\x04 \x01(\t\x12\x14\n\x0c\x64\x65st_channel\x18\x05 \x01(\t\x12\x11\n\tdest_port\x18\x06 \x01(\t\x12\r\n\x05limit\x18\x07 \x01(\x11\x12\x0c\n\x04skip\x18\x08 \x01(\x04\"Q\n\x19GetIBCTransferTxsResponse\x12\x34\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTx\"\xdc\x02\n\rIBCTransferTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsource_port\x18\x03 \x01(\t\x12\x16\n\x0esource_channel\x18\x04 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x05 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x06 \x01(\t\x12\x0e\n\x06\x61mount\x18\x07 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x08 \x01(\t\x12\x16\n\x0etimeout_height\x18\t \x01(\t\x12\x19\n\x11timeout_timestamp\x18\n \x01(\x04\x12\x17\n\x0fpacket_sequence\x18\x0b \x01(\x04\x12\x10\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0c\x12\r\n\x05state\x18\r \x01(\t\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"L\n\x13GetWasmCodesRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x02 \x01(\x12\x12\x11\n\tto_number\x18\x03 \x01(\x12\"v\n\x14GetWasmCodesResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12.\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCode\"\xd5\x02\n\x08WasmCode\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"+\n\x08\x43hecksum\x12\x11\n\talgorithm\x18\x01 \x01(\t\x12\x0c\n\x04hash\x18\x02 \x01(\t\":\n\x12\x43ontractPermission\x12\x13\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\")\n\x16GetWasmCodeByIDRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x12\"\xe4\x02\n\x17GetWasmCodeByIDResponse\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"\x93\x01\n\x17GetWasmContractsRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x0f\n\x07\x63ode_id\x18\x02 \x01(\x12\x12\x13\n\x0b\x66rom_number\x18\x03 \x01(\x12\x12\x11\n\tto_number\x18\x04 \x01(\x12\x12\x13\n\x0b\x61ssets_only\x18\x05 \x01(\x08\x12\x0c\n\x04skip\x18\x06 \x01(\x12\x12\r\n\x05label\x18\x07 \x01(\t\"~\n\x18GetWasmContractsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContract\"\xab\x03\n\x0cWasmContract\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"-\n\x0c\x43ontractFund\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8c\x01\n\x0c\x43w20Metadata\x12\x39\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfo\x12\x41\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfo\"U\n\rCw20TokenInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12\x12\x14\n\x0ctotal_supply\x18\x04 \x01(\t\"Z\n\x11\x43w20MarketingInfo\x12\x0f\n\x07project\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04logo\x18\x03 \x01(\t\x12\x11\n\tmarketing\x18\x04 \x01(\x0c\";\n\x1fGetWasmContractByAddressRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"\xbf\x03\n GetWasmContractByAddressResponse\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"7\n\x15GetCw20BalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\"P\n\x16GetCw20BalanceResponse\x12\x36\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20Balance\"\x9e\x01\n\x0fWasmCw20Balance\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x63\x63ount\x18\x02 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x03 \x01(\t\x12\x12\n\nupdated_at\x18\x04 \x01(\x12\x12;\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\"&\n\x0fRelayersRequest\x12\x13\n\x0bmarket_i_ds\x18\x01 \x03(\t\"I\n\x10RelayersResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarkets\"V\n\x0eRelayerMarkets\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x31\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.Relayer\"$\n\x07Relayer\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0b\n\x03\x63ta\x18\x02 \x01(\t\"\xd6\x01\n\x17GetBankTransfersRequest\x12\x0f\n\x07senders\x18\x01 \x03(\t\x12\x12\n\nrecipients\x18\x02 \x03(\t\x12!\n\x19is_community_pool_related\x18\x03 \x01(\x08\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x0f\n\x07\x61\x64\x64ress\x18\x08 \x03(\t\x12\x10\n\x08per_page\x18\t \x01(\x11\x12\r\n\x05token\x18\n \x01(\t\"~\n\x18GetBankTransfersResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransfer\"\x8f\x01\n\x0c\x42\x61nkTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\trecipient\x18\x02 \x01(\t\x12-\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.Coin\x12\x14\n\x0c\x62lock_number\x18\x04 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x05 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x12\n\x10StreamTxsRequest\"\xc8\x01\n\x11StreamTxsResponse\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x15\n\x13StreamBlocksRequest\"\xdf\x01\n\x14StreamBlocksResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\x1bZ\x19/injective_explorer_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_explorer_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_explorer_rpcB\031InjectiveExplorerRpcProtoP\001Z\031/injective_explorer_rpcpb\242\002\003IXX\252\002\024InjectiveExplorerRpc\312\002\024InjectiveExplorerRpc\342\002 InjectiveExplorerRpc\\GPBMetadata\352\002\024InjectiveExplorerRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_explorer_rpcpb' _globals['_EVENT_ATTRIBUTESENTRY']._loaded_options = None _globals['_EVENT_ATTRIBUTESENTRY']._serialized_options = b'8\001' _globals['_GETACCOUNTTXSREQUEST']._serialized_start=66 - _globals['_GETACCOUNTTXSREQUEST']._serialized_end=390 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=393 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=530 - _globals['_PAGING']._serialized_start=533 - _globals['_PAGING']._serialized_end=667 - _globals['_TXDETAILDATA']._serialized_start=670 - _globals['_TXDETAILDATA']._serialized_end=1353 - _globals['_GASFEE']._serialized_start=1356 - _globals['_GASFEE']._serialized_end=1501 - _globals['_COSMOSCOIN']._serialized_start=1503 - _globals['_COSMOSCOIN']._serialized_end=1561 - _globals['_EVENT']._serialized_start=1564 - _globals['_EVENT']._serialized_end=1733 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1672 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1733 - _globals['_SIGNATURE']._serialized_start=1735 - _globals['_SIGNATURE']._serialized_end=1854 - _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1857 - _globals['_GETCONTRACTTXSREQUEST']._serialized_end=2010 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=2013 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=2151 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=2154 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=2309 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=2311 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=2415 - _globals['_GETBLOCKSREQUEST']._serialized_start=2417 - _globals['_GETBLOCKSREQUEST']._serialized_end=2539 - _globals['_GETBLOCKSRESPONSE']._serialized_start=2542 - _globals['_GETBLOCKSRESPONSE']._serialized_end=2672 - _globals['_BLOCKINFO']._serialized_start=2675 - _globals['_BLOCKINFO']._serialized_end=2976 - _globals['_TXDATARPC']._serialized_start=2979 - _globals['_TXDATARPC']._serialized_end=3267 - _globals['_GETBLOCKREQUEST']._serialized_start=3269 - _globals['_GETBLOCKREQUEST']._serialized_end=3302 - _globals['_GETBLOCKRESPONSE']._serialized_start=3304 - _globals['_GETBLOCKRESPONSE']._serialized_end=3421 - _globals['_BLOCKDETAILINFO']._serialized_start=3424 - _globals['_BLOCKDETAILINFO']._serialized_end=3757 - _globals['_TXDATA']._serialized_start=3760 - _globals['_TXDATA']._serialized_end=4099 - _globals['_GETVALIDATORSREQUEST']._serialized_start=4101 - _globals['_GETVALIDATORSREQUEST']._serialized_end=4123 - _globals['_GETVALIDATORSRESPONSE']._serialized_start=4125 - _globals['_GETVALIDATORSRESPONSE']._serialized_end=4241 - _globals['_VALIDATOR']._serialized_start=4244 - _globals['_VALIDATOR']._serialized_end=5193 - _globals['_VALIDATORDESCRIPTION']._serialized_start=5196 - _globals['_VALIDATORDESCRIPTION']._serialized_end=5396 - _globals['_VALIDATORUPTIME']._serialized_start=5398 - _globals['_VALIDATORUPTIME']._serialized_end=5474 - _globals['_SLASHINGEVENT']._serialized_start=5477 - _globals['_SLASHINGEVENT']._serialized_end=5701 - _globals['_GETVALIDATORREQUEST']._serialized_start=5703 - _globals['_GETVALIDATORREQUEST']._serialized_end=5750 - _globals['_GETVALIDATORRESPONSE']._serialized_start=5752 - _globals['_GETVALIDATORRESPONSE']._serialized_end=5867 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=5869 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=5922 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=5924 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=6051 - _globals['_GETTXSREQUEST']._serialized_start=6054 - _globals['_GETTXSREQUEST']._serialized_end=6345 - _globals['_GETTXSRESPONSE']._serialized_start=6347 - _globals['_GETTXSRESPONSE']._serialized_end=6471 - _globals['_GETTXBYTXHASHREQUEST']._serialized_start=6473 - _globals['_GETTXBYTXHASHREQUEST']._serialized_end=6515 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=6517 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=6636 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=6638 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=6759 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=6761 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=6851 - _globals['_PEGGYDEPOSITTX']._serialized_start=6854 - _globals['_PEGGYDEPOSITTX']._serialized_end=7231 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=7233 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=7357 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=7359 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=7455 - _globals['_PEGGYWITHDRAWALTX']._serialized_start=7458 - _globals['_PEGGYWITHDRAWALTX']._serialized_end=7977 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=7980 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=8224 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=8226 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=8314 - _globals['_IBCTRANSFERTX']._serialized_start=8317 - _globals['_IBCTRANSFERTX']._serialized_end=8859 - _globals['_GETWASMCODESREQUEST']._serialized_start=8861 - _globals['_GETWASMCODESREQUEST']._serialized_end=8966 - _globals['_GETWASMCODESRESPONSE']._serialized_start=8969 - _globals['_GETWASMCODESRESPONSE']._serialized_end=9101 - _globals['_WASMCODE']._serialized_start=9104 - _globals['_WASMCODE']._serialized_end=9586 - _globals['_CHECKSUM']._serialized_start=9588 - _globals['_CHECKSUM']._serialized_end=9648 - _globals['_CONTRACTPERMISSION']._serialized_start=9650 - _globals['_CONTRACTPERMISSION']._serialized_end=9729 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=9731 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=9780 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=9783 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=10280 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=10283 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=10492 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=10495 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=10635 - _globals['_WASMCONTRACT']._serialized_start=10638 - _globals['_WASMCONTRACT']._serialized_end=11255 - _globals['_CONTRACTFUND']._serialized_start=11257 - _globals['_CONTRACTFUND']._serialized_end=11317 - _globals['_CW20METADATA']._serialized_start=11320 - _globals['_CW20METADATA']._serialized_end=11486 - _globals['_CW20TOKENINFO']._serialized_start=11488 - _globals['_CW20TOKENINFO']._serialized_end=11610 - _globals['_CW20MARKETINGINFO']._serialized_start=11613 - _globals['_CW20MARKETINGINFO']._serialized_end=11742 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=11744 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=11820 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=11823 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=12460 - _globals['_GETCW20BALANCEREQUEST']._serialized_start=12462 - _globals['_GETCW20BALANCEREQUEST']._serialized_end=12533 - _globals['_GETCW20BALANCERESPONSE']._serialized_start=12535 - _globals['_GETCW20BALANCERESPONSE']._serialized_end=12622 - _globals['_WASMCW20BALANCE']._serialized_start=12625 - _globals['_WASMCW20BALANCE']._serialized_end=12843 - _globals['_RELAYERSREQUEST']._serialized_start=12845 - _globals['_RELAYERSREQUEST']._serialized_end=12894 - _globals['_RELAYERSRESPONSE']._serialized_start=12896 - _globals['_RELAYERSRESPONSE']._serialized_end=12976 - _globals['_RELAYERMARKETS']._serialized_start=12978 - _globals['_RELAYERMARKETS']._serialized_end=13084 - _globals['_RELAYER']._serialized_start=13086 - _globals['_RELAYER']._serialized_end=13133 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=13136 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=13453 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=13456 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=13596 - _globals['_BANKTRANSFER']._serialized_start=13599 - _globals['_BANKTRANSFER']._serialized_end=13799 - _globals['_COIN']._serialized_start=13801 - _globals['_COIN']._serialized_end=13853 - _globals['_STREAMTXSREQUEST']._serialized_start=13855 - _globals['_STREAMTXSREQUEST']._serialized_end=13873 - _globals['_STREAMTXSRESPONSE']._serialized_start=13876 - _globals['_STREAMTXSRESPONSE']._serialized_end=14172 - _globals['_STREAMBLOCKSREQUEST']._serialized_start=14174 - _globals['_STREAMBLOCKSREQUEST']._serialized_end=14195 - _globals['_STREAMBLOCKSRESPONSE']._serialized_start=14198 - _globals['_STREAMBLOCKSRESPONSE']._serialized_end=14510 - _globals['_INJECTIVEEXPLORERRPC']._serialized_start=14513 - _globals['_INJECTIVEEXPLORERRPC']._serialized_end=17015 + _globals['_GETACCOUNTTXSREQUEST']._serialized_end=289 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=291 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=414 + _globals['_PAGING']._serialized_start=416 + _globals['_PAGING']._serialized_end=508 + _globals['_TXDETAILDATA']._serialized_start=511 + _globals['_TXDETAILDATA']._serialized_end=998 + _globals['_GASFEE']._serialized_start=1000 + _globals['_GASFEE']._serialized_end=1111 + _globals['_COSMOSCOIN']._serialized_start=1113 + _globals['_COSMOSCOIN']._serialized_end=1156 + _globals['_EVENT']._serialized_start=1159 + _globals['_EVENT']._serialized_end=1298 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1249 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1298 + _globals['_SIGNATURE']._serialized_start=1300 + _globals['_SIGNATURE']._serialized_end=1381 + _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1383 + _globals['_GETCONTRACTTXSREQUEST']._serialized_end=1492 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=1494 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=1618 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=1620 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=1734 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=1736 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=1828 + _globals['_GETBLOCKSREQUEST']._serialized_start=1830 + _globals['_GETBLOCKSREQUEST']._serialized_end=1920 + _globals['_GETBLOCKSRESPONSE']._serialized_start=1922 + _globals['_GETBLOCKSRESPONSE']._serialized_end=2038 + _globals['_BLOCKINFO']._serialized_start=2041 + _globals['_BLOCKINFO']._serialized_end=2253 + _globals['_TXDATARPC']._serialized_start=2256 + _globals['_TXDATARPC']._serialized_end=2448 + _globals['_GETBLOCKREQUEST']._serialized_start=2450 + _globals['_GETBLOCKREQUEST']._serialized_end=2479 + _globals['_GETBLOCKRESPONSE']._serialized_start=2481 + _globals['_GETBLOCKRESPONSE']._serialized_end=2581 + _globals['_BLOCKDETAILINFO']._serialized_start=2584 + _globals['_BLOCKDETAILINFO']._serialized_end=2818 + _globals['_TXDATA']._serialized_start=2821 + _globals['_TXDATA']._serialized_end=3046 + _globals['_GETVALIDATORSREQUEST']._serialized_start=3048 + _globals['_GETVALIDATORSREQUEST']._serialized_end=3070 + _globals['_GETVALIDATORSRESPONSE']._serialized_start=3072 + _globals['_GETVALIDATORSRESPONSE']._serialized_end=3171 + _globals['_VALIDATOR']._serialized_start=3174 + _globals['_VALIDATOR']._serialized_end=3817 + _globals['_VALIDATORDESCRIPTION']._serialized_start=3820 + _globals['_VALIDATORDESCRIPTION']._serialized_end=3956 + _globals['_VALIDATORUPTIME']._serialized_start=3958 + _globals['_VALIDATORUPTIME']._serialized_end=4013 + _globals['_SLASHINGEVENT']._serialized_start=4016 + _globals['_SLASHINGEVENT']._serialized_end=4165 + _globals['_GETVALIDATORREQUEST']._serialized_start=4167 + _globals['_GETVALIDATORREQUEST']._serialized_end=4205 + _globals['_GETVALIDATORRESPONSE']._serialized_start=4207 + _globals['_GETVALIDATORRESPONSE']._serialized_end=4305 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=4307 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=4351 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=4353 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=4463 + _globals['_GETTXSREQUEST']._serialized_start=4466 + _globals['_GETTXSREQUEST']._serialized_end=4665 + _globals['_GETTXSRESPONSE']._serialized_start=4667 + _globals['_GETTXSRESPONSE']._serialized_end=4777 + _globals['_GETTXBYTXHASHREQUEST']._serialized_start=4779 + _globals['_GETTXBYTXHASHREQUEST']._serialized_end=4815 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=4817 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=4919 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=4921 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=5011 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=5013 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=5096 + _globals['_PEGGYDEPOSITTX']._serialized_start=5099 + _globals['_PEGGYDEPOSITTX']._serialized_end=5347 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=5349 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=5442 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=5444 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=5533 + _globals['_PEGGYWITHDRAWALTX']._serialized_start=5536 + _globals['_PEGGYWITHDRAWALTX']._serialized_end=5875 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=5878 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=6047 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=6049 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=6130 + _globals['_IBCTRANSFERTX']._serialized_start=6133 + _globals['_IBCTRANSFERTX']._serialized_end=6481 + _globals['_GETWASMCODESREQUEST']._serialized_start=6483 + _globals['_GETWASMCODESREQUEST']._serialized_end=6559 + _globals['_GETWASMCODESRESPONSE']._serialized_start=6561 + _globals['_GETWASMCODESRESPONSE']._serialized_end=6679 + _globals['_WASMCODE']._serialized_start=6682 + _globals['_WASMCODE']._serialized_end=7023 + _globals['_CHECKSUM']._serialized_start=7025 + _globals['_CHECKSUM']._serialized_end=7068 + _globals['_CONTRACTPERMISSION']._serialized_start=7070 + _globals['_CONTRACTPERMISSION']._serialized_end=7128 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=7130 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=7171 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=7174 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=7530 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=7533 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=7680 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=7682 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=7808 + _globals['_WASMCONTRACT']._serialized_start=7811 + _globals['_WASMCONTRACT']._serialized_end=8238 + _globals['_CONTRACTFUND']._serialized_start=8240 + _globals['_CONTRACTFUND']._serialized_end=8285 + _globals['_CW20METADATA']._serialized_start=8288 + _globals['_CW20METADATA']._serialized_end=8428 + _globals['_CW20TOKENINFO']._serialized_start=8430 + _globals['_CW20TOKENINFO']._serialized_end=8515 + _globals['_CW20MARKETINGINFO']._serialized_start=8517 + _globals['_CW20MARKETINGINFO']._serialized_end=8607 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=8609 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=8668 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=8671 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=9118 + _globals['_GETCW20BALANCEREQUEST']._serialized_start=9120 + _globals['_GETCW20BALANCEREQUEST']._serialized_end=9175 + _globals['_GETCW20BALANCERESPONSE']._serialized_start=9177 + _globals['_GETCW20BALANCERESPONSE']._serialized_end=9257 + _globals['_WASMCW20BALANCE']._serialized_start=9260 + _globals['_WASMCW20BALANCE']._serialized_end=9418 + _globals['_RELAYERSREQUEST']._serialized_start=9420 + _globals['_RELAYERSREQUEST']._serialized_end=9458 + _globals['_RELAYERSRESPONSE']._serialized_start=9460 + _globals['_RELAYERSRESPONSE']._serialized_end=9533 + _globals['_RELAYERMARKETS']._serialized_start=9535 + _globals['_RELAYERMARKETS']._serialized_end=9621 + _globals['_RELAYER']._serialized_start=9623 + _globals['_RELAYER']._serialized_end=9659 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=9662 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=9876 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=9878 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=10004 + _globals['_BANKTRANSFER']._serialized_start=10007 + _globals['_BANKTRANSFER']._serialized_end=10150 + _globals['_COIN']._serialized_start=10152 + _globals['_COIN']._serialized_end=10189 + _globals['_STREAMTXSREQUEST']._serialized_start=10191 + _globals['_STREAMTXSREQUEST']._serialized_end=10209 + _globals['_STREAMTXSRESPONSE']._serialized_start=10212 + _globals['_STREAMTXSRESPONSE']._serialized_end=10412 + _globals['_STREAMBLOCKSREQUEST']._serialized_start=10414 + _globals['_STREAMBLOCKSREQUEST']._serialized_end=10435 + _globals['_STREAMBLOCKSRESPONSE']._serialized_start=10438 + _globals['_STREAMBLOCKSRESPONSE']._serialized_end=10661 + _globals['_INJECTIVEEXPLORERRPC']._serialized_start=10664 + _globals['_INJECTIVEEXPLORERRPC']._serialized_end=13166 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index 24ce812f..fd748ea4 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_explorer_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveExplorerRPCStub(object): """ExplorerAPI implements explorer data API for e.g. Blockchain Explorer diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py index d4b9a9c9..05ca3a16 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_insurance_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_insurance_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,32 +14,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"M\n\rFundsResponse\x12<\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x05\x66unds\"\xf5\x03\n\rInsuranceFund\x12#\n\rmarket_ticker\x18\x01 \x01(\tR\x0cmarketTicker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rdeposit_denom\x18\x03 \x01(\tR\x0c\x64\x65positDenom\x12(\n\x10pool_token_denom\x18\x04 \x01(\tR\x0epoolTokenDenom\x12I\n!redemption_notice_period_duration\x18\x05 \x01(\x12R\x1eredemptionNoticePeriodDuration\x12\x18\n\x07\x62\x61lance\x18\x06 \x01(\tR\x07\x62\x61lance\x12\x1f\n\x0btotal_share\x18\x07 \x01(\tR\ntotalShare\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\n \x01(\tR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x12R\x06\x65xpiry\x12P\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMetaR\x10\x64\x65positTokenMeta\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"#\n\x0b\x46undRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"J\n\x0c\x46undResponse\x12:\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x04\x66und\"s\n\x12RedemptionsRequest\x12\x1a\n\x08redeemer\x18\x01 \x01(\tR\x08redeemer\x12)\n\x10redemption_denom\x18\x02 \x01(\tR\x0fredemptionDenom\x12\x16\n\x06status\x18\x03 \x01(\tR\x06status\"u\n\x13RedemptionsResponse\x12^\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionScheduleR\x13redemptionSchedules\"\x9b\x03\n\x12RedemptionSchedule\x12#\n\rredemption_id\x18\x01 \x01(\x04R\x0credemptionId\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12:\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12R\x17\x63laimableRedemptionTime\x12+\n\x11redemption_amount\x18\x05 \x01(\tR\x10redemptionAmount\x12)\n\x10redemption_denom\x18\x06 \x01(\tR\x0fredemptionDenom\x12!\n\x0crequested_at\x18\x07 \x01(\x12R\x0brequestedAt\x12)\n\x10\x64isbursed_amount\x18\x08 \x01(\tR\x0f\x64isbursedAmount\x12\'\n\x0f\x64isbursed_denom\x18\t \x01(\tR\x0e\x64isbursedDenom\x12!\n\x0c\x64isbursed_at\x18\n \x01(\x12R\x0b\x64isbursedAt2\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\xc9\x01\n\x1b\x63om.injective_insurance_rpcB\x1aInjectiveInsuranceRpcProtoP\x01Z\x1a/injective_insurance_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectiveInsuranceRpc\xca\x02\x15InjectiveInsuranceRpc\xe2\x02!InjectiveInsuranceRpc\\GPBMetadata\xea\x02\x15InjectiveInsuranceRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"F\n\rFundsResponse\x12\x35\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"\xcb\x02\n\rInsuranceFund\x12\x15\n\rmarket_ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rdeposit_denom\x18\x03 \x01(\t\x12\x18\n\x10pool_token_denom\x18\x04 \x01(\t\x12)\n!redemption_notice_period_duration\x18\x05 \x01(\x12\x12\x0f\n\x07\x62\x61lance\x18\x06 \x01(\t\x12\x13\n\x0btotal_share\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x13\n\x0boracle_type\x18\n \x01(\t\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x12\x12>\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMeta\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x1c\n\x0b\x46undRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"D\n\x0c\x46undResponse\x12\x34\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"P\n\x12RedemptionsRequest\x12\x10\n\x08redeemer\x18\x01 \x01(\t\x12\x18\n\x10redemption_denom\x18\x02 \x01(\t\x12\x0e\n\x06status\x18\x03 \x01(\t\"`\n\x13RedemptionsResponse\x12I\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionSchedule\"\x84\x02\n\x12RedemptionSchedule\x12\x15\n\rredemption_id\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12!\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12\x12\x19\n\x11redemption_amount\x18\x05 \x01(\t\x12\x18\n\x10redemption_denom\x18\x06 \x01(\t\x12\x14\n\x0crequested_at\x18\x07 \x01(\x12\x12\x18\n\x10\x64isbursed_amount\x18\x08 \x01(\t\x12\x17\n\x0f\x64isbursed_denom\x18\t \x01(\t\x12\x14\n\x0c\x64isbursed_at\x18\n \x01(\x12\x32\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\x1cZ\x1a/injective_insurance_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_insurance_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_insurance_rpcB\032InjectiveInsuranceRpcProtoP\001Z\032/injective_insurance_rpcpb\242\002\003IXX\252\002\025InjectiveInsuranceRpc\312\002\025InjectiveInsuranceRpc\342\002!InjectiveInsuranceRpc\\GPBMetadata\352\002\025InjectiveInsuranceRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_insurance_rpcpb' _globals['_FUNDSREQUEST']._serialized_start=67 _globals['_FUNDSREQUEST']._serialized_end=81 _globals['_FUNDSRESPONSE']._serialized_start=83 - _globals['_FUNDSRESPONSE']._serialized_end=160 - _globals['_INSURANCEFUND']._serialized_start=163 - _globals['_INSURANCEFUND']._serialized_end=664 - _globals['_TOKENMETA']._serialized_start=667 - _globals['_TOKENMETA']._serialized_end=827 - _globals['_FUNDREQUEST']._serialized_start=829 - _globals['_FUNDREQUEST']._serialized_end=864 - _globals['_FUNDRESPONSE']._serialized_start=866 - _globals['_FUNDRESPONSE']._serialized_end=940 - _globals['_REDEMPTIONSREQUEST']._serialized_start=942 - _globals['_REDEMPTIONSREQUEST']._serialized_end=1057 - _globals['_REDEMPTIONSRESPONSE']._serialized_start=1059 - _globals['_REDEMPTIONSRESPONSE']._serialized_end=1176 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=1179 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1590 - _globals['_INJECTIVEINSURANCERPC']._serialized_start=1593 - _globals['_INJECTIVEINSURANCERPC']._serialized_end=1895 + _globals['_FUNDSRESPONSE']._serialized_end=153 + _globals['_INSURANCEFUND']._serialized_start=156 + _globals['_INSURANCEFUND']._serialized_end=487 + _globals['_TOKENMETA']._serialized_start=489 + _globals['_TOKENMETA']._serialized_end=599 + _globals['_FUNDREQUEST']._serialized_start=601 + _globals['_FUNDREQUEST']._serialized_end=629 + _globals['_FUNDRESPONSE']._serialized_start=631 + _globals['_FUNDRESPONSE']._serialized_end=699 + _globals['_REDEMPTIONSREQUEST']._serialized_start=701 + _globals['_REDEMPTIONSREQUEST']._serialized_end=781 + _globals['_REDEMPTIONSRESPONSE']._serialized_start=783 + _globals['_REDEMPTIONSRESPONSE']._serialized_end=879 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=882 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1142 + _globals['_INJECTIVEINSURANCERPC']._serialized_start=1145 + _globals['_INJECTIVEINSURANCERPC']._serialized_end=1447 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index 1992ac88..87a6c3ca 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_insurance_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveInsuranceRPCStub(object): """InjectiveInsuranceRPC defines gRPC API of Insurance provider. diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py index b44a0888..e52826cf 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_meta_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_meta_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\xab\x01\n\x0fVersionResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x44\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntryR\x05\x62uild\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"+\n\x0bInfoRequest\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\"\xfc\x01\n\x0cInfoResponse\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\x12\x1f\n\x0bserver_time\x18\x02 \x01(\x12R\nserverTime\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x41\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntryR\x05\x62uild\x12\x16\n\x06region\x18\x05 \x01(\tR\x06region\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"p\n\x17StreamKeepaliveResponse\x12\x14\n\x05\x65vent\x18\x01 \x01(\tR\x05\x65vent\x12!\n\x0cnew_endpoint\x18\x02 \x01(\tR\x0bnewEndpoint\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\".\n\x14TokenMetadataRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"Y\n\x15TokenMetadataResponse\x12@\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElementR\x06tokens\"\xd6\x01\n\x14TokenMetadataElement\x12)\n\x10\x65thereum_address\x18\x01 \x01(\tR\x0f\x65thereumAddress\x12!\n\x0c\x63oingecko_id\x18\x02 \x01(\tR\x0b\x63oingeckoId\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04name\x18\x04 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x05 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11R\x08\x64\x65\x63imals\x12\x12\n\x04logo\x18\x07 \x01(\tR\x04logo2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\xa6\x01\n\x16\x63om.injective_meta_rpcB\x15InjectiveMetaRpcProtoP\x01Z\x15/injective_meta_rpcpb\xa2\x02\x03IXX\xaa\x02\x10InjectiveMetaRpc\xca\x02\x10InjectiveMetaRpc\xe2\x02\x1cInjectiveMetaRpc\\GPBMetadata\xea\x02\x10InjectiveMetaRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\x8f\x01\n\x0fVersionResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12=\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntry\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\" \n\x0bInfoRequest\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\"\xc1\x01\n\x0cInfoResponse\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\x12\x13\n\x0bserver_time\x18\x02 \x01(\x12\x12\x0f\n\x07version\x18\x03 \x01(\t\x12:\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntry\x12\x0e\n\x06region\x18\x05 \x01(\t\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"Q\n\x17StreamKeepaliveResponse\x12\r\n\x05\x65vent\x18\x01 \x01(\t\x12\x14\n\x0cnew_endpoint\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"&\n\x14TokenMetadataRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"Q\n\x15TokenMetadataResponse\x12\x38\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElement\"\x93\x01\n\x14TokenMetadataElement\x12\x18\n\x10\x65thereum_address\x18\x01 \x01(\t\x12\x14\n\x0c\x63oingecko_id\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12\x0c\n\x04name\x18\x04 \x01(\t\x12\x0e\n\x06symbol\x18\x05 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11\x12\x0c\n\x04logo\x18\x07 \x01(\t2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\x17Z\x15/injective_meta_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_meta_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective_meta_rpcB\025InjectiveMetaRpcProtoP\001Z\025/injective_meta_rpcpb\242\002\003IXX\252\002\020InjectiveMetaRpc\312\002\020InjectiveMetaRpc\342\002\034InjectiveMetaRpc\\GPBMetadata\352\002\020InjectiveMetaRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\025/injective_meta_rpcpb' _globals['_VERSIONRESPONSE_BUILDENTRY']._loaded_options = None _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_options = b'8\001' _globals['_INFORESPONSE_BUILDENTRY']._loaded_options = None @@ -43,25 +33,25 @@ _globals['_VERSIONREQUEST']._serialized_start=88 _globals['_VERSIONREQUEST']._serialized_end=104 _globals['_VERSIONRESPONSE']._serialized_start=107 - _globals['_VERSIONRESPONSE']._serialized_end=278 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=222 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=278 - _globals['_INFOREQUEST']._serialized_start=280 - _globals['_INFOREQUEST']._serialized_end=323 - _globals['_INFORESPONSE']._serialized_start=326 - _globals['_INFORESPONSE']._serialized_end=578 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=222 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=278 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=580 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=604 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=606 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=718 - _globals['_TOKENMETADATAREQUEST']._serialized_start=720 - _globals['_TOKENMETADATAREQUEST']._serialized_end=766 - _globals['_TOKENMETADATARESPONSE']._serialized_start=768 - _globals['_TOKENMETADATARESPONSE']._serialized_end=857 - _globals['_TOKENMETADATAELEMENT']._serialized_start=860 - _globals['_TOKENMETADATAELEMENT']._serialized_end=1074 - _globals['_INJECTIVEMETARPC']._serialized_start=1077 - _globals['_INJECTIVEMETARPC']._serialized_end=1541 + _globals['_VERSIONRESPONSE']._serialized_end=250 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=206 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=250 + _globals['_INFOREQUEST']._serialized_start=252 + _globals['_INFOREQUEST']._serialized_end=284 + _globals['_INFORESPONSE']._serialized_start=287 + _globals['_INFORESPONSE']._serialized_end=480 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=206 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=250 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=482 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=506 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=508 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=589 + _globals['_TOKENMETADATAREQUEST']._serialized_start=591 + _globals['_TOKENMETADATAREQUEST']._serialized_end=629 + _globals['_TOKENMETADATARESPONSE']._serialized_start=631 + _globals['_TOKENMETADATARESPONSE']._serialized_end=712 + _globals['_TOKENMETADATAELEMENT']._serialized_start=715 + _globals['_TOKENMETADATAELEMENT']._serialized_end=862 + _globals['_INJECTIVEMETARPC']._serialized_start=865 + _globals['_INJECTIVEMETARPC']._serialized_end=1329 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 3939655c..62496c97 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveMetaRPCStub(object): """InjectiveMetaRPC is a special API subset to get info about server. diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py index 60a3dbdb..c4469143 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_oracle_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_oracle_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,32 +14,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"L\n\x12OracleListResponse\x12\x36\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.OracleR\x07oracles\"\x9b\x01\n\x06Oracle\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1f\n\x0b\x62\x61se_symbol\x18\x02 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x03 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x04 \x01(\tR\noracleType\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\"\xa3\x01\n\x0cPriceRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x04 \x01(\rR\x11oracleScaleFactor\"%\n\rPriceResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\"z\n\x13StreamPricesRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\"J\n\x14StreamPricesResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"=\n\x1cStreamPricesByMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"p\n\x1dStreamPricesByMarketsResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\xb4\x01\n\x18\x63om.injective_oracle_rpcB\x17InjectiveOracleRpcProtoP\x01Z\x17/injective_oracle_rpcpb\xa2\x02\x03IXX\xaa\x02\x12InjectiveOracleRpc\xca\x02\x12InjectiveOracleRpc\xe2\x02\x1eInjectiveOracleRpc\\GPBMetadata\xea\x02\x12InjectiveOracleRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"C\n\x12OracleListResponse\x12-\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.Oracle\"g\n\x06Oracle\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x13\n\x0b\x62\x61se_symbol\x18\x02 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x03 \x01(\t\x12\x13\n\x0boracle_type\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\"k\n\x0cPriceRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x04 \x01(\r\"\x1e\n\rPriceResponse\x12\r\n\x05price\x18\x01 \x01(\t\"U\n\x13StreamPricesRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\"8\n\x14StreamPricesResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"2\n\x1cStreamPricesByMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"T\n\x1dStreamPricesByMarketsResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\x12\x11\n\tmarket_id\x18\x03 \x01(\t2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\x19Z\x17/injective_oracle_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_oracle_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.injective_oracle_rpcB\027InjectiveOracleRpcProtoP\001Z\027/injective_oracle_rpcpb\242\002\003IXX\252\002\022InjectiveOracleRpc\312\002\022InjectiveOracleRpc\342\002\036InjectiveOracleRpc\\GPBMetadata\352\002\022InjectiveOracleRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\027/injective_oracle_rpcpb' _globals['_ORACLELISTREQUEST']._serialized_start=61 _globals['_ORACLELISTREQUEST']._serialized_end=80 _globals['_ORACLELISTRESPONSE']._serialized_start=82 - _globals['_ORACLELISTRESPONSE']._serialized_end=158 - _globals['_ORACLE']._serialized_start=161 - _globals['_ORACLE']._serialized_end=316 - _globals['_PRICEREQUEST']._serialized_start=319 - _globals['_PRICEREQUEST']._serialized_end=482 - _globals['_PRICERESPONSE']._serialized_start=484 - _globals['_PRICERESPONSE']._serialized_end=521 - _globals['_STREAMPRICESREQUEST']._serialized_start=523 - _globals['_STREAMPRICESREQUEST']._serialized_end=645 - _globals['_STREAMPRICESRESPONSE']._serialized_start=647 - _globals['_STREAMPRICESRESPONSE']._serialized_end=721 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=723 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=784 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=786 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=898 - _globals['_INJECTIVEORACLERPC']._serialized_start=901 - _globals['_INJECTIVEORACLERPC']._serialized_end=1338 + _globals['_ORACLELISTRESPONSE']._serialized_end=149 + _globals['_ORACLE']._serialized_start=151 + _globals['_ORACLE']._serialized_end=254 + _globals['_PRICEREQUEST']._serialized_start=256 + _globals['_PRICEREQUEST']._serialized_end=363 + _globals['_PRICERESPONSE']._serialized_start=365 + _globals['_PRICERESPONSE']._serialized_end=395 + _globals['_STREAMPRICESREQUEST']._serialized_start=397 + _globals['_STREAMPRICESREQUEST']._serialized_end=482 + _globals['_STREAMPRICESRESPONSE']._serialized_start=484 + _globals['_STREAMPRICESRESPONSE']._serialized_end=540 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=542 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=592 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=594 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=678 + _globals['_INJECTIVEORACLERPC']._serialized_start=681 + _globals['_INJECTIVEORACLERPC']._serialized_end=1118 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 9f317b59..5f1858e5 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveOracleRPCStub(object): """InjectiveOracleRPC defines gRPC API of Exchange Oracle provider. diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py index 210ef870..bd9c8d14 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_portfolio_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_portfolio_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,46 +14,46 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"Y\n\x13TokenHoldersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x63ursor\x18\x02 \x01(\tR\x06\x63ursor\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"t\n\x14TokenHoldersResponse\x12\x39\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.HolderR\x07holders\x12!\n\x0cnext_cursors\x18\x02 \x03(\tR\x0bnextCursors\"K\n\x06Holder\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x18\n\x07\x62\x61lance\x18\x02 \x01(\tR\x07\x62\x61lance\"B\n\x17\x41\x63\x63ountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\\\n\x18\x41\x63\x63ountPortfolioResponse\x12@\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.PortfolioR\tportfolio\"\xa4\x02\n\tPortfolio\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\x12Z\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNLR\x11positionsWithUpnl\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x96\x01\n\x13SubaccountBalanceV2\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x44\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"\x83\x01\n\x11PositionsWithUPNL\x12G\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePositionR\x08position\x12%\n\x0eunrealized_pnl\x18\x02 \x01(\tR\runrealizedPnl\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"J\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"l\n AccountPortfolioBalancesResponse\x12H\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalancesR\tportfolio\"\xd0\x01\n\x11PortfolioBalances\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\"\x81\x01\n\x1dStreamAccountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xa5\x01\n\x1eStreamAccountPortfolioResponse\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x1c\n\ttimestamp\x18\x05 \x01(\x12R\ttimestamp2\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\xc9\x01\n\x1b\x63om.injective_portfolio_rpcB\x1aInjectivePortfolioRpcProtoP\x01Z\x1a/injective_portfolio_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectivePortfolioRpc\xca\x02\x15InjectivePortfolioRpc\xe2\x02!InjectivePortfolioRpc\\GPBMetadata\xea\x02\x15InjectivePortfolioRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"C\n\x13TokenHoldersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x63ursor\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\"^\n\x14TokenHoldersResponse\x12\x30\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.Holder\x12\x14\n\x0cnext_cursors\x18\x02 \x03(\t\"2\n\x06Holder\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x02 \x01(\t\"2\n\x17\x41\x63\x63ountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"Q\n\x18\x41\x63\x63ountPortfolioResponse\x12\x35\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.Portfolio\"\xe6\x01\n\tPortfolio\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\x12G\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNL\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"x\n\x13SubaccountBalanceV2\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12;\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"j\n\x11PositionsWithUPNL\x12=\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePosition\x12\x16\n\x0eunrealized_pnl\x18\x02 \x01(\t\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\":\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"a\n AccountPortfolioBalancesResponse\x12=\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalances\"\xa5\x01\n\x11PortfolioBalances\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\"]\n\x1dStreamAccountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0c\n\x04type\x18\x03 \x01(\t\"w\n\x1eStreamAccountPortfolioResponse\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x11\n\ttimestamp\x18\x05 \x01(\x12\x32\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\x1cZ\x1a/injective_portfolio_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_portfolio_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_portfolio_rpcB\032InjectivePortfolioRpcProtoP\001Z\032/injective_portfolio_rpcpb\242\002\003IXX\252\002\025InjectivePortfolioRpc\312\002\025InjectivePortfolioRpc\342\002!InjectivePortfolioRpc\\GPBMetadata\352\002\025InjectivePortfolioRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_portfolio_rpcpb' _globals['_TOKENHOLDERSREQUEST']._serialized_start=67 - _globals['_TOKENHOLDERSREQUEST']._serialized_end=156 - _globals['_TOKENHOLDERSRESPONSE']._serialized_start=158 - _globals['_TOKENHOLDERSRESPONSE']._serialized_end=274 - _globals['_HOLDER']._serialized_start=276 - _globals['_HOLDER']._serialized_end=351 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=353 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=419 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=421 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=513 - _globals['_PORTFOLIO']._serialized_start=516 - _globals['_PORTFOLIO']._serialized_end=808 - _globals['_COIN']._serialized_start=810 - _globals['_COIN']._serialized_end=862 - _globals['_SUBACCOUNTBALANCEV2']._serialized_start=865 - _globals['_SUBACCOUNTBALANCEV2']._serialized_end=1015 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1017 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1118 - _globals['_POSITIONSWITHUPNL']._serialized_start=1121 - _globals['_POSITIONSWITHUPNL']._serialized_end=1252 - _globals['_DERIVATIVEPOSITION']._serialized_start=1255 - _globals['_DERIVATIVEPOSITION']._serialized_end=1687 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1689 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1763 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1765 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1873 - _globals['_PORTFOLIOBALANCES']._serialized_start=1876 - _globals['_PORTFOLIOBALANCES']._serialized_end=2084 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=2087 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=2216 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=2219 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=2384 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=2387 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2928 + _globals['_TOKENHOLDERSREQUEST']._serialized_end=134 + _globals['_TOKENHOLDERSRESPONSE']._serialized_start=136 + _globals['_TOKENHOLDERSRESPONSE']._serialized_end=230 + _globals['_HOLDER']._serialized_start=232 + _globals['_HOLDER']._serialized_end=282 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=284 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=334 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=336 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=417 + _globals['_PORTFOLIO']._serialized_start=420 + _globals['_PORTFOLIO']._serialized_end=650 + _globals['_COIN']._serialized_start=652 + _globals['_COIN']._serialized_end=689 + _globals['_SUBACCOUNTBALANCEV2']._serialized_start=691 + _globals['_SUBACCOUNTBALANCEV2']._serialized_end=811 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=813 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=882 + _globals['_POSITIONSWITHUPNL']._serialized_start=884 + _globals['_POSITIONSWITHUPNL']._serialized_end=990 + _globals['_DERIVATIVEPOSITION']._serialized_start=993 + _globals['_DERIVATIVEPOSITION']._serialized_end=1272 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1274 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1332 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1334 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1431 + _globals['_PORTFOLIOBALANCES']._serialized_start=1434 + _globals['_PORTFOLIOBALANCES']._serialized_end=1599 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=1601 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=1694 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=1696 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=1815 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=1818 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2359 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index dea15cb0..d7a18690 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectivePortfolioRPCStub(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index d87cf1c1..9299d5c8 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_spot_exchange_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_spot_exchange_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,112 +14,112 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"\x9e\x01\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x04 \x03(\tR\x0emarketStatuses\"X\n\x0fMarketsResponse\x12\x45\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x07markets\"\xae\x04\n\x0eSpotMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12N\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\rbaseTokenMeta\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12P\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x08 \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\t \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\n \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0b \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x0c \x01(\tR\x13minQuantityTickSize\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"U\n\x0eMarketResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\"5\n\x14StreamMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xa1\x01\n\x15StreamMarketsResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"f\n\x13OrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"\xcc\x01\n\x14SpotLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x04\x62uys\x12=\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2R\norderbooks\"\x8a\x01\n\x1aSingleSpotLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xce\x01\n\x19StreamOrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xed\x01\n\x1dStreamOrderbookUpdateResponse\x12j\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\xf7\x01\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12\x43\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x83\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x92\x01\n\x0eOrdersResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x89\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x9e\x01\n\x14StreamOrdersResponse\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8d\x01\n\x0eTradesResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb2\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12=\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x99\x01\n\x14StreamTradesResponse\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8f\x01\n\x10TradesV2Response\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x16StreamTradesV2Response\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xa0\x01\n\x1cSubaccountOrdersListResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"^\n\x1cSubaccountTradesListResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\"\xb6\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05state\x18\t \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\n \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\x0b \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x15OrdersHistoryResponse\x12\x45\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xa7\x01\n\x1bStreamOrdersHistoryResponse\x12\x43\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x01\n\x18\x41tomicSwapHistoryRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x05 \x01(\x11R\nfromNumber\x12\x1b\n\tto_number\x18\x06 \x01(\x11R\x08toNumber\"\x95\x01\n\x19\x41tomicSwapHistoryResponse\x12;\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\x12;\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwapR\x04\x64\x61ta\"\xe0\x03\n\nAtomicSwap\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05route\x18\x02 \x01(\tR\x05route\x12\x42\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\nsourceCoin\x12>\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x08\x64\x65stCoin\x12\x35\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x04\x66\x65\x65s\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\x12&\n\x0findex_by_sender\x18\x07 \x01(\x11R\rindexBySender\x12\x37\n\x18index_by_sender_contract\x18\x08 \x01(\x11R\x15indexBySenderContract\x12\x17\n\x07tx_hash\x18\t \x01(\tR\x06txHash\x12\x1f\n\x0b\x65xecuted_at\x18\n \x01(\x12R\nexecutedAt\x12#\n\rrefund_amount\x18\x0b \x01(\tR\x0crefundAmount\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB\xe0\x01\n\x1f\x63om.injective_spot_exchange_rpcB\x1dInjectiveSpotExchangeRpcProtoP\x01Z\x1e/injective_spot_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x18InjectiveSpotExchangeRpc\xca\x02\x18InjectiveSpotExchangeRpc\xe2\x02$InjectiveSpotExchangeRpc\\GPBMetadata\xea\x02\x18InjectiveSpotExchangeRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"i\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x04 \x03(\t\"O\n\x0fMarketsResponse\x12<\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"\x81\x03\n\x0eSpotMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12?\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12@\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x08 \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\t \x01(\t\x12\x1c\n\x14service_provider_fee\x18\n \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0b \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x0c \x01(\t\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"M\n\x0eMarketResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"*\n\x14StreamMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x7f\n\x15StreamMarketsResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"[\n\x13OrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\"\xaa\x01\n\x14SpotLimitOrderbookV2\x12\x35\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x36\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"c\n\x14OrderbooksV2Response\x12K\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2\"u\n\x1aSingleSpotLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x9f\x01\n\x19StreamOrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb2\x01\n\x1dStreamOrderbookUpdateResponse\x12S\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xcb\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12;\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12<\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xfe\x01\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\x82\x01\n\x0eOrdersResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\x84\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"}\n\x14StreamOrdersResponse\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"}\n\x0eTradesResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa8\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x36\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"x\n\x14StreamTradesResponse\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x7f\n\x10TradesV2Response\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"z\n\x16StreamTradesV2Response\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\x90\x01\n\x1cSubaccountOrdersListResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"V\n\x1cSubaccountTradesListResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\"\xa3\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\r\n\x05state\x18\t \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\n \x03(\t\x12\x12\n\nmarket_ids\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8b\x01\n\x15OrdersHistoryResponse\x12=\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x86\x01\n\x1bStreamOrdersHistoryResponse\x12<\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x8a\x01\n\x18\x41tomicSwapHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x05 \x01(\x11\x12\x11\n\tto_number\x18\x06 \x01(\x11\"\x87\x01\n\x19\x41tomicSwapHistoryResponse\x12\x33\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwap\"\xdc\x02\n\nAtomicSwap\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05route\x18\x02 \x01(\t\x12\x36\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x34\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12/\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\x12\x17\n\x0findex_by_sender\x18\x07 \x01(\x11\x12 \n\x18index_by_sender_contract\x18\x08 \x01(\x11\x12\x0f\n\x07tx_hash\x18\t \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\n \x01(\x12\x12\x15\n\rrefund_amount\x18\x0b \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB Z\x1e/injective_spot_exchange_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_spot_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective_spot_exchange_rpcB\035InjectiveSpotExchangeRpcProtoP\001Z\036/injective_spot_exchange_rpcpb\242\002\003IXX\252\002\030InjectiveSpotExchangeRpc\312\002\030InjectiveSpotExchangeRpc\342\002$InjectiveSpotExchangeRpc\\GPBMetadata\352\002\030InjectiveSpotExchangeRpc' - _globals['_MARKETSREQUEST']._serialized_start=76 - _globals['_MARKETSREQUEST']._serialized_end=234 - _globals['_MARKETSRESPONSE']._serialized_start=236 - _globals['_MARKETSRESPONSE']._serialized_end=324 - _globals['_SPOTMARKETINFO']._serialized_start=327 - _globals['_SPOTMARKETINFO']._serialized_end=885 - _globals['_TOKENMETA']._serialized_start=888 - _globals['_TOKENMETA']._serialized_end=1048 - _globals['_MARKETREQUEST']._serialized_start=1050 - _globals['_MARKETREQUEST']._serialized_end=1094 - _globals['_MARKETRESPONSE']._serialized_start=1096 - _globals['_MARKETRESPONSE']._serialized_end=1181 - _globals['_STREAMMARKETSREQUEST']._serialized_start=1183 - _globals['_STREAMMARKETSREQUEST']._serialized_end=1236 - _globals['_STREAMMARKETSRESPONSE']._serialized_start=1239 - _globals['_STREAMMARKETSRESPONSE']._serialized_end=1400 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=1402 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=1451 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1453 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1555 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1558 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1762 - _globals['_PRICELEVEL']._serialized_start=1764 - _globals['_PRICELEVEL']._serialized_end=1856 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1858 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1910 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1912 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=2023 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=2026 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=2164 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=2166 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=2223 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=2226 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=2432 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=2434 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=2495 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=2498 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2735 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2738 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2985 - _globals['_PRICELEVELUPDATE']._serialized_start=2987 - _globals['_PRICELEVELUPDATE']._serialized_end=3114 - _globals['_ORDERSREQUEST']._serialized_start=3117 - _globals['_ORDERSREQUEST']._serialized_end=3504 - _globals['_ORDERSRESPONSE']._serialized_start=3507 - _globals['_ORDERSRESPONSE']._serialized_end=3653 - _globals['_SPOTLIMITORDER']._serialized_start=3656 - _globals['_SPOTLIMITORDER']._serialized_end=4096 - _globals['_PAGING']._serialized_start=4099 - _globals['_PAGING']._serialized_end=4233 - _globals['_STREAMORDERSREQUEST']._serialized_start=4236 - _globals['_STREAMORDERSREQUEST']._serialized_end=4629 - _globals['_STREAMORDERSRESPONSE']._serialized_start=4632 - _globals['_STREAMORDERSRESPONSE']._serialized_end=4790 - _globals['_TRADESREQUEST']._serialized_start=4793 - _globals['_TRADESREQUEST']._serialized_end=5240 - _globals['_TRADESRESPONSE']._serialized_start=5243 - _globals['_TRADESRESPONSE']._serialized_end=5384 - _globals['_SPOTTRADE']._serialized_start=5387 - _globals['_SPOTTRADE']._serialized_end=5821 - _globals['_STREAMTRADESREQUEST']._serialized_start=5824 - _globals['_STREAMTRADESREQUEST']._serialized_end=6277 - _globals['_STREAMTRADESRESPONSE']._serialized_start=6280 - _globals['_STREAMTRADESRESPONSE']._serialized_end=6433 - _globals['_TRADESV2REQUEST']._serialized_start=6436 - _globals['_TRADESV2REQUEST']._serialized_end=6885 - _globals['_TRADESV2RESPONSE']._serialized_start=6888 - _globals['_TRADESV2RESPONSE']._serialized_end=7031 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=7034 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=7489 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=7492 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=7647 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=7650 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=7787 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=7790 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=7950 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=7953 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=8159 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=8161 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=8255 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=8258 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=8696 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=8699 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=8854 - _globals['_SPOTORDERHISTORY']._serialized_start=8857 - _globals['_SPOTORDERHISTORY']._serialized_end=9356 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=9359 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=9579 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=9582 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=9749 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=9752 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=9951 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=9954 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=10103 - _globals['_ATOMICSWAP']._serialized_start=10106 - _globals['_ATOMICSWAP']._serialized_end=10586 - _globals['_COIN']._serialized_start=10588 - _globals['_COIN']._serialized_end=10640 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=10643 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=12849 + _globals['DESCRIPTOR']._serialized_options = b'Z\036/injective_spot_exchange_rpcpb' + _globals['_MARKETSREQUEST']._serialized_start=75 + _globals['_MARKETSREQUEST']._serialized_end=180 + _globals['_MARKETSRESPONSE']._serialized_start=182 + _globals['_MARKETSRESPONSE']._serialized_end=261 + _globals['_SPOTMARKETINFO']._serialized_start=264 + _globals['_SPOTMARKETINFO']._serialized_end=649 + _globals['_TOKENMETA']._serialized_start=651 + _globals['_TOKENMETA']._serialized_end=761 + _globals['_MARKETREQUEST']._serialized_start=763 + _globals['_MARKETREQUEST']._serialized_end=797 + _globals['_MARKETRESPONSE']._serialized_start=799 + _globals['_MARKETRESPONSE']._serialized_end=876 + _globals['_STREAMMARKETSREQUEST']._serialized_start=878 + _globals['_STREAMMARKETSREQUEST']._serialized_end=920 + _globals['_STREAMMARKETSRESPONSE']._serialized_start=922 + _globals['_STREAMMARKETSRESPONSE']._serialized_end=1049 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=1051 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=1090 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1092 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1183 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1186 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1356 + _globals['_PRICELEVEL']._serialized_start=1358 + _globals['_PRICELEVEL']._serialized_end=1422 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1424 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1465 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1467 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=1566 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=1568 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=1685 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=1687 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=1733 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=1736 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=1895 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=1897 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=1947 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=1950 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2128 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2131 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2334 + _globals['_PRICELEVELUPDATE']._serialized_start=2336 + _globals['_PRICELEVELUPDATE']._serialized_end=2425 + _globals['_ORDERSREQUEST']._serialized_start=2428 + _globals['_ORDERSREQUEST']._serialized_end=2682 + _globals['_ORDERSRESPONSE']._serialized_start=2685 + _globals['_ORDERSRESPONSE']._serialized_end=2815 + _globals['_SPOTLIMITORDER']._serialized_start=2818 + _globals['_SPOTLIMITORDER']._serialized_end=3107 + _globals['_PAGING']._serialized_start=3109 + _globals['_PAGING']._serialized_end=3201 + _globals['_STREAMORDERSREQUEST']._serialized_start=3204 + _globals['_STREAMORDERSREQUEST']._serialized_end=3464 + _globals['_STREAMORDERSRESPONSE']._serialized_start=3466 + _globals['_STREAMORDERSRESPONSE']._serialized_end=3591 + _globals['_TRADESREQUEST']._serialized_start=3594 + _globals['_TRADESREQUEST']._serialized_end=3886 + _globals['_TRADESRESPONSE']._serialized_start=3888 + _globals['_TRADESRESPONSE']._serialized_end=4013 + _globals['_SPOTTRADE']._serialized_start=4016 + _globals['_SPOTTRADE']._serialized_end=4312 + _globals['_STREAMTRADESREQUEST']._serialized_start=4315 + _globals['_STREAMTRADESREQUEST']._serialized_end=4613 + _globals['_STREAMTRADESRESPONSE']._serialized_start=4615 + _globals['_STREAMTRADESRESPONSE']._serialized_end=4735 + _globals['_TRADESV2REQUEST']._serialized_start=4738 + _globals['_TRADESV2REQUEST']._serialized_end=5032 + _globals['_TRADESV2RESPONSE']._serialized_start=5034 + _globals['_TRADESV2RESPONSE']._serialized_end=5161 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=5164 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=5464 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=5466 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=5588 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=5590 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=5690 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=5693 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=5837 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=5840 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=5983 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=5985 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=6071 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=6074 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=6365 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=6368 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=6507 + _globals['_SPOTORDERHISTORY']._serialized_start=6510 + _globals['_SPOTORDERHISTORY']._serialized_end=6838 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=6841 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=6991 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=6994 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=7128 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=7131 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=7269 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=7272 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=7407 + _globals['_ATOMICSWAP']._serialized_start=7410 + _globals['_ATOMICSWAP']._serialized_end=7758 + _globals['_COIN']._serialized_start=7760 + _globals['_COIN']._serialized_end=7797 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=7800 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=10006 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index 5559f838..8aaa3133 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveSpotExchangeRPCStub(object): """InjectiveSpotExchangeRPC defines gRPC API of Spot Exchange provider. diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py index 14c01ce6..efc752c9 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_trading_rpc.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'exchange/injective_trading_rpc.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,24 +14,24 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xf6\x02\n\x1cListTradingStrategiesRequest\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12+\n\x11pending_execution\x18\x05 \x01(\x08R\x10pendingExecution\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05limit\x18\x08 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\t \x01(\x04R\x04skip\x12#\n\rstrategy_type\x18\n \x03(\tR\x0cstrategyType\x12\x1f\n\x0bmarket_type\x18\x0b \x01(\tR\nmarketType\"\x9e\x01\n\x1dListTradingStrategiesResponse\x12\x46\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategyR\nstrategies\x12\x35\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.PagingR\x06paging\"\xd9\n\n\x0fTradingStrategy\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12)\n\x10\x63ontract_address\x18\x05 \x01(\tR\x0f\x63ontractAddress\x12\'\n\x0f\x65xecution_price\x18\x06 \x01(\tR\x0e\x65xecutionPrice\x12#\n\rbase_quantity\x18\x07 \x01(\tR\x0c\x62\x61seQuantity\x12%\n\x0equote_quantity\x18\x14 \x01(\tR\rquoteQuantity\x12\x1f\n\x0blower_bound\x18\x08 \x01(\tR\nlowerBound\x12\x1f\n\x0bupper_bound\x18\t \x01(\tR\nupperBound\x12\x1b\n\tstop_loss\x18\n \x01(\tR\x08stopLoss\x12\x1f\n\x0btake_profit\x18\x0b \x01(\tR\ntakeProfit\x12\x19\n\x08swap_fee\x18\x0c \x01(\tR\x07swapFee\x12!\n\x0c\x62\x61se_deposit\x18\x11 \x01(\tR\x0b\x62\x61seDeposit\x12#\n\rquote_deposit\x18\x12 \x01(\tR\x0cquoteDeposit\x12(\n\x10market_mid_price\x18\x13 \x01(\tR\x0emarketMidPrice\x12>\n\x1bsubscription_quote_quantity\x18\x15 \x01(\tR\x19subscriptionQuoteQuantity\x12<\n\x1asubscription_base_quantity\x18\x16 \x01(\tR\x18subscriptionBaseQuantity\x12\x31\n\x15number_of_grid_levels\x18\x17 \x01(\tR\x12numberOfGridLevels\x12<\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08R\x17shouldExitWithQuoteOnly\x12\x1f\n\x0bstop_reason\x18\x19 \x01(\tR\nstopReason\x12+\n\x11pending_execution\x18\x1a \x01(\x08R\x10pendingExecution\x12%\n\x0e\x63reated_height\x18\r \x01(\x12R\rcreatedHeight\x12%\n\x0eremoved_height\x18\x0e \x01(\x12R\rremovedHeight\x12\x1d\n\ncreated_at\x18\x0f \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\x12R\tupdatedAt\x12\x1b\n\texit_type\x18\x1b \x01(\tR\x08\x65xitType\x12K\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x0estopLossConfig\x12O\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x10takeProfitConfig\x12#\n\rstrategy_type\x18\x1e \x01(\tR\x0cstrategyType\x12)\n\x10\x63ontract_version\x18\x1f \x01(\tR\x0f\x63ontractVersion\x12#\n\rcontract_name\x18 \x01(\tR\x0c\x63ontractName\x12\x1f\n\x0bmarket_type\x18! \x01(\tR\nmarketType\"H\n\nExitConfig\x12\x1b\n\texit_type\x18\x01 \x01(\tR\x08\x65xitType\x12\x1d\n\nexit_price\x18\x02 \x01(\tR\texitPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\xbb\x01\n\x19\x63om.injective_trading_rpcB\x18InjectiveTradingRpcProtoP\x01Z\x18/injective_trading_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveTradingRpc\xca\x02\x13InjectiveTradingRpc\xe2\x02\x1fInjectiveTradingRpc\\GPBMetadata\xea\x02\x13InjectiveTradingRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xfa\x01\n\x1cListTradingStrategiesRequest\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x19\n\x11pending_execution\x18\x05 \x01(\x08\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\r\n\x05limit\x18\x08 \x01(\x11\x12\x0c\n\x04skip\x18\t \x01(\x04\x12\x15\n\rstrategy_type\x18\n \x03(\t\x12\x13\n\x0bmarket_type\x18\x0b \x01(\t\"\x8a\x01\n\x1dListTradingStrategiesResponse\x12:\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategy\x12-\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.Paging\"\xf1\x06\n\x0fTradingStrategy\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x06 \x01(\t\x12\x15\n\rbase_quantity\x18\x07 \x01(\t\x12\x16\n\x0equote_quantity\x18\x14 \x01(\t\x12\x13\n\x0blower_bound\x18\x08 \x01(\t\x12\x13\n\x0bupper_bound\x18\t \x01(\t\x12\x11\n\tstop_loss\x18\n \x01(\t\x12\x13\n\x0btake_profit\x18\x0b \x01(\t\x12\x10\n\x08swap_fee\x18\x0c \x01(\t\x12\x14\n\x0c\x62\x61se_deposit\x18\x11 \x01(\t\x12\x15\n\rquote_deposit\x18\x12 \x01(\t\x12\x18\n\x10market_mid_price\x18\x13 \x01(\t\x12#\n\x1bsubscription_quote_quantity\x18\x15 \x01(\t\x12\"\n\x1asubscription_base_quantity\x18\x16 \x01(\t\x12\x1d\n\x15number_of_grid_levels\x18\x17 \x01(\t\x12#\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08\x12\x13\n\x0bstop_reason\x18\x19 \x01(\t\x12\x19\n\x11pending_execution\x18\x1a \x01(\x08\x12\x16\n\x0e\x63reated_height\x18\r \x01(\x12\x12\x16\n\x0eremoved_height\x18\x0e \x01(\x12\x12\x12\n\ncreated_at\x18\x0f \x01(\x12\x12\x12\n\nupdated_at\x18\x10 \x01(\x12\x12\x11\n\texit_type\x18\x1b \x01(\t\x12;\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12=\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12\x15\n\rstrategy_type\x18\x1e \x01(\t\x12\x18\n\x10\x63ontract_version\x18\x1f \x01(\t\x12\x15\n\rcontract_name\x18 \x01(\t\x12\x13\n\x0bmarket_type\x18! \x01(\t\"3\n\nExitConfig\x12\x11\n\texit_type\x18\x01 \x01(\t\x12\x12\n\nexit_price\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\x1aZ\x18/injective_trading_rpcpbb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_trading_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_trading_rpcB\030InjectiveTradingRpcProtoP\001Z\030/injective_trading_rpcpb\242\002\003IXX\252\002\023InjectiveTradingRpc\312\002\023InjectiveTradingRpc\342\002\037InjectiveTradingRpc\\GPBMetadata\352\002\023InjectiveTradingRpc' + _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_trading_rpcpb' _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_start=64 - _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=438 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=441 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=599 - _globals['_TRADINGSTRATEGY']._serialized_start=602 - _globals['_TRADINGSTRATEGY']._serialized_end=1971 - _globals['_EXITCONFIG']._serialized_start=1973 - _globals['_EXITCONFIG']._serialized_end=2045 - _globals['_PAGING']._serialized_start=2048 - _globals['_PAGING']._serialized_end=2182 - _globals['_INJECTIVETRADINGRPC']._serialized_start=2185 - _globals['_INJECTIVETRADINGRPC']._serialized_end=2339 + _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=314 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=317 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=455 + _globals['_TRADINGSTRATEGY']._serialized_start=458 + _globals['_TRADINGSTRATEGY']._serialized_end=1339 + _globals['_EXITCONFIG']._serialized_start=1341 + _globals['_EXITCONFIG']._serialized_end=1392 + _globals['_PAGING']._serialized_start=1394 + _globals['_PAGING']._serialized_end=1486 + _globals['_INJECTIVETRADINGRPC']._serialized_start=1489 + _globals['_INJECTIVETRADINGRPC']._serialized_end=1643 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index f0c3e8df..40d33450 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class InjectiveTradingRPCStub(object): """InjectiveTradingStrategiesRPC defined a gRPC service for Injective Trading diff --git a/pyinjective/proto/gogoproto/gogo_pb2.py b/pyinjective/proto/gogoproto/gogo_pb2.py index daec3358..a295b103 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2.py +++ b/pyinjective/proto/gogoproto/gogo_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: gogoproto/gogo.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'gogoproto/gogo.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -25,12 +15,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:N\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08R\x11goprotoEnumPrefix:R\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08R\x13goprotoEnumStringer:C\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08R\x0c\x65numStringer:G\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\tR\x0e\x65numCustomname::\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08R\x08\x65numdecl:V\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\tR\x13\x65numvalueCustomname:N\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08R\x11goprotoGettersAll:U\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08R\x14goprotoEnumPrefixAll:P\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08R\x12goprotoStringerAll:J\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08R\x0fverboseEqualAll:9\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08R\x07\x66\x61\x63\x65\x41ll:A\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08R\x0bgostringAll:A\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08R\x0bpopulateAll:A\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08R\x0bstringerAll:?\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08R\nonlyoneAll:;\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08R\x08\x65qualAll:G\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08R\x0e\x64\x65scriptionAll:?\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08R\ntestgenAll:A\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08R\x0b\x62\x65nchgenAll:C\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08R\x0cmarshalerAll:G\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08R\x0eunmarshalerAll:P\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08R\x12stableMarshalerAll:;\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08R\x08sizerAll:Y\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08R\x16goprotoEnumStringerAll:J\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08R\x0f\x65numStringerAll:P\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08R\x12unsafeMarshalerAll:T\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08R\x14unsafeUnmarshalerAll:[\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08R\x17goprotoExtensionsMapAll:X\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08R\x16goprotoUnrecognizedAll:I\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08R\x0fgogoprotoImport:E\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08R\rprotosizerAll:?\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08R\ncompareAll:A\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08R\x0btypedeclAll:A\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08R\x0b\x65numdeclAll:Q\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08R\x13goprotoRegistration:G\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08R\x0emessagenameAll:R\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08R\x13goprotoSizecacheAll:N\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08R\x11goprotoUnkeyedAll:J\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08R\x0egoprotoGetters:L\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08R\x0fgoprotoStringer:F\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08R\x0cverboseEqual:5\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08R\x04\x66\x61\x63\x65:=\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08R\x08gostring:=\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08R\x08populate:=\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08R\x08stringer:;\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08R\x07onlyone:7\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08R\x05\x65qual:C\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08R\x0b\x64\x65scription:;\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08R\x07testgen:=\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08R\x08\x62\x65nchgen:?\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08R\tmarshaler:C\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08R\x0bunmarshaler:L\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08R\x0fstableMarshaler:7\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08R\x05sizer:L\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08R\x0funsafeMarshaler:P\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08R\x11unsafeUnmarshaler:W\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08R\x14goprotoExtensionsMap:T\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08R\x13goprotoUnrecognized:A\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08R\nprotosizer:;\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08R\x07\x63ompare:=\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08R\x08typedecl:C\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08R\x0bmessagename:N\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08R\x10goprotoSizecache:J\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08R\x0egoprotoUnkeyed:;\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08R\x08nullable:5\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08R\x05\x65mbed:?\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\tR\ncustomtype:?\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\tR\ncustomname:9\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\tR\x07jsontag:;\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\tR\x08moretags:;\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\tR\x08\x63\x61sttype:9\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\tR\x07\x63\x61stkey:=\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\tR\tcastvalue:9\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08R\x07stdtime:A\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08R\x0bstdduration:?\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08R\nwktpointer:C\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tR\x0c\x63\x61strepeatedB\x85\x01\n\rcom.gogoprotoB\tGogoProtoP\x01Z%github.com/cosmos/gogoproto/gogoproto\xa2\x02\x03GXX\xaa\x02\tGogoproto\xca\x02\tGogoproto\xe2\x02\x15Gogoproto\\GPBMetadata\xea\x02\tGogoproto') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:;\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08:=\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08:5\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08:7\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\t:0\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08:A\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\t:;\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08:?\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08:<\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08:9\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08:0\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08:4\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08:4\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08:4\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08:3\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08:1\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08:7\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08:3\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08:4\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08:5\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08:7\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08:<\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08:1\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08:A\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08:9\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08:<\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08:>\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08:B\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08:@\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08:8\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08:6\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08:3\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08:4\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08:4\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08:<\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08:7\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08:=\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08:;\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08::\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08:;\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08:8\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08:/\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08:3\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08:3\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08:3\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08:2\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08:0\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08:6\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08:2\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08:3\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08:4\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08:6\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08:;\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08:0\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08:;\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08:=\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08:A\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08:?\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08:5\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08:2\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08:3\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08:6\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08:<\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08::\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08:1\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08:.\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08:3\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\t:3\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\t:0\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\t:1\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\t:1\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\t:0\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\t:2\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\t:0\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08:4\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08:3\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08:5\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tBH\n\x13\x63om.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'gogoproto.gogo_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\rcom.gogoprotoB\tGogoProtoP\001Z%github.com/cosmos/gogoproto/gogoproto\242\002\003GXX\252\002\tGogoproto\312\002\tGogoproto\342\002\025Gogoproto\\GPBMetadata\352\002\tGogoproto' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index 2daafffe..f29e834c 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index 99063bdc..7a7930ca 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -1,37 +1,27 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/annotations.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'google/api/annotations.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import http_pb2 as google_dot_api_dot_http__pb2 +from google.api import http_pb2 as google_dot_api_dot_http__pb2 from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:K\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleR\x04httpB\xae\x01\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:E\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleBn\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x04GAPIb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.annotations_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\004GAPI' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index 2daafffe..aff8bf22 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/google/api/http_pb2.py b/pyinjective/proto/google/api/http_pb2.py index d4cb2ce9..13a56dac 100644 --- a/pyinjective/proto/google/api/http_pb2.py +++ b/pyinjective/proto/google/api/http_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/http.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'google/api/http.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,18 +14,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"y\n\x04Http\x12*\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRuleR\x05rules\x12\x45\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08R\x1c\x66ullyDecodeReservedExpansion\"\xda\x02\n\x08HttpRule\x12\x1a\n\x08selector\x18\x01 \x01(\tR\x08selector\x12\x12\n\x03get\x18\x02 \x01(\tH\x00R\x03get\x12\x12\n\x03put\x18\x03 \x01(\tH\x00R\x03put\x12\x14\n\x04post\x18\x04 \x01(\tH\x00R\x04post\x12\x18\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00R\x06\x64\x65lete\x12\x16\n\x05patch\x18\x06 \x01(\tH\x00R\x05patch\x12\x37\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00R\x06\x63ustom\x12\x12\n\x04\x62ody\x18\x07 \x01(\tR\x04\x62ody\x12#\n\rresponse_body\x18\x0c \x01(\tR\x0cresponseBody\x12\x45\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleR\x12\x61\x64\x64itionalBindingsB\t\n\x07pattern\";\n\x11\x43ustomHttpPattern\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x12\n\x04path\x18\x02 \x01(\tR\x04pathB\xaa\x01\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"T\n\x04Http\x12#\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRule\x12\'\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08\"\x81\x02\n\x08HttpRule\x12\x10\n\x08selector\x18\x01 \x01(\t\x12\r\n\x03get\x18\x02 \x01(\tH\x00\x12\r\n\x03put\x18\x03 \x01(\tH\x00\x12\x0e\n\x04post\x18\x04 \x01(\tH\x00\x12\x10\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00\x12\x0f\n\x05patch\x18\x06 \x01(\tH\x00\x12/\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00\x12\x0c\n\x04\x62ody\x18\x07 \x01(\t\x12\x15\n\rresponse_body\x18\x0c \x01(\t\x12\x31\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleB\t\n\x07pattern\"/\n\x11\x43ustomHttpPattern\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x0c\n\x04path\x18\x02 \x01(\tBj\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x04GAPIb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.http_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\004GAPI' _globals['_HTTP']._serialized_start=37 - _globals['_HTTP']._serialized_end=158 - _globals['_HTTPRULE']._serialized_start=161 - _globals['_HTTPRULE']._serialized_end=507 - _globals['_CUSTOMHTTPPATTERN']._serialized_start=509 - _globals['_CUSTOMHTTPPATTERN']._serialized_end=568 + _globals['_HTTP']._serialized_end=121 + _globals['_HTTPRULE']._serialized_start=124 + _globals['_HTTPRULE']._serialized_end=381 + _globals['_CUSTOMHTTPPATTERN']._serialized_start=383 + _globals['_CUSTOMHTTPPATTERN']._serialized_end=430 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/http_pb2_grpc.py b/pyinjective/proto/google/api/http_pb2_grpc.py index 2daafffe..b9a887d8 100644 --- a/pyinjective/proto/google/api/http_pb2_grpc.py +++ b/pyinjective/proto/google/api/http_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in google/api/http_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index e2c1494a..cdbd63cd 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/ack.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"\xbc\x01\n\x1bIncentivizedAcknowledgement\x12/\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0cR\x12\x61ppAcknowledgement\x12\x36\n\x17\x66orward_relayer_address\x18\x02 \x01(\tR\x15\x66orwardRelayerAddress\x12\x34\n\x16underlying_app_success\x18\x03 \x01(\x08R\x14underlyingAppSuccessB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x41\x63kProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010AckProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=63 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=251 + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 2daafffe..3436a5f1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index 35d3e5d2..bab1a197 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/fee.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xf4\x02\n\x03\x46\x65\x65\x12w\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x07recvFee\x12u\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x06\x61\x63kFee\x12}\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\ntimeoutFee\"\x99\x01\n\tPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00R\x03\x66\x65\x65\x12%\n\x0erefund_address\x18\x02 \x01(\tR\rrefundAddress\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:\x13\x82\xe7\xb0*\x0erefund_address\"W\n\nPacketFees\x12I\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFees\"\xa3\x01\n\x14IdentifiedPacketFees\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12I\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFeesB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x46\x65\x65ProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010FeeProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None @@ -54,11 +44,11 @@ _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' _globals['_FEE']._serialized_start=196 - _globals['_FEE']._serialized_end=568 - _globals['_PACKETFEE']._serialized_start=571 - _globals['_PACKETFEE']._serialized_end=724 - _globals['_PACKETFEES']._serialized_start=726 - _globals['_PACKETFEES']._serialized_end=813 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=816 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=979 + _globals['_FEE']._serialized_end=539 + _globals['_PACKETFEE']._serialized_start=541 + _globals['_PACKETFEE']._serialized_end=664 + _globals['_PACKETFEES']._serialized_start=666 + _globals['_PACKETFEES']._serialized_end=741 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 2daafffe..7bf8f9b7 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index 2a1dbe17..f783ad91 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x91\x04\n\x0cGenesisState\x12\\\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x0eidentifiedFees\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12[\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00R\x10registeredPayees\x12\x80\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00R\x1cregisteredCounterpartyPayees\x12_\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00R\x0f\x66orwardRelayers\"K\n\x11\x46\x65\x65\x45nabledChannel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"`\n\x0fRegisteredPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x03 \x01(\tR\x05payee\"\x85\x01\n\x1bRegisteredCounterpartyPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x03 \x01(\tR\x11\x63ounterpartyPayee\"s\n\x15\x46orwardRelayerAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetIdB\xe1\x01\n\x1b\x63om.ibc.applications.fee.v1B\x0cGenesisProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\014GenesisProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None @@ -48,13 +38,13 @@ _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=688 - _globals['_FEEENABLEDCHANNEL']._serialized_start=690 - _globals['_FEEENABLEDCHANNEL']._serialized_end=765 - _globals['_REGISTEREDPAYEE']._serialized_start=767 - _globals['_REGISTEREDPAYEE']._serialized_end=863 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=866 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=999 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=1001 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=1116 + _globals['_GENESISSTATE']._serialized_end=586 + _globals['_FEEENABLEDCHANNEL']._serialized_start=588 + _globals['_FEEENABLEDCHANNEL']._serialized_end=644 + _globals['_REGISTEREDPAYEE']._serialized_start=646 + _globals['_REGISTEREDPAYEE']._serialized_end=715 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index 2daafffe..fa8a53fb 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index 10905d4d..fb919113 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/metadata.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"L\n\x08Metadata\x12\x1f\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tR\nfeeVersion\x12\x1f\n\x0b\x61pp_version\x18\x02 \x01(\tR\nappVersionB\xe2\x01\n\x1b\x63om.ibc.applications.fee.v1B\rMetadataProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\rMetadataProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_METADATA']._serialized_start=67 - _globals['_METADATA']._serialized_end=143 + _globals['_METADATA']._serialized_end=119 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 2daafffe..5e282d9e 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index a50fb07e..356a52c5 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x1fQueryIncentivizedPacketsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xd3\x01\n QueryIncentivizedPacketsResponse\x12\x66\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n\x1eQueryIncentivizedPacketRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\x87\x01\n\x1fQueryIncentivizedPacketResponse\x12\x64\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x12incentivizedPacket\"\xce\x01\n)QueryIncentivizedPacketsForChannelRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12!\n\x0cquery_height\x18\x04 \x01(\x04R\x0bqueryHeight\"\xd7\x01\n*QueryIncentivizedPacketsForChannelResponse\x12`\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesR\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"]\n\x19QueryTotalRecvFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x86\x01\n\x1aQueryTotalRecvFeesResponse\x12h\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08recvFees\"\\\n\x18QueryTotalAckFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x83\x01\n\x19QueryTotalAckFeesResponse\x12\x66\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07\x61\x63kFees\"`\n\x1cQueryTotalTimeoutFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x8f\x01\n\x1dQueryTotalTimeoutFeesResponse\x12n\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x0btimeoutFees\"L\n\x11QueryPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"9\n\x12QueryPayeeResponse\x12#\n\rpayee_address\x18\x01 \x01(\tR\x0cpayeeAddress\"X\n\x1dQueryCounterpartyPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"O\n\x1eQueryCounterpartyPayeeResponse\x12-\n\x12\x63ounterparty_payee\x18\x01 \x01(\tR\x11\x63ounterpartyPayee\"\x8b\x01\n\x1eQueryFeeEnabledChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xce\x01\n\x1fQueryFeeEnabledChannelsResponse\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"W\n\x1dQueryFeeEnabledChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"A\n\x1eQueryFeeEnabledChannelResponse\x12\x1f\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08R\nfeeEnabled2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB\xdf\x01\n\x1b\x63om.ibc.applications.fee.v1B\nQueryProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\nQueryProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None @@ -79,46 +69,46 @@ _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/fee/v1/fee_enabled' _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=302 - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=442 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=445 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=656 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=659 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=792 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=795 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=930 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=933 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=1139 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=1142 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1357 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1359 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1452 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1455 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1589 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1591 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1683 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1686 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1817 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1819 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1915 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1918 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=2061 - _globals['_QUERYPAYEEREQUEST']._serialized_start=2063 - _globals['_QUERYPAYEEREQUEST']._serialized_end=2139 - _globals['_QUERYPAYEERESPONSE']._serialized_start=2141 - _globals['_QUERYPAYEERESPONSE']._serialized_end=2198 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=2200 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2288 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2290 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2369 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2372 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2511 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2514 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2720 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2722 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2809 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2811 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2876 - _globals['_QUERY']._serialized_start=2879 - _globals['_QUERY']._serialized_end=5157 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 + _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 + _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 + _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 + _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 + _globals['_QUERY']._serialized_start=2472 + _globals['_QUERY']._serialized_end=4750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index f0e2ecd1..9a362519 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the ICS29 gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 9d590e73..5599fc25 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/fee/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xac\x01\n\x10MsgRegisterPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x04 \x01(\tR\x05payee:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xdd\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x04 \x01(\tR\x11\x63ounterpartyPayee:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\x82\x02\n\x0fMsgPayPacketFee\x12\x39\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03\x66\x65\x65\x12$\n\x0esource_port_id\x18\x02 \x01(\tR\x0csourcePortId\x12*\n\x11source_channel_id\x18\x03 \x01(\tR\x0fsourceChannelId\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xe4\x01\n\x14MsgPayPacketFeeAsync\x12\x45\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08packetId\x12L\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tpacketFee:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xdc\x01\n\x1b\x63om.ibc.applications.fee.v1B\x07TxProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\007TxProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' _globals['_MSGREGISTERPAYEE']._loaded_options = None _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None @@ -54,21 +44,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERPAYEE']._serialized_start=198 - _globals['_MSGREGISTERPAYEE']._serialized_end=370 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=372 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=398 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=401 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=622 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=624 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=662 - _globals['_MSGPAYPACKETFEE']._serialized_start=665 - _globals['_MSGPAYPACKETFEE']._serialized_end=923 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=925 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=950 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=953 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1181 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1183 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1213 - _globals['_MSG']._serialized_start=1216 - _globals['_MSG']._serialized_end=1718 + _globals['_MSGREGISTERPAYEE']._serialized_end=335 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 + _globals['_MSGPAYPACKETFEE']._serialized_start=583 + _globals['_MSGPAYPACKETFEE']._serialized_end=787 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 + _globals['_MSG']._serialized_start=1059 + _globals['_MSG']._serialized_end=1561 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index a5cf040a..59111557 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ICS29 Msg service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index 67d5fbb5..53e2a4c1 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/controller/v1/controller.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"7\n\x06Params\x12-\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08R\x11\x63ontrollerEnabledB\x84\x03\n6com.ibc.applications.interchain_accounts.controller.v1B\x0f\x43ontrollerProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\017ControllerProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' _globals['_PARAMS']._serialized_start=123 - _globals['_PARAMS']._serialized_end=178 + _globals['_PARAMS']._serialized_end=159 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 2daafffe..8436a09b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index a2e3664d..dba39064 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,51 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/controller/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"Z\n\x1dQueryInterchainAccountRequest\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\":\n\x1eQueryInterchainAccountResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x14\n\x12QueryParamsRequest\"i\n\x13QueryParamsResponse\x12R\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsR\x06params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsB\xff\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=307 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=309 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=367 - _globals['_QUERYPARAMSREQUEST']._serialized_start=369 - _globals['_QUERYPARAMSREQUEST']._serialized_end=389 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=391 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=496 - _globals['_QUERY']._serialized_start=499 - _globals['_QUERY']._serialized_end=1007 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 + _globals['_QUERYPARAMSREQUEST']._serialized_start=339 + _globals['_QUERYPARAMSREQUEST']._serialized_end=359 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 + _globals['_QUERY']._serialized_start=461 + _globals['_QUERY']._serialized_end=969 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index 20b6b332..d3a984a3 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index aeb67f93..e155af64 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/controller/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbb\x01\n\x1cMsgRegisterInterchainAccount\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x36\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"d\n$MsgRegisterInterchainAccountResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId:\x04\x88\xa0\x1f\x00\"\xee\x01\n\tMsgSendTx\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12k\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00R\npacketData\x12)\n\x10relative_timeout\x18\x04 \x01(\x04R\x0frelativeTimeout:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"5\n\x11MsgSendTxResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"\x94\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12X\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfc\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\x07TxProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\007TxProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None @@ -54,17 +44,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=508 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=510 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=610 - _globals['_MSGSENDTX']._serialized_start=613 - _globals['_MSGSENDTX']._serialized_end=851 - _globals['_MSGSENDTXRESPONSE']._serialized_start=853 - _globals['_MSGSENDTXRESPONSE']._serialized_end=906 - _globals['_MSGUPDATEPARAMS']._serialized_start=909 - _globals['_MSGUPDATEPARAMS']._serialized_end=1057 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1059 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1084 - _globals['_MSG']._serialized_start=1087 - _globals['_MSG']._serialized_end=1609 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 + _globals['_MSGSENDTX']._serialized_start=554 + _globals['_MSGSENDTX']._serialized_end=742 + _globals['_MSGSENDTXRESPONSE']._serialized_start=744 + _globals['_MSGSENDTXRESPONSE']._serialized_end=787 + _globals['_MSGUPDATEPARAMS']._serialized_start=790 + _globals['_MSGUPDATEPARAMS']._serialized_end=922 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 + _globals['_MSG']._serialized_start=952 + _globals['_MSG']._serialized_end=1474 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index bc8d5510..567142f8 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the 27-interchain-accounts/controller Msg service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index c49e4fdd..2386f482 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/genesis/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/genesis/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8f\x02\n\x0cGenesisState\x12\x87\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00R\x16\x63ontrollerGenesisState\x12u\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00R\x10hostGenesisState\"\xfd\x02\n\x16\x43ontrollerGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x14\n\x05ports\x18\x03 \x03(\tR\x05ports\x12X\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xef\x02\n\x10HostGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x12\n\x04port\x18\x03 \x01(\tR\x04port\x12R\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xa0\x01\n\rActiveChannel\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12\x32\n\x15is_middleware_enabled\x18\x04 \x01(\x08R\x13isMiddlewareEnabled\"\x84\x01\n\x1bRegisteredInterchainAccount\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddressB\xef\x02\n3com.ibc.applications.interchain_accounts.genesis.v1B\x0cGenesisProtoP\x01ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\xa2\x02\x04IAIG\xaa\x02.Ibc.Applications.InterchainAccounts.Genesis.V1\xca\x02.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\xe2\x02:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\xea\x02\x32Ibc::Applications::InterchainAccounts::Genesis::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n3com.ibc.applications.interchain_accounts.genesis.v1B\014GenesisProtoP\001ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\242\002\004IAIG\252\002.Ibc.Applications.InterchainAccounts.Genesis.V1\312\002.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\342\002:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\352\0022Ibc::Applications::InterchainAccounts::Genesis::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None @@ -52,13 +42,13 @@ _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=534 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=537 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=918 - _globals['_HOSTGENESISSTATE']._serialized_start=921 - _globals['_HOSTGENESISSTATE']._serialized_end=1288 - _globals['_ACTIVECHANNEL']._serialized_start=1291 - _globals['_ACTIVECHANNEL']._serialized_end=1451 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1454 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1586 + _globals['_GENESISSTATE']._serialized_end=491 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 + _globals['_HOSTGENESISSTATE']._serialized_start=826 + _globals['_HOSTGENESISSTATE']._serialized_end=1142 + _globals['_ACTIVECHANNEL']._serialized_start=1144 + _globals['_ACTIVECHANNEL']._serialized_end=1250 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index 2daafffe..fb59b2d9 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index 43d2406a..a33171de 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/host/v1/host.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,16 +14,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"R\n\x06Params\x12!\n\x0chost_enabled\x18\x01 \x01(\x08R\x0bhostEnabled\x12%\n\x0e\x61llow_messages\x18\x02 \x03(\tR\rallowMessages\"6\n\x0cQueryRequest\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61taB\xda\x02\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' _globals['_PARAMS']._serialized_start=105 - _globals['_PARAMS']._serialized_end=187 - _globals['_QUERYREQUEST']._serialized_start=189 - _globals['_QUERYREQUEST']._serialized_end=243 + _globals['_PARAMS']._serialized_end=159 + _globals['_QUERYREQUEST']._serialized_start=161 + _globals['_QUERYREQUEST']._serialized_end=203 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index 2daafffe..f677412a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index 9aa2f61e..07511197 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/host/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"c\n\x13QueryParamsResponse\x12L\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsR\x06params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsB\xdb\x02\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 _globals['_QUERYPARAMSREQUEST']._serialized_end=213 _globals['_QUERYPARAMSRESPONSE']._serialized_start=215 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=314 - _globals['_QUERY']._serialized_start=317 - _globals['_QUERY']._serialized_end=522 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=306 + _globals['_QUERY']._serialized_start=309 + _globals['_QUERY']._serialized_end=514 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index 705d751a..9496fc8b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py index b36a489f..aacfd578 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/host/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8e\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12R\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x95\x01\n\x12MsgModuleQuerySafe\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12V\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequestR\x08requests:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"R\n\x1aMsgModuleQuerySafeResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1c\n\tresponses\x18\x02 \x03(\x0cR\tresponses2\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x02\n0com.ibc.applications.interchain_accounts.host.v1B\x07TxProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"~\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12J\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x83\x01\n\x12MsgModuleQuerySafe\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12L\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequest:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"?\n\x1aMsgModuleQuerySafeResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x11\n\tresponses\x18\x02 \x03(\x0c\x32\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\007TxProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -43,14 +33,14 @@ _globals['_MSGMODULEQUERYSAFE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATEPARAMS']._serialized_start=208 - _globals['_MSGUPDATEPARAMS']._serialized_end=350 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=352 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=377 - _globals['_MSGMODULEQUERYSAFE']._serialized_start=380 - _globals['_MSGMODULEQUERYSAFE']._serialized_end=529 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=531 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=613 - _globals['_MSG']._serialized_start=616 - _globals['_MSG']._serialized_end=939 + _globals['_MSGUPDATEPARAMS']._serialized_start=207 + _globals['_MSGUPDATEPARAMS']._serialized_end=333 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=335 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=360 + _globals['_MSGMODULEQUERYSAFE']._serialized_start=363 + _globals['_MSGMODULEQUERYSAFE']._serialized_end=494 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=496 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=559 + _globals['_MSG']._serialized_start=562 + _globals['_MSG']._serialized_end=885 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py index 67d91a1e..83d86202 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings -from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 +from ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class MsgStub(object): diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 1e0ee02b..26c5ce4d 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/account.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/v1/account.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcb\x01\n\x11InterchainAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12#\n\raccount_owner\x18\x02 \x01(\tR\x0c\x61\x63\x63ountOwner:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIB\xbd\x02\n+com.ibc.applications.interchain_accounts.v1B\x0c\x41\x63\x63ountProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\014AccountProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=383 + _globals['_INTERCHAINACCOUNT']._serialized_end=356 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index 2daafffe..b430af9b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index 5c655152..c9cbc973 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/v1/metadata.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\xdb\x01\n\x08Metadata\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x38\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tR\x16\x63ontrollerConnectionId\x12,\n\x12host_connection_id\x18\x03 \x01(\tR\x10hostConnectionId\x12\x18\n\x07\x61\x64\x64ress\x18\x04 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08\x65ncoding\x18\x05 \x01(\tR\x08\x65ncoding\x12\x17\n\x07tx_type\x18\x06 \x01(\tR\x06txTypeB\xbe\x02\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' _globals['_METADATA']._serialized_start=100 - _globals['_METADATA']._serialized_end=319 + _globals['_METADATA']._serialized_end=241 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index 2daafffe..f6c4f460 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index 016c4db4..a246e1fe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -1,49 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/packet.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/interchain_accounts/v1/packet.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x1bInterchainAccountPacketData\x12\x41\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.TypeR\x04type\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\"<\n\x08\x43osmosTx\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42\xbc\x02\n+com.ibc.applications.interchain_accounts.v1B\x0bPacketProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\013PacketProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._serialized_options = b'\212\235 \nEXECUTE_TX' - _globals['_TYPE']._serialized_start=347 - _globals['_TYPE']._serialized_end=435 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=147 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=283 - _globals['_COSMOSTX']._serialized_start=285 - _globals['_COSMOSTX']._serialized_end=345 + _globals['_TYPE']._serialized_start=318 + _globals['_TYPE']._serialized_end=406 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=146 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=264 + _globals['_COSMOSTX']._serialized_start=266 + _globals['_COSMOSTX']._serialized_end=316 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 2daafffe..49c27f11 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index de6838f8..5f1c6310 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x91\x02\n\nAllocation\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12l\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nspendLimit\x12\x1d\n\nallow_list\x18\x04 \x03(\tR\tallowList\x12.\n\x13\x61llowed_packet_data\x18\x05 \x03(\tR\x11\x61llowedPacketData\"\x91\x01\n\x15TransferAuthorization\x12P\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00R\x0b\x61llocations:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB\xfa\x01\n com.ibc.applications.transfer.v1B\nAuthzProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nAuthzProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None @@ -42,7 +32,7 @@ _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=429 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=432 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=577 + _globals['_ALLOCATION']._serialized_end=360 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index 2daafffe..ed0ac6b8 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index dd3dfef1..9e7cb61b 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xbc\x02\n\x0cGenesisState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12[\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12\x42\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\rtotalEscrowedB\xfc\x01\n com.ibc.applications.transfer.v1B\x0cGenesisProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\014GenesisProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None @@ -42,5 +32,5 @@ _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=492 + _globals['_GENESISSTATE']._serialized_end=448 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 2daafffe..800ee9cf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 012ab3c1..7bcdf0d5 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\",\n\x16QueryDenomTraceRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"d\n\x17QueryDenomTraceResponse\x12I\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceR\ndenomTrace\"a\n\x17QueryDenomTracesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc0\x01\n\x18QueryDenomTracesResponse\x12[\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsR\x06params\"-\n\x15QueryDenomHashRequest\x12\x14\n\x05trace\x18\x01 \x01(\tR\x05trace\",\n\x16QueryDenomHashResponse\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"S\n\x19QueryEscrowAddressRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"C\n\x1aQueryEscrowAddressResponse\x12%\n\x0e\x65scrow_address\x18\x01 \x01(\tR\rescrowAddress\"7\n\x1fQueryTotalEscrowForDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"[\n QueryTotalEscrowForDenomResponse\x12\x37\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount2\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB\xfa\x01\n com.ibc.applications.transfer.v1B\nQueryProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nQueryProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -54,29 +44,29 @@ _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._serialized_options = b'\202\323\344\223\0026\0224/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrow' _globals['_QUERYDENOMTRACEREQUEST']._serialized_start=247 - _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=291 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=293 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=393 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=395 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=492 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=495 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=687 - _globals['_QUERYPARAMSREQUEST']._serialized_start=689 - _globals['_QUERYPARAMSREQUEST']._serialized_end=709 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=711 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=794 - _globals['_QUERYDENOMHASHREQUEST']._serialized_start=796 - _globals['_QUERYDENOMHASHREQUEST']._serialized_end=841 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=843 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=887 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=889 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=972 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=974 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=1041 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=1043 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=1098 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=1100 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1191 - _globals['_QUERY']._serialized_start=1194 - _globals['_QUERY']._serialized_end=2306 + _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=285 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=287 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=375 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=377 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=462 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=465 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=632 + _globals['_QUERYPARAMSREQUEST']._serialized_start=634 + _globals['_QUERYPARAMSREQUEST']._serialized_end=654 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=656 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=731 + _globals['_QUERYDENOMHASHREQUEST']._serialized_start=733 + _globals['_QUERYDENOMHASHREQUEST']._serialized_end=771 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=773 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=811 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=813 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=877 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=879 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=931 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=933 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=981 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=983 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1066 + _globals['_QUERY']._serialized_start=1069 + _globals['_QUERY']._serialized_end=2181 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index b2f8831e..6c224acb 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 4e11b30e..341de825 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v1/transfer.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,16 +14,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\"?\n\nDenomTrace\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\"T\n\x06Params\x12!\n\x0csend_enabled\x18\x01 \x01(\x08R\x0bsendEnabled\x12\'\n\x0freceive_enabled\x18\x02 \x01(\x08R\x0ereceiveEnabledB\xfd\x01\n com.ibc.applications.transfer.v1B\rTransferProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\rTransferProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_DENOMTRACE']._serialized_start=77 - _globals['_DENOMTRACE']._serialized_end=140 - _globals['_PARAMS']._serialized_start=142 - _globals['_PARAMS']._serialized_end=226 + _globals['_DENOMTRACE']._serialized_end=123 + _globals['_PARAMS']._serialized_start=125 + _globals['_PARAMS']._serialized_end=180 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 2daafffe..283b46bf 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index 41c77cf4..c638e565 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\x80\x03\n\x0bMsgTransfer\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12:\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05token\x12\x16\n\x06sender\x18\x04 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x05 \x01(\tR\x08receiver\x12L\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x07 \x01(\x04R\x10timeoutTimestamp\x12\x12\n\x04memo\x18\x08 \x01(\tR\x04memo:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"7\n\x13MsgTransferResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"~\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n com.ibc.applications.transfer.v1B\x07TxProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\007TxProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None @@ -53,13 +43,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGTRANSFER']._serialized_start=248 - _globals['_MSGTRANSFER']._serialized_end=632 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=634 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=689 - _globals['_MSGUPDATEPARAMS']._serialized_start=691 - _globals['_MSGUPDATEPARAMS']._serialized_end=817 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=819 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=844 - _globals['_MSG']._serialized_start=847 - _globals['_MSG']._serialized_end=1083 + _globals['_MSGTRANSFER']._serialized_end=541 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 + _globals['_MSGUPDATEPARAMS']._serialized_start=590 + _globals['_MSGUPDATEPARAMS']._serialized_end=700 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 + _globals['_MSG']._serialized_start=730 + _globals['_MSG']._serialized_end=966 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index 6b97abb4..c525807a 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/transfer Msg service. diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index bf1b2a5e..78efc002 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v2/packet.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/applications/transfer/v2/packet.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"\x8f\x01\n\x17\x46ungibleTokenPacketData\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\x12\x12\n\x04memo\x18\x05 \x01(\tR\x04memoB\xfb\x01\n com.ibc.applications.transfer.v2B\x0bPacketProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V2\xca\x02\x1cIbc\\Applications\\Transfer\\V2\xe2\x02(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V2b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v2B\013PacketProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V2\312\002\034Ibc\\Applications\\Transfer\\V2\342\002(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V2' - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=76 - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=219 + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 2daafffe..3121fc69 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index 9f287c70..b48462d6 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/channel.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/channel/v1/channel.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb4\x02\n\x07\x43hannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12)\n\x10upgrade_sequence\x18\x06 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xf6\x02\n\x11IdentifiedChannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x17\n\x07port_id\x18\x06 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x07 \x01(\tR\tchannelId\x12)\n\x10upgrade_sequence\x18\x08 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"L\n\x0c\x43ounterparty\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xd8\x02\n\x06Packet\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1f\n\x0bsource_port\x18\x02 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x03 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x04 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x05 \x01(\tR\x12\x64\x65stinationChannel\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12G\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x08 \x01(\x04R\x10timeoutTimestamp:\x04\x88\xa0\x1f\x00\"{\n\x0bPacketState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"d\n\x08PacketId\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"O\n\x0f\x41\x63knowledgement\x12\x18\n\x06result\x18\x15 \x01(\x0cH\x00R\x06result\x12\x16\n\x05\x65rror\x18\x16 \x01(\tH\x00R\x05\x65rrorB\n\n\x08response\"a\n\x07Timeout\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\"U\n\x06Params\x12K\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x0eupgradeTimeout*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0c\x43hannelProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014ChannelProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -80,26 +70,26 @@ _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' - _globals['_STATE']._serialized_start=1721 - _globals['_STATE']._serialized_end=1982 - _globals['_ORDER']._serialized_start=1984 - _globals['_ORDER']._serialized_end=2103 + _globals['_STATE']._serialized_start=1310 + _globals['_STATE']._serialized_end=1571 + _globals['_ORDER']._serialized_start=1573 + _globals['_ORDER']._serialized_end=1692 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=422 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=425 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=799 - _globals['_COUNTERPARTY']._serialized_start=801 - _globals['_COUNTERPARTY']._serialized_end=877 - _globals['_PACKET']._serialized_start=880 - _globals['_PACKET']._serialized_end=1224 - _globals['_PACKETSTATE']._serialized_start=1226 - _globals['_PACKETSTATE']._serialized_end=1349 - _globals['_PACKETID']._serialized_start=1351 - _globals['_PACKETID']._serialized_end=1451 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1453 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1532 - _globals['_TIMEOUT']._serialized_start=1534 - _globals['_TIMEOUT']._serialized_end=1631 - _globals['_PARAMS']._serialized_start=1633 - _globals['_PARAMS']._serialized_end=1718 + _globals['_CHANNEL']._serialized_end=349 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 + _globals['_COUNTERPARTY']._serialized_start=636 + _globals['_COUNTERPARTY']._serialized_end=693 + _globals['_PACKET']._serialized_start=696 + _globals['_PACKET']._serialized_end=927 + _globals['_PACKETSTATE']._serialized_start=929 + _globals['_PACKETSTATE']._serialized_end=1017 + _globals['_PACKETID']._serialized_start=1019 + _globals['_PACKETID']._serialized_end=1090 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 + _globals['_TIMEOUT']._serialized_start=1158 + _globals['_TIMEOUT']._serialized_end=1236 + _globals['_PARAMS']._serialized_start=1238 + _globals['_PARAMS']._serialized_end=1307 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2daafffe..2cee10e1 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index e8c41c86..68c6e425 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/channel/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb2\x05\n\x0cGenesisState\x12]\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannelR\x08\x63hannels\x12R\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x10\x61\x63knowledgements\x12H\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x0b\x63ommitments\x12\x42\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x08receipts\x12P\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rsendSequences\x12P\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rrecvSequences\x12N\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\x0c\x61\x63kSequences\x12\x32\n\x15next_channel_sequence\x18\x08 \x01(\x04R\x13nextChannelSequence\x12\x39\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"d\n\x0ePacketSequence\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequenceB\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cGenesisProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014GenesisProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None @@ -51,7 +41,7 @@ _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=806 - _globals['_PACKETSEQUENCE']._serialized_start=808 - _globals['_PACKETSEQUENCE']._serialized_end=908 + _globals['_GENESISSTATE']._serialized_end=682 + _globals['_PACKETSEQUENCE']._serialized_start=684 + _globals['_PACKETSEQUENCE']._serialized_end=755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index 2daafffe..a34643ef 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index 91b09445..9f704ebb 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/channel/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\"M\n\x13QueryChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa9\x01\n\x14QueryChannelResponse\x12\x36\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"^\n\x14QueryChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n\x15QueryChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x88\x01\n\x1eQueryConnectionChannelsRequest\x12\x1e\n\nconnection\x18\x01 \x01(\tR\nconnection\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe8\x01\n\x1fQueryConnectionChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"X\n\x1eQueryChannelClientStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xdf\x01\n\x1fQueryChannelClientStateResponse\x12\x61\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateR\x15identifiedClientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xad\x01\n!QueryChannelConsensusStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\'\n\x0frevision_number\x18\x03 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x04 \x01(\x04R\x0erevisionHeight\"\xdb\x01\n\"QueryChannelConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"r\n\x1cQueryPacketCommitmentRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x9a\x01\n\x1dQueryPacketCommitmentResponse\x12\x1e\n\ncommitment\x18\x01 \x01(\x0cR\ncommitment\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x9f\x01\n\x1dQueryPacketCommitmentsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe7\x01\n\x1eQueryPacketCommitmentsResponse\x12\x42\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x0b\x63ommitments\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"o\n\x19QueryPacketReceiptRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x93\x01\n\x1aQueryPacketReceiptResponse\x12\x1a\n\x08received\x18\x02 \x01(\x08R\x08received\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"w\n!QueryPacketAcknowledgementRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xa9\x01\n\"QueryPacketAcknowledgementResponse\x12(\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xe4\x01\n\"QueryPacketAcknowledgementsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12>\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04R\x19packetCommitmentSequences\"\xf6\x01\n#QueryPacketAcknowledgementsResponse\x12L\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x10\x61\x63knowledgements\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x97\x01\n\x1dQueryUnreceivedPacketsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12>\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04R\x19packetCommitmentSequences\"x\n\x1eQueryUnreceivedPacketsResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x86\x01\n\x1aQueryUnreceivedAcksRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x30\n\x14packet_ack_sequences\x18\x03 \x03(\x04R\x12packetAckSequences\"u\n\x1bQueryUnreceivedAcksResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"Y\n\x1fQueryNextSequenceReceiveRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xb1\x01\n QueryNextSequenceReceiveResponse\x12\x32\n\x15next_sequence_receive\x18\x01 \x01(\x04R\x13nextSequenceReceive\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"V\n\x1cQueryNextSequenceSendRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa8\x01\n\x1dQueryNextSequenceSendResponse\x12,\n\x12next_sequence_send\x18\x01 \x01(\x04R\x10nextSequenceSend\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"R\n\x18QueryUpgradeErrorRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xc4\x01\n\x19QueryUpgradeErrorResponse\x12L\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"M\n\x13QueryUpgradeRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xaf\x01\n\x14QueryUpgradeResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x1b\n\x19QueryChannelParamsRequest\"Q\n\x1aQueryChannelParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsR\x06params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB\xcf\x01\n\x17\x63om.ibc.core.channel.v1B\nQueryProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\nQueryProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None @@ -110,73 +100,73 @@ _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' _globals['_QUERYCHANNELREQUEST']._serialized_start=282 - _globals['_QUERYCHANNELREQUEST']._serialized_end=359 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=362 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=531 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=533 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=627 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=630 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=852 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=855 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=991 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=994 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1226 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1228 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1316 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1319 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1542 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1545 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1718 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1721 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1940 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1942 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=2056 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=2059 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=2213 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=2216 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=2375 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=2378 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2609 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2611 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2722 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2725 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2872 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2874 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2993 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2996 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=3165 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=3168 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=3396 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=3399 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=3645 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=3648 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3799 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3801 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3921 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3924 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=4058 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=4060 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=4177 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=4179 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=4268 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=4271 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=4448 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=4450 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=4536 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=4539 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=4707 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=4709 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=4791 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=4794 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4990 - _globals['_QUERYUPGRADEREQUEST']._serialized_start=4992 - _globals['_QUERYUPGRADEREQUEST']._serialized_end=5069 - _globals['_QUERYUPGRADERESPONSE']._serialized_start=5072 - _globals['_QUERYUPGRADERESPONSE']._serialized_end=5247 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=5249 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=5276 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=5278 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=5359 - _globals['_QUERY']._serialized_start=5362 - _globals['_QUERY']._serialized_end=8919 + _globals['_QUERYCHANNELREQUEST']._serialized_end=340 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 + _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 + _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 + _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 + _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 + _globals['_QUERY']._serialized_start=4358 + _globals['_QUERY']._serialized_end=7915 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index f6e0e336..e9520c38 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index df3bef0c..df3e0329 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/channel/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"\x94\x01\n\x12MsgChannelOpenInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12<\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgChannelOpenInitResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"\xde\x02\n\x11MsgChannelOpenTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x32\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01R\x11previousChannelId\x12<\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1d\n\nproof_init\x18\x05 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgChannelOpenTryResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xc1\x02\n\x11MsgChannelOpenAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x36\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tR\x15\x63ounterpartyChannelId\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1b\n\tproof_try\x18\x05 \x01(\x0cR\x08proofTry\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xda\x01\n\x15MsgChannelOpenConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1b\n\tproof_ack\x18\x03 \x01(\x0cR\x08proofAck\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"v\n\x13MsgChannelCloseInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xa1\x02\n\x16MsgChannelCloseConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1d\n\nproof_init\x18\x03 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xe3\x01\n\rMsgRecvPacket\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_commitment\x18\x02 \x01(\x0cR\x0fproofCommitment\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"^\n\x15MsgRecvPacketResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x8e\x02\n\nMsgTimeout\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x04 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x12MsgTimeoutResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xfa\x02\n\x11MsgTimeoutOnClose\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x1f\n\x0bproof_close\x18\x03 \x01(\x0cR\nproofClose\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x05 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"b\n\x19MsgTimeoutOnCloseResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x88\x02\n\x12MsgAcknowledgement\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x1f\n\x0bproof_acked\x18\x03 \x01(\x0cR\nproofAcked\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"c\n\x1aMsgAcknowledgementResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x15MsgChannelUpgradeInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12@\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x8e\x01\n\x1dMsgChannelUpgradeInitResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xfd\x03\n\x14MsgChannelUpgradeTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12G\n proposed_upgrade_connection_hops\x18\x03 \x03(\tR\x1dproposedUpgradeConnectionHops\x12h\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x19\x63ounterpartyUpgradeFields\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x06 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x07 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\t \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xce\x01\n\x1cMsgChannelUpgradeTryResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence\x12?\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xdd\x02\n\x14MsgChannelUpgradeAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x05 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n\x1cMsgChannelUpgradeAckResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xbb\x03\n\x18MsgChannelUpgradeConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12U\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x06 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x08 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"i\n MsgChannelUpgradeConfirmResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x80\x03\n\x15MsgChannelUpgradeOpen\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xbc\x02\n\x18MsgChannelUpgradeTimeout\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyChannel\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xbd\x02\n\x17MsgChannelUpgradeCancel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12L\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12.\n\x13proof_error_receipt\x18\x04 \x01(\x0cR\x11proofErrorReceipt\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"~\n\x0fMsgUpdateParams\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\x18MsgPruneAcknowledgements\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x94\x01\n MsgPruneAcknowledgementsResponse\x12\x34\n\x16total_pruned_sequences\x18\x01 \x01(\x04R\x14totalPrunedSequences\x12:\n\x19total_remaining_sequences\x18\x02 \x01(\x04R\x17totalRemainingSequences*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcc\x01\n\x17\x63om.ibc.core.channel.v1B\x07TxProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\007TxProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None @@ -167,84 +157,84 @@ _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_RESPONSERESULTTYPE']._serialized_start=7165 - _globals['_RESPONSERESULTTYPE']._serialized_end=7381 - _globals['_MSGCHANNELOPENINIT']._serialized_start=204 - _globals['_MSGCHANNELOPENINIT']._serialized_end=352 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=354 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=445 - _globals['_MSGCHANNELOPENTRY']._serialized_start=448 - _globals['_MSGCHANNELOPENTRY']._serialized_end=798 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=800 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=890 - _globals['_MSGCHANNELOPENACK']._serialized_start=893 - _globals['_MSGCHANNELOPENACK']._serialized_end=1214 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1216 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1243 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1246 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1464 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1466 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1497 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1499 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1617 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1619 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1648 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1651 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1940 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1942 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1974 - _globals['_MSGRECVPACKET']._serialized_start=1977 - _globals['_MSGRECVPACKET']._serialized_end=2204 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2206 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2300 - _globals['_MSGTIMEOUT']._serialized_start=2303 - _globals['_MSGTIMEOUT']._serialized_end=2573 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2575 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2666 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2669 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3047 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3049 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3147 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3150 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3414 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3416 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3515 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=3518 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=3704 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=3707 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3849 - _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3852 - _globals['_MSGCHANNELUPGRADETRY']._serialized_end=4361 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=4364 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=4570 - _globals['_MSGCHANNELUPGRADEACK']._serialized_start=4573 - _globals['_MSGCHANNELUPGRADEACK']._serialized_end=4922 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=4924 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=5025 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=5028 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=5471 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=5473 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=5578 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=5581 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=5965 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=5967 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=5998 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=6001 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=6317 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=6319 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=6353 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=6356 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=6673 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=6675 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=6708 - _globals['_MSGUPDATEPARAMS']._serialized_start=6710 - _globals['_MSGUPDATEPARAMS']._serialized_end=6836 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=6838 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=6863 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=6866 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=7011 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=7014 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=7162 - _globals['_MSG']._serialized_start=7384 - _globals['_MSG']._serialized_end=9540 + _globals['_RESPONSERESULTTYPE']._serialized_start=5624 + _globals['_RESPONSERESULTTYPE']._serialized_end=5840 + _globals['_MSGCHANNELOPENINIT']._serialized_start=203 + _globals['_MSGCHANNELOPENINIT']._serialized_end=326 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 + _globals['_MSGCHANNELOPENTRY']._serialized_start=402 + _globals['_MSGCHANNELOPENTRY']._serialized_end=663 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 + _globals['_MSGCHANNELOPENACK']._serialized_start=738 + _globals['_MSGCHANNELOPENACK']._serialized_end=965 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 + _globals['_MSGRECVPACKET']._serialized_start=1571 + _globals['_MSGRECVPACKET']._serialized_end=1752 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 + _globals['_MSGTIMEOUT']._serialized_start=1843 + _globals['_MSGTIMEOUT']._serialized_end=2049 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 + _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 + _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 + _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 + _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 + _globals['_MSGUPDATEPARAMS']._serialized_start=5271 + _globals['_MSGUPDATEPARAMS']._serialized_end=5378 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 + _globals['_MSG']._serialized_start=5843 + _globals['_MSG']._serialized_end=7999 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index 3dc03c7c..e90549c0 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/channel Msg service. diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py index 1a36a634..6d23febd 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/upgrade.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/channel/v1/upgrade.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbd\x01\n\x07Upgrade\x12@\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12<\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x07timeout\x12,\n\x12next_sequence_send\x18\x03 \x01(\x04R\x10nextSequenceSend:\x04\x88\xa0\x1f\x00\"\x90\x01\n\rUpgradeFields\x12\x36\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12\'\n\x0f\x63onnection_hops\x18\x02 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"J\n\x0c\x45rrorReceipt\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x18\n\x07message\x18\x02 \x01(\tR\x07message:\x04\x88\xa0\x1f\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cUpgradeProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\x9a\x01\n\x07Upgrade\x12\x38\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x33\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_send\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"m\n\rUpgradeFields\x12,\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12\x17\n\x0f\x63onnection_hops\x18\x02 \x03(\t\x12\x0f\n\x07version\x18\x03 \x01(\t:\x04\x88\xa0\x1f\x00\"7\n\x0c\x45rrorReceipt\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x0f\n\x07message\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014UpgradeProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' _globals['_UPGRADE'].fields_by_name['fields']._loaded_options = None _globals['_UPGRADE'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' _globals['_UPGRADE'].fields_by_name['timeout']._loaded_options = None @@ -45,9 +35,9 @@ _globals['_ERRORRECEIPT']._loaded_options = None _globals['_ERRORRECEIPT']._serialized_options = b'\210\240\037\000' _globals['_UPGRADE']._serialized_start=116 - _globals['_UPGRADE']._serialized_end=305 - _globals['_UPGRADEFIELDS']._serialized_start=308 - _globals['_UPGRADEFIELDS']._serialized_end=452 - _globals['_ERRORRECEIPT']._serialized_start=454 - _globals['_ERRORRECEIPT']._serialized_end=528 + _globals['_UPGRADE']._serialized_end=270 + _globals['_UPGRADEFIELDS']._serialized_start=272 + _globals['_UPGRADEFIELDS']._serialized_end=381 + _globals['_ERRORRECEIPT']._serialized_start=383 + _globals['_ERRORRECEIPT']._serialized_end=438 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py index 2daafffe..3510c2ab 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/channel/v1/upgrade_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 7301f896..749fbd2f 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/client/v1/client.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"m\n\x15IdentifiedClientState\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\"\x93\x01\n\x18\x43onsensusStateWithHeight\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\"\x93\x01\n\x15\x43lientConsensusStates\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12]\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\"d\n\x06Height\x12\'\n\x0frevision_number\x18\x01 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x02 \x01(\x04R\x0erevisionHeight:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"1\n\x06Params\x12\'\n\x0f\x61llowed_clients\x18\x01 \x03(\tR\x0e\x61llowedClients\"\x91\x02\n\x14\x43lientUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12H\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"R\x0fsubjectClientId\x12Q\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\"R\x12substituteClientId:$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9b\x02\n\x0fUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x36\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12j\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\"R\x13upgradedClientState:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xca\x01\n\x16\x63om.ibc.core.client.v1B\x0b\x43lientProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\013ClientProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None @@ -55,17 +45,17 @@ _globals['_UPGRADEPROPOSAL']._loaded_options = None _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=278 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=281 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=428 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=431 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=578 - _globals['_HEIGHT']._serialized_start=580 - _globals['_HEIGHT']._serialized_end=680 - _globals['_PARAMS']._serialized_start=682 - _globals['_PARAMS']._serialized_end=731 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=734 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=1007 - _globals['_UPGRADEPROPOSAL']._serialized_start=1010 - _globals['_UPGRADEPROPOSAL']._serialized_end=1293 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 + _globals['_HEIGHT']._serialized_start=504 + _globals['_HEIGHT']._serialized_end=572 + _globals['_PARAMS']._serialized_start=574 + _globals['_PARAMS']._serialized_end=607 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 + _globals['_UPGRADEPROPOSAL']._serialized_start=829 + _globals['_UPGRADEPROPOSAL']._serialized_end=1065 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 2daafffe..8066058d 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index 57211c2e..6221040e 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/client/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xe6\x03\n\x0cGenesisState\x12\x63\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x07\x63lients\x12v\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStatesR\x10\x63lientsConsensus\x12^\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00R\x0f\x63lientsMetadata\x12\x38\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12-\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01R\x0f\x63reateLocalhost\x12\x30\n\x14next_client_sequence\x18\x06 \x01(\x04R\x12nextClientSequence\"?\n\x0fGenesisMetadata\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x04\x88\xa0\x1f\x00\"\x8c\x01\n\x19IdentifiedGenesisMetadata\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12R\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00R\x0e\x63lientMetadataB\xcb\x01\n\x16\x63om.ibc.core.client.v1B\x0cGenesisProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\014GenesisProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None @@ -49,9 +39,9 @@ _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=598 - _globals['_GENESISMETADATA']._serialized_start=600 - _globals['_GENESISMETADATA']._serialized_end=663 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=666 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=806 + _globals['_GENESISSTATE']._serialized_end=509 + _globals['_GENESISMETADATA']._serialized_start=511 + _globals['_GENESISMETADATA']._serialized_end=562 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index 2daafffe..ad99adc9 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index d8360111..b72cc79c 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/client/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"6\n\x17QueryClientStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"\xae\x01\n\x18QueryClientStateResponse\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"b\n\x18QueryClientStatesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd4\x01\n\x19QueryClientStatesResponse\x12n\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x0c\x63lientStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb0\x01\n\x1aQueryConsensusStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\'\n\x0frevision_number\x18\x02 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x03 \x01(\x04R\x0erevisionHeight\x12#\n\rlatest_height\x18\x04 \x01(\x08R\x0clatestHeight\"\xb7\x01\n\x1bQueryConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x82\x01\n\x1bQueryConsensusStatesRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc6\x01\n\x1cQueryConsensusStatesResponse\x12]\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x88\x01\n!QueryConsensusStateHeightsRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc7\x01\n\"QueryConsensusStateHeightsResponse\x12X\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x15\x63onsensusStateHeights\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x18QueryClientStatusRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"3\n\x19QueryClientStatusResponse\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"\x1a\n\x18QueryClientParamsRequest\"O\n\x19QueryClientParamsResponse\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsR\x06params\"!\n\x1fQueryUpgradedClientStateRequest\"l\n QueryUpgradedClientStateResponse\x12H\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\"$\n\"QueryUpgradedConsensusStateRequest\"u\n#QueryUpgradedConsensusStateResponse\x12N\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x16upgradedConsensusState\"\xb7\x02\n\x1cQueryVerifyMembershipRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12I\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00R\nmerklePath\x12\x14\n\x05value\x18\x05 \x01(\x0cR\x05value\x12\x1d\n\ntime_delay\x18\x06 \x01(\x04R\ttimeDelay\x12\x1f\n\x0b\x62lock_delay\x18\x07 \x01(\x04R\nblockDelay\"9\n\x1dQueryVerifyMembershipResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B\xc9\x01\n\x16\x63om.ibc.core.client.v1B\nQueryProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\nQueryProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None @@ -74,45 +64,45 @@ _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=334 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=337 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=511 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=513 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=611 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=614 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=826 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=829 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=1005 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=1008 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1191 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1194 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1324 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1327 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1525 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1528 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1664 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1667 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1866 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1868 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1923 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1925 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1976 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1978 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=2004 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=2006 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=2085 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=2087 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=2120 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=2122 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=2230 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=2232 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=2268 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=2270 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2387 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2390 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2701 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2703 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2760 - _globals['_QUERY']._serialized_start=2763 - _globals['_QUERY']._serialized_end=4557 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 + _globals['_QUERY']._serialized_start=2327 + _globals['_QUERY']._serialized_end=4121 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index 91c747aa..f63c4afc 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 135da2e9..471be9c9 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/client/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb2\x01\n\x0fMsgCreateClient\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"\x94\x01\n\x0fMsgUpdateClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12;\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\rclientMessage\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xc5\x02\n\x10MsgUpgradeClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x30\n\x14proof_upgrade_client\x18\x04 \x01(\x0cR\x12proofUpgradeClient\x12\x41\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0cR\x1aproofUpgradeConsensusState\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"\x99\x01\n\x15MsgSubmitMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x38\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cmisbehaviour\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"\x99\x01\n\x10MsgRecoverClient\x12*\n\x11subject_client_id\x18\x01 \x01(\tR\x0fsubjectClientId\x12\x30\n\x14substitute_client_id\x18\x02 \x01(\tR\x12substituteClientId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\xbe\x01\n\x15MsgIBCSoftwareUpgrade\x12\x36\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12H\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"t\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc6\x01\n\x16\x63om.ibc.core.client.v1B\x07TxProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\007TxProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' _globals['_MSGCREATECLIENT']._loaded_options = None _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGUPDATECLIENT']._loaded_options = None @@ -58,33 +48,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATECLIENT']._serialized_start=197 - _globals['_MSGCREATECLIENT']._serialized_end=375 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=377 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=402 - _globals['_MSGUPDATECLIENT']._serialized_start=405 - _globals['_MSGUPDATECLIENT']._serialized_end=553 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=555 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=580 - _globals['_MSGUPGRADECLIENT']._serialized_start=583 - _globals['_MSGUPGRADECLIENT']._serialized_end=908 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=910 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=936 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=939 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1092 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1094 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1125 - _globals['_MSGRECOVERCLIENT']._serialized_start=1128 - _globals['_MSGRECOVERCLIENT']._serialized_end=1281 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1283 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1309 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1312 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1502 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1504 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1535 - _globals['_MSGUPDATEPARAMS']._serialized_start=1537 - _globals['_MSGUPDATEPARAMS']._serialized_end=1653 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1655 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1680 - _globals['_MSG']._serialized_start=1683 - _globals['_MSG']._serialized_end=2429 + _globals['_MSGCREATECLIENT']._serialized_end=338 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 + _globals['_MSGUPDATECLIENT']._serialized_start=367 + _globals['_MSGUPDATECLIENT']._serialized_end=482 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 + _globals['_MSGUPGRADECLIENT']._serialized_start=512 + _globals['_MSGUPGRADECLIENT']._serialized_end=742 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 + _globals['_MSGRECOVERCLIENT']._serialized_start=928 + _globals['_MSGRECOVERCLIENT']._serialized_end=1036 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 + _globals['_MSGUPDATEPARAMS']._serialized_start=1257 + _globals['_MSGUPDATEPARAMS']._serialized_end=1357 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 + _globals['_MSG']._serialized_start=1387 + _globals['_MSG']._serialized_end=2133 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index 9c44899a..c28efc69 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/client/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/client Msg service. diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index f9351ac5..636f49bf 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -1,47 +1,37 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/commitment/v1/commitment.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/commitment/v1/commitment.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\"&\n\nMerkleRoot\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash:\x04\x88\xa0\x1f\x00\"-\n\x0cMerklePrefix\x12\x1d\n\nkey_prefix\x18\x01 \x01(\x0cR\tkeyPrefix\"\'\n\nMerklePath\x12\x19\n\x08key_path\x18\x01 \x03(\tR\x07keyPath\"G\n\x0bMerkleProof\x12\x38\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofR\x06proofsB\xe6\x01\n\x1a\x63om.ibc.core.commitment.v1B\x0f\x43ommitmentProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py index 2bb1b71e..ea3dd30f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/connection.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/connection/v1/connection.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/connection/v1/connection.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/commitment/v1/commitment.proto\"\x97\x02\n\rConnectionEnd\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12;\n\x08versions\x18\x02 \x03(\x0b\x32\x1f.ibc.core.connection.v1.VersionR\x08versions\x12\x33\n\x05state\x18\x03 \x01(\x0e\x32\x1d.ibc.core.connection.v1.StateR\x05state\x12N\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12!\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04R\x0b\x64\x65layPeriod:\x04\x88\xa0\x1f\x00\"\xae\x02\n\x14IdentifiedConnection\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12;\n\x08versions\x18\x03 \x03(\x0b\x32\x1f.ibc.core.connection.v1.VersionR\x08versions\x12\x33\n\x05state\x18\x04 \x01(\x0e\x32\x1d.ibc.core.connection.v1.StateR\x05state\x12N\n\x0c\x63ounterparty\x18\x05 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12!\n\x0c\x64\x65lay_period\x18\x06 \x01(\x04R\x0b\x64\x65layPeriod:\x04\x88\xa0\x1f\x00\"\x9a\x01\n\x0c\x43ounterparty\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12\x42\n\x06prefix\x18\x03 \x01(\x0b\x32$.ibc.core.commitment.v1.MerklePrefixB\x04\xc8\xde\x1f\x00R\x06prefix:\x04\x88\xa0\x1f\x00\"#\n\x0b\x43lientPaths\x12\x14\n\x05paths\x18\x01 \x03(\tR\x05paths\"D\n\x0f\x43onnectionPaths\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x14\n\x05paths\x18\x02 \x03(\tR\x05paths\"K\n\x07Version\x12\x1e\n\nidentifier\x18\x01 \x01(\tR\nidentifier\x12\x1a\n\x08\x66\x65\x61tures\x18\x02 \x03(\tR\x08\x66\x65\x61tures:\x04\x88\xa0\x1f\x00\"F\n\x06Params\x12<\n\x1bmax_expected_time_per_block\x18\x01 \x01(\x04R\x17maxExpectedTimePerBlock*\x99\x01\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x1a\x04\x88\xa3\x1e\x00\x42\xe6\x01\n\x1a\x63om.ibc.core.connection.v1B\x0f\x43onnectionProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py index 64c22f97..d924103f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/connection/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/core/connection/v1/genesis.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\'ibc/core/connection/v1/connection.proto\"\xc3\x02\n\x0cGenesisState\x12T\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnectionB\x04\xc8\xde\x1f\x00R\x0b\x63onnections\x12\x65\n\x17\x63lient_connection_paths\x18\x02 \x03(\x0b\x32\'.ibc.core.connection.v1.ConnectionPathsB\x04\xc8\xde\x1f\x00R\x15\x63lientConnectionPaths\x12\x38\n\x18next_connection_sequence\x18\x03 \x01(\x04R\x16nextConnectionSequence\x12<\n\x06params\x18\x04 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06paramsB\xe3\x01\n\x1a\x63om.ibc.core.connection.v1B\x0cGenesisProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py index 72a46885..c8911c46 100644 --- a/pyinjective/proto/ibc/core/connection/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/connection/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"ibc/core/connection/v1/query.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\"=\n\x16QueryConnectionRequest\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\"\xbb\x01\n\x17QueryConnectionResponse\x12\x45\n\nconnection\x18\x01 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEndR\nconnection\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"a\n\x17QueryConnectionsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xed\x01\n\x18QueryConnectionsResponse\x12N\n\x0b\x63onnections\x18\x01 \x03(\x0b\x32,.ibc.core.connection.v1.IdentifiedConnectionR\x0b\x63onnections\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"<\n\x1dQueryClientConnectionsRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"\xa6\x01\n\x1eQueryClientConnectionsResponse\x12)\n\x10\x63onnection_paths\x18\x01 \x03(\tR\x0f\x63onnectionPaths\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"H\n!QueryConnectionClientStateRequest\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\"\xe2\x01\n\"QueryConnectionClientStateResponse\x12\x61\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateR\x15identifiedClientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x9d\x01\n$QueryConnectionConsensusStateRequest\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\'\n\x0frevision_number\x18\x02 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x03 \x01(\x04R\x0erevisionHeight\"\xde\x01\n%QueryConnectionConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x1e\n\x1cQueryConnectionParamsRequest\"W\n\x1dQueryConnectionParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsR\x06params2\xb9\t\n\x05Query\x12\xaa\x01\n\nConnection\x12..ibc.core.connection.v1.QueryConnectionRequest\x1a/.ibc.core.connection.v1.QueryConnectionResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/core/connection/v1/connections/{connection_id}\x12\x9d\x01\n\x0b\x43onnections\x12/.ibc.core.connection.v1.QueryConnectionsRequest\x1a\x30.ibc.core.connection.v1.QueryConnectionsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/core/connection/v1/connections\x12\xc2\x01\n\x11\x43lientConnections\x12\x35.ibc.core.connection.v1.QueryClientConnectionsRequest\x1a\x36.ibc.core.connection.v1.QueryClientConnectionsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB\xe1\x01\n\x1a\x63om.ibc.core.connection.v1B\nQueryProtoP\x01Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py index d133f90f..4206411f 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/connection/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/connection/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/connection/v1/tx.proto\x12\x16ibc.core.connection.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/connection/v1/connection.proto\"\x8b\x02\n\x15MsgConnectionOpenInit\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12N\n\x0c\x63ounterparty\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\x39\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.VersionR\x07version\x12!\n\x0c\x64\x65lay_period\x18\x04 \x01(\x04R\x0b\x64\x65layPeriod\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgConnectionOpenInitResponse\"\xd2\x05\n\x14MsgConnectionOpenTry\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x38\n\x16previous_connection_id\x18\x02 \x01(\tB\x02\x18\x01R\x14previousConnectionId\x12\x37\n\x0c\x63lient_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12N\n\x0c\x63ounterparty\x18\x04 \x01(\x0b\x32$.ibc.core.connection.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12!\n\x0c\x64\x65lay_period\x18\x05 \x01(\x04R\x0b\x64\x65layPeriod\x12T\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.VersionR\x14\x63ounterpartyVersions\x12\x43\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x1d\n\nproof_init\x18\x08 \x01(\x0cR\tproofInit\x12!\n\x0cproof_client\x18\t \x01(\x0cR\x0bproofClient\x12\'\n\x0fproof_consensus\x18\n \x01(\x0cR\x0eproofConsensus\x12K\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusHeight\x12\x16\n\x06signer\x18\x0c \x01(\tR\x06signer\x12;\n\x1ahost_consensus_state_proof\x18\r \x01(\x0cR\x17hostConsensusStateProof:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xce\x04\n\x14MsgConnectionOpenAck\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12<\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\tR\x18\x63ounterpartyConnectionId\x12\x39\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.VersionR\x07version\x12\x37\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x1b\n\tproof_try\x18\x06 \x01(\x0cR\x08proofTry\x12!\n\x0cproof_client\x18\x07 \x01(\x0cR\x0bproofClient\x12\'\n\x0fproof_consensus\x18\x08 \x01(\x0cR\x0eproofConsensus\x12K\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusHeight\x12\x16\n\x06signer\x18\n \x01(\tR\x06signer\x12;\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0cR\x17hostConsensusStateProof:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\xca\x01\n\x18MsgConnectionOpenConfirm\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x1b\n\tproof_ack\x18\x02 \x01(\x0cR\x08proofAck\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"x\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12<\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xde\x01\n\x1a\x63om.ibc.core.connection.v1B\x07TxProtoP\x01Z\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the ibc/connection Msg service. diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py index ec33e27c..e1500e35 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/types/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/core/types/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.client.v1 import genesis_pb2 as ibc_dot_core_dot_client_dot_v1_dot_genesis__pb2 -from pyinjective.proto.ibc.core.connection.v1 import genesis_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_genesis__pb2 -from pyinjective.proto.ibc.core.channel.v1 import genesis_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import genesis_pb2 as ibc_dot_core_dot_client_dot_v1_dot_genesis__pb2 +from ibc.core.connection.v1 import genesis_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_genesis__pb2 +from ibc.core.channel.v1 import genesis_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\x8a\x02\n\x0cGenesisState\x12M\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\rclientGenesis\x12Y\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x11\x63onnectionGenesis\x12P\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x0e\x63hannelGenesisB\xbc\x01\n\x15\x63om.ibc.core.types.v1B\x0cGenesisProtoP\x01Z.github.com/cosmos/ibc-go/v8/modules/core/types\xa2\x02\x03ICT\xaa\x02\x11Ibc.Core.Types.V1\xca\x02\x11Ibc\\Core\\Types\\V1\xe2\x02\x1dIbc\\Core\\Types\\V1\\GPBMetadata\xea\x02\x14Ibc::Core::Types::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\xd8\x01\n\x0cGenesisState\x12>\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.ibc.core.types.v1B\014GenesisProtoP\001Z.github.com/cosmos/ibc-go/v8/modules/core/types\242\002\003ICT\252\002\021Ibc.Core.Types.V1\312\002\021Ibc\\Core\\Types\\V1\342\002\035Ibc\\Core\\Types\\V1\\GPBMetadata\352\002\024Ibc::Core::Types::V1' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None @@ -43,5 +33,5 @@ _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=450 + _globals['_GENESISSTATE']._serialized_end=400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index 2daafffe..db28782d 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 37ac2962..48efc944 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/localhost/v2/localhost.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/localhost/v2/localhost.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"Z\n\x0b\x43lientState\x12\x45\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight:\x04\x88\xa0\x1f\x00\x42\x94\x02\n!com.ibc.lightclients.localhost.v2B\x0eLocalhostProtoP\x01ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\xa2\x02\x03ILL\xaa\x02\x1dIbc.Lightclients.Localhost.V2\xca\x02\x1dIbc\\Lightclients\\Localhost\\V2\xe2\x02)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\xea\x02 Ibc::Lightclients::Localhost::V2b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.ibc.lightclients.localhost.v2B\016LocalhostProtoP\001ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\242\002\003ILL\252\002\035Ibc.Lightclients.Localhost.V2\312\002\035Ibc\\Lightclients\\Localhost\\V2\342\002)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\352\002 Ibc::Lightclients::Localhost::V2' + _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=135 - _globals['_CLIENTSTATE']._serialized_end=225 + _globals['_CLIENTSTATE']._serialized_end=211 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index 2daafffe..ced3d903 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 690d9226..00743462 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v2/solomachine.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/solomachine/v2/solomachine.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xe5\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateR\x0e\x63onsensusState\x12=\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08R\x18\x61llowUpdateAfterProposal:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xcb\x01\n\x06Header\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x05 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xfd\x01\n\x0cMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"\xb0\x01\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x46\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xc9\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x46\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"d\n\x0f\x43lientStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState:\x04\x88\xa0\x1f\x00\"m\n\x12\x43onsensusStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"v\n\x13\x43onnectionStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x45\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEndR\nconnection:\x04\x88\xa0\x1f\x00\"d\n\x10\x43hannelStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x36\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel:\x04\x88\xa0\x1f\x00\"J\n\x14PacketCommitmentData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x1e\n\ncommitment\x18\x02 \x01(\x0cR\ncommitment\"Y\n\x19PacketAcknowledgementData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\".\n\x18PacketReceiptAbsenceData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\"N\n\x14NextSequenceRecvData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\"\n\rnext_seq_recv\x18\x02 \x01(\x04R\x0bnextSeqRecv*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x98\x02\n#com.ibc.lightclients.solomachine.v2B\x10SolomachineProtoP\x01Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V2\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V2\xe2\x02+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V2b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v2B\020SolomachineProtoP\001Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V2\312\002\037Ibc\\Lightclients\\Solomachine\\V2\342\002+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V2' + _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -82,38 +72,38 @@ _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_DATATYPE']._serialized_start=2379 - _globals['_DATATYPE']._serialized_end=2903 + _globals['_DATATYPE']._serialized_start=1890 + _globals['_DATATYPE']._serialized_end=2414 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=441 - _globals['_CONSENSUSSTATE']._serialized_start=444 - _globals['_CONSENSUSSTATE']._serialized_end=583 - _globals['_HEADER']._serialized_start=586 - _globals['_HEADER']._serialized_end=789 - _globals['_MISBEHAVIOUR']._serialized_start=792 - _globals['_MISBEHAVIOUR']._serialized_end=1045 - _globals['_SIGNATUREANDDATA']._serialized_start=1048 - _globals['_SIGNATUREANDDATA']._serialized_end=1224 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1226 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1327 - _globals['_SIGNBYTES']._serialized_start=1330 - _globals['_SIGNBYTES']._serialized_end=1531 - _globals['_HEADERDATA']._serialized_start=1533 - _globals['_HEADERDATA']._serialized_end=1646 - _globals['_CLIENTSTATEDATA']._serialized_start=1648 - _globals['_CLIENTSTATEDATA']._serialized_end=1748 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1750 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1859 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1861 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1979 - _globals['_CHANNELSTATEDATA']._serialized_start=1981 - _globals['_CHANNELSTATEDATA']._serialized_end=2081 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=2083 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=2157 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2159 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2248 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2250 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2296 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2298 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2376 + _globals['_CLIENTSTATE']._serialized_end=379 + _globals['_CONSENSUSSTATE']._serialized_start=381 + _globals['_CONSENSUSSTATE']._serialized_end=485 + _globals['_HEADER']._serialized_start=488 + _globals['_HEADER']._serialized_end=629 + _globals['_MISBEHAVIOUR']._serialized_start=632 + _globals['_MISBEHAVIOUR']._serialized_end=837 + _globals['_SIGNATUREANDDATA']._serialized_start=840 + _globals['_SIGNATUREANDDATA']._serialized_end=978 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 + _globals['_SIGNBYTES']._serialized_start=1058 + _globals['_SIGNBYTES']._serialized_end=1209 + _globals['_HEADERDATA']._serialized_start=1211 + _globals['_HEADERDATA']._serialized_end=1297 + _globals['_CLIENTSTATEDATA']._serialized_start=1299 + _globals['_CLIENTSTATEDATA']._serialized_end=1380 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 + _globals['_CHANNELSTATEDATA']._serialized_start=1573 + _globals['_CHANNELSTATEDATA']._serialized_end=1658 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 2daafffe..61b2057f 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index c911d2d6..d90dba0b 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v3/solomachine.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/solomachine/v3/solomachine.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa6\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xaf\x01\n\x06Header\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x04 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xe0\x01\n\x0cMisbehaviour\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"|\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x12\n\x04path\x18\x02 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\x95\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x12\n\x04path\x18\x04 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\x42\xa4\x02\n#com.ibc.lightclients.solomachine.v3B\x10SolomachineProtoP\x01ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V3\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V3\xe2\x02+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V3b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v3B\020SolomachineProtoP\001ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V3\312\002\037Ibc\\Lightclients\\Solomachine\\V3\342\002+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V3' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CONSENSUSSTATE']._loaded_options = None @@ -51,19 +41,19 @@ _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=302 - _globals['_CONSENSUSSTATE']._serialized_start=305 - _globals['_CONSENSUSSTATE']._serialized_end=444 - _globals['_HEADER']._serialized_start=447 - _globals['_HEADER']._serialized_end=622 - _globals['_MISBEHAVIOUR']._serialized_start=625 - _globals['_MISBEHAVIOUR']._serialized_end=849 - _globals['_SIGNATUREANDDATA']._serialized_start=851 - _globals['_SIGNATUREANDDATA']._serialized_end=975 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=977 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1078 - _globals['_SIGNBYTES']._serialized_start=1081 - _globals['_SIGNBYTES']._serialized_end=1230 - _globals['_HEADERDATA']._serialized_start=1232 - _globals['_HEADERDATA']._serialized_end=1345 + _globals['_CLIENTSTATE']._serialized_end=266 + _globals['_CONSENSUSSTATE']._serialized_start=268 + _globals['_CONSENSUSSTATE']._serialized_end=372 + _globals['_HEADER']._serialized_start=374 + _globals['_HEADER']._serialized_end=497 + _globals['_MISBEHAVIOUR']._serialized_start=500 + _globals['_MISBEHAVIOUR']._serialized_end=686 + _globals['_SIGNATUREANDDATA']._serialized_start=688 + _globals['_SIGNATUREANDDATA']._serialized_end=778 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 + _globals['_SIGNBYTES']._serialized_start=857 + _globals['_SIGNBYTES']._serialized_end=960 + _globals['_HEADERDATA']._serialized_start=962 + _globals['_HEADERDATA']._serialized_end=1048 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 2daafffe..0d0343ea 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index be8f21fc..99fce3bb 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/tendermint/v1/tendermint.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/tendermint/v1/tendermint.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xe2\x05\n\x0b\x43lientState\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\tR\x07\x63hainId\x12O\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00R\ntrustLevel\x12L\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0etrustingPeriod\x12N\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0funbondingPeriod\x12K\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\rmaxClockDrift\x12\x45\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0c\x66rozenHeight\x12\x45\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight\x12;\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecR\nproofSpecs\x12!\n\x0cupgrade_path\x18\t \x03(\tR\x0bupgradePath\x12=\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01R\x16\x61llowUpdateAfterExpiry\x12I\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01R\x1c\x61llowUpdateAfterMisbehaviour:\x04\x88\xa0\x1f\x00\"\x80\x02\n\x0e\x43onsensusState\x12\x42\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12<\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00R\x04root\x12\x66\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x12nextValidatorsHash:\x04\x88\xa0\x1f\x00\"\xd5\x01\n\x0cMisbehaviour\x12\x1f\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01R\x08\x63lientId\x12N\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1R\x07header1\x12N\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2R\x07header2:\x04\x88\xa0\x1f\x00\"\xb0\x02\n\x06Header\x12I\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01R\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\x12G\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtrustedHeight\x12M\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x11trustedValidators\"J\n\x08\x46raction\x12\x1c\n\tnumerator\x18\x01 \x01(\x04R\tnumerator\x12 \n\x0b\x64\x65nominator\x18\x02 \x01(\x04R\x0b\x64\x65nominatorB\x9c\x02\n\"com.ibc.lightclients.tendermint.v1B\x0fTendermintProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\xa2\x02\x03ILT\xaa\x02\x1eIbc.Lightclients.Tendermint.V1\xca\x02\x1eIbc\\Lightclients\\Tendermint\\V1\xe2\x02*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\xea\x02!Ibc::Lightclients::Tendermint::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.ibc.lightclients.tendermint.v1B\017TendermintProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\242\002\003ILT\252\002\036Ibc.Lightclients.Tendermint.V1\312\002\036Ibc\\Lightclients\\Tendermint\\V1\342\002*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\352\002!Ibc::Lightclients::Tendermint::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None @@ -79,13 +69,13 @@ _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=1077 - _globals['_CONSENSUSSTATE']._serialized_start=1080 - _globals['_CONSENSUSSTATE']._serialized_end=1336 - _globals['_MISBEHAVIOUR']._serialized_start=1339 - _globals['_MISBEHAVIOUR']._serialized_end=1552 - _globals['_HEADER']._serialized_start=1555 - _globals['_HEADER']._serialized_end=1859 - _globals['_FRACTION']._serialized_start=1861 - _globals['_FRACTION']._serialized_end=1935 + _globals['_CLIENTSTATE']._serialized_end=901 + _globals['_CONSENSUSSTATE']._serialized_start=904 + _globals['_CONSENSUSSTATE']._serialized_end=1123 + _globals['_MISBEHAVIOUR']._serialized_start=1126 + _globals['_MISBEHAVIOUR']._serialized_end=1311 + _globals['_HEADER']._serialized_start=1314 + _globals['_HEADER']._serialized_end=1556 + _globals['_FRACTION']._serialized_start=1558 + _globals['_FRACTION']._serialized_end=1608 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 2daafffe..0a72e20f 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py index 5629e776..7a95d7ec 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/wasm/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/lightclients/wasm/v1/genesis.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\"V\n\x0cGenesisState\x12\x46\n\tcontracts\x18\x01 \x03(\x0b\x32\".ibc.lightclients.wasm.v1.ContractB\x04\xc8\xde\x1f\x00R\tcontracts\"/\n\x08\x43ontract\x12\x1d\n\ncode_bytes\x18\x01 \x01(\x0cR\tcodeBytes:\x04\x88\xa0\x1f\x00\x42\xed\x01\n\x1c\x63om.ibc.lightclients.wasm.v1B\x0cGenesisProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py index 2b80b3e0..f1f9a938 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py @@ -1,51 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/wasm/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/lightclients/wasm/v1/query.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"_\n\x15QueryChecksumsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x7f\n\x16QueryChecksumsResponse\x12\x1c\n\tchecksums\x18\x01 \x03(\tR\tchecksums\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\".\n\x10QueryCodeRequest\x12\x1a\n\x08\x63hecksum\x18\x01 \x01(\tR\x08\x63hecksum\"\'\n\x11QueryCodeResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta2\xc4\x02\n\x05Query\x12\x9b\x01\n\tChecksums\x12/.ibc.lightclients.wasm.v1.QueryChecksumsRequest\x1a\x30.ibc.lightclients.wasm.v1.QueryChecksumsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/lightclients/wasm/v1/checksums\x12\x9c\x01\n\x04\x43ode\x12*.ibc.lightclients.wasm.v1.QueryCodeRequest\x1a+.ibc.lightclients.wasm.v1.QueryCodeResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/lightclients/wasm/v1/checksums/{checksum}/codeB\xeb\x01\n\x1c\x63om.ibc.lightclients.wasm.v1B\nQueryProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class QueryStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py index a8feb6fc..12e8326f 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/wasm/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/lightclients/wasm/v1/tx.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x17\x63osmos/msg/v1/msg.proto\"Y\n\x0cMsgStoreCode\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12$\n\x0ewasm_byte_code\x18\x02 \x01(\x0cR\x0cwasmByteCode:\x0b\x82\xe7\xb0*\x06signer\"2\n\x14MsgStoreCodeResponse\x12\x1a\n\x08\x63hecksum\x18\x01 \x01(\x0cR\x08\x63hecksum\"T\n\x11MsgRemoveChecksum\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum:\x0b\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgRemoveChecksumResponse\"\x84\x01\n\x12MsgMigrateContract\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12\x1a\n\x08\x63hecksum\x18\x03 \x01(\x0cR\x08\x63hecksum\x12\x10\n\x03msg\x18\x04 \x01(\x0cR\x03msg:\x0b\x82\xe7\xb0*\x06signer\"\x1c\n\x1aMsgMigrateContractResponse2\xdc\x02\n\x03Msg\x12\x63\n\tStoreCode\x12&.ibc.lightclients.wasm.v1.MsgStoreCode\x1a..ibc.lightclients.wasm.v1.MsgStoreCodeResponse\x12r\n\x0eRemoveChecksum\x12+.ibc.lightclients.wasm.v1.MsgRemoveChecksum\x1a\x33.ibc.lightclients.wasm.v1.MsgRemoveChecksumResponse\x12u\n\x0fMigrateContract\x12,.ibc.lightclients.wasm.v1.MsgMigrateContract\x1a\x34.ibc.lightclients.wasm.v1.MsgMigrateContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xe8\x01\n\x1c\x63om.ibc.lightclients.wasm.v1B\x07TxProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class MsgStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py index 1712aacd..aaf604be 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/wasm.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'ibc/lightclients/wasm/v1/wasm.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/lightclients/wasm/v1/wasm.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8a\x01\n\x0b\x43lientState\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\x12\x45\n\rlatest_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight:\x04\x88\xa0\x1f\x00\"*\n\x0e\x43onsensusState\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\")\n\rClientMessage\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"-\n\tChecksums\x12\x1c\n\tchecksums\x18\x01 \x03(\x0cR\tchecksums:\x02\x18\x01\x42\xea\x01\n\x1c\x63om.ibc.lightclients.wasm.v1B\tWasmProtoP\x01ZZ={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index d119209a..f3694a41 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/auction/v1beta1/auction.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x06Params\x12%\n\x0e\x61uction_period\x18\x01 \x01(\x03R\rauctionPeriod\x12\x61\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17minNextBidIncrementRate:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"\x83\x01\n\x03\x42id\x12\x33\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"R\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\"\x8a\x01\n\x11LastAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x81\x01\n\x08\x45ventBid\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x8b\x01\n\x12\x45ventAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\xc0\x01\n\x11\x45ventAuctionStart\x12\x14\n\x05round\x18\x01 \x01(\x04R\x05round\x12)\n\x10\x65nding_timestamp\x18\x02 \x01(\x03R\x0f\x65ndingTimestamp\x12j\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tnewBasketB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0c\x41uctionProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014AuctionProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS']._loaded_options = None @@ -52,15 +42,15 @@ _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=144 - _globals['_PARAMS']._serialized_end=315 - _globals['_BID']._serialized_start=318 - _globals['_BID']._serialized_end=449 - _globals['_LASTAUCTIONRESULT']._serialized_start=452 - _globals['_LASTAUCTIONRESULT']._serialized_end=590 - _globals['_EVENTBID']._serialized_start=593 - _globals['_EVENTBID']._serialized_end=722 - _globals['_EVENTAUCTIONRESULT']._serialized_start=725 - _globals['_EVENTAUCTIONRESULT']._serialized_end=864 - _globals['_EVENTAUCTIONSTART']._serialized_start=867 - _globals['_EVENTAUCTIONSTART']._serialized_end=1059 + _globals['_PARAMS']._serialized_end=275 + _globals['_BID']._serialized_start=277 + _globals['_BID']._serialized_end=392 + _globals['_LASTAUCTIONRESULT']._serialized_start=394 + _globals['_LASTAUCTIONRESULT']._serialized_end=509 + _globals['_EVENTBID']._serialized_start=511 + _globals['_EVENTBID']._serialized_end=617 + _globals['_EVENTAUCTIONRESULT']._serialized_start=619 + _globals['_EVENTAUCTIONRESULT']._serialized_end=735 + _globals['_EVENTAUCTIONSTART']._serialized_start=738 + _globals['_EVENTAUCTIONSTART']._serialized_end=895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index 2daafffe..f976ac52 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index 73e733c9..8c75a10e 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/auction/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\xcd\x02\n\x0cGenesisState\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rauction_round\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12?\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.BidR\nhighestBid\x12\x38\n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03R\x16\x61uctionEndingTimestamp\x12\\\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResultB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0cGenesisProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\x80\x02\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x12I\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014GenesisProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=134 - _globals['_GENESISSTATE']._serialized_end=467 + _globals['_GENESISSTATE']._serialized_end=390 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index 2daafffe..c4715b7c 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 676cf0ce..26d5e1e7 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/auction/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from pyinjective.proto.injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"]\n\x1aQueryAuctionParamsResponse\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\"\n QueryCurrentAuctionBasketRequest\"\xcd\x02\n!QueryCurrentAuctionBasketResponse\x12\x63\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x06\x61mount\x12\"\n\x0c\x61uctionRound\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12.\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03R\x12\x61uctionClosingTime\x12$\n\rhighestBidder\x18\x04 \x01(\tR\rhighestBidder\x12I\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10highestBidAmount\"\x19\n\x17QueryModuleStateRequest\"Y\n\x18QueryModuleStateResponse\x12=\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisStateR\x05state\"\x1f\n\x1dQueryLastAuctionResultRequest\"~\n\x1eQueryLastAuctionResultResponse\x12\\\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultB\x80\x02\n\x1d\x63om.injective.auction.v1beta1B\nQueryProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\nQueryProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -54,19 +44,19 @@ _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 - _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=356 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=358 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=392 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=395 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=728 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=730 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=755 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=757 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=846 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=848 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=879 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=881 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=1007 - _globals['_QUERY']._serialized_start=1010 - _globals['_QUERY']._serialized_end=1750 + _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=348 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 + _globals['_QUERY']._serialized_start=901 + _globals['_QUERY']._serialized_end=1641 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index dbebceb7..5d235e61 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index d4400e97..578a21f4 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/auction/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x9e\x01\n\x06MsgBid\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12>\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xb6\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12?\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfd\x01\n\x1d\x63om.injective.auction.v1beta1B\x07TxProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\007TxProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' _globals['_MSGBID']._loaded_options = None @@ -51,13 +41,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGBID']._serialized_start=232 - _globals['_MSGBID']._serialized_end=390 - _globals['_MSGBIDRESPONSE']._serialized_start=392 - _globals['_MSGBIDRESPONSE']._serialized_end=408 - _globals['_MSGUPDATEPARAMS']._serialized_start=411 - _globals['_MSGUPDATEPARAMS']._serialized_end=593 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=595 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=620 - _globals['_MSG']._serialized_start=623 - _globals['_MSG']._serialized_end=832 + _globals['_MSGBID']._serialized_end=364 + _globals['_MSGBIDRESPONSE']._serialized_start=366 + _globals['_MSGBIDRESPONSE']._serialized_end=382 + _globals['_MSGUPDATEPARAMS']._serialized_start=385 + _globals['_MSGUPDATEPARAMS']._serialized_end=548 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 + _globals['_MSG']._serialized_start=578 + _globals['_MSG']._serialized_end=787 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index f699a2f6..2ff4f061 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the auction Msg service. diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 00142fcd..84cc035a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/crypto/v1beta1/ethsecp256k1/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"M\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldB\xbb\x02\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\xa2\x02\x04ICVE\xaa\x02%Injective.Crypto.V1beta1.Ethsecp256k1\xca\x02%Injective\\Crypto\\V1beta1\\Ethsecp256k1\xe2\x02\x31Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\xea\x02(Injective::Crypto::V1beta1::Ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\242\002\004ICVE\252\002%Injective.Crypto.V1beta1.Ethsecp256k1\312\002%Injective\\Crypto\\V1beta1\\Ethsecp256k1\342\0021Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\352\002(Injective::Crypto::V1beta1::Ethsecp256k1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=132 - _globals['_PUBKEY']._serialized_end=211 - _globals['_PRIVKEY']._serialized_start=213 - _globals['_PRIVKEY']._serialized_end=290 + _globals['_PUBKEY']._serialized_end=206 + _globals['_PRIVKEY']._serialized_start=208 + _globals['_PRIVKEY']._serialized_end=280 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index 2daafffe..d64ecc8a 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index 70d2a1a8..52226e62 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/authz.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x99\x01\n\x19\x43reateSpotLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x9b\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\xa5\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"\x8f\x01\n\x14\x43\x61ncelSpotOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x9b\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\xa5\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\xa7\x01\n CreateDerivativeMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\xb1\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x9b\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\xa7\x01\n BatchCancelDerivativeOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\xc6\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12!\n\x0cspot_markets\x18\x02 \x03(\tR\x0bspotMarkets\x12-\n\x12\x64\x65rivative_markets\x18\x03 \x03(\tR\x11\x64\x65rivativeMarkets:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzB\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nAuthzProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nAuthzProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None @@ -57,25 +47,25 @@ _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=270 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=273 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=428 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=431 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=596 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=599 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=742 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=745 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=900 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=903 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=1068 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=1071 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1238 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1241 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1418 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1421 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1576 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1579 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1746 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1749 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1947 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index 2daafffe..a9990661 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 786ce6d7..64c2584b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xdc\x01\n\x17\x45ventBatchSpotExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12O\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12<\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLogR\x06trades\"\xe7\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12%\n\x0eis_liquidation\x18\x03 \x01(\x08R\risLiquidation\x12R\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12O\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12\x46\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLogR\x06trades\"\xc2\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12x\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"lostFundsFromAvailableDuringPayout\x12\x65\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19lostFundsFromOrderCancels\"\x89\x01\n\x1c\x45ventBatchDerivativePosition\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPositionR\tpositions\"\xbb\x01\n\x1b\x45ventDerivativeMarketPaused\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12.\n\x13total_missing_funds\x18\x03 \x01(\tR\x11totalMissingFunds\x12,\n\x12missing_funds_rate\x18\x04 \x01(\tR\x10missingFundsRate\"\x8f\x01\n\x1b\x45ventMarketBeyondBankruptcy\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12\x30\n\x14missing_market_funds\x18\x03 \x01(\tR\x12missingMarketFunds\"\x88\x01\n\x18\x45ventAllPositionsHaircut\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12,\n\x12missing_funds_rate\x18\x03 \x01(\tR\x10missingFundsRate\"o\n\x1e\x45ventBinaryOptionsMarketUpdate\x12M\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xc9\x01\n\x12\x45ventNewSpotOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12I\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\tbuyOrders\x12K\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\nsellOrders\"\xdb\x01\n\x18\x45ventNewDerivativeOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\tbuyOrders\x12Q\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\nsellOrders\"{\n\x14\x45ventCancelSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"]\n\x15\x45ventSpotMarketUpdate\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xa7\x02\n\x1a\x45ventPerpetualMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12i\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01R\x13perpetualMarketInfo\x12R\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01R\x07\x66unding\"\xe4\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12v\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01R\x17\x65xpiryFuturesMarketInfo\"\xcc\x02\n!EventPerpetualMarketFundingUpdate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12R\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x07\x66unding\x12*\n\x11is_hourly_funding\x18\x03 \x01(\x08R\x0fisHourlyFunding\x12\x46\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x66undingRate\x12\x42\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\"\x97\x01\n\x16\x45ventSubaccountDeposit\x12\x1f\n\x0bsrc_address\x18\x01 \x01(\tR\nsrcAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x98\x01\n\x17\x45ventSubaccountWithdraw\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12\x1f\n\x0b\x64st_address\x18\x02 \x01(\tR\ndstAddress\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xb1\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12*\n\x11src_subaccount_id\x18\x01 \x01(\tR\x0fsrcSubaccountId\x12*\n\x11\x64st_subaccount_id\x18\x02 \x01(\tR\x0f\x64stSubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"m\n\x17\x45ventBatchDepositUpdate\x12R\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdateR\x0e\x64\x65positUpdates\"\xc7\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12Z\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\x12L\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x63\x61ncelQuantity\"\xa7\x02\n\x1a\x45ventCancelDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12m\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01R\x11marketOrderCancel\"g\n\x18\x45ventFeeDiscountSchedule\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule\"\xe2\x01\n EventTradingRewardCampaignUpdate\x12Z\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools\"u\n\x1e\x45ventTradingRewardDistribution\x12S\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewardsR\x0e\x61\x63\x63ountRewards\"\xb5\x01\n\"EventNewConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderR\x05order\x12\x12\n\x04hash\x18\x03 \x01(\x0cR\x04hash\x12\x1b\n\tis_market\x18\x04 \x01(\x08R\x08isMarket\"\x9f\x02\n%EventCancelConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12Z\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\"\xfb\x01\n&EventConditionalDerivativeOrderTrigger\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12&\n\x0eisLimitTrigger\x18\x02 \x01(\x08R\x0eisLimitTrigger\x12\x30\n\x14triggered_order_hash\x18\x03 \x01(\x0cR\x12triggeredOrderHash\x12*\n\x11placed_order_hash\x18\x04 \x01(\x0cR\x0fplacedOrderHash\x12.\n\x13triggered_order_cid\x18\x05 \x01(\tR\x11triggeredOrderCid\"l\n\x0e\x45ventOrderFail\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0cR\x07\x61\x63\x63ount\x12\x16\n\x06hashes\x18\x02 \x03(\x0cR\x06hashes\x12\x14\n\x05\x66lags\x18\x03 \x03(\rR\x05\x66lags\x12\x12\n\x04\x63ids\x18\x04 \x03(\tR\x04\x63ids\"\x94\x01\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12\x65\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\"\xc2\x01\n\x14\x45ventOrderbookUpdate\x12N\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x0bspotUpdates\x12Z\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x11\x64\x65rivativeUpdates\"h\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x43\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"|\n\x18\x45ventGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"\x81\x01\n\x14\x45ventGrantActivation\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"G\n\x11\x45ventInvalidGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\"\xab\x01\n\x14\x45ventOrderCancelFail\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\x12 \n\x0b\x64\x65scription\x18\x05 \x01(\tR\x0b\x64\x65scriptionB\x87\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0b\x45ventsProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\013EventsProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None @@ -85,75 +75,75 @@ _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 - _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=428 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=431 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=790 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=793 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=1115 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=1118 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1255 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1258 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1445 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1448 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1591 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1594 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1730 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1732 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1843 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1846 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=2047 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=2050 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=2269 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=2271 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=2394 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=2396 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2489 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2492 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2787 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2790 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=3018 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=3021 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=3353 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=3356 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=3507 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=3510 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3662 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3665 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3842 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3844 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3953 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3956 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=4155 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=4158 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=4453 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=4455 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=4558 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=4561 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=4787 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=4789 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4906 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4909 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=5090 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=5093 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=5380 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=5383 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=5634 - _globals['_EVENTORDERFAIL']._serialized_start=5636 - _globals['_EVENTORDERFAIL']._serialized_end=5744 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=5747 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=5895 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=5898 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=6092 - _globals['_ORDERBOOKUPDATE']._serialized_start=6094 - _globals['_ORDERBOOKUPDATE']._serialized_end=6198 - _globals['_ORDERBOOK']._serialized_start=6201 - _globals['_ORDERBOOK']._serialized_end=6375 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=6377 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=6501 - _globals['_EVENTGRANTACTIVATION']._serialized_start=6504 - _globals['_EVENTGRANTACTIVATION']._serialized_end=6633 - _globals['_EVENTINVALIDGRANT']._serialized_start=6635 - _globals['_EVENTINVALIDGRANT']._serialized_end=6706 - _globals['_EVENTORDERCANCELFAIL']._serialized_start=6709 - _globals['_EVENTORDERCANCELFAIL']._serialized_end=6880 + _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 + _globals['_EVENTORDERFAIL']._serialized_start=4597 + _globals['_EVENTORDERFAIL']._serialized_end=4675 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 + _globals['_ORDERBOOKUPDATE']._serialized_start=4970 + _globals['_ORDERBOOKUPDATE']._serialized_end=5058 + _globals['_ORDERBOOK']._serialized_start=5061 + _globals['_ORDERBOOK']._serialized_end=5202 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 + _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 + _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 + _globals['_EVENTINVALIDGRANT']._serialized_start=5418 + _globals['_EVENTINVALIDGRANT']._serialized_end=5471 + _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 + _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 2daafffe..512bbac9 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 2d0a07bd..6bda7c87 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/exchange.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x8f\x15\n\x06Params\x12\x65\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x1bspotMarketInstantListingFee\x12q\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R!derivativeMarketInstantListingFee\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotMakerFeeRate\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotTakerFeeRate\x12m\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeMakerFeeRate\x12m\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeTakerFeeRate\x12\x64\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultInitialMarginRatio\x12l\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultMaintenanceMarginRatio\x12\x38\n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03R\x16\x64\x65\x66\x61ultFundingInterval\x12)\n\x10\x66unding_multiple\x18\n \x01(\x03R\x0f\x66undingMultiple\x12X\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12i\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x64\x65\x66\x61ultHourlyFundingRateCap\x12\x64\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultHourlyInterestRate\x12\x44\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\rR\x1bmaxDerivativeOrderSideCount\x12s\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR#injRewardStakedRequirementThreshold\x12G\n trading_rewards_vesting_duration\x18\x10 \x01(\x03R\x1dtradingRewardsVestingDuration\x12\x64\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19liquidatorRewardShareRate\x12x\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R$binaryOptionsMarketInstantListingFee\x12\x80\x01\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevelR\x1c\x61tomicMarketOrderAccessLevel\x12x\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"spotAtomicMarketOrderFeeMultiplier\x12\x84\x01\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR(derivativeAtomicMarketOrderFeeMultiplier\x12\x8b\x01\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR+binaryOptionsAtomicMarketOrderFeeMultiplier\x12^\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16minimalProtocolFeeRate\x12[\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08R&isInstantDerivativeMarketLaunchEnabled\x12\x44\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03R\x1bpostOnlyModeHeightThreshold\x12g\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03R,marginDecreasePriceTimestampThresholdSeconds\x12\'\n\x0f\x65xchange_admins\x18\x1b \x03(\tR\x0e\x65xchangeAdmins:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"\x84\x01\n\x13MarketFeeMultiplier\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rfeeMultiplier:\x04\x88\xa0\x1f\x00\"\xec\x08\n\x10\x44\x65rivativeMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x02 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x03 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12 \n\x0bisPerpetual\x18\r \x01(\x08R\x0bisPerpetual\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x12 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xd7\x08\n\x13\x42inaryOptionsMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x02 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x03 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x07 \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x08 \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\t \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\n \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12N\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x46\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xe4\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x31\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03R\x13\x65xpirationTimestamp\x12\x30\n\x14twap_start_timestamp\x18\x03 \x01(\x03R\x12twapStartTimestamp\x12w\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"expirationTwapStartPriceCumulative\x12N\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"\xc6\x02\n\x13PerpetualMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14hourlyFundingRateCap\x12U\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x04 \x01(\x03R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x05 \x01(\x03R\x0f\x66undingInterval\"\xe3\x01\n\x16PerpetualMarketFunding\x12R\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x03R\rlastTimestamp\"\x8d\x01\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"=\n\x14NextFundingTimestamp\x12%\n\x0enext_timestamp\x18\x01 \x01(\x03R\rnextTimestamp\"\xea\x01\n\x0eMidPriceAndTOB\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xec\x05\n\nSpotMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12@\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\r \x01(\rR\x10\x61\x64minPermissions\"\xa5\x01\n\x07\x44\x65posit\x12P\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10\x61vailableBalance\x12H\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctotalBalance\",\n\x14SubaccountTradeNonce\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\xe3\x01\n\tOrderInfo\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12#\n\rfee_recipient\x18\x02 \x01(\tR\x0c\x66\x65\x65Recipient\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\x84\x02\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xcc\x02\n\x0eSpotLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\"\xd4\x02\n\x0fSpotMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x46\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12\x1d\n\norder_hash\x18\x03 \x01(\x0cR\torderHash\x12\x44\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xc7\x02\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xfc\x03\n\x1bSubaccountOrderbookMetadata\x12\x39\n\x19vanilla_limit_order_count\x18\x01 \x01(\rR\x16vanillaLimitOrderCount\x12@\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\rR\x19reduceOnlyLimitOrderCount\x12h\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x61ggregateReduceOnlyQuantity\x12\x61\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61ggregateVanillaQuantity\x12\x45\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\rR\x1cvanillaConditionalOrderCount\x12L\n#reduce_only_conditional_order_count\x18\x06 \x01(\rR\x1freduceOnlyConditionalOrderCount\"\xc3\x01\n\x0fSubaccountOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\"\n\x0cisReduceOnly\x18\x03 \x01(\x08R\x0cisReduceOnly\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\"w\n\x13SubaccountOrderData\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrderR\x05order\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\"\x8f\x03\n\x14\x44\x65rivativeLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\x95\x03\n\x15\x44\x65rivativeMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12\x44\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmarginHold\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\xc5\x02\n\x08Position\x12\x16\n\x06isLong\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"I\n\x14MarketOrderIndicator\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x02 \x01(\x08R\x05isBuy\"\xcd\x02\n\x08TradeLog\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x03 \x01(\x0cR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"\x9a\x02\n\rPositionDelta\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12R\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x65xecutionQuantity\x12N\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65xecutionMargin\x12L\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x65xecutionPrice\"\xa1\x03\n\x12\x44\x65rivativeTradeLog\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\x12\x35\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03pnl\"{\n\x12SubaccountPosition\x12@\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\"w\n\x11SubaccountDeposit\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12=\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x07\x64\x65posit\"p\n\rDepositUpdate\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDepositR\x08\x64\x65posits\"\xcc\x01\n\x10PointsMultiplier\x12[\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15makerPointsMultiplier\x12[\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15takerPointsMultiplier\"\xfe\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x35\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\tR\x14\x62oostedSpotMarketIds\x12j\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x15spotMarketMultipliers\x12\x41\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\tR\x1a\x62oostedDerivativeMarketIds\x12v\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x1b\x64\x65rivativeMarketMultipliers\"\xbc\x01\n\x12\x43\x61mpaignRewardPool\x12\'\n\x0fstart_timestamp\x18\x01 \x01(\x03R\x0estartTimestamp\x12}\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x12maxCampaignRewards\"\xa9\x02\n\x19TradingRewardCampaignInfo\x12:\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03R\x17\x63\x61mpaignDurationSeconds\x12!\n\x0cquote_denoms\x18\x02 \x03(\tR\x0bquoteDenoms\x12u\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfoR\x16tradingRewardBoostInfo\x12\x36\n\x17\x64isqualified_market_ids\x18\x04 \x03(\tR\x15\x64isqualifiedMarketIds\"\xc0\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12S\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11makerDiscountRate\x12S\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11takerDiscountRate\x12\x42\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0cstakedAmount\x12;\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"\x8c\x02\n\x13\x46\x65\x65\x44iscountSchedule\x12!\n\x0c\x62ucket_count\x18\x01 \x01(\x04R\x0b\x62ucketCount\x12\'\n\x0f\x62ucket_duration\x18\x02 \x01(\x03R\x0e\x62ucketDuration\x12!\n\x0cquote_denoms\x18\x03 \x03(\tR\x0bquoteDenoms\x12N\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\ttierInfos\x12\x36\n\x17\x64isqualified_market_ids\x18\x05 \x03(\tR\x15\x64isqualifiedMarketIds\"M\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12#\n\rttl_timestamp\x18\x02 \x01(\x03R\x0cttlTimestamp\"\x9e\x01\n\x0cVolumeRecord\x12\x46\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmakerVolume\x12\x46\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0btakerVolume\"\x91\x01\n\x0e\x41\x63\x63ountRewards\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x65\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07rewards\"\x86\x01\n\x0cTradeRecords\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Y\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\x12latestTradeRecords\"6\n\rSubaccountIDs\x12%\n\x0esubaccount_ids\x18\x01 \x03(\x0cR\rsubaccountIds\"\xa7\x01\n\x0bTradeRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"m\n\x05Level\x12\x31\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01p\x12\x31\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01q\"\x97\x01\n\x1f\x41ggregateSubaccountVolumeRecord\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"\x89\x01\n\x1c\x41ggregateAccountVolumeRecord\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"s\n\x0cMarketVolume\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"A\n\rDenomDecimals\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04R\x08\x64\x65\x63imals\"e\n\x12GrantAuthorization\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"^\n\x0b\x41\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"\x90\x01\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12I\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0fnetGrantedStake\x12\x19\n\x08is_valid\x18\x03 \x01(\x08R\x07isValid*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rExchangeProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rExchangeProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None @@ -306,116 +296,116 @@ _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=15910 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=16026 - _globals['_MARKETSTATUS']._serialized_start=16028 - _globals['_MARKETSTATUS']._serialized_end=16112 - _globals['_ORDERTYPE']._serialized_start=16115 - _globals['_ORDERTYPE']._serialized_end=16430 - _globals['_EXECUTIONTYPE']._serialized_start=16433 - _globals['_EXECUTIONTYPE']._serialized_end=16608 - _globals['_ORDERMASK']._serialized_start=16611 - _globals['_ORDERMASK']._serialized_end=16876 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 + _globals['_MARKETSTATUS']._serialized_start=12382 + _globals['_MARKETSTATUS']._serialized_end=12466 + _globals['_ORDERTYPE']._serialized_start=12469 + _globals['_ORDERTYPE']._serialized_end=12784 + _globals['_EXECUTIONTYPE']._serialized_start=12787 + _globals['_EXECUTIONTYPE']._serialized_end=12962 + _globals['_ORDERMASK']._serialized_start=12965 + _globals['_ORDERMASK']._serialized_end=13230 _globals['_PARAMS']._serialized_start=186 - _globals['_PARAMS']._serialized_end=2889 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2892 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=3024 - _globals['_DERIVATIVEMARKET']._serialized_start=3027 - _globals['_DERIVATIVEMARKET']._serialized_end=4159 - _globals['_BINARYOPTIONSMARKET']._serialized_start=4162 - _globals['_BINARYOPTIONSMARKET']._serialized_end=5273 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=5276 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=5632 - _globals['_PERPETUALMARKETINFO']._serialized_start=5635 - _globals['_PERPETUALMARKETINFO']._serialized_end=5961 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=5964 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=6191 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=6194 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=6335 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=6337 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=6398 - _globals['_MIDPRICEANDTOB']._serialized_start=6401 - _globals['_MIDPRICEANDTOB']._serialized_end=6635 - _globals['_SPOTMARKET']._serialized_start=6638 - _globals['_SPOTMARKET']._serialized_end=7386 - _globals['_DEPOSIT']._serialized_start=7389 - _globals['_DEPOSIT']._serialized_end=7554 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=7556 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=7600 - _globals['_ORDERINFO']._serialized_start=7603 - _globals['_ORDERINFO']._serialized_end=7830 - _globals['_SPOTORDER']._serialized_start=7833 - _globals['_SPOTORDER']._serialized_end=8093 - _globals['_SPOTLIMITORDER']._serialized_start=8096 - _globals['_SPOTLIMITORDER']._serialized_end=8428 - _globals['_SPOTMARKETORDER']._serialized_start=8431 - _globals['_SPOTMARKETORDER']._serialized_end=8771 - _globals['_DERIVATIVEORDER']._serialized_start=8774 - _globals['_DERIVATIVEORDER']._serialized_end=9101 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=9104 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=9612 - _globals['_SUBACCOUNTORDER']._serialized_start=9615 - _globals['_SUBACCOUNTORDER']._serialized_end=9810 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=9812 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=9931 - _globals['_DERIVATIVELIMITORDER']._serialized_start=9934 - _globals['_DERIVATIVELIMITORDER']._serialized_end=10333 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=10336 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=10741 - _globals['_POSITION']._serialized_start=10744 - _globals['_POSITION']._serialized_end=11069 - _globals['_MARKETORDERINDICATOR']._serialized_start=11071 - _globals['_MARKETORDERINDICATOR']._serialized_end=11144 - _globals['_TRADELOG']._serialized_start=11147 - _globals['_TRADELOG']._serialized_end=11480 - _globals['_POSITIONDELTA']._serialized_start=11483 - _globals['_POSITIONDELTA']._serialized_end=11765 - _globals['_DERIVATIVETRADELOG']._serialized_start=11768 - _globals['_DERIVATIVETRADELOG']._serialized_end=12185 - _globals['_SUBACCOUNTPOSITION']._serialized_start=12187 - _globals['_SUBACCOUNTPOSITION']._serialized_end=12310 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=12312 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=12431 - _globals['_DEPOSITUPDATE']._serialized_start=12433 - _globals['_DEPOSITUPDATE']._serialized_end=12545 - _globals['_POINTSMULTIPLIER']._serialized_start=12548 - _globals['_POINTSMULTIPLIER']._serialized_end=12752 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=12755 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=13137 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=13140 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=13328 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=13331 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=13628 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=13631 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=13951 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=13954 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=14222 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=14224 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=14301 - _globals['_VOLUMERECORD']._serialized_start=14304 - _globals['_VOLUMERECORD']._serialized_end=14462 - _globals['_ACCOUNTREWARDS']._serialized_start=14465 - _globals['_ACCOUNTREWARDS']._serialized_end=14610 - _globals['_TRADERECORDS']._serialized_start=14613 - _globals['_TRADERECORDS']._serialized_end=14747 - _globals['_SUBACCOUNTIDS']._serialized_start=14749 - _globals['_SUBACCOUNTIDS']._serialized_end=14803 - _globals['_TRADERECORD']._serialized_start=14806 - _globals['_TRADERECORD']._serialized_end=14973 - _globals['_LEVEL']._serialized_start=14975 - _globals['_LEVEL']._serialized_end=15084 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=15087 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=15238 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=15241 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=15378 - _globals['_MARKETVOLUME']._serialized_start=15380 - _globals['_MARKETVOLUME']._serialized_end=15495 - _globals['_DENOMDECIMALS']._serialized_start=15497 - _globals['_DENOMDECIMALS']._serialized_end=15562 - _globals['_GRANTAUTHORIZATION']._serialized_start=15564 - _globals['_GRANTAUTHORIZATION']._serialized_end=15665 - _globals['_ACTIVEGRANT']._serialized_start=15667 - _globals['_ACTIVEGRANT']._serialized_end=15761 - _globals['_EFFECTIVEGRANT']._serialized_start=15764 - _globals['_EFFECTIVEGRANT']._serialized_end=15908 + _globals['_PARAMS']._serialized_end=2064 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 + _globals['_DERIVATIVEMARKET']._serialized_start=2176 + _globals['_DERIVATIVEMARKET']._serialized_end=3031 + _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 + _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 + _globals['_PERPETUALMARKETINFO']._serialized_start=4119 + _globals['_PERPETUALMARKETINFO']._serialized_end=4354 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 + _globals['_MIDPRICEANDTOB']._serialized_start=4700 + _globals['_MIDPRICEANDTOB']._serialized_end=4895 + _globals['_SPOTMARKET']._serialized_start=4898 + _globals['_SPOTMARKET']._serialized_end=5471 + _globals['_DEPOSIT']._serialized_start=5474 + _globals['_DEPOSIT']._serialized_end=5607 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 + _globals['_ORDERINFO']._serialized_start=5649 + _globals['_ORDERINFO']._serialized_end=5826 + _globals['_SPOTORDER']._serialized_start=5829 + _globals['_SPOTORDER']._serialized_end=6043 + _globals['_SPOTLIMITORDER']._serialized_start=6046 + _globals['_SPOTLIMITORDER']._serialized_end=6321 + _globals['_SPOTMARKETORDER']._serialized_start=6324 + _globals['_SPOTMARKETORDER']._serialized_end=6604 + _globals['_DERIVATIVEORDER']._serialized_start=6607 + _globals['_DERIVATIVEORDER']._serialized_end=6880 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 + _globals['_SUBACCOUNTORDER']._serialized_start=7225 + _globals['_SUBACCOUNTORDER']._serialized_end=7384 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 + _globals['_POSITION']._serialized_start=8168 + _globals['_POSITION']._serialized_end=8431 + _globals['_MARKETORDERINDICATOR']._serialized_start=8433 + _globals['_MARKETORDERINDICATOR']._serialized_end=8489 + _globals['_TRADELOG']._serialized_start=8492 + _globals['_TRADELOG']._serialized_end=8752 + _globals['_POSITIONDELTA']._serialized_start=8755 + _globals['_POSITIONDELTA']._serialized_end=8977 + _globals['_DERIVATIVETRADELOG']._serialized_start=8980 + _globals['_DERIVATIVETRADELOG']._serialized_end=9313 + _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 + _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 + _globals['_DEPOSITUPDATE']._serialized_start=9514 + _globals['_DEPOSITUPDATE']._serialized_end=9609 + _globals['_POINTSMULTIPLIER']._serialized_start=9612 + _globals['_POINTSMULTIPLIER']._serialized_end=9770 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 + _globals['_VOLUMERECORD']._serialized_start=10943 + _globals['_VOLUMERECORD']._serialized_end=11075 + _globals['_ACCOUNTREWARDS']._serialized_start=11077 + _globals['_ACCOUNTREWARDS']._serialized_end=11204 + _globals['_TRADERECORDS']._serialized_start=11206 + _globals['_TRADERECORDS']._serialized_end=11310 + _globals['_SUBACCOUNTIDS']._serialized_start=11312 + _globals['_SUBACCOUNTIDS']._serialized_end=11351 + _globals['_TRADERECORD']._serialized_start=11354 + _globals['_TRADERECORD']._serialized_end=11493 + _globals['_LEVEL']._serialized_start=11495 + _globals['_LEVEL']._serialized_end=11598 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 + _globals['_MARKETVOLUME']._serialized_start=11839 + _globals['_MARKETVOLUME']._serialized_end=11936 + _globals['_DENOMDECIMALS']._serialized_start=11938 + _globals['_DENOMDECIMALS']._serialized_end=11986 + _globals['_GRANTAUTHORIZATION']._serialized_start=11988 + _globals['_GRANTAUTHORIZATION']._serialized_end=12072 + _globals['_ACTIVEGRANT']._serialized_start=12074 + _globals['_ACTIVEGRANT']._serialized_end=12151 + _globals['_EFFECTIVEGRANT']._serialized_start=12153 + _globals['_EFFECTIVEGRANT']._serialized_end=12262 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 2daafffe..04af743b 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index 39eab950..cf0273a2 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xab\x1d\n\x0cGenesisState\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12I\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x0bspotMarkets\x12[\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x11\x64\x65rivativeMarkets\x12V\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00R\rspotOrderbook\x12h\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00R\x13\x64\x65rivativeOrderbook\x12\x45\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\x12R\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\tpositions\x12i\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00R\x15subaccountTradeNonces\x12\x86\x01\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00R\x1c\x65xpiryFuturesMarketInfoState\x12i\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x13perpetualMarketInfo\x12\x82\x01\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00R\x1bperpetualMarketFundingState\x12\x95\x01\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00R#derivativeMarketSettlementScheduled\x12\x37\n\x18is_spot_exchange_enabled\x18\r \x01(\x08R\x15isSpotExchangeEnabled\x12\x45\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08R\x1cisDerivativesExchangeEnabled\x12v\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12\x92\x01\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\"tradingRewardCampaignAccountPoints\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\x12w\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTLR\x19\x66\x65\x65\x44iscountAccountTierTtl\x12\x89\x01\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccountsR\x1f\x66\x65\x65\x44iscountBucketVolumeAccounts\x12<\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08R\x17isFirstFeeCycleFinished\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12\xa8\x01\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPointsR)pendingTradingRewardCampaignAccountPoints\x12\x39\n\x19rewards_opt_out_addresses\x18\x18 \x03(\tR\x16rewardsOptOutAddresses\x12\x62\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x16historicalTradeRecords\x12\x65\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x14\x62inaryOptionsMarkets\x12h\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\tR,binaryOptionsMarketIdsScheduledForSettlement\x12T\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\tR\"spotMarketIdsScheduledToForceClose\x12V\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\x12\x86\x01\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBookR\x1f\x63onditionalDerivativeOrderbooks\x12\x65\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\x12^\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequenceR\x12orderbookSequences\x12j\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecordR\x11subaccountVolumes\x12O\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\x12\x66\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizationsR\x13grantAuthorizations\x12P\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrantR\x0c\x61\x63tiveGrants\"L\n\x11OrderbookSequence\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x80\x01\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12I\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\x07tierTtl\"\xa9\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x34\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03R\x14\x62ucketStartTimestamp\x12P\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolumeR\raccountVolume\"f\n\rAccountVolume\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"{\n\"TradingRewardCampaignAccountPoints\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06points\"\xd1\x01\n)TradingRewardCampaignAccountPendingPoints\x12=\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03R\x18rewardPoolStartTimestamp\x12\x65\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\raccountPoints\"\x98\x01\n\rSpotOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12\x42\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa4\x01\n\x13\x44\x65rivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12H\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x03\n\x1e\x43onditionalDerivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0elimitBuyOrders\x12]\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x0fmarketBuyOrders\x12\\\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0flimitSellOrders\x12_\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x10marketSellOrders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8f\x01\n\x07\x42\x61lance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12?\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x01\n\x12\x44\x65rivativePosition\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12@\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n\x0fSubaccountNonce\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12l\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00R\x14subaccountTradeNonce:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x1c\x45xpiryFuturesMarketInfoState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12T\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoR\nmarketInfo\"\x88\x01\n\x1bPerpetualMarketFundingState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x07\x66unding\"\x8b\x02\n\x17\x46ullGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12K\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x41\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03R\x1alastDelegationsCheckedTime\x12\x46\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"w\n\x0f\x46ullActiveGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12J\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x0b\x61\x63tiveGrantB\x88\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0cGenesisProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\014GenesisProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._loaded_options = None @@ -78,37 +68,37 @@ _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=3930 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=3932 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=4008 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=4011 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=4139 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=4142 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=4311 - _globals['_ACCOUNTVOLUME']._serialized_start=4313 - _globals['_ACCOUNTVOLUME']._serialized_end=4415 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=4417 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=4540 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=4543 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=4752 - _globals['_SPOTORDERBOOK']._serialized_start=4755 - _globals['_SPOTORDERBOOK']._serialized_end=4907 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=4910 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=5074 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=5077 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=5526 - _globals['_BALANCE']._serialized_start=5529 - _globals['_BALANCE']._serialized_end=5672 - _globals['_DERIVATIVEPOSITION']._serialized_start=5675 - _globals['_DERIVATIVEPOSITION']._serialized_end=5837 - _globals['_SUBACCOUNTNONCE']._serialized_start=5840 - _globals['_SUBACCOUNTNONCE']._serialized_end=6014 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=6017 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=6162 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=6165 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=6301 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=6304 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=6571 - _globals['_FULLACTIVEGRANT']._serialized_start=6573 - _globals['_FULLACTIVEGRANT']._serialized_end=6692 + _globals['_GENESISSTATE']._serialized_end=3031 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 + _globals['_ACCOUNTVOLUME']._serialized_start=3338 + _globals['_ACCOUNTVOLUME']._serialized_end=3423 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 + _globals['_SPOTORDERBOOK']._serialized_start=3704 + _globals['_SPOTORDERBOOK']._serialized_end=3827 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 + _globals['_BALANCE']._serialized_start=4341 + _globals['_BALANCE']._serialized_end=4453 + _globals['_DERIVATIVEPOSITION']._serialized_start=4456 + _globals['_DERIVATIVEPOSITION']._serialized_end=4584 + _globals['_SUBACCOUNTNONCE']._serialized_start=4587 + _globals['_SUBACCOUNTNONCE']._serialized_end=4725 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 + _globals['_FULLACTIVEGRANT']._serialized_start=5178 + _globals['_FULLACTIVEGRANT']._serialized_end=5275 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2daafffe..2ead22e3 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index c53c01fc..9ae28250 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/proposal.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd3\x06\n\x1dSpotMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12@\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12\x1c\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xcc\x01\n\x16\x45xchangeEnableProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12L\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeTypeR\x0c\x65xchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\r\n!BatchExchangeModificationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x85\x01\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposalR\x1espotMarketParamUpdateProposals\x12\x97\x01\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposalR$derivativeMarketParamUpdateProposals\x12u\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposalR\x19spotMarketLaunchProposals\x12\x84\x01\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposalR\x1eperpetualMarketLaunchProposals\x12\x91\x01\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposalR\"expiryFuturesMarketLaunchProposals\x12\x95\x01\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposalR#tradingRewardCampaignUpdateProposal\x12\x91\x01\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposalR\"binaryOptionsMarketLaunchProposals\x12\x94\x01\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposalR!binaryOptionsParamUpdateProposals\x12|\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposalR\x1b\x64\x65nomDecimalsUpdateProposal\x12\x63\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposalR\x13\x66\x65\x65\x44iscountProposal\x12\x87\x01\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposalR\x1fmarketForcedSettlementProposals:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xca\x05\n\x18SpotMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x05 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x46\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xa6\x08\n\x1dPerpetualMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12U\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xe5\x07\n!BinaryOptionsMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\n \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0b \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x11 \x01(\rR\x10\x61\x64minPermissions:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xc6\x08\n!ExpiryFuturesMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\t \x01(\x03R\x06\x65xpiry\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x92\n\n#DerivativeMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12S\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12HourlyInterestRate\x12W\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14HourlyFundingRateCap\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12M\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"N\n\tAdminInfo\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x02 \x01(\rR\x10\x61\x64minPermissions\"\x99\x02\n\x1eMarketForcedSettlementProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xf8\x01\n\x1bUpdateDenomDecimalsProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12P\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsR\rdenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xc2\x08\n&BinaryOptionsMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12N\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12U\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\xc1\x01\n\x14ProviderOracleParams\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xc9\x01\n\x0cOracleParams\x12\x1f\n\x0boracle_base\x18\x01 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x02 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xf6\x02\n#TradingRewardCampaignLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xfc\x03\n#TradingRewardCampaignUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12u\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1c\x63\x61mpaignRewardPoolsAdditions\x12q\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1a\x63\x61mpaignRewardPoolsUpdates:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"\x80\x01\n\x11RewardPointUpdate\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tnewPoints\"\xd7\x02\n(TradingRewardPendingPointsUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x16pending_pool_timestamp\x18\x03 \x01(\x03R\x14pendingPoolTimestamp\x12_\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdateR\x12rewardPointUpdates:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xe3\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\x85\x02\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposalR\tproposals:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\xb3\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x65\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rProposalProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rProposalProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None @@ -184,48 +174,48 @@ _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' - _globals['_EXCHANGETYPE']._serialized_start=12535 - _globals['_EXCHANGETYPE']._serialized_end=12655 + _globals['_EXCHANGETYPE']._serialized_start=10062 + _globals['_EXCHANGETYPE']._serialized_end=10182 _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1180 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1183 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1387 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1390 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=3076 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=3079 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3793 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3796 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=4858 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=4861 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=5858 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=5861 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=6955 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=6958 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=8256 - _globals['_ADMININFO']._serialized_start=8258 - _globals['_ADMININFO']._serialized_end=8336 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=8339 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=8620 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=8623 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=8871 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=8874 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=9964 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=9967 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=10160 - _globals['_ORACLEPARAMS']._serialized_start=10163 - _globals['_ORACLEPARAMS']._serialized_end=10364 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=10367 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=10741 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=10744 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=11252 - _globals['_REWARDPOINTUPDATE']._serialized_start=11255 - _globals['_REWARDPOINTUPDATE']._serialized_end=11383 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=11386 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=11729 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=11732 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=11959 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=11962 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=12223 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=12226 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=12533 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 + _globals['_ADMININFO']._serialized_start=6564 + _globals['_ADMININFO']._serialized_end=6617 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 + _globals['_ORACLEPARAMS']._serialized_start=8086 + _globals['_ORACLEPARAMS']._serialized_end=8231 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 + _globals['_REWARDPOINTUPDATE']._serialized_start=8974 + _globals['_REWARDPOINTUPDATE']._serialized_end=9075 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index 2daafffe..e392ca56 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index 01e365b8..d6d3ffa1 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"O\n\nSubaccount\x12\x16\n\x06trader\x18\x01 \x01(\tR\x06trader\x12)\n\x10subaccount_nonce\x18\x02 \x01(\rR\x0fsubaccountNonce\"`\n\x1cQuerySubaccountOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\xc1\x01\n\x1dQuerySubaccountOrdersResponse\x12N\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\tbuyOrders\x12P\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\nsellOrders\"\xaf\x01\n%SubaccountOrderbookMetadataWithMarket\x12S\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadataR\x08metadata\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x03 \x01(\x08R\x05isBuy\"\x1c\n\x1aQueryExchangeParamsRequest\"_\n\x1bQueryExchangeParamsResponse\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x93\x01\n\x1eQuerySubaccountDepositsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12L\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01R\nsubaccount\"\xea\x01\n\x1fQuerySubaccountDepositsResponse\x12\x65\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntryR\x08\x64\x65posits\x1a`\n\rDepositsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x39\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x05value:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"f\n\x1dQueryExchangeBalancesResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\"7\n\x1bQueryAggregateVolumeRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"u\n\x1cQueryAggregateVolumeResponse\x12U\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x10\x61ggregateVolumes\"Y\n\x1cQueryAggregateVolumesRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\xf9\x01\n\x1dQueryAggregateVolumesResponse\x12t\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecordR\x17\x61ggregateAccountVolumes\x12\x62\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x16\x61ggregateMarketVolumes\"@\n!QueryAggregateMarketVolumeRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"l\n\"QueryAggregateMarketVolumeResponse\x12\x46\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"0\n\x18QueryDenomDecimalRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"5\n\x19QueryDenomDecimalResponse\x12\x18\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04R\x07\x64\x65\x63imal\"3\n\x19QueryDenomDecimalsRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"t\n\x1aQueryDenomDecimalsResponse\x12V\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\"C\n\"QueryAggregateMarketVolumesRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"i\n#QueryAggregateMarketVolumesResponse\x12\x42\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x07volumes\"Z\n\x1dQuerySubaccountDepositRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"a\n\x1eQuerySubaccountDepositResponse\x12?\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits\"P\n\x17QuerySpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\\\n\x18QuerySpotMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x07markets\"5\n\x16QuerySpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"Y\n\x17QuerySpotMarketResponse\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\"\xd6\x02\n\x19QuerySpotOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12\x44\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSideR\torderSide\x12_\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\x12_\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeQuantity\"\xb8\x01\n\x1aQuerySpotOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\xad\x01\n\x0e\x46ullSpotMarket\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\x12[\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTob\"\x88\x01\n\x1bQueryFullSpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"d\n\x1cQueryFullSpotMarketsResponse\x12\x44\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x07markets\"m\n\x1aQueryFullSpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x32\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08R\x12withMidPriceAndTob\"a\n\x1bQueryFullSpotMarketResponse\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x06market\"\x85\x01\n\x1eQuerySpotOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"l\n\x1fQuerySpotOrdersByHashesResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"`\n\x1cQueryTraderSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"l\n$QueryAccountAddressSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x9b\x02\n\x15TrimmedSpotLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x14\n\x05isBuy\x18\x04 \x01(\x08R\x05isBuy\x12\x1d\n\norder_hash\x18\x05 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id\"j\n\x1dQueryTraderSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"r\n%QueryAccountAddressSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"=\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\xfb\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"C\n$QueryDerivativeMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\x81\x02\n%QueryDerivativeMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xb5\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12_\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\"\xbe\x01\n QueryDerivativeOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\x9c\x03\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x44\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nbaseAmount\x12\x46\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"\xdc\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x46\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"f\n\"QueryTraderDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"r\n*QueryAccountAddressDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xe9\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12\x1d\n\norder_hash\x18\x06 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"v\n#QueryTraderDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"~\n+QueryAccountAddressDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8b\x01\n$QueryDerivativeOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"x\n%QueryDerivativeOrdersByHashesResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8a\x01\n\x1dQueryDerivativeMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"\x88\x01\n\nPriceLevel\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"\xbf\x01\n\x14PerpetualMarketState\x12P\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoR\nmarketInfo\x12U\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x0b\x66undingInfo\"\xba\x03\n\x14\x46ullDerivativeMarket\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x06market\x12Y\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00R\rperpetualInfo\x12X\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00R\x0b\x66uturesInfo\x12\x42\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\x12[\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTobB\x06\n\x04info\"l\n\x1eQueryDerivativeMarketsResponse\x12J\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x07markets\";\n\x1cQueryDerivativeMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"i\n\x1dQueryDerivativeMarketResponse\x12H\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x06market\"B\n#QueryDerivativeMarketAddressRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"e\n$QueryDerivativeMarketAddressResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"G\n QuerySubaccountTradeNonceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"F\n\x1fQuerySubaccountPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"j\n&QuerySubaccountPositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"s\n/QuerySubaccountEffectivePositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"J\n#QuerySubaccountOrderMetadataRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"n\n QuerySubaccountPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"k\n\'QuerySubaccountPositionInMarketResponse\x12@\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01R\x05state\"\x83\x02\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12N\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65\x66\x66\x65\x63tiveMargin\"}\n0QuerySubaccountEffectivePositionInMarketResponse\x12I\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01R\x05state\">\n\x1fQueryPerpetualMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"m\n QueryPerpetualMarketInfoResponse\x12I\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"B\n#QueryExpiryFuturesMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n$QueryExpiryFuturesMarketInfoResponse\x12M\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"A\n\"QueryPerpetualMarketFundingRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n#QueryPerpetualMarketFundingResponse\x12N\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x05state\"\x8b\x01\n$QuerySubaccountOrderMetadataResponse\x12\x63\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00R\x08metadata\"9\n!QuerySubaccountTradeNonceResponse\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\x19\n\x17QueryModuleStateRequest\"Z\n\x18QueryModuleStateResponse\x12>\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisStateR\x05state\"\x17\n\x15QueryPositionsRequest\"d\n\x16QueryPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"q\n\x1dQueryTradeRewardPointsRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x34\n\x16pending_pool_timestamp\x18\x02 \x01(\x03R\x14pendingPoolTimestamp\"\x84\x01\n\x1eQueryTradeRewardPointsResponse\x12\x62\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61\x63\x63ountTradeRewardPoints\"!\n\x1fQueryTradeRewardCampaignRequest\"\xfe\x04\n QueryTradeRewardCampaignResponse\x12v\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12^\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16totalTradeRewardPoints\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12m\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dpendingTotalTradeRewardPoints\";\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"D\n QueryIsOptedOutOfRewardsResponse\x12 \n\x0cis_opted_out\x18\x01 \x01(\x08R\nisOptedOut\"\'\n%QueryOptedOutOfRewardsAccountsRequest\"D\n&QueryOptedOutOfRewardsAccountsResponse\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\">\n\"QueryFeeDiscountAccountInfoRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"\xe9\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x1d\n\ntier_level\x18\x01 \x01(\x04R\ttierLevel\x12R\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\x0b\x61\x63\x63ountInfo\x12O\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\naccountTtl\"!\n\x1fQueryFeeDiscountScheduleRequest\"\x87\x01\n QueryFeeDiscountScheduleResponse\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\"@\n\x1dQueryBalanceMismatchesRequest\x12\x1f\n\x0b\x64ust_factor\x18\x01 \x01(\x03R\ndustFactor\"\xa2\x03\n\x0f\x42\x61lanceMismatch\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12J\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rexpectedTotal\x12\x43\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\ndifference\"|\n\x1eQueryBalanceMismatchesResponse\x12Z\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatchR\x11\x62\x61lanceMismatches\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x97\x02\n\x15\x42\x61lanceWithMarginHold\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\"\x96\x01\n$QueryBalanceWithBalanceHoldsResponse\x12n\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHoldR\x17\x62\x61lanceWithBalanceHolds\"\'\n%QueryFeeDiscountTierStatisticsRequest\"9\n\rTierStatistic\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"s\n&QueryFeeDiscountTierStatisticsResponse\x12I\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatisticR\nstatistics\"\x17\n\x15MitoVaultInfosRequest\"\xc4\x01\n\x16MitoVaultInfosResponse\x12)\n\x10master_addresses\x18\x01 \x03(\tR\x0fmasterAddresses\x12\x31\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\tR\x13\x64\x65rivativeAddresses\x12%\n\x0espot_addresses\x18\x03 \x03(\tR\rspotAddresses\x12%\n\x0e\x63w20_addresses\x18\x04 \x03(\tR\rcw20Addresses\"D\n\x1dQueryMarketIDFromVaultRequest\x12#\n\rvault_address\x18\x01 \x01(\tR\x0cvaultAddress\"=\n\x1eQueryMarketIDFromVaultResponse\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"A\n\"QueryHistoricalTradeRecordsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"t\n#QueryHistoricalTradeRecordsResponse\x12M\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x0ctradeRecords\"\xb7\x01\n\x13TradeHistoryOptions\x12,\n\x12trade_grouping_sec\x18\x01 \x01(\x04R\x10tradeGroupingSec\x12\x17\n\x07max_age\x18\x02 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x04 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x05 \x01(\x08R\x0fincludeMetadata\"\xa0\x01\n\x1cQueryMarketVolatilityRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x63\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptionsR\x13tradeHistoryOptions\"\x83\x02\n\x1dQueryMarketVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12H\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\nrawHistory\"3\n\x19QueryBinaryMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"g\n\x1aQueryBinaryMarketsResponse\x12I\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x07markets\"q\n-QueryTraderDerivativeConditionalOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x9e\x03\n!TrimmedDerivativeConditionalOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12G\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12%\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimitR\x07isLimit\x12\x1d\n\norder_hash\x18\x07 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x08 \x01(\tR\x03\x63id\"\x87\x01\n.QueryTraderDerivativeConditionalOrdersResponse\x12U\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrderR\x06orders\"M\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"v\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x43\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmultiplier\"8\n\x1cQueryActiveStakeGrantRequest\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\"\xb3\x01\n\x1dQueryActiveStakeGrantResponse\x12=\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x05grant\x12S\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrantR\x0e\x65\x66\x66\x65\x63tiveGrant\"T\n\x1eQueryGrantAuthorizationRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\"X\n\x1fQueryGrantAuthorizationResponse\x12\x35\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\";\n\x1fQueryGrantAuthorizationsRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\"\xb7\x01\n QueryGrantAuthorizationsResponse\x12K\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}B\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nQueryProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nQueryProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._loaded_options = None @@ -287,272 +277,272 @@ _globals['_QUERY'].methods_by_name['GrantAuthorization']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}' _globals['_QUERY'].methods_by_name['GrantAuthorizations']._loaded_options = None _globals['_QUERY'].methods_by_name['GrantAuthorizations']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/grant_authorizations/{granter}' - _globals['_ORDERSIDE']._serialized_start=17324 - _globals['_ORDERSIDE']._serialized_end=17376 - _globals['_CANCELLATIONSTRATEGY']._serialized_start=17378 - _globals['_CANCELLATIONSTRATEGY']._serialized_end=17464 + _globals['_ORDERSIDE']._serialized_start=14580 + _globals['_ORDERSIDE']._serialized_end=14632 + _globals['_CANCELLATIONSTRATEGY']._serialized_start=14634 + _globals['_CANCELLATIONSTRATEGY']._serialized_end=14720 _globals['_SUBACCOUNT']._serialized_start=246 - _globals['_SUBACCOUNT']._serialized_end=325 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=327 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=423 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=426 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=619 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=622 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=797 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=799 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=827 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=829 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=924 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=927 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=1074 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=1077 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1311 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1215 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1311 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1313 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1343 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1345 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1447 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1449 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1504 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1506 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1623 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1625 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1714 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1717 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1966 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1968 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=2032 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=2034 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=2142 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=2144 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=2192 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=2194 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=2247 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=2249 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=2300 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=2302 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2418 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2420 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2487 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2489 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2594 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2596 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2686 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2688 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2785 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2787 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2867 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2869 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2961 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2963 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=3016 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=3018 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=3107 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=3110 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=3452 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=3455 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3639 - _globals['_FULLSPOTMARKET']._serialized_start=3642 - _globals['_FULLSPOTMARKET']._serialized_end=3815 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3818 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3954 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3956 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=4056 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=4058 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=4167 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=4169 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=4266 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=4269 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=4402 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=4404 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=4512 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=4514 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=4610 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=4612 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=4720 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=4723 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=5006 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=5008 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=5114 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=5116 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=5230 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=5232 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=5293 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=5296 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=5547 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=5549 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=5616 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=5619 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=5876 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=5879 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=6060 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=6063 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=6253 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6256 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=6668 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6671 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=7019 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=7021 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=7123 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=7125 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=7239 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=7242 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=7603 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=7605 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=7723 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=7725 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=7851 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=7854 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=7993 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=7995 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=8115 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=8118 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=8256 - _globals['_PRICELEVEL']._serialized_start=8259 - _globals['_PRICELEVEL']._serialized_end=8395 - _globals['_PERPETUALMARKETSTATE']._serialized_start=8398 - _globals['_PERPETUALMARKETSTATE']._serialized_end=8589 - _globals['_FULLDERIVATIVEMARKET']._serialized_start=8592 - _globals['_FULLDERIVATIVEMARKET']._serialized_end=9034 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=9036 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=9144 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=9146 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=9205 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=9207 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=9312 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=9314 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=9380 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=9382 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=9483 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=9485 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=9556 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=9558 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=9628 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=9630 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=9736 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=9738 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=9853 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=9855 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=9929 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=9931 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=10041 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=10043 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=10150 - _globals['_EFFECTIVEPOSITION']._serialized_start=10153 - _globals['_EFFECTIVEPOSITION']._serialized_end=10412 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=10414 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=10539 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=10541 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=10603 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=10605 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=10714 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=10716 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=10782 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=10784 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=10901 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=10903 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=10968 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=10970 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=11087 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=11090 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=11229 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=11231 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=11288 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=11290 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=11315 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=11317 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=11407 - _globals['_QUERYPOSITIONSREQUEST']._serialized_start=11409 - _globals['_QUERYPOSITIONSREQUEST']._serialized_end=11432 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=11434 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=11534 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=11536 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=11649 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=11652 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=11784 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=11786 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=11819 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=11822 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=12460 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=12462 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=12521 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=12523 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=12591 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=12593 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=12632 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=12634 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=12702 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=12704 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=12766 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=12769 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=13002 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=13004 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=13037 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=13040 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=13175 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=13177 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=13241 - _globals['_BALANCEMISMATCH']._serialized_start=13244 - _globals['_BALANCEMISMATCH']._serialized_end=13662 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=13664 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=13788 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=13790 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=13827 - _globals['_BALANCEWITHMARGINHOLD']._serialized_start=13830 - _globals['_BALANCEWITHMARGINHOLD']._serialized_end=14109 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=14112 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=14262 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=14264 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=14303 - _globals['_TIERSTATISTIC']._serialized_start=14305 - _globals['_TIERSTATISTIC']._serialized_end=14362 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=14364 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=14479 - _globals['_MITOVAULTINFOSREQUEST']._serialized_start=14481 - _globals['_MITOVAULTINFOSREQUEST']._serialized_end=14504 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=14507 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=14703 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=14705 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=14773 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=14775 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=14836 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=14838 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=14903 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=14905 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=15021 - _globals['_TRADEHISTORYOPTIONS']._serialized_start=15024 - _globals['_TRADEHISTORYOPTIONS']._serialized_end=15207 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=15210 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=15370 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=15373 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=15632 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=15634 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=15685 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=15687 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=15790 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=15792 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=15905 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=15908 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=16322 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=16325 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=16460 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=16462 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=16539 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=16541 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=16659 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=16661 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=16717 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=16720 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=16899 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=16901 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=16985 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=16987 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=17075 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=17077 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=17136 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=17139 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=17322 - _globals['_QUERY']._serialized_start=17467 - _globals['_QUERY']._serialized_end=30472 + _globals['_SUBACCOUNT']._serialized_end=300 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=302 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=374 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=377 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=547 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=550 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=698 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=700 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=728 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=730 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=817 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=819 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=940 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=943 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1155 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1071 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1155 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1157 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1187 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1189 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1281 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1283 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1329 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1331 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1430 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1432 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1500 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1503 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1703 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1705 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=1759 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=1761 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=1861 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=1863 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=1904 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=1906 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=1950 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=1952 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=1995 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=1997 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2098 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2100 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2156 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2158 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2254 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2256 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2325 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2327 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2414 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2416 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2477 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2479 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2562 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2564 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=2607 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=2609 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=2690 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=2693 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2957 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2960 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3111 + _globals['_FULLSPOTMARKET']._serialized_start=3114 + _globals['_FULLSPOTMARKET']._serialized_end=3263 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3265 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3362 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3364 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3455 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3457 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3536 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3538 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3627 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3629 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3725 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3727 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3827 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3829 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3901 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3903 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=3985 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=3988 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4221 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4223 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4321 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4323 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4429 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4431 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4482 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4485 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4697 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4699 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4756 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4759 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=4977 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=4980 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5119 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5122 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5279 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5282 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5619 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5622 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5907 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=5909 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=5987 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=5989 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6077 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6080 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6383 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6385 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6495 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6497 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6615 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6617 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6719 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6721 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=6833 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=6835 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=6934 + _globals['_PRICELEVEL']._serialized_start=6936 + _globals['_PRICELEVEL']._serialized_end=7055 + _globals['_PERPETUALMARKETSTATE']._serialized_start=7058 + _globals['_PERPETUALMARKETSTATE']._serialized_end=7224 + _globals['_FULLDERIVATIVEMARKET']._serialized_start=7227 + _globals['_FULLDERIVATIVEMARKET']._serialized_end=7606 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7608 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7707 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7709 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7758 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7760 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=7857 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=7859 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=7915 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=7917 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=7995 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=7997 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8054 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8056 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8112 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8114 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8196 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8198 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8289 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8291 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8351 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8353 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8456 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8458 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8558 + _globals['_EFFECTIVEPOSITION']._serialized_start=8561 + _globals['_EFFECTIVEPOSITION']._serialized_end=8773 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=8775 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=8893 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=8895 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=8947 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=8949 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9052 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9054 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9110 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9112 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9223 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9225 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9280 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9282 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9392 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9395 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9524 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9526 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9576 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9578 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9603 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9605 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9688 + _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9690 + _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9713 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9715 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=9808 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=9810 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=9891 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=9893 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=9999 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10001 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10034 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10037 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10514 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10516 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10566 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10568 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10624 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10626 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10665 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10667 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=10725 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=10727 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=10780 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=10783 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=10980 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=10982 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11015 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11017 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11131 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11133 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11185 + _globals['_BALANCEMISMATCH']._serialized_start=11188 + _globals['_BALANCEMISMATCH']._serialized_end=11527 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11529 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11634 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11636 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=11673 + _globals['_BALANCEWITHMARGINHOLD']._serialized_start=11676 + _globals['_BALANCEWITHMARGINHOLD']._serialized_end=11903 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=11905 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12030 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12032 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12071 + _globals['_TIERSTATISTIC']._serialized_start=12073 + _globals['_TIERSTATISTIC']._serialized_end=12117 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12119 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12222 + _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12224 + _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12247 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12250 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12378 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12380 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12434 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12436 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12487 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12489 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12544 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12546 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=12648 + _globals['_TRADEHISTORYOPTIONS']._serialized_start=12650 + _globals['_TRADEHISTORYOPTIONS']._serialized_end=12771 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=12774 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=12903 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=12906 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13124 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13126 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13169 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13171 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13265 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13267 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13356 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13359 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=13702 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=13704 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=13831 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=13833 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=13900 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=13902 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14008 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=14010 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=14057 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=14060 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=14216 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=14218 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=14284 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=14286 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=14366 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=14368 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=14418 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=14421 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=14578 + _globals['_QUERY']._serialized_start=14723 + _globals['_QUERY']._serialized_end=27728 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index c5aa407e..2c94b222 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 5eab3485..4c87a127 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/exchange/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xa7\x03\n\x13MsgUpdateSpotMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xf7\x04\n\x19MsgUpdateDerivativeMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional\x12\\\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15newInitialMarginRatio\x12\x64\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19newMaintenanceMarginRatio:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xb8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12@\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaf\x01\n\nMsgDeposit\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xb1\x01\n\x0bMsgWithdraw\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\xae\x01\n\x17MsgCreateSpotLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"\\\n\x1fMsgCreateSpotLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x43\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x06orders:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\xb2\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x03\n\x1aMsgInstantSpotMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x03 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xb1\x07\n\x1fMsgInstantPerpetualMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\x89\x07\n#MsgInstantBinaryOptionsMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x03 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x04 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12I\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0c \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xd1\x07\n#MsgInstantExpiryFuturesMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x16\n\x06\x65xpiry\x18\x08 \x01(\x03R\x06\x65xpiry\x12I\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xb0\x01\n\x18MsgCreateSpotMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\xb1\x01\n MsgCreateSpotMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12R\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x16SpotMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"b\n%MsgCreateDerivativeLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"e\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12I\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x06orders:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\xb8\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd0\x01\n\x12MsgCancelSpotOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\xaa\x01\n\x18MsgBatchCancelSpotOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"F\n MsgBatchCancelSpotOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"O\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x07\n\x14MsgBatchUpdateOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12?\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\tR\x18spotMarketIdsToCancelAll\x12K\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\tR\x1e\x64\x65rivativeMarketIdsToCancelAll\x12^\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCancel\x12j\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCancel\x12^\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCreate\x12p\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCreate\x12q\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCancel\x12R\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\tR!binaryOptionsMarketIdsToCancelAll\x12w\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCreate:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\x88\x06\n\x1cMsgBatchUpdateOrdersResponse\x12.\n\x13spot_cancel_success\x18\x01 \x03(\x08R\x11spotCancelSuccess\x12:\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08R\x17\x64\x65rivativeCancelSuccess\x12*\n\x11spot_order_hashes\x18\x03 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\tR\x15\x64\x65rivativeOrderHashes\x12\x41\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08R\x1a\x62inaryOptionsCancelSuccess\x12=\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\tR\x18\x62inaryOptionsOrderHashes\x12\x37\n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\tR\x15\x63reatedSpotOrdersCids\x12\x35\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\tR\x14\x66\x61iledSpotOrdersCids\x12\x43\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\tR\x1b\x63reatedDerivativeOrdersCids\x12\x41\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\tR\x1a\x66\x61iledDerivativeOrdersCids\x12J\n\"created_binary_options_orders_cids\x18\x0b \x03(\tR\x1e\x63reatedBinaryOptionsOrdersCids\x12H\n!failed_binary_options_orders_cids\x18\x0c \x03(\tR\x1d\x66\x61iledBinaryOptionsOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xbd\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12V\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00R\rpositionDelta\x12;\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc4\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xc0\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xfb\x01\n\x18MsgCancelDerivativeOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\x81\x02\n\x1bMsgCancelBinaryOptionsOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"\x9d\x01\n\tOrderData\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x04 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\xb6\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"L\n&MsgBatchCancelDerivativeOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x02\n\x15MsgSubaccountTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\x82\x02\n\x13MsgExternalTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xe8\x01\n\x14MsgLiquidatePosition\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12G\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x05order:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\xa7\x01\n\x18MsgEmergencySettleMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xaf\x02\n\x19MsgIncreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xaf\x02\n\x19MsgDecreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xca\x01\n\x1cMsgPrivilegedExecuteContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05\x66unds\x18\x02 \x01(\tR\x05\x66unds\x12)\n\x10\x63ontract_address\x18\x03 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\tR\x04\x64\x61ta:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\xa7\x01\n$MsgPrivilegedExecuteContractResponse\x12j\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tfundsDiff:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"]\n\x10MsgRewardsOptOut\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\xaf\x01\n\x15MsgReclaimLockedFunds\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x13lockedAccountPubKey\x18\x02 \x01(\x0cR\x13lockedAccountPubKey\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"\x80\x01\n\x0bMsgSignData\x12S\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddressR\x06Signer\x12\x1c\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x44\x61ta\"x\n\nMsgSignDoc\x12%\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04typeR\x08signType\x12\x43\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00R\x05value\"\x8c\x03\n!MsgAdminUpdateBinaryOptionsMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x31\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x05 \x01(\x03R\x13settlementTimestamp\x12@\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\xab\x01\n\x17MsgAuthorizeStakeGrants\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"y\n\x15MsgActivateStakeGrant\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x83\x02\n\x1e\x63om.injective.exchange.v1beta1B\x07TxProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\007TxProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None @@ -291,159 +281,159 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 - _globals['_MSGUPDATESPOTMARKET']._serialized_end=746 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=748 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=777 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=780 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1411 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1413 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1448 - _globals['_MSGUPDATEPARAMS']._serialized_start=1451 - _globals['_MSGUPDATEPARAMS']._serialized_end=1635 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1637 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1662 - _globals['_MSGDEPOSIT']._serialized_start=1665 - _globals['_MSGDEPOSIT']._serialized_end=1840 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1842 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1862 - _globals['_MSGWITHDRAW']._serialized_start=1865 - _globals['_MSGWITHDRAW']._serialized_end=2042 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=2044 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=2065 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=2068 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=2242 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=2244 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=2336 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2339 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2527 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2530 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2708 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2711 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=3158 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=3160 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=3196 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=3199 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=4144 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=4146 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=4187 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=4190 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=5095 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=5097 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=5142 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=5145 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=6122 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=6124 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=6169 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=6172 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=6348 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=6351 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=6528 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=6531 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=6744 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=6747 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=6935 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=6937 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=7035 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=7038 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=7232 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=7234 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=7335 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=7338 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=7540 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=7543 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=7727 - _globals['_MSGCANCELSPOTORDER']._serialized_start=7730 - _globals['_MSGCANCELSPOTORDER']._serialized_end=7938 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=7940 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=7968 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=7971 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=8141 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=8143 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=8213 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=8216 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=8404 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=8406 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=8485 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=8488 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=9498 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=9501 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=10277 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=10280 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=10470 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=10473 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=10662 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=10665 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=11033 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=11036 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=11232 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=11235 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=11427 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=11430 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=11681 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=11683 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=11717 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=11720 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=11977 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=11979 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=12016 - _globals['_ORDERDATA']._serialized_start=12019 - _globals['_ORDERDATA']._serialized_end=12176 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=12179 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=12361 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=12363 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=12439 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=12442 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=12704 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=12706 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=12737 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=12740 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=12998 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=13000 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=13029 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=13032 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=13264 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=13266 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=13296 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=13299 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=13466 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=13468 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=13502 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=13505 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=13808 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=13810 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=13845 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=13848 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=14151 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=14153 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=14188 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=14191 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=14393 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=14396 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=14563 - _globals['_MSGREWARDSOPTOUT']._serialized_start=14565 - _globals['_MSGREWARDSOPTOUT']._serialized_end=14658 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=14660 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=14686 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=14689 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=14864 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=14866 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=14897 - _globals['_MSGSIGNDATA']._serialized_start=14900 - _globals['_MSGSIGNDATA']._serialized_end=15028 - _globals['_MSGSIGNDOC']._serialized_start=15030 - _globals['_MSGSIGNDOC']._serialized_end=15150 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=15153 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=15549 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=15551 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=15594 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=15597 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=15768 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=15770 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=15803 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=15805 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=15926 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=15928 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=15959 - _globals['_MSG']._serialized_start=15962 - _globals['_MSG']._serialized_end=21034 + _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 + _globals['_MSGUPDATEPARAMS']._serialized_start=1223 + _globals['_MSGUPDATEPARAMS']._serialized_end=1388 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 + _globals['_MSGDEPOSIT']._serialized_start=1418 + _globals['_MSGDEPOSIT']._serialized_end=1563 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 + _globals['_MSGWITHDRAW']._serialized_start=1588 + _globals['_MSGWITHDRAW']._serialized_end=1735 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 + _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 + _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 + _globals['_ORDERDATA']._serialized_start=9786 + _globals['_ORDERDATA']._serialized_end=9892 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 + _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 + _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 + _globals['_MSGSIGNDATA']._serialized_start=12160 + _globals['_MSGSIGNDATA']._serialized_end=12274 + _globals['_MSGSIGNDOC']._serialized_start=12276 + _globals['_MSGSIGNDOC']._serialized_end=12379 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 + _globals['_MSG']._serialized_start=13073 + _globals['_MSG']._serialized_end=18145 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index e8346ec5..dcba65de 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/exchange/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the exchange Msg service. diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index 6d24c373..6f6d8e4c 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/insurance/v1beta1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"Z\n\x18\x45ventInsuranceFundUpdate\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"e\n\x16\x45ventRequestRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\"\xa8\x01\n\x17\x45ventWithdrawRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\x12@\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nredeemCoin\"\xc3\x01\n\x0f\x45ventUnderwrite\x12 \n\x0bunderwriter\x18\x01 \x01(\tR\x0bunderwriter\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\x12\x37\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06shares\"\x9b\x01\n\x16\x45ventInsuranceWithdraw\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x02 \x01(\tR\x0cmarketTicker\x12?\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nwithdrawalB\x8d\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0b\x45ventsProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"T\n\x18\x45ventInsuranceFundUpdate\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"[\n\x16\x45ventRequestRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\"\x92\x01\n\x17\x45ventWithdrawRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\x12\x34\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x9b\x01\n\x0f\x45ventUnderwrite\x12\x13\n\x0bunderwriter\x18\x01 \x01(\t\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12/\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"w\n\x16\x45ventInsuranceWithdraw\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_ticker\x18\x02 \x01(\t\x12\x33\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\013EventsProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._loaded_options = None _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._serialized_options = b'\310\336\037\000' _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._loaded_options = None @@ -44,13 +34,13 @@ _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._loaded_options = None _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._serialized_options = b'\310\336\037\000' _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_start=172 - _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=262 - _globals['_EVENTREQUESTREDEMPTION']._serialized_start=264 - _globals['_EVENTREQUESTREDEMPTION']._serialized_end=365 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=368 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=536 - _globals['_EVENTUNDERWRITE']._serialized_start=539 - _globals['_EVENTUNDERWRITE']._serialized_end=734 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=737 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=892 + _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=256 + _globals['_EVENTREQUESTREDEMPTION']._serialized_start=258 + _globals['_EVENTREQUESTREDEMPTION']._serialized_end=349 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=352 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=498 + _globals['_EVENTUNDERWRITE']._serialized_start=501 + _globals['_EVENTUNDERWRITE']._serialized_end=656 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=658 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=777 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index 2daafffe..f5f15403 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index d944466e..38173148 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/insurance/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\x82\x03\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12Y\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x0einsuranceFunds\x12\x66\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00R\x12redemptionSchedule\x12-\n\x13next_share_denom_id\x18\x04 \x01(\x04R\x10nextShareDenomId\x12=\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04R\x18nextRedemptionScheduleIdB\x8e\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0cGenesisProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\xaa\x02\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12I\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\x12R\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13next_share_denom_id\x18\x04 \x01(\x04\x12#\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\014GenesisProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._loaded_options = None @@ -41,5 +31,5 @@ _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=142 - _globals['_GENESISSTATE']._serialized_end=528 + _globals['_GENESISSTATE']._serialized_end=440 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index 2daafffe..fe975d23 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index d9e7f614..e43d0913 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/insurance/v1beta1/insurance.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd7\x01\n\x06Params\x12\xb1\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01R%defaultRedemptionNoticePeriodDuration:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xec\x04\n\rInsuranceFund\x12#\n\rdeposit_denom\x18\x01 \x01(\tR\x0c\x64\x65positDenom\x12;\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\tR\x17insurancePoolTokenDenom\x12\x9a\x01\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01R\x1eredemptionNoticePeriodDuration\x12\x37\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x62\x61lance\x12>\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ntotalShare\x12\x1b\n\tmarket_id\x18\x06 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x07 \x01(\tR\x0cmarketTicker\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x03R\x06\x65xpiry\"\xb1\x02\n\x12RedemptionSchedule\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12\x84\x01\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01R\x17\x63laimableRedemptionTime\x12L\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x10redemptionAmountB\x90\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0eInsuranceProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\016InsuranceProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' _globals['_PARAMS']._loaded_options = None @@ -53,9 +43,9 @@ _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._serialized_start=254 - _globals['_PARAMS']._serialized_end=469 - _globals['_INSURANCEFUND']._serialized_start=472 - _globals['_INSURANCEFUND']._serialized_end=1092 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=1095 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1400 + _globals['_PARAMS']._serialized_end=430 + _globals['_INSURANCEFUND']._serialized_start=433 + _globals['_INSURANCEFUND']._serialized_end=891 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 2daafffe..31b5576f 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index 86326b9e..ef78d6b9 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/insurance/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"a\n\x1cQueryInsuranceParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"8\n\x19QueryInsuranceFundRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\\\n\x1aQueryInsuranceFundResponse\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"\x1c\n\x1aQueryInsuranceFundsRequest\"e\n\x1bQueryInsuranceFundsResponse\x12\x46\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x05\x66unds\"X\n QueryEstimatedRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n!QueryEstimatedRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x1eQueryPendingRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Z\n\x1fQueryPendingRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x19\n\x17QueryModuleStateRequest\"[\n\x18QueryModuleStateResponse\x12?\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisStateR\x05state2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateB\x8c\x02\n\x1f\x63om.injective.insurance.v1beta1B\nQueryProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"Y\n\x1cQueryInsuranceParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\".\n\x19QueryInsuranceFundRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"V\n\x1aQueryInsuranceFundResponse\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"\x1c\n\x1aQueryInsuranceFundsRequest\"^\n\x1bQueryInsuranceFundsResponse\x12?\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\"E\n QueryEstimatedRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"T\n!QueryEstimatedRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"C\n\x1eQueryPendingRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"R\n\x1fQueryPendingRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"T\n\x18QueryModuleStateResponse\x12\x38\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisState2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\nQueryProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._loaded_options = None @@ -60,27 +50,27 @@ _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_start=244 _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_end=273 _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_start=275 - _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=372 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=374 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=430 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=432 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=524 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=526 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=554 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=556 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=657 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=659 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=747 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=749 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=841 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=843 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=929 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=931 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=1021 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1023 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1048 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1050 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1141 - _globals['_QUERY']._serialized_start=1144 - _globals['_QUERY']._serialized_end=2318 + _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=364 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=366 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=412 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=414 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=500 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=502 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=530 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=532 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=626 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=628 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=697 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=699 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=783 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=785 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=852 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=854 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=936 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=938 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=963 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=965 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1049 + _globals['_QUERY']._serialized_start=1052 + _globals['_QUERY']._serialized_end=2226 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index 3404f464..ec238297 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index e7fbd47d..3fee662a 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/insurance/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x90\x03\n\x16MsgCreateInsuranceFund\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x07 \x01(\x03R\x06\x65xpiry\x12H\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0einitialDeposit:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\xb0\x01\n\rMsgUnderwrite\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xbc\x01\n\x14MsgRequestRedemption\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xba\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x89\x02\n\x1f\x63om.injective.insurance.v1beta1B\x07TxProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\007TxProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None @@ -60,21 +50,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=679 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=681 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=713 - _globals['_MSGUNDERWRITE']._serialized_start=716 - _globals['_MSGUNDERWRITE']._serialized_end=892 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=894 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=917 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=920 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=1108 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=1110 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=1140 - _globals['_MSGUPDATEPARAMS']._serialized_start=1143 - _globals['_MSGUPDATEPARAMS']._serialized_end=1329 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1331 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1356 - _globals['_MSG']._serialized_start=1359 - _globals['_MSG']._serialized_end=1867 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 + _globals['_MSGUNDERWRITE']._serialized_start=627 + _globals['_MSGUNDERWRITE']._serialized_end=776 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 + _globals['_MSGUPDATEPARAMS']._serialized_start=1001 + _globals['_MSGUPDATEPARAMS']._serialized_end=1168 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 + _globals['_MSG']._serialized_start=1198 + _globals['_MSG']._serialized_end=1706 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index b3f99501..87d53729 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the insurance Msg service. diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index 84c11f2c..9ad402fa 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -1,58 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/ocr/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x94\x06\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12\x44\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x0b\x66\x65\x65\x64\x43onfigs\x12_\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRoundR\x14latestEpochAndRounds\x12V\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmissionR\x11\x66\x65\x65\x64Transmissions\x12r\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDsR\x18latestAggregatorRoundIds\x12\x44\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPoolR\x0brewardPools\x12Y\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x15\x66\x65\x65\x64ObservationCounts\x12[\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x16\x66\x65\x65\x64TransmissionCounts\x12V\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeshipR\x11pendingPayeeships\"t\n\x10\x46\x65\x65\x64Transmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12G\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.TransmissionR\x0ctransmission\"z\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12L\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"g\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04R\x11\x61ggregatorRoundId\"^\n\nRewardPool\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"[\n\nFeedCounts\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x34\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.CountR\x06\x63ounts\"7\n\x05\x43ount\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"t\n\x10PendingPayeeship\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12%\n\x0eproposed_payee\x18\x03 \x01(\tR\rproposedPayeeB\xea\x01\n\x19\x63om.injective.ocr.v1beta1B\x0cGenesisProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xed\x04\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x37\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12I\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRound\x12\x43\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmission\x12X\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDs\x12\x37\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPool\x12\x42\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeship\"^\n\x10\x46\x65\x65\x64Transmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x39\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"c\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"L\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04\"N\n\nRewardPool\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"K\n\nFeedCounts\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12,\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.Count\"\'\n\x05\x43ount\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"P\n\x10PendingPayeeship\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x16\n\x0eproposed_payee\x18\x03 \x01(\tBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\014GenesisProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_REWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_REWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=150 - _globals['_GENESISSTATE']._serialized_end=938 - _globals['_FEEDTRANSMISSION']._serialized_start=940 - _globals['_FEEDTRANSMISSION']._serialized_end=1056 - _globals['_FEEDEPOCHANDROUND']._serialized_start=1058 - _globals['_FEEDEPOCHANDROUND']._serialized_end=1180 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=1182 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1285 - _globals['_REWARDPOOL']._serialized_start=1287 - _globals['_REWARDPOOL']._serialized_end=1381 - _globals['_FEEDCOUNTS']._serialized_start=1383 - _globals['_FEEDCOUNTS']._serialized_end=1474 - _globals['_COUNT']._serialized_start=1476 - _globals['_COUNT']._serialized_end=1531 - _globals['_PENDINGPAYEESHIP']._serialized_start=1533 - _globals['_PENDINGPAYEESHIP']._serialized_end=1649 + _globals['_GENESISSTATE']._serialized_end=771 + _globals['_FEEDTRANSMISSION']._serialized_start=773 + _globals['_FEEDTRANSMISSION']._serialized_end=867 + _globals['_FEEDEPOCHANDROUND']._serialized_start=869 + _globals['_FEEDEPOCHANDROUND']._serialized_end=968 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=970 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1046 + _globals['_REWARDPOOL']._serialized_start=1048 + _globals['_REWARDPOOL']._serialized_end=1126 + _globals['_FEEDCOUNTS']._serialized_start=1128 + _globals['_FEEDCOUNTS']._serialized_end=1203 + _globals['_COUNT']._serialized_start=1205 + _globals['_COUNT']._serialized_end=1244 + _globals['_PENDINGPAYEESHIP']._serialized_start=1246 + _globals['_PENDINGPAYEESHIP']._serialized_end=1326 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 2daafffe..9240f0ba 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index a7fbd475..969ed49a 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/ocr.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/ocr/v1beta1/ocr.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x93\x01\n\x06Params\x12\x1d\n\nlink_denom\x18\x01 \x01(\tR\tlinkDenom\x12\x32\n\x15payout_block_interval\x18\x02 \x01(\x04R\x13payoutBlockInterval\x12!\n\x0cmodule_admin\x18\x03 \x01(\tR\x0bmoduleAdmin:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xaa\x02\n\nFeedConfig\x12\x18\n\x07signers\x18\x01 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x02 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x03 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x04 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x05 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x06 \x01(\x0cR\x0eoffchainConfig\x12H\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParamsR\x0cmoduleParams\"\xbe\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x30\n\x14latest_config_digest\x18\x01 \x01(\x0cR\x12latestConfigDigest\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12\x0c\n\x01n\x18\x03 \x01(\rR\x01n\x12!\n\x0c\x63onfig_count\x18\x04 \x01(\x04R\x0b\x63onfigCount\x12;\n\x1alatest_config_block_number\x18\x05 \x01(\x03R\x17latestConfigBlockNumber\"\xff\x03\n\x0cModuleParams\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x42\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12\x1d\n\nlink_denom\x18\x06 \x01(\tR\tlinkDenom\x12%\n\x0eunique_reports\x18\x07 \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x08 \x01(\tR\x0b\x64\x65scription\x12\x1d\n\nfeed_admin\x18\t \x01(\tR\tfeedAdmin\x12#\n\rbilling_admin\x18\n \x01(\tR\x0c\x62illingAdmin\"\x87\x02\n\x0e\x43ontractConfig\x12!\n\x0c\x63onfig_count\x18\x01 \x01(\x04R\x0b\x63onfigCount\x12\x18\n\x07signers\x18\x02 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x03 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x04 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x05 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x06 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x07 \x01(\x0cR\x0eoffchainConfig\"\xc8\x01\n\x11SetConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\xb4\x04\n\x0e\x46\x65\x65\x64Properties\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x03 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x04 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x05 \x01(\x0cR\x0eoffchainConfig\x12\x42\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12%\n\x0eunique_reports\x18\n \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x0b \x01(\tR\x0b\x64\x65scription\"\xc4\x02\n\x16SetBatchConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x18\n\x07signers\x18\x03 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x04 \x03(\tR\x0ctransmitters\x12\x1d\n\nlink_denom\x18\x05 \x01(\tR\tlinkDenom\x12N\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedPropertiesR\x0e\x66\x65\x65\x64Properties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"2\n\x18OracleObservationsCounts\x12\x16\n\x06\x63ounts\x18\x01 \x03(\rR\x06\x63ounts\"V\n\x11GasReimbursements\x12\x41\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x0ereimbursements\"U\n\x05Payee\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12!\n\x0cpayment_addr\x18\x02 \x01(\tR\x0bpaymentAddr\"\xb9\x01\n\x0cTransmission\x12;\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x35\n\x16observations_timestamp\x18\x02 \x01(\x03R\x15observationsTimestamp\x12\x35\n\x16transmission_timestamp\x18\x03 \x01(\x03R\x15transmissionTimestamp\";\n\rEpochAndRound\x12\x14\n\x05\x65poch\x18\x01 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x02 \x01(\x04R\x05round\"\xa6\x01\n\x06Report\x12\x35\n\x16observations_timestamp\x18\x01 \x01(\x03R\x15observationsTimestamp\x12\x1c\n\tobservers\x18\x02 \x01(\x0cR\tobservers\x12G\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\"\x96\x01\n\x0cReportToSign\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1d\n\nextra_hash\x18\x04 \x01(\x0cR\textraHash\x12\x16\n\x06report\x18\x05 \x01(\x0cR\x06report\"\x94\x01\n\x0f\x45ventOraclePaid\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12\x1d\n\npayee_addr\x18\x02 \x01(\tR\tpayeeAddr\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xcc\x01\n\x12\x45ventAnswerUpdated\x12\x37\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x63urrent\x12\x38\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x43\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tupdatedAt\"\xad\x01\n\rEventNewRound\x12\x38\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x1d\n\nstarted_by\x18\x02 \x01(\tR\tstartedBy\x12\x43\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tstartedAt\"M\n\x10\x45ventTransmitted\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\"\xcf\x03\n\x14\x45ventNewTransmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\rR\x11\x61ggregatorRoundId\x12;\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12 \n\x0btransmitter\x18\x04 \x01(\tR\x0btransmitter\x12\x35\n\x16observations_timestamp\x18\x05 \x01(\x03R\x15observationsTimestamp\x12G\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\x12\x1c\n\tobservers\x18\x07 \x01(\x0cR\tobservers\x12#\n\rconfig_digest\x18\x08 \x01(\x0cR\x0c\x63onfigDigest\x12L\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"\xf9\x01\n\x0e\x45ventConfigSet\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12?\n\x1cprevious_config_block_number\x18\x02 \x01(\x03R\x19previousConfigBlockNumber\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig\x12\x46\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoR\nconfigInfoB\xe6\x01\n\x19\x63om.injective.ocr.v1beta1B\x08OcrProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.ocr_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\010OcrProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None @@ -79,46 +69,46 @@ _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._serialized_start=192 - _globals['_PARAMS']._serialized_end=339 - _globals['_FEEDCONFIG']._serialized_start=342 - _globals['_FEEDCONFIG']._serialized_end=640 - _globals['_FEEDCONFIGINFO']._serialized_start=643 - _globals['_FEEDCONFIGINFO']._serialized_end=833 - _globals['_MODULEPARAMS']._serialized_start=836 - _globals['_MODULEPARAMS']._serialized_end=1347 - _globals['_CONTRACTCONFIG']._serialized_start=1350 - _globals['_CONTRACTCONFIG']._serialized_end=1613 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1616 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1816 - _globals['_FEEDPROPERTIES']._serialized_start=1819 - _globals['_FEEDPROPERTIES']._serialized_end=2383 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=2386 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2710 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2712 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2762 - _globals['_GASREIMBURSEMENTS']._serialized_start=2764 - _globals['_GASREIMBURSEMENTS']._serialized_end=2850 - _globals['_PAYEE']._serialized_start=2852 - _globals['_PAYEE']._serialized_end=2937 - _globals['_TRANSMISSION']._serialized_start=2940 - _globals['_TRANSMISSION']._serialized_end=3125 - _globals['_EPOCHANDROUND']._serialized_start=3127 - _globals['_EPOCHANDROUND']._serialized_end=3186 - _globals['_REPORT']._serialized_start=3189 - _globals['_REPORT']._serialized_end=3355 - _globals['_REPORTTOSIGN']._serialized_start=3358 - _globals['_REPORTTOSIGN']._serialized_end=3508 - _globals['_EVENTORACLEPAID']._serialized_start=3511 - _globals['_EVENTORACLEPAID']._serialized_end=3659 - _globals['_EVENTANSWERUPDATED']._serialized_start=3662 - _globals['_EVENTANSWERUPDATED']._serialized_end=3866 - _globals['_EVENTNEWROUND']._serialized_start=3869 - _globals['_EVENTNEWROUND']._serialized_end=4042 - _globals['_EVENTTRANSMITTED']._serialized_start=4044 - _globals['_EVENTTRANSMITTED']._serialized_end=4121 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=4124 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=4587 - _globals['_EVENTCONFIGSET']._serialized_start=4590 - _globals['_EVENTCONFIGSET']._serialized_end=4839 + _globals['_PARAMS']._serialized_start=191 + _globals['_PARAMS']._serialized_end=293 + _globals['_FEEDCONFIG']._serialized_start=296 + _globals['_FEEDCONFIG']._serialized_end=500 + _globals['_FEEDCONFIGINFO']._serialized_start=502 + _globals['_FEEDCONFIGINFO']._serialized_end=628 + _globals['_MODULEPARAMS']._serialized_start=631 + _globals['_MODULEPARAMS']._serialized_end=1007 + _globals['_CONTRACTCONFIG']._serialized_start=1010 + _globals['_CONTRACTCONFIG']._serialized_end=1180 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 + _globals['_FEEDPROPERTIES']._serialized_start=1358 + _globals['_FEEDPROPERTIES']._serialized_end=1766 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 + _globals['_GASREIMBURSEMENTS']._serialized_start=2069 + _globals['_GASREIMBURSEMENTS']._serialized_end=2139 + _globals['_PAYEE']._serialized_start=2141 + _globals['_PAYEE']._serialized_end=2196 + _globals['_TRANSMISSION']._serialized_start=2199 + _globals['_TRANSMISSION']._serialized_end=2330 + _globals['_EPOCHANDROUND']._serialized_start=2332 + _globals['_EPOCHANDROUND']._serialized_end=2377 + _globals['_REPORT']._serialized_start=2379 + _globals['_REPORT']._serialized_end=2497 + _globals['_REPORTTOSIGN']._serialized_start=2499 + _globals['_REPORTTOSIGN']._serialized_end=2602 + _globals['_EVENTORACLEPAID']._serialized_start=2604 + _globals['_EVENTORACLEPAID']._serialized_end=2716 + _globals['_EVENTANSWERUPDATED']._serialized_start=2719 + _globals['_EVENTANSWERUPDATED']._serialized_end=2894 + _globals['_EVENTNEWROUND']._serialized_start=2897 + _globals['_EVENTNEWROUND']._serialized_end=3039 + _globals['_EVENTTRANSMITTED']._serialized_start=3041 + _globals['_EVENTTRANSMITTED']._serialized_end=3097 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 + _globals['_EVENTCONFIGSET']._serialized_start=3441 + _globals['_EVENTCONFIGSET']._serialized_end=3629 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 2daafffe..73cf0672 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index 0e7a5ba6..28395594 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/ocr/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/ocr/v1beta1/query.proto\x12\x15injective.ocr.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a#injective/ocr/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"1\n\x16QueryFeedConfigRequest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\"\xae\x01\n\x17QueryFeedConfigResponse\x12O\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoR\x0e\x66\x65\x65\x64\x43onfigInfo\x12\x42\n\x0b\x66\x65\x65\x64_config\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\nfeedConfig\"5\n\x1aQueryFeedConfigInfoRequest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\"\xbc\x01\n\x1bQueryFeedConfigInfoResponse\x12O\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoR\x0e\x66\x65\x65\x64\x43onfigInfo\x12L\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"2\n\x17QueryLatestRoundRequest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\"{\n\x18QueryLatestRoundResponse\x12&\n\x0flatest_round_id\x18\x01 \x01(\x04R\rlatestRoundId\x12\x37\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.TransmissionR\x04\x64\x61ta\"@\n%QueryLatestTransmissionDetailsRequest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\"\xd4\x01\n&QueryLatestTransmissionDetailsResponse\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12L\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\x12\x37\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32#.injective.ocr.v1beta1.TransmissionR\x04\x64\x61ta\":\n\x16QueryOwedAmountRequest\x12 \n\x0btransmitter\x18\x01 \x01(\tR\x0btransmitter\"R\n\x17QueryOwedAmountResponse\x12\x37\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x19\n\x17QueryModuleStateRequest\"U\n\x18QueryModuleStateResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32#.injective.ocr.v1beta1.GenesisStateR\x05state2\xbb\t\n\x05Query\x12\x86\x01\n\x06Params\x12).injective.ocr.v1beta1.QueryParamsRequest\x1a*.injective.ocr.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/chainlink/ocr/v1beta1/params\x12\xa1\x01\n\nFeedConfig\x12-.injective.ocr.v1beta1.QueryFeedConfigRequest\x1a..injective.ocr.v1beta1.QueryFeedConfigResponse\"4\x82\xd3\xe4\x93\x02.\x12,/chainlink/ocr/v1beta1/feed_config/{feed_id}\x12\xb2\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x31.injective.ocr.v1beta1.QueryFeedConfigInfoRequest\x1a\x32.injective.ocr.v1beta1.QueryFeedConfigInfoResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/chainlink/ocr/v1beta1/feed_config_info/{feed_id}\x12\xa5\x01\n\x0bLatestRound\x12..injective.ocr.v1beta1.QueryLatestRoundRequest\x1a/.injective.ocr.v1beta1.QueryLatestRoundResponse\"5\x82\xd3\xe4\x93\x02/\x12-/chainlink/ocr/v1beta1/latest_round/{feed_id}\x12\xde\x01\n\x19LatestTransmissionDetails\x12<.injective.ocr.v1beta1.QueryLatestTransmissionDetailsRequest\x1a=.injective.ocr.v1beta1.QueryLatestTransmissionDetailsResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service for OCR module. diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py index a67f13b0..4b626d2e 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/ocr/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8d\x01\n\rMsgCreateFeed\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x39\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xb0\x03\n\rMsgUpdateFeed\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x18\n\x07signers\x18\x03 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x04 \x03(\tR\x0ctransmitters\x12O\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12\x1d\n\nlink_denom\x18\x07 \x01(\tR\tlinkDenom\x12\x1d\n\nfeed_admin\x18\x08 \x01(\tR\tfeedAdmin\x12#\n\rbilling_admin\x18\t \x01(\tR\x0c\x62illingAdmin:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xbd\x02\n\x0bMsgTransmit\x12 \n\x0btransmitter\x18\x01 \x01(\tR\x0btransmitter\x12#\n\rconfig_digest\x18\x02 \x01(\x0cR\x0c\x63onfigDigest\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x14\n\x05\x65poch\x18\x04 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x05 \x01(\x04R\x05round\x12\x1d\n\nextra_hash\x18\x06 \x01(\x0cR\textraHash\x12\x35\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ReportR\x06report\x12\x1e\n\nsignatures\x18\x08 \x03(\x0cR\nsignatures:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\xb4\x01\n\x15MsgFundFeedRewardPool\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xbc\x01\n\x19MsgWithdrawFeedRewardPool\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\xa5\x01\n\x0cMsgSetPayees\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\tR\x06\x66\x65\x65\x64Id\x12\"\n\x0ctransmitters\x18\x03 \x03(\tR\x0ctransmitters\x12\x16\n\x06payees\x18\x04 \x03(\tR\x06payees:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\xb7\x01\n\x14MsgTransferPayeeship\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x1a\n\x08proposed\x18\x04 \x01(\tR\x08proposed:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"\x9a\x01\n\x12MsgAcceptPayeeship\x12\x14\n\x05payee\x18\x01 \x01(\tR\x05payee\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\tR\x06\x66\x65\x65\x64Id:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\xae\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xe5\x01\n\x19\x63om.injective.ocr.v1beta1B\x07TxProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/ocr/v1beta1/tx.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"}\n\rMsgCreateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x31\n\x06\x63onfig\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgCreateFeed\"\x17\n\x15MsgCreateFeedResponse\"\xbc\x02\n\rMsgUpdateFeed\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12;\n\x14link_per_observation\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x01\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x07 \x01(\t\x12\x12\n\nfeed_admin\x18\x08 \x01(\t\x12\x15\n\rbilling_admin\x18\t \x01(\t:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11ocr/MsgUpdateFeed\"\x17\n\x15MsgUpdateFeedResponse\"\xed\x01\n\x0bMsgTransmit\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\x12\x15\n\rconfig_digest\x18\x02 \x01(\x0c\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\r\n\x05\x65poch\x18\x04 \x01(\x04\x12\r\n\x05round\x18\x05 \x01(\x04\x12\x12\n\nextra_hash\x18\x06 \x01(\x0c\x12-\n\x06report\x18\x07 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.Report\x12\x12\n\nsignatures\x18\x08 \x03(\x0c:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x0focr/MsgTransmit\"\x15\n\x13MsgTransmitResponse\"\x9c\x01\n\x15MsgFundFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19ocr/MsgFundFeedRewardPool\"\x1f\n\x1dMsgFundFeedRewardPoolResponse\"\xa4\x01\n\x19MsgWithdrawFeedRewardPool\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1docr/MsgWithdrawFeedRewardPool\"#\n!MsgWithdrawFeedRewardPoolResponse\"\x7f\n\x0cMsgSetPayees\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x02 \x01(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\x0e\n\x06payees\x18\x04 \x03(\t:(\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x10ocr/MsgSetPayees\"\x16\n\x14MsgSetPayeesResponse\"\x90\x01\n\x14MsgTransferPayeeship\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t\x12\x10\n\x08proposed\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18ocr/MsgTransferPayeeship\"\x1e\n\x1cMsgTransferPayeeshipResponse\"~\n\x12MsgAcceptPayeeship\x12\r\n\x05payee\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x03 \x01(\t:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0btransmitter\x8a\xe7\xb0*\x16ocr/MsgAcceptPayeeship\"\x1c\n\x1aMsgAcceptPayeeshipResponse\"\x9b\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:&\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x13ocr/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xdc\x07\n\x03Msg\x12`\n\nCreateFeed\x12$.injective.ocr.v1beta1.MsgCreateFeed\x1a,.injective.ocr.v1beta1.MsgCreateFeedResponse\x12`\n\nUpdateFeed\x12$.injective.ocr.v1beta1.MsgUpdateFeed\x1a,.injective.ocr.v1beta1.MsgUpdateFeedResponse\x12Z\n\x08Transmit\x12\".injective.ocr.v1beta1.MsgTransmit\x1a*.injective.ocr.v1beta1.MsgTransmitResponse\x12x\n\x12\x46undFeedRewardPool\x12,.injective.ocr.v1beta1.MsgFundFeedRewardPool\x1a\x34.injective.ocr.v1beta1.MsgFundFeedRewardPoolResponse\x12\x84\x01\n\x16WithdrawFeedRewardPool\x12\x30.injective.ocr.v1beta1.MsgWithdrawFeedRewardPool\x1a\x38.injective.ocr.v1beta1.MsgWithdrawFeedRewardPoolResponse\x12]\n\tSetPayees\x12#.injective.ocr.v1beta1.MsgSetPayees\x1a+.injective.ocr.v1beta1.MsgSetPayeesResponse\x12u\n\x11TransferPayeeship\x12+.injective.ocr.v1beta1.MsgTransferPayeeship\x1a\x33.injective.ocr.v1beta1.MsgTransferPayeeshipResponse\x12o\n\x0f\x41\x63\x63\x65ptPayeeship\x12).injective.ocr.v1beta1.MsgAcceptPayeeship\x1a\x31.injective.ocr.v1beta1.MsgAcceptPayeeshipResponse\x12\x66\n\x0cUpdateParams\x12&.injective.ocr.v1beta1.MsgUpdateParams\x1a..injective.ocr.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42KZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\007TxProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' _globals['_MSGCREATEFEED']._loaded_options = None _globals['_MSGCREATEFEED']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\021ocr/MsgCreateFeed' _globals['_MSGUPDATEFEED'].fields_by_name['link_per_observation']._loaded_options = None @@ -70,42 +60,42 @@ _globals['_MSGUPDATEPARAMS']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\023ocr/MsgUpdateParams' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGCREATEFEED']._serialized_start=216 - _globals['_MSGCREATEFEED']._serialized_end=357 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=359 - _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=382 - _globals['_MSGUPDATEFEED']._serialized_start=385 - _globals['_MSGUPDATEFEED']._serialized_end=817 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=819 - _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=842 - _globals['_MSGTRANSMIT']._serialized_start=845 - _globals['_MSGTRANSMIT']._serialized_end=1162 - _globals['_MSGTRANSMITRESPONSE']._serialized_start=1164 - _globals['_MSGTRANSMITRESPONSE']._serialized_end=1185 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=1188 - _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1368 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1370 - _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1401 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1404 - _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1592 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1594 - _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1629 - _globals['_MSGSETPAYEES']._serialized_start=1632 - _globals['_MSGSETPAYEES']._serialized_end=1797 - _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1799 - _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1821 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1824 - _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=2007 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=2009 - _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=2039 - _globals['_MSGACCEPTPAYEESHIP']._serialized_start=2042 - _globals['_MSGACCEPTPAYEESHIP']._serialized_end=2196 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=2198 - _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=2226 - _globals['_MSGUPDATEPARAMS']._serialized_start=2229 - _globals['_MSGUPDATEPARAMS']._serialized_end=2403 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2405 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2430 - _globals['_MSG']._serialized_start=2433 - _globals['_MSG']._serialized_end=3421 + _globals['_MSGCREATEFEED']._serialized_start=215 + _globals['_MSGCREATEFEED']._serialized_end=340 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_start=342 + _globals['_MSGCREATEFEEDRESPONSE']._serialized_end=365 + _globals['_MSGUPDATEFEED']._serialized_start=368 + _globals['_MSGUPDATEFEED']._serialized_end=684 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_start=686 + _globals['_MSGUPDATEFEEDRESPONSE']._serialized_end=709 + _globals['_MSGTRANSMIT']._serialized_start=712 + _globals['_MSGTRANSMIT']._serialized_end=949 + _globals['_MSGTRANSMITRESPONSE']._serialized_start=951 + _globals['_MSGTRANSMITRESPONSE']._serialized_end=972 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_start=975 + _globals['_MSGFUNDFEEDREWARDPOOL']._serialized_end=1131 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_start=1133 + _globals['_MSGFUNDFEEDREWARDPOOLRESPONSE']._serialized_end=1164 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_start=1167 + _globals['_MSGWITHDRAWFEEDREWARDPOOL']._serialized_end=1331 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_start=1333 + _globals['_MSGWITHDRAWFEEDREWARDPOOLRESPONSE']._serialized_end=1368 + _globals['_MSGSETPAYEES']._serialized_start=1370 + _globals['_MSGSETPAYEES']._serialized_end=1497 + _globals['_MSGSETPAYEESRESPONSE']._serialized_start=1499 + _globals['_MSGSETPAYEESRESPONSE']._serialized_end=1521 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_start=1524 + _globals['_MSGTRANSFERPAYEESHIP']._serialized_end=1668 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_start=1670 + _globals['_MSGTRANSFERPAYEESHIPRESPONSE']._serialized_end=1700 + _globals['_MSGACCEPTPAYEESHIP']._serialized_start=1702 + _globals['_MSGACCEPTPAYEESHIP']._serialized_end=1828 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_start=1830 + _globals['_MSGACCEPTPAYEESHIPRESPONSE']._serialized_end=1858 + _globals['_MSGUPDATEPARAMS']._serialized_start=1861 + _globals['_MSGUPDATEPARAMS']._serialized_end=2016 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2018 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2043 + _globals['_MSG']._serialized_start=2046 + _globals['_MSG']._serialized_end=3034 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index bb845e6b..d99edfa5 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.ocr.v1beta1 import tx_pb2 as injective_dot_ocr_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the OCR Msg service. diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py index 8843cdb5..c848c23f 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"\x8c\x01\n\x16SetChainlinkPriceEvent\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12;\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\"\xc2\x01\n\x11SetBandPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12!\n\x0cresolve_time\x18\x04 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_id\x18\x05 \x01(\x04R\trequestId\"\xe6\x01\n\x14SetBandIBCPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x18\n\x07symbols\x18\x02 \x03(\tR\x07symbols\x12;\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06prices\x12!\n\x0cresolve_time\x18\x04 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_id\x18\x05 \x01(\x04R\trequestId\x12\x1b\n\tclient_id\x18\x06 \x01(\x03R\x08\x63lientId\"T\n\x16\x45ventBandIBCAckSuccess\x12\x1d\n\nack_result\x18\x01 \x01(\tR\tackResult\x12\x1b\n\tclient_id\x18\x02 \x01(\x03R\x08\x63lientId\"P\n\x14\x45ventBandIBCAckError\x12\x1b\n\tack_error\x18\x01 \x01(\tR\x08\x61\x63kError\x12\x1b\n\tclient_id\x18\x02 \x01(\x03R\x08\x63lientId\":\n\x1b\x45ventBandIBCResponseTimeout\x12\x1b\n\tclient_id\x18\x01 \x01(\x03R\x08\x63lientId\"\x97\x01\n\x16SetPriceFeedPriceEvent\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x01(\tR\x05quote\x12\x39\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xa0\x01\n\x15SetProviderPriceEvent\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\x88\x01\n\x15SetCoinbasePriceEvent\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\"X\n\x13\x45ventSetStorkPrices\x12\x41\n\x06prices\x18\x01 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x06prices\"V\n\x12\x45ventSetPythPrices\x12@\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x06pricesB\xfb\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0b\x45ventsProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/events.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\"q\n\x16SetChainlinkPriceEvent\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"\x92\x01\n\x11SetBandPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\"\xaa\x01\n\x14SetBandIBCPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\x33\n\x06prices\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cresolve_time\x18\x04 \x01(\x04\x12\x12\n\nrequest_id\x18\x05 \x01(\x04\x12\x11\n\tclient_id\x18\x06 \x01(\x03\"?\n\x16\x45ventBandIBCAckSuccess\x12\x12\n\nack_result\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"<\n\x14\x45ventBandIBCAckError\x12\x11\n\tack_error\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\x03\"0\n\x1b\x45ventBandIBCResponseTimeout\x12\x11\n\tclient_id\x18\x01 \x01(\x03\"z\n\x16SetPriceFeedPriceEvent\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"~\n\x15SetProviderPriceEvent\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x32\n\x05price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"n\n\x15SetCoinbasePriceEvent\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\"N\n\x12\x45ventSetPythPrices\x12\x38\n\x06prices\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\013EventsProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._loaded_options = None _globals['_SETCHAINLINKPRICEEVENT'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETBANDPRICEEVENT'].fields_by_name['price']._loaded_options = None @@ -47,26 +37,24 @@ _globals['_SETPROVIDERPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._loaded_options = None _globals['_SETCOINBASEPRICEEVENT'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=161 - _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=301 - _globals['_SETBANDPRICEEVENT']._serialized_start=304 - _globals['_SETBANDPRICEEVENT']._serialized_end=498 - _globals['_SETBANDIBCPRICEEVENT']._serialized_start=501 - _globals['_SETBANDIBCPRICEEVENT']._serialized_end=731 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=733 - _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=817 - _globals['_EVENTBANDIBCACKERROR']._serialized_start=819 - _globals['_EVENTBANDIBCACKERROR']._serialized_end=899 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=901 - _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=959 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=962 - _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=1113 - _globals['_SETPROVIDERPRICEEVENT']._serialized_start=1116 - _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1276 - _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1279 - _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1415 - _globals['_EVENTSETSTORKPRICES']._serialized_start=1417 - _globals['_EVENTSETSTORKPRICES']._serialized_end=1505 - _globals['_EVENTSETPYTHPRICES']._serialized_start=1507 - _globals['_EVENTSETPYTHPRICES']._serialized_end=1593 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_start=160 + _globals['_SETCHAINLINKPRICEEVENT']._serialized_end=273 + _globals['_SETBANDPRICEEVENT']._serialized_start=276 + _globals['_SETBANDPRICEEVENT']._serialized_end=422 + _globals['_SETBANDIBCPRICEEVENT']._serialized_start=425 + _globals['_SETBANDIBCPRICEEVENT']._serialized_end=595 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_start=597 + _globals['_EVENTBANDIBCACKSUCCESS']._serialized_end=660 + _globals['_EVENTBANDIBCACKERROR']._serialized_start=662 + _globals['_EVENTBANDIBCACKERROR']._serialized_end=722 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_start=724 + _globals['_EVENTBANDIBCRESPONSETIMEOUT']._serialized_end=772 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_start=774 + _globals['_SETPRICEFEEDPRICEEVENT']._serialized_end=896 + _globals['_SETPROVIDERPRICEEVENT']._serialized_start=898 + _globals['_SETPROVIDERPRICEEVENT']._serialized_end=1024 + _globals['_SETCOINBASEPRICEEVENT']._serialized_start=1026 + _globals['_SETCOINBASEPRICEEVENT']._serialized_end=1136 + _globals['_EVENTSETPYTHPRICES']._serialized_start=1138 + _globals['_EVENTSETPYTHPRICES']._serialized_end=1216 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 2daafffe..879f7df6 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py index 0240e2aa..fb74d6ae 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/oracle/v1beta1/genesis.proto\x12\x18injective.oracle.v1beta1\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"\xe4\n\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rband_relayers\x18\x02 \x03(\tR\x0c\x62\x61ndRelayers\x12T\n\x11\x62\x61nd_price_states\x18\x03 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0f\x62\x61ndPriceStates\x12_\n\x17price_feed_price_states\x18\x04 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x14priceFeedPriceStates\x12`\n\x15\x63oinbase_price_states\x18\x05 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x13\x63oinbasePriceStates\x12[\n\x15\x62\x61nd_ibc_price_states\x18\x06 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x12\x62\x61ndIbcPriceStates\x12\x64\n\x18\x62\x61nd_ibc_oracle_requests\x18\x07 \x03(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x15\x62\x61ndIbcOracleRequests\x12U\n\x0f\x62\x61nd_ibc_params\x18\x08 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams\x12\x38\n\x19\x62\x61nd_ibc_latest_client_id\x18\t \x01(\x04R\x15\x62\x61ndIbcLatestClientId\x12S\n\x10\x63\x61lldata_records\x18\n \x03(\x0b\x32(.injective.oracle.v1beta1.CalldataRecordR\x0f\x63\x61lldataRecords\x12:\n\x1a\x62\x61nd_ibc_latest_request_id\x18\x0b \x01(\x04R\x16\x62\x61ndIbcLatestRequestId\x12\x63\n\x16\x63hainlink_price_states\x18\x0c \x03(\x0b\x32-.injective.oracle.v1beta1.ChainlinkPriceStateR\x14\x63hainlinkPriceStates\x12`\n\x18historical_price_records\x18\r \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x16historicalPriceRecords\x12P\n\x0fprovider_states\x18\x0e \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\x0eproviderStates\x12T\n\x11pyth_price_states\x18\x0f \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0fpythPriceStates\x12W\n\x12stork_price_states\x18\x10 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x10storkPriceStates\x12)\n\x10stork_publishers\x18\x11 \x03(\tR\x0fstorkPublishers\"I\n\x0e\x43\x61lldataRecord\x12\x1b\n\tclient_id\x18\x01 \x01(\x04R\x08\x63lientId\x12\x1a\n\x08\x63\x61lldata\x18\x02 \x01(\x0cR\x08\x63\x61lldataB\xfc\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0cGenesisProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/oracle/v1beta1/genesis.proto\x12\x18injective.oracle.v1beta1\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"\xc5\x07\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rband_relayers\x18\x02 \x03(\t\x12\x43\n\x11\x62\x61nd_price_states\x18\x03 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\x12I\n\x17price_feed_price_states\x18\x04 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\x12K\n\x15\x63oinbase_price_states\x18\x05 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\x12G\n\x15\x62\x61nd_ibc_price_states\x18\x06 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\x12M\n\x18\x62\x61nd_ibc_oracle_requests\x18\x07 \x03(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x08 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00\x12!\n\x19\x62\x61nd_ibc_latest_client_id\x18\t \x01(\x04\x12\x42\n\x10\x63\x61lldata_records\x18\n \x03(\x0b\x32(.injective.oracle.v1beta1.CalldataRecord\x12\"\n\x1a\x62\x61nd_ibc_latest_request_id\x18\x0b \x01(\x04\x12M\n\x16\x63hainlink_price_states\x18\x0c \x03(\x0b\x32-.injective.oracle.v1beta1.ChainlinkPriceState\x12H\n\x18historical_price_records\x18\r \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\x12@\n\x0fprovider_states\x18\x0e \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\x12\x43\n\x11pyth_price_states\x18\x0f \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"5\n\x0e\x43\x61lldataRecord\x12\x11\n\tclient_id\x18\x01 \x01(\x04\x12\x10\n\x08\x63\x61lldata\x18\x02 \x01(\x0c\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\014GenesisProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=130 - _globals['_GENESISSTATE']._serialized_end=1510 - _globals['_CALLDATARECORD']._serialized_start=1512 - _globals['_CALLDATARECORD']._serialized_end=1585 + _globals['_GENESISSTATE']._serialized_end=1095 + _globals['_CALLDATARECORD']._serialized_start=1097 + _globals['_CALLDATARECORD']._serialized_end=1150 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 2daafffe..1234a6d3 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 3be6fc50..7667b51e 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/oracle.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"E\n\x06Params\x12#\n\rpyth_contract\x18\x01 \x01(\tR\x0cpythContract:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"k\n\nOracleInfo\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x45\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xd6\x01\n\x13\x43hainlinkPriceState\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12;\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\x12K\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xea\x01\n\x0e\x42\x61ndPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x31\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x04rate\x12!\n\x0cresolve_time\x18\x03 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_ID\x18\x04 \x01(\x04R\trequestID\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x9d\x01\n\x0ePriceFeedState\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\x12\x45\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers\"F\n\x0cProviderInfo\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x02 \x03(\tR\x08relayers\"\xbe\x01\n\rProviderState\x12K\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\x0cproviderInfo\x12`\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceStateR\x13providerPriceStates\"h\n\x12ProviderPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12:\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\x05state\"9\n\rPriceFeedInfo\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\"K\n\x0ePriceFeedPrice\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xbb\x01\n\x12\x43oinbasePriceState\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x10\n\x03key\x18\x03 \x01(\tR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x04R\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xcf\x01\n\x0fStorkPriceState\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x39\n\x05value\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xb5\x01\n\nPriceState\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"\xd6\x02\n\x0ePythPriceState\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12@\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x65maPrice\x12>\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x07\x65maConf\x12\x37\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04\x63onf\x12!\n\x0cpublish_time\x18\x05 \x01(\x04R\x0bpublishTime\x12K\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x86\x03\n\x11\x42\x61ndOracleRequest\x12\x1d\n\nrequest_id\x18\x01 \x01(\x04R\trequestId\x12(\n\x10oracle_script_id\x18\x02 \x01(\x03R\x0eoracleScriptId\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12\x1b\n\task_count\x18\x04 \x01(\x04R\x08\x61skCount\x12\x1b\n\tmin_count\x18\x05 \x01(\x04R\x08minCount\x12h\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x66\x65\x65Limit\x12\x1f\n\x0bprepare_gas\x18\x07 \x01(\x04R\nprepareGas\x12\x1f\n\x0b\x65xecute_gas\x18\x08 \x01(\x04R\nexecuteGas\x12(\n\x10min_source_count\x18\t \x01(\x04R\x0eminSourceCount\"\x86\x02\n\rBandIBCParams\x12(\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08R\x0e\x62\x61ndIbcEnabled\x12\x30\n\x14ibc_request_interval\x18\x02 \x01(\x03R\x12ibcRequestInterval\x12,\n\x12ibc_source_channel\x18\x03 \x01(\tR\x10ibcSourceChannel\x12\x1f\n\x0bibc_version\x18\x04 \x01(\tR\nibcVersion\x12\x1e\n\x0bibc_port_id\x18\x05 \x01(\tR\tibcPortId\x12*\n\x11legacy_oracle_ids\x18\x06 \x03(\x03R\x0flegacyOracleIds\"\x8f\x01\n\x14SymbolPriceTimestamp\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"y\n\x13LastPriceTimestamps\x12\x62\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestampR\x13lastPriceTimestamps\"\xc2\x01\n\x0cPriceRecords\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12W\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\x12latestPriceRecords\"f\n\x0bPriceRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xf3\x03\n\x12MetadataStatistics\x12\x1f\n\x0bgroup_count\x18\x01 \x01(\rR\ngroupCount\x12.\n\x13records_sample_size\x18\x02 \x01(\rR\x11recordsSampleSize\x12\x37\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04mean\x12\x37\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04twap\x12\'\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03R\x0e\x66irstTimestamp\x12%\n\x0elast_timestamp\x18\x06 \x01(\x03R\rlastTimestamp\x12@\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08minPrice\x12@\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08maxPrice\x12\x46\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmedianPrice\"\xe1\x01\n\x10PriceAttestation\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12\x14\n\x05price\x18\x02 \x01(\x03R\x05price\x12\x12\n\x04\x63onf\x18\x03 \x01(\x04R\x04\x63onf\x12\x12\n\x04\x65xpo\x18\x04 \x01(\x05R\x04\x65xpo\x12\x1b\n\tema_price\x18\x05 \x01(\x03R\x08\x65maPrice\x12\x19\n\x08\x65ma_conf\x18\x06 \x01(\x04R\x07\x65maConf\x12\x19\n\x08\x65ma_expo\x18\x07 \x01(\x05R\x07\x65maExpo\x12!\n\x0cpublish_time\x18\x08 \x01(\x03R\x0bpublishTime\"}\n\tAssetPair\x12\x19\n\x08\x61sset_id\x18\x01 \x01(\tR\x07\x61ssetId\x12U\n\rsigned_prices\x18\x02 \x03(\x0b\x32\x30.injective.oracle.v1beta1.SignedPriceOfAssetPairR\x0csignedPrices\"\xb4\x01\n\x16SignedPriceOfAssetPair\x12#\n\rpublisher_key\x18\x01 \x01(\tR\x0cpublisherKey\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature*\xaa\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x12\t\n\x05Stork\x10\x0c\x42\xff\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0bOracleProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1\xc0\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"7\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xaf\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xb8\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12+\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"D\n\x0ePriceFeedPrice\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x92\x01\n\nPriceState\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\x9b\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x36\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"T\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x88\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12\x31\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x36\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x36\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\013OracleProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1\300\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None @@ -49,10 +39,6 @@ _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' - _globals['_STORKPRICESTATE'].fields_by_name['value']._loaded_options = None - _globals['_STORKPRICESTATE'].fields_by_name['value']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_STORKPRICESTATE'].fields_by_name['price_state']._loaded_options = None - _globals['_STORKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None @@ -79,56 +65,48 @@ _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._loaded_options = None - _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORACLETYPE']._serialized_start=4639 - _globals['_ORACLETYPE']._serialized_end=4809 + _globals['_ORACLETYPE']._serialized_start=3252 + _globals['_ORACLETYPE']._serialized_end=3411 _globals['_PARAMS']._serialized_start=140 - _globals['_PARAMS']._serialized_end=209 - _globals['_ORACLEINFO']._serialized_start=211 - _globals['_ORACLEINFO']._serialized_end=318 - _globals['_CHAINLINKPRICESTATE']._serialized_start=321 - _globals['_CHAINLINKPRICESTATE']._serialized_end=535 - _globals['_BANDPRICESTATE']._serialized_start=538 - _globals['_BANDPRICESTATE']._serialized_end=772 - _globals['_PRICEFEEDSTATE']._serialized_start=775 - _globals['_PRICEFEEDSTATE']._serialized_end=932 - _globals['_PROVIDERINFO']._serialized_start=934 - _globals['_PROVIDERINFO']._serialized_end=1004 - _globals['_PROVIDERSTATE']._serialized_start=1007 - _globals['_PROVIDERSTATE']._serialized_end=1197 - _globals['_PROVIDERPRICESTATE']._serialized_start=1199 - _globals['_PROVIDERPRICESTATE']._serialized_end=1303 - _globals['_PRICEFEEDINFO']._serialized_start=1305 - _globals['_PRICEFEEDINFO']._serialized_end=1362 - _globals['_PRICEFEEDPRICE']._serialized_start=1364 - _globals['_PRICEFEEDPRICE']._serialized_end=1439 - _globals['_COINBASEPRICESTATE']._serialized_start=1442 - _globals['_COINBASEPRICESTATE']._serialized_end=1629 - _globals['_STORKPRICESTATE']._serialized_start=1632 - _globals['_STORKPRICESTATE']._serialized_end=1839 - _globals['_PRICESTATE']._serialized_start=1842 - _globals['_PRICESTATE']._serialized_end=2023 - _globals['_PYTHPRICESTATE']._serialized_start=2026 - _globals['_PYTHPRICESTATE']._serialized_end=2368 - _globals['_BANDORACLEREQUEST']._serialized_start=2371 - _globals['_BANDORACLEREQUEST']._serialized_end=2761 - _globals['_BANDIBCPARAMS']._serialized_start=2764 - _globals['_BANDIBCPARAMS']._serialized_end=3026 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=3029 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=3172 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=3174 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=3295 - _globals['_PRICERECORDS']._serialized_start=3298 - _globals['_PRICERECORDS']._serialized_end=3492 - _globals['_PRICERECORD']._serialized_start=3494 - _globals['_PRICERECORD']._serialized_end=3596 - _globals['_METADATASTATISTICS']._serialized_start=3599 - _globals['_METADATASTATISTICS']._serialized_end=4098 - _globals['_PRICEATTESTATION']._serialized_start=4101 - _globals['_PRICEATTESTATION']._serialized_end=4326 - _globals['_ASSETPAIR']._serialized_start=4328 - _globals['_ASSETPAIR']._serialized_end=4453 - _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_start=4456 - _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_end=4636 + _globals['_PARAMS']._serialized_end=195 + _globals['_ORACLEINFO']._serialized_start=197 + _globals['_ORACLEINFO']._serialized_end=284 + _globals['_CHAINLINKPRICESTATE']._serialized_start=287 + _globals['_CHAINLINKPRICESTATE']._serialized_end=462 + _globals['_BANDPRICESTATE']._serialized_start=465 + _globals['_BANDPRICESTATE']._serialized_end=649 + _globals['_PRICEFEEDSTATE']._serialized_start=651 + _globals['_PRICEFEEDSTATE']._serialized_end=773 + _globals['_PROVIDERINFO']._serialized_start=775 + _globals['_PROVIDERINFO']._serialized_end=825 + _globals['_PROVIDERSTATE']._serialized_start=828 + _globals['_PROVIDERSTATE']._serialized_end=983 + _globals['_PROVIDERPRICESTATE']._serialized_start=985 + _globals['_PROVIDERPRICESTATE']._serialized_end=1074 + _globals['_PRICEFEEDINFO']._serialized_start=1076 + _globals['_PRICEFEEDINFO']._serialized_end=1120 + _globals['_PRICEFEEDPRICE']._serialized_start=1122 + _globals['_PRICEFEEDPRICE']._serialized_end=1190 + _globals['_COINBASEPRICESTATE']._serialized_start=1193 + _globals['_COINBASEPRICESTATE']._serialized_end=1339 + _globals['_PRICESTATE']._serialized_start=1342 + _globals['_PRICESTATE']._serialized_end=1488 + _globals['_PYTHPRICESTATE']._serialized_start=1491 + _globals['_PYTHPRICESTATE']._serialized_end=1774 + _globals['_BANDORACLEREQUEST']._serialized_start=1777 + _globals['_BANDORACLEREQUEST']._serialized_end=2061 + _globals['_BANDIBCPARAMS']._serialized_start=2064 + _globals['_BANDIBCPARAMS']._serialized_end=2232 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 + _globals['_PRICERECORDS']._serialized_start=2453 + _globals['_PRICERECORDS']._serialized_end=2609 + _globals['_PRICERECORD']._serialized_start=2611 + _globals['_PRICERECORD']._serialized_end=2695 + _globals['_METADATASTATISTICS']._serialized_start=2698 + _globals['_METADATASTATISTICS']._serialized_end=3090 + _globals['_PRICEATTESTATION']._serialized_start=3093 + _globals['_PRICEATTESTATION']._serialized_end=3249 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 2daafffe..893bb41b 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index d12db5f8..ce151115 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/proposal.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xca\x01\n GrantBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xcc\x01\n!RevokeBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xf6\x01\n!GrantPriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xe2\x01\n\x1eGrantProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xe4\x01\n\x1fRevokeProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xf8\x01\n\"RevokePriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xff\x01\n\"AuthorizeBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00R\x07request:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\xbb\x02\n\x1fUpdateBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12,\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04R\x10\x64\x65leteRequestIds\x12_\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x13updateOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xef\x01\n\x15\x45nableBandIBCProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposal\"\xe1\x01\n$GrantStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*+oracle/GrantStorkPublisherPrivilegeProposal\"\xe3\x01\n%RevokeStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,oracle/RevokeStorkPublisherPrivilegeProposalB\xfd\x01\n\x1c\x63om.injective.oracle.v1beta1B\rProposalProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\rProposalProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None @@ -59,30 +49,22 @@ _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' - _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*+oracle/GrantStorkPublisherPrivilegeProposal' - _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None - _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,oracle/RevokeStorkPublisherPrivilegeProposal' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=411 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=414 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=618 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=621 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=867 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=870 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1096 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=1099 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1327 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1330 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1578 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1581 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1836 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1839 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=2154 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=2157 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2396 - _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2399 - _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2624 - _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2627 - _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2854 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index 2daafffe..bbfd8d96 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 08538621..30a67483 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\"2\n\x15QueryPythPriceRequest\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\"c\n\x16QueryPythPriceResponse\x12I\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\npriceState\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1a\n\x18QueryBandRelayersRequest\"7\n\x19QueryBandRelayersResponse\x12\x1a\n\x08relayers\x18\x01 \x03(\tR\x08relayers\"\x1d\n\x1bQueryBandPriceStatesRequest\"k\n\x1cQueryBandPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\" \n\x1eQueryBandIBCPriceStatesRequest\"n\n\x1fQueryBandIBCPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\"\"\n QueryPriceFeedPriceStatesRequest\"p\n!QueryPriceFeedPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x0bpriceStates\"!\n\x1fQueryCoinbasePriceStatesRequest\"s\n QueryCoinbasePriceStatesResponse\x12O\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x0bpriceStates\"\x1d\n\x1bQueryPythPriceStatesRequest\"k\n\x1cQueryPythPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0bpriceStates\"\x1e\n\x1cQueryStorkPriceStatesRequest\"m\n\x1dQueryStorkPriceStatesResponse\x12L\n\x0cprice_states\x18\x01 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x0bpriceStates\"\x1d\n\x1bQueryStorkPublishersRequest\">\n\x1cQueryStorkPublishersResponse\x12\x1e\n\npublishers\x18\x01 \x03(\tR\npublishers\"T\n\x1eQueryProviderPriceStateRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\"h\n\x1fQueryProviderPriceStateResponse\x12\x45\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\"\x19\n\x17QueryModuleStateRequest\"X\n\x18QueryModuleStateResponse\x12<\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisStateR\x05state\"\x7f\n\"QueryHistoricalPriceRecordsRequest\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\"r\n#QueryHistoricalPriceRecordsResponse\x12K\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x0cpriceRecords\"\x8a\x01\n\x14OracleHistoryOptions\x12\x17\n\x07max_age\x18\x01 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x02 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x03 \x01(\x08R\x0fincludeMetadata\"\x8c\x02\n\x1cQueryOracleVolatilityRequest\x12\x41\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\x08\x62\x61seInfo\x12\x43\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\tquoteInfo\x12\x64\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptionsR\x14oracleHistoryOptions\"\x81\x02\n\x1dQueryOracleVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12\x46\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\nrawHistory\"!\n\x1fQueryOracleProvidersInfoRequest\"h\n QueryOracleProvidersInfoResponse\x12\x44\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\tproviders\">\n QueryOracleProviderPricesRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\"r\n!QueryOracleProviderPricesResponse\x12M\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\rproviderState\"\\\n\x0eScalingOptions\x12#\n\rbase_decimals\x18\x01 \x01(\rR\x0c\x62\x61seDecimals\x12%\n\x0equote_decimals\x18\x02 \x01(\rR\rquoteDecimals\"\xe3\x01\n\x17QueryOraclePriceRequest\x12\x45\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x01(\tR\x05quote\x12W\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01R\x0escalingOptions\"\xe2\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tpairPrice\x12\x42\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tbasePrice\x12\x44\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nquotePrice\x12W\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13\x62\x61seCumulativePrice\x12Y\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14quoteCumulativePrice\x12%\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03R\rbaseTimestamp\x12\'\n\x0fquote_timestamp\x18\x07 \x01(\x03R\x0equoteTimestamp\"n\n\x18QueryOraclePriceResponse\x12R\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairStateR\x0epricePairState2\xcd\x18\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xb9\x01\n\x10StorkPriceStates\x12\x36.injective.oracle.v1beta1.QueryStorkPriceStatesRequest\x1a\x37.injective.oracle.v1beta1.QueryStorkPriceStatesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/oracle/v1beta1/stork_price_states\x12\xb4\x01\n\x0fStorkPublishers\x12\x35.injective.oracle.v1beta1.QueryStorkPublishersRequest\x1a\x36.injective.oracle.v1beta1.QueryStorkPublishersResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/oracle/v1beta1/stork_publishers\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceB\xfa\x01\n\x1c\x63om.injective.oracle.v1beta1B\nQueryProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\nQueryProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None @@ -66,10 +56,6 @@ _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/coinbase_price_states' _globals['_QUERY'].methods_by_name['PythPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/pyth_price_states' - _globals['_QUERY'].methods_by_name['StorkPriceStates']._loaded_options = None - _globals['_QUERY'].methods_by_name['StorkPriceStates']._serialized_options = b'\202\323\344\223\002.\022,/injective/oracle/v1beta1/stork_price_states' - _globals['_QUERY'].methods_by_name['StorkPublishers']._loaded_options = None - _globals['_QUERY'].methods_by_name['StorkPublishers']._serialized_options = b'\202\323\344\223\002,\022*/injective/oracle/v1beta1/stork_publishers' _globals['_QUERY'].methods_by_name['ProviderPriceState']._loaded_options = None _globals['_QUERY'].methods_by_name['ProviderPriceState']._serialized_options = b'\202\323\344\223\002D\022B/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}' _globals['_QUERY'].methods_by_name['OracleModuleState']._loaded_options = None @@ -87,79 +73,71 @@ _globals['_QUERY'].methods_by_name['PythPrice']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPrice']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/pyth_price' _globals['_QUERYPYTHPRICEREQUEST']._serialized_start=197 - _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=247 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=249 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=348 - _globals['_QUERYPARAMSREQUEST']._serialized_start=350 - _globals['_QUERYPARAMSREQUEST']._serialized_end=370 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=372 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=457 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=459 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=485 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=487 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=542 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=544 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=573 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=575 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=682 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=684 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=716 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=718 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=828 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=830 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=864 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=866 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=978 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=980 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=1013 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=1015 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1130 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1132 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1161 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1163 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1270 - _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_start=1272 - _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_end=1302 - _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_start=1304 - _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_end=1413 - _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_start=1415 - _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_end=1444 - _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_start=1446 - _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_end=1508 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1510 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1594 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1596 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1700 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1702 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1727 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1729 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1817 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1819 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1946 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1948 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=2062 - _globals['_ORACLEHISTORYOPTIONS']._serialized_start=2065 - _globals['_ORACLEHISTORYOPTIONS']._serialized_end=2203 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=2206 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=2474 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=2477 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2734 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2736 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2769 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2771 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2875 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2877 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2939 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2941 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=3055 - _globals['_SCALINGOPTIONS']._serialized_start=3057 - _globals['_SCALINGOPTIONS']._serialized_end=3149 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=3152 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=3379 - _globals['_PRICEPAIRSTATE']._serialized_start=3382 - _globals['_PRICEPAIRSTATE']._serialized_end=3864 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3866 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3976 - _globals['_QUERY']._serialized_start=3979 - _globals['_QUERY']._serialized_end=7128 + _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=238 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=240 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=327 + _globals['_QUERYPARAMSREQUEST']._serialized_start=329 + _globals['_QUERYPARAMSREQUEST']._serialized_end=349 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=351 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=428 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=430 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=456 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=458 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=503 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=505 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=534 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=536 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=630 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=632 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=664 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=666 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=763 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=765 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=799 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=801 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=900 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=902 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=935 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=937 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1039 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1041 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1070 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1072 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1166 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1168 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1234 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1236 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1328 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1330 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1355 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1357 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1438 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1440 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1549 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1551 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=1651 + _globals['_ORACLEHISTORYOPTIONS']._serialized_start=1653 + _globals['_ORACLEHISTORYOPTIONS']._serialized_end=1747 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 + _globals['_SCALINGOPTIONS']._serialized_start=2481 + _globals['_SCALINGOPTIONS']._serialized_end=2544 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 + _globals['_PRICEPAIRSTATE']._serialized_start=2736 + _globals['_PRICEPAIRSTATE']._serialized_end=3110 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 + _globals['_QUERY']._serialized_start=3209 + _globals['_QUERY']._serialized_end=5987 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index a368d998..6f1d76bd 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 +import warnings + +from injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class QueryStub(object): @@ -50,16 +75,6 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, _registered_method=True) - self.StorkPriceStates = channel.unary_unary( - '/injective.oracle.v1beta1.Query/StorkPriceStates', - request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, - response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, - _registered_method=True) - self.StorkPublishers = channel.unary_unary( - '/injective.oracle.v1beta1.Query/StorkPublishers', - request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, - response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, - _registered_method=True) self.ProviderPriceState = channel.unary_unary( '/injective.oracle.v1beta1.Query/ProviderPriceState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, @@ -155,20 +170,6 @@ def PythPriceStates(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def StorkPriceStates(self, request, context): - """Retrieves the state for all stork price feeds - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def StorkPublishers(self, request, context): - """Retrieves all stork publishers - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def ProviderPriceState(self, request, context): """Retrieves the state for all provider price feeds """ @@ -259,16 +260,6 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.SerializeToString, ), - 'StorkPriceStates': grpc.unary_unary_rpc_method_handler( - servicer.StorkPriceStates, - request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.FromString, - response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.SerializeToString, - ), - 'StorkPublishers': grpc.unary_unary_rpc_method_handler( - servicer.StorkPublishers, - request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.FromString, - response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.SerializeToString, - ), 'ProviderPriceState': grpc.unary_unary_rpc_method_handler( servicer.ProviderPriceState, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.FromString, @@ -510,60 +501,6 @@ def PythPriceStates(request, metadata, _registered_method=True) - @staticmethod - def StorkPriceStates(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.oracle.v1beta1.Query/StorkPriceStates', - injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, - injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def StorkPublishers(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.oracle.v1beta1.Query/StorkPublishers', - injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, - injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def ProviderPriceState(request, target, diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index d7ce43ad..71c2aa54 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/oracle/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xda\x01\n\x16MsgRelayProviderPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12;\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06prices:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xcc\x01\n\x16MsgRelayPriceFeedPrice\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x12\n\x04\x62\x61se\x18\x02 \x03(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x03(\tR\x05quote\x12\x39\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\xcd\x01\n\x11MsgRelayBandRates\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x18\n\x07symbols\x18\x02 \x03(\tR\x07symbols\x12\x14\n\x05rates\x18\x03 \x03(\x04R\x05rates\x12#\n\rresolve_times\x18\x04 \x03(\x04R\x0cresolveTimes\x12\x1e\n\nrequestIDs\x18\x05 \x03(\x04R\nrequestIDs:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\xa7\x01\n\x18MsgRelayCoinbaseMessages\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08messages\x18\x02 \x03(\x0cR\x08messages\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"\x88\x01\n\x13MsgRelayStorkPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x44\n\x0b\x61sset_pairs\x18\x02 \x03(\x0b\x32#.injective.oracle.v1beta1.AssetPairR\nassetPairs:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRelayStorkPricesResponse\"\x86\x01\n\x16MsgRequestBandIBCRates\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1d\n\nrequest_id\x18\x02 \x01(\x04R\trequestId:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\xba\x01\n\x12MsgRelayPythPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12Y\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestationR\x11priceAttestations:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xf6\x07\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12y\n\x11RelayStorkMessage\x12-.injective.oracle.v1beta1.MsgRelayStorkPrices\x1a\x35.injective.oracle.v1beta1.MsgRelayStorkPricesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n\x1c\x63om.injective.oracle.v1beta1B\x07TxProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\007TxProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None @@ -49,8 +39,6 @@ _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' - _globals['_MSGRELAYSTORKPRICES']._loaded_options = None - _globals['_MSGRELAYSTORKPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' _globals['_MSGRELAYPYTHPRICES']._loaded_options = None @@ -64,37 +52,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=414 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=416 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=448 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=451 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=655 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=657 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=689 - _globals['_MSGRELAYBANDRATES']._serialized_start=692 - _globals['_MSGRELAYBANDRATES']._serialized_end=897 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=899 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=926 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=929 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=1096 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=1098 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=1132 - _globals['_MSGRELAYSTORKPRICES']._serialized_start=1135 - _globals['_MSGRELAYSTORKPRICES']._serialized_end=1271 - _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_start=1273 - _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_end=1302 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=1305 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1439 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1441 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1473 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=1476 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1662 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1664 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1692 - _globals['_MSGUPDATEPARAMS']._serialized_start=1695 - _globals['_MSGUPDATEPARAMS']._serialized_end=1875 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1877 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1902 - _globals['_MSG']._serialized_start=1905 - _globals['_MSG']._serialized_end=2919 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 + _globals['_MSGRELAYBANDRATES']._serialized_start=629 + _globals['_MSGRELAYBANDRATES']._serialized_end=783 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 + _globals['_MSGUPDATEPARAMS']._serialized_start=1334 + _globals['_MSGUPDATEPARAMS']._serialized_end=1495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 + _globals['_MSG']._serialized_start=1525 + _globals['_MSG']._serialized_end=2416 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index 7c505717..34286685 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings -from pyinjective.proto.injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 +from injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class MsgStub(object): @@ -40,11 +65,6 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, _registered_method=True) - self.RelayStorkMessage = channel.unary_unary( - '/injective.oracle.v1beta1.Msg/RelayStorkMessage', - request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, - response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, - _registered_method=True) self.RelayPythPrices = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPythPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, @@ -99,14 +119,6 @@ def RelayCoinbaseMessages(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') - def RelayStorkMessage(self, request, context): - """RelayStorkMessage defines a method for relaying price message from - Stork API - """ - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - def RelayPythPrices(self, request, context): """RelayPythPrices defines a method for relaying rates from the Pyth contract """ @@ -149,11 +161,6 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.SerializeToString, ), - 'RelayStorkMessage': grpc.unary_unary_rpc_method_handler( - servicer.RelayStorkMessage, - request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.FromString, - response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.SerializeToString, - ), 'RelayPythPrices': grpc.unary_unary_rpc_method_handler( servicer.RelayPythPrices, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.FromString, @@ -311,33 +318,6 @@ def RelayCoinbaseMessages(request, metadata, _registered_method=True) - @staticmethod - def RelayStorkMessage(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/injective.oracle.v1beta1.Msg/RelayStorkMessage', - injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, - injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - @staticmethod def RelayPythPrices(request, target, diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index df4f7386..4bc045af 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/attestation.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/attestation.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x83\x01\n\x0b\x41ttestation\x12\x1a\n\x08observed\x18\x01 \x01(\x08R\x08observed\x12\x14\n\x05votes\x18\x02 \x03(\tR\x05votes\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12*\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x05\x63laim\"_\n\nERC20Token\x12\x1a\n\x08\x63ontract\x18\x01 \x01(\tR\x08\x63ontract\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42\xe1\x01\n\x16\x63om.injective.peggy.v1B\x10\x41ttestationProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.attestation_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\020AttestationProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_CLAIMTYPE']._loaded_options = None _globals['_CLAIMTYPE']._serialized_options = b'\210\243\036\000' _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._loaded_options = None @@ -48,10 +38,10 @@ _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_CLAIMTYPE']._serialized_start=341 - _globals['_CLAIMTYPE']._serialized_end=628 - _globals['_ATTESTATION']._serialized_start=110 - _globals['_ATTESTATION']._serialized_end=241 - _globals['_ERC20TOKEN']._serialized_start=243 - _globals['_ERC20TOKEN']._serialized_end=338 + _globals['_CLAIMTYPE']._serialized_start=290 + _globals['_CLAIMTYPE']._serialized_end=577 + _globals['_ATTESTATION']._serialized_start=109 + _globals['_ATTESTATION']._serialized_end=208 + _globals['_ERC20TOKEN']._serialized_start=210 + _globals['_ERC20TOKEN']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 2daafffe..285bf82a 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index a9be91de..a44e7eb9 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/batch.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/batch.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xe0\x01\n\x0fOutgoingTxBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x02 \x01(\x04R\x0c\x62\x61tchTimeout\x12J\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x0ctransactions\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x14\n\x05\x62lock\x18\x05 \x01(\x04R\x05\x62lock\"\xdd\x01\n\x12OutgoingTransferTx\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12!\n\x0c\x64\x65st_address\x18\x03 \x01(\tR\x0b\x64\x65stAddress\x12?\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\nerc20Token\x12;\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\x08\x65rc20FeeB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nBatchProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xa2\x01\n\x0fOutgoingTxBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x02 \x01(\x04\x12<\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\r\n\x05\x62lock\x18\x05 \x01(\x04\"\xae\x01\n\x12OutgoingTransferTx\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x14\n\x0c\x64\x65st_address\x18\x03 \x01(\t\x12\x33\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20Token\x12\x31\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.batch_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nBatchProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_OUTGOINGTXBATCH']._serialized_start=93 - _globals['_OUTGOINGTXBATCH']._serialized_end=317 - _globals['_OUTGOINGTRANSFERTX']._serialized_start=320 - _globals['_OUTGOINGTRANSFERTX']._serialized_end=541 + _globals['_OUTGOINGTXBATCH']._serialized_end=255 + _globals['_OUTGOINGTRANSFERTX']._serialized_start=258 + _globals['_OUTGOINGTRANSFERTX']._serialized_end=432 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 2daafffe..4993584c 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index d7838484..9beb0aa2 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/ethereum_signer.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/ethereum_signer.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42\xe4\x01\n\x16\x63om.injective.peggy.v1B\x13\x45thereumSignerProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.ethereum_signer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\023EthereumSignerProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_SIGNTYPE']._loaded_options = None _globals['_SIGNTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_SIGNTYPE']._serialized_start=87 diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 2daafffe..3c90ed86 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index 5ba15fd2..bbd26b42 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xf2\x01\n\x18\x45ventAttestationObserved\x12H\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimTypeR\x0f\x61ttestationType\x12\'\n\x0f\x62ridge_contract\x18\x02 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04R\rbridgeChainId\x12%\n\x0e\x61ttestation_id\x18\x04 \x01(\x0cR\rattestationId\x12\x14\n\x05nonce\x18\x05 \x01(\x04R\x05nonce\"n\n\x1b\x45ventBridgeWithdrawCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\"\xc5\x01\n\x12\x45ventOutgoingBatch\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x04 \x01(\x04R\x0c\x62\x61tchTimeout\x12 \n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04R\nbatchTxIds\"\x9e\x01\n\x1a\x45ventOutgoingBatchCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\x12\x19\n\x08\x62\x61tch_id\x18\x03 \x01(\x04R\x07\x62\x61tchId\x12\x14\n\x05nonce\x18\x04 \x01(\x04R\x05nonce\"\x95\x02\n\x18\x45ventValsetUpdateRequest\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12#\n\rvalset_height\x18\x02 \x01(\x04R\x0cvalsetHeight\x12J\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\xb1\x01\n\x1d\x45ventSetOrchestratorAddresses\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x30\n\x14operator_eth_address\x18\x03 \x01(\tR\x12operatorEthAddress\"j\n\x12\x45ventValsetConfirm\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"\x83\x02\n\x0e\x45ventSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x03 \x01(\tR\x08receiver\x12G\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12N\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tbridgeFee\"g\n\x11\x45ventConfirmBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"t\n\x14\x45ventAttestationVote\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12%\n\x0e\x61ttestation_id\x18\x02 \x01(\x0cR\rattestationId\x12\x14\n\x05voter\x18\x03 \x01(\tR\x05voter\"\xf5\x02\n\x11\x45ventDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\'\n\x0f\x65thereum_sender\x18\x04 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x05 \x01(\tR\x0e\x63osmosReceiver\x12%\n\x0etoken_contract\x18\x06 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\x12\x12\n\x04\x64\x61ta\x18\t \x01(\tR\x04\x64\x61ta\"\xfa\x01\n\x12\x45ventWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x31\n\x14orchestrator_address\x18\x06 \x01(\tR\x13orchestratorAddress\"\xc9\x02\n\x17\x45ventERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0c\x63osmos_denom\x18\x04 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x06 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x07 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04R\x08\x64\x65\x63imals\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\"\x8c\x03\n\x16\x45ventValsetUpdateClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0cvalset_nonce\x18\x04 \x01(\x04R\x0bvalsetNonce\x12J\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x07 \x01(\tR\x0brewardToken\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\"<\n\x14\x45ventCancelSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\"\x88\x01\n\x1f\x45ventSubmitBadSignatureEvidence\x12*\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\tR\x0f\x62\x61\x64\x45thSignature\x12\x39\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\tR\x16\x62\x61\x64\x45thSignatureSubject\"\xb5\x01\n\x13\x45ventValidatorSlash\x12\x14\n\x05power\x18\x01 \x01(\x03R\x05power\x12\x16\n\x06reason\x18\x02 \x01(\tR\x06reason\x12+\n\x11\x63onsensus_address\x18\x03 \x01(\tR\x10\x63onsensusAddress\x12)\n\x10operator_address\x18\x04 \x01(\tR\x0foperatorAddress\x12\x18\n\x07moniker\x18\x05 \x01(\tR\x07monikerB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None @@ -46,37 +36,37 @@ _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 - _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=390 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=392 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=502 - _globals['_EVENTOUTGOINGBATCH']._serialized_start=505 - _globals['_EVENTOUTGOINGBATCH']._serialized_end=702 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=705 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=863 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=866 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=1143 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=1146 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=1323 - _globals['_EVENTVALSETCONFIRM']._serialized_start=1325 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1431 - _globals['_EVENTSENDTOETH']._serialized_start=1434 - _globals['_EVENTSENDTOETH']._serialized_end=1693 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1695 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1798 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1800 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1916 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1919 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=2292 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=2295 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=2545 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=2548 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2877 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2880 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=3276 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=3278 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=3338 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=3341 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=3477 - _globals['_EVENTVALIDATORSLASH']._serialized_start=3480 - _globals['_EVENTVALIDATORSLASH']._serialized_end=3661 + _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=401 + _globals['_EVENTOUTGOINGBATCH']._serialized_start=404 + _globals['_EVENTOUTGOINGBATCH']._serialized_end=535 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 + _globals['_EVENTVALSETCONFIRM']._serialized_start=981 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 + _globals['_EVENTSENDTOETH']._serialized_start=1056 + _globals['_EVENTSENDTOETH']._serialized_end=1264 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 + _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 + _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 2daafffe..858a3ebc 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index ae1622b8..2a6e7260 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x08\n\x0cGenesisState\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsR\x06params\x12.\n\x13last_observed_nonce\x18\x02 \x01(\x04R\x11lastObservedNonce\x12\x34\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\x12M\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x0evalsetConfirms\x12=\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\x12J\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\rbatchConfirms\x12\x43\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.AttestationR\x0c\x61ttestations\x12\x66\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddressesR\x15orchestratorAddresses\x12H\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenomR\rerc20ToDenoms\x12W\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\x12\x41\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04R\x1alastObservedEthereumHeight\x12\x33\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04R\x13lastOutgoingBatchId\x12\x31\n\x15last_outgoing_pool_id\x18\r \x01(\x04R\x12lastOutgoingPoolId\x12R\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00R\x12lastObservedValset\x12-\n\x12\x65thereum_blacklist\x18\x0f \x03(\tR\x11\x65thereumBlacklistB\xdd\x01\n\x16\x63om.injective.peggy.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x06\n\x0cGenesisState\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Params\x12\x1b\n\x13last_observed_nonce\x18\x02 \x01(\x04\x12+\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\x12=\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\x12\x34\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\x12;\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\x12\x35\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.Attestation\x12O\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddresses\x12\x39\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenom\x12\x43\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12%\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04\x12\x1e\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04\x12\x1d\n\x15last_outgoing_pool_id\x18\r \x01(\x04\x12>\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12\x65thereum_blacklist\x18\x0f \x03(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=277 - _globals['_GENESISSTATE']._serialized_end=1301 + _globals['_GENESISSTATE']._serialized_end=1045 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 2daafffe..24d3f129 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index eea1e425..52ba88cb 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/msgs.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x1bMsgSetOrchestratorAddresses\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\xb9\x01\n\x10MsgValsetConfirm\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xde\x01\n\x0cMsgSendToEth\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x19\n\x08\x65th_dest\x18\x02 \x01(\tR\x07\x65thDest\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\x12>\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbridgeFee:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"x\n\x0fMsgRequestBatch\x12\"\n\x0corchestrator\x18\x01 \x01(\tR\x0corchestrator\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xdc\x01\n\x0fMsgConfirmBatch\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12%\n\x0etoken_contract\x18\x02 \x01(\tR\rtokenContract\x12\x1d\n\neth_signer\x18\x03 \x01(\tR\tethSigner\x12\"\n\x0corchestrator\x18\x04 \x01(\tR\x0corchestrator\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\xea\x02\n\x0fMsgDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12%\n\x0etoken_contract\x18\x03 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\'\n\x0f\x65thereum_sender\x18\x05 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x06 \x01(\tR\x0e\x63osmosReceiver\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator\x12\x12\n\x04\x64\x61ta\x18\x08 \x01(\tR\x04\x64\x61ta:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xf0\x01\n\x10MsgWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\"\n\x0corchestrator\x18\x05 \x01(\tR\x0corchestrator:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc4\x02\n\x15MsgERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12!\n\x0c\x63osmos_denom\x18\x03 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04R\x08\x64\x65\x63imals\x12\"\n\x0corchestrator\x18\x08 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"}\n\x12MsgCancelSendToEth\x12%\n\x0etransaction_id\x18\x01 \x01(\x04R\rtransactionId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\xba\x01\n\x1dMsgSubmitBadSignatureEvidence\x12.\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07subject\x12\x1c\n\tsignature\x18\x02 \x01(\tR\tsignature\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xfb\x02\n\x15MsgValsetUpdatedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0cvalset_nonce\x18\x02 \x01(\x04R\x0bvalsetNonce\x12!\n\x0c\x62lock_height\x18\x03 \x01(\x04R\x0b\x62lockHeight\x12=\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x42\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x06 \x01(\tR\x0brewardToken\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9d\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"\x97\x01\n\x1aMsgRevokeEthereumBlacklist\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xda\x01\n\x16\x63om.injective.peggy.v1B\tMsgsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tMsgsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' _globals['_MSGVALSETCONFIRM']._loaded_options = None @@ -106,61 +96,61 @@ _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=474 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=476 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=513 - _globals['_MSGVALSETCONFIRM']._serialized_start=516 - _globals['_MSGVALSETCONFIRM']._serialized_end=701 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=703 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=729 - _globals['_MSGSENDTOETH']._serialized_start=732 - _globals['_MSGSENDTOETH']._serialized_end=954 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=956 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=978 - _globals['_MSGREQUESTBATCH']._serialized_start=980 - _globals['_MSGREQUESTBATCH']._serialized_end=1100 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=1102 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=1127 - _globals['_MSGCONFIRMBATCH']._serialized_start=1130 - _globals['_MSGCONFIRMBATCH']._serialized_end=1350 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1352 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1377 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1380 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1742 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1744 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1769 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1772 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=2012 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=2014 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=2040 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=2043 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=2367 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=2369 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=2400 - _globals['_MSGCANCELSENDTOETH']._serialized_start=2402 - _globals['_MSGCANCELSENDTOETH']._serialized_end=2527 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2529 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2557 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2560 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2746 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2748 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2787 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2790 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=3169 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=3171 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=3202 - _globals['_MSGUPDATEPARAMS']._serialized_start=3205 - _globals['_MSGUPDATEPARAMS']._serialized_end=3378 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3380 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3405 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=3408 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=3565 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=3567 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=3606 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=3609 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3760 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3762 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3798 - _globals['_MSG']._serialized_start=3801 - _globals['_MSG']._serialized_end=5911 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 + _globals['_MSGVALSETCONFIRM']._serialized_start=482 + _globals['_MSGVALSETCONFIRM']._serialized_end=623 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 + _globals['_MSGSENDTOETH']._serialized_start=654 + _globals['_MSGSENDTOETH']._serialized_end=840 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 + _globals['_MSGREQUESTBATCH']._serialized_start=866 + _globals['_MSGREQUESTBATCH']._serialized_end=965 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 + _globals['_MSGCONFIRMBATCH']._serialized_start=995 + _globals['_MSGCONFIRMBATCH']._serialized_end=1157 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 + _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 + _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 + _globals['_MSGUPDATEPARAMS']._serialized_start=2616 + _globals['_MSGUPDATEPARAMS']._serialized_end=2770 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 + _globals['_MSG']._serialized_start=3136 + _globals['_MSG']._serialized_end=5246 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index 34f5ab26..fa1ec042 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/msgs_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Missing associated documentation comment in .proto file.""" diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index bb070a70..a439c8a9 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/params.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xea\n\n\x06Params\x12\x19\n\x08peggy_id\x18\x01 \x01(\tR\x07peggyId\x12\x30\n\x14\x63ontract_source_hash\x18\x02 \x01(\tR\x12\x63ontractSourceHash\x12\x36\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\tR\x15\x62ridgeEthereumAddress\x12&\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04R\rbridgeChainId\x12\x32\n\x15signed_valsets_window\x18\x05 \x01(\x04R\x13signedValsetsWindow\x12\x32\n\x15signed_batches_window\x18\x06 \x01(\x04R\x13signedBatchesWindow\x12\x30\n\x14signed_claims_window\x18\x07 \x01(\x04R\x12signedClaimsWindow\x12\x30\n\x14target_batch_timeout\x18\x08 \x01(\x04R\x12targetBatchTimeout\x12,\n\x12\x61verage_block_time\x18\t \x01(\x04R\x10\x61verageBlockTime\x12=\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04R\x18\x61verageEthereumBlockTime\x12W\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13slashFractionValset\x12U\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionBatch\x12U\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionClaim\x12l\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dslashFractionConflictingClaim\x12\x43\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04R\x1bunbondSlashingValsetsWindow\x12k\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1cslashFractionBadEthSignature\x12*\n\x11\x63osmos_coin_denom\x18\x11 \x01(\tR\x0f\x63osmosCoinDenom\x12;\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\tR\x17\x63osmosCoinErc20Contract\x12\x34\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08R\x14\x63laimSlashingEnabled\x12?\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04R\x19\x62ridgeContractStartHeight\x12\x44\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0cvalsetReward\x12\x16\n\x06\x61\x64mins\x18\x16 \x03(\tR\x06\x61\x64mins:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0bParamsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013ParamsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None @@ -50,5 +40,5 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' _globals['_PARAMS']._serialized_start=129 - _globals['_PARAMS']._serialized_end=1515 + _globals['_PARAMS']._serialized_end=1058 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 2daafffe..3b937d48 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index fe151be2..dc5344aa 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/pool.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/pool.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x19\n\x05IDSet\x12\x10\n\x03ids\x18\x01 \x03(\x04R\x03ids\"_\n\tBatchFees\x12\x14\n\x05token\x18\x01 \x01(\tR\x05token\x12<\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ttotalFeesB\xda\x01\n\x16\x63om.injective.peggy.v1B\tPoolProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.pool_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tPoolProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_IDSET']._serialized_start=75 - _globals['_IDSET']._serialized_end=100 - _globals['_BATCHFEES']._serialized_start=102 - _globals['_BATCHFEES']._serialized_end=197 + _globals['_IDSET']._serialized_end=95 + _globals['_BATCHFEES']._serialized_start=97 + _globals['_BATCHFEES']._serialized_end=174 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 2daafffe..339e9c5c 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index 86a7edb5..558ffa19 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 -from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from pyinjective.proto.injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 -from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 +from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 +from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"O\n\x13QueryParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryCurrentValsetRequest\"P\n\x1aQueryCurrentValsetResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"1\n\x19QueryValsetRequestRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"P\n\x1aQueryValsetRequestResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"K\n\x19QueryValsetConfirmRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n\x1aQueryValsetConfirmResponse\x12>\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x07\x63onfirm\"9\n!QueryValsetConfirmsByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"f\n\"QueryValsetConfirmsByNonceResponse\x12@\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x08\x63onfirms\" \n\x1eQueryLastValsetRequestsRequest\"W\n\x1fQueryLastValsetRequestsResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"F\n*QueryLastPendingValsetRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"c\n+QueryLastPendingValsetRequestByAddrResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"\x16\n\x14QueryBatchFeeRequest\"T\n\x15QueryBatchFeeResponse\x12;\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFeesR\tbatchFees\"E\n)QueryLastPendingBatchRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"g\n*QueryLastPendingBatchRequestByAddrResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"_\n\x1eQueryOutgoingTxBatchesResponse\x12=\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\"b\n\x1fQueryBatchRequestByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n QueryBatchRequestByNonceResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\\\n\x19QueryBatchConfirmsRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n\x1aQueryBatchConfirmsResponse\x12?\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\x08\x63onfirms\"7\n\x1bQueryLastEventByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"l\n\x1cQueryLastEventByAddrResponse\x12L\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEventR\x0elastClaimEvent\"0\n\x18QueryERC20ToDenomRequest\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\"^\n\x19QueryERC20ToDenomResponse\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"0\n\x18QueryDenomToERC20Request\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"^\n\x19QueryDenomToERC20Response\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"R\n#QueryDelegateKeysByValidatorAddress\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\"\x81\x01\n+QueryDelegateKeysByValidatorAddressResponse\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"@\n\x1dQueryDelegateKeysByEthAddress\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\"\x87\x01\n%QueryDelegateKeysByEthAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"[\n&QueryDelegateKeysByOrchestratorAddress\x12\x31\n\x14orchestrator_address\x18\x01 \x01(\tR\x13orchestratorAddress\"~\n.QueryDelegateKeysByOrchestratorAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x1f\n\x0b\x65th_address\x18\x02 \x01(\tR\nethAddress\">\n\x15QueryPendingSendToEth\x12%\n\x0esender_address\x18\x01 \x01(\tR\rsenderAddress\"\xd2\x01\n\x1dQueryPendingSendToEthResponse\x12X\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12transfersInBatches\x12W\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisStateR\x05state\"\x16\n\x14MissingNoncesRequest\"F\n\x15MissingNoncesResponse\x12-\n\x12operator_addresses\x18\x01 \x03(\tR\x11operatorAddresses2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"G\n\x13QueryParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryCurrentValsetRequest\"H\n\x1aQueryCurrentValsetResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\"*\n\x19QueryValsetRequestRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"H\n\x1aQueryValsetRequestResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\";\n\x19QueryValsetConfirmRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"S\n\x1aQueryValsetConfirmResponse\x12\x35\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\"2\n!QueryValsetConfirmsByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"\\\n\"QueryValsetConfirmsByNonceResponse\x12\x36\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\" \n\x1eQueryLastValsetRequestsRequest\"N\n\x1fQueryLastValsetRequestsResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"=\n*QueryLastPendingValsetRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"Z\n+QueryLastPendingValsetRequestByAddrResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"\x16\n\x14QueryBatchFeeRequest\"I\n\x15QueryBatchFeeResponse\x12\x30\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFees\"<\n)QueryLastPendingBatchRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"`\n*QueryLastPendingBatchRequestByAddrResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"V\n\x1eQueryOutgoingTxBatchesResponse\x12\x34\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"J\n\x1fQueryBatchRequestByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"V\n QueryBatchRequestByNonceResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"D\n\x19QueryBatchConfirmsRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"S\n\x1aQueryBatchConfirmsResponse\x12\x35\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\".\n\x1bQueryLastEventByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\\\n\x1cQueryLastEventByAddrResponse\x12<\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEvent\")\n\x18QueryERC20ToDenomRequest\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\"E\n\x19QueryERC20ToDenomResponse\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\")\n\x18QueryDenomToERC20Request\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"E\n\x19QueryDenomToERC20Response\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\"@\n#QueryDelegateKeysByValidatorAddress\x12\x19\n\x11validator_address\x18\x01 \x01(\t\"`\n+QueryDelegateKeysByValidatorAddressResponse\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"4\n\x1dQueryDelegateKeysByEthAddress\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\"`\n%QueryDelegateKeysByEthAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"F\n&QueryDelegateKeysByOrchestratorAddress\x12\x1c\n\x14orchestrator_address\x18\x01 \x01(\t\"`\n.QueryDelegateKeysByOrchestratorAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x02 \x01(\t\"/\n\x15QueryPendingSendToEth\x12\x16\n\x0esender_address\x18\x01 \x01(\t\"\xaa\x01\n\x1dQueryPendingSendToEthResponse\x12\x44\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x43\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisState\"\x16\n\x14MissingNoncesRequest\"3\n\x15MissingNoncesResponse\x12\x1a\n\x12operator_addresses\x18\x01 \x03(\t2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -87,87 +77,87 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=299 _globals['_QUERYPARAMSREQUEST']._serialized_end=319 _globals['_QUERYPARAMSRESPONSE']._serialized_start=321 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=400 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=402 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=429 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=431 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=511 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=513 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=562 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=564 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=644 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=646 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=721 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=723 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=815 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=817 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=874 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=876 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=978 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=980 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=1012 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=1014 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1101 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1103 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1173 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1175 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1274 - _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1276 - _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1298 - _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1300 - _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1384 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1386 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1455 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1457 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1560 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1562 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1593 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1595 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1690 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1692 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1790 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1792 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1885 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1887 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1979 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1981 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=2074 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=2076 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=2131 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=2133 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2241 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2243 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2291 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2293 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2387 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2389 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2437 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2439 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2533 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2535 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2617 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2620 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2749 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2751 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2815 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2818 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2953 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2955 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=3046 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=3048 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=3174 - _globals['_QUERYPENDINGSENDTOETH']._serialized_start=3176 - _globals['_QUERYPENDINGSENDTOETH']._serialized_end=3238 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=3241 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=3451 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=3453 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=3478 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=3480 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3562 - _globals['_MISSINGNONCESREQUEST']._serialized_start=3564 - _globals['_MISSINGNONCESREQUEST']._serialized_end=3586 - _globals['_MISSINGNONCESRESPONSE']._serialized_start=3588 - _globals['_MISSINGNONCESRESPONSE']._serialized_end=3658 - _globals['_QUERY']._serialized_start=3661 - _globals['_QUERY']._serialized_end=7059 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=392 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=394 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=421 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=423 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=495 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=497 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=539 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=541 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=613 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=615 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=674 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=676 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=759 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=761 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=811 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=813 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=905 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=907 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=939 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=941 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1019 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1021 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1082 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1084 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1174 + _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1176 + _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1198 + _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1200 + _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1273 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1275 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1335 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1337 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1433 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1435 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1466 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1468 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1554 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1556 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1630 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1632 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1718 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1720 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1788 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1790 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=1873 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=1875 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=1921 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=1923 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2015 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2017 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2058 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2060 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2129 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2131 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2172 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2174 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2243 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2245 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2309 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2311 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2407 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2409 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2461 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2463 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2559 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2561 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=2631 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=2633 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=2729 + _globals['_QUERYPENDINGSENDTOETH']._serialized_start=2731 + _globals['_QUERYPENDINGSENDTOETH']._serialized_end=2778 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=2781 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=2951 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=2953 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=2978 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=2980 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3055 + _globals['_MISSINGNONCESREQUEST']._serialized_start=3057 + _globals['_MISSINGNONCESREQUEST']._serialized_end=3079 + _globals['_MISSINGNONCESRESPONSE']._serialized_start=3081 + _globals['_MISSINGNONCESRESPONSE']._serialized_end=3132 + _globals['_QUERY']._serialized_start=3135 + _globals['_QUERY']._serialized_end=6533 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index 2d54c874..a8887191 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 6ecf6bb8..1186e742 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -1,48 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"R\n\x0f\x42ridgeValidator\x12\x14\n\x05power\x18\x01 \x01(\x04R\x05power\x12)\n\x10\x65thereum_address\x18\x02 \x01(\tR\x0f\x65thereumAddress\"\xdc\x01\n\x06Valset\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12=\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\x85\x01\n\x1fLastObservedEthereumBlockHeight\x12.\n\x13\x63osmos_block_height\x18\x01 \x01(\x04R\x11\x63osmosBlockHeight\x12\x32\n\x15\x65thereum_block_height\x18\x02 \x01(\x04R\x13\x65thereumBlockHeight\"v\n\x0eLastClaimEvent\x12\x30\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04R\x12\x65thereumEventNonce\x12\x32\n\x15\x65thereum_event_height\x18\x02 \x01(\x04R\x13\x65thereumEventHeight\":\n\x0c\x45RC20ToDenom\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nomB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nTypesProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nTypesProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 - _globals['_BRIDGEVALIDATOR']._serialized_end=158 - _globals['_VALSET']._serialized_start=161 - _globals['_VALSET']._serialized_end=381 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=384 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=517 - _globals['_LASTCLAIMEVENT']._serialized_start=519 - _globals['_LASTCLAIMEVENT']._serialized_end=637 - _globals['_ERC20TODENOM']._serialized_start=639 - _globals['_ERC20TODENOM']._serialized_end=697 + _globals['_BRIDGEVALIDATOR']._serialized_end=134 + _globals['_VALSET']._serialized_start=137 + _globals['_VALSET']._serialized_end=306 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 + _globals['_LASTCLAIMEVENT']._serialized_start=403 + _globals['_LASTCLAIMEVENT']._serialized_end=480 + _globals['_ERC20TODENOM']._serialized_start=482 + _globals['_ERC20TODENOM']._serialized_end=526 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 2daafffe..833de0b8 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 083b473a..75592fa6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -1,42 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"`\n\x0f\x45ventSetVoucher\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\tR\x04\x61\x64\x64r\x12\x39\n\x07voucher\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07voucherB\x99\x02\n!com.injective.permissions.v1beta1B\x0b\x45ventsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.protoBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013EventsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' - _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._loaded_options = None - _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._serialized_options = b'\310\336\037\000' - _globals['_EVENTSETVOUCHER']._serialized_start=163 - _globals['_EVENTSETVOUCHER']._serialized_end=259 + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 2daafffe..41b37ec2 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index f43fbcdf..7af2b662 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\xa3\x01\n\x0cGenesisState\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12N\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\nnamespacesB\x9a\x02\n!com.injective.permissions.v1beta1B\x0cGenesisProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8f\x01\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x42\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\014GenesisProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['namespaces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['namespaces']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=194 - _globals['_GENESISSTATE']._serialized_end=357 + _globals['_GENESISSTATE']._serialized_end=337 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 2daafffe..9ab6244e 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index b00607a9..4ea7248d 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/params.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"[\n\x06Params\x12\x34\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04R\x13wasmHookQueryMaxGas:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsB\x99\x02\n!com.injective.permissions.v1beta1B\x0bParamsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013ParamsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' _globals['_PARAMS']._serialized_start=177 - _globals['_PARAMS']._serialized_end=268 + _globals['_PARAMS']._serialized_end=247 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 2daafffe..870daa66 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index 500d44cd..c9bc58e8 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -1,53 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/permissions.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/permissions.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xc9\x02\n\tNamespace\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1b\n\twasm_hook\x18\x02 \x01(\tR\x08wasmHook\x12!\n\x0cmints_paused\x18\x03 \x01(\x08R\x0bmintsPaused\x12!\n\x0csends_paused\x18\x04 \x01(\x08R\x0bsendsPaused\x12!\n\x0c\x62urns_paused\x18\x05 \x01(\x08R\x0b\x62urnsPaused\x12N\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles\">\n\x0c\x41\x64\x64ressRoles\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05roles\x18\x02 \x03(\tR\x05roles\"<\n\x04Role\x12\x12\n\x04role\x18\x01 \x01(\tR\x04role\x12 \n\x0bpermissions\x18\x02 \x01(\rR\x0bpermissions\"$\n\x07RoleIDs\x12\x19\n\x08role_ids\x18\x01 \x03(\rR\x07roleIds\"l\n\x07Voucher\x12\x61\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x63oins\"l\n\x0e\x41\x64\x64ressVoucher\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.VoucherR\x07voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42\x9e\x02\n!com.injective.permissions.v1beta1B\x10PermissionsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf2\x01\n\tNamespace\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x11\n\twasm_hook\x18\x02 \x01(\t\x12\x14\n\x0cmints_paused\x18\x03 \x01(\x08\x12\x14\n\x0csends_paused\x18\x04 \x01(\x08\x12\x14\n\x0c\x62urns_paused\x18\x05 \x01(\x08\x12=\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles\".\n\x0c\x41\x64\x64ressRoles\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05roles\x18\x02 \x03(\t\")\n\x04Role\x12\x0c\n\x04role\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x01(\r\"\x1b\n\x07RoleIDs\x12\x10\n\x08role_ids\x18\x01 \x03(\r\"e\n\x07Voucher\x12Z\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"Z\n\x0e\x41\x64\x64ressVoucher\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x37\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.Voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.permissions_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\020PermissionsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_VOUCHER'].fields_by_name['coins']._loaded_options = None _globals['_VOUCHER'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_ACTION']._serialized_start=852 - _globals['_ACTION']._serialized_end=910 + _globals['_ACTION']._serialized_start=696 + _globals['_ACTION']._serialized_end=754 _globals['_NAMESPACE']._serialized_start=137 - _globals['_NAMESPACE']._serialized_end=466 - _globals['_ADDRESSROLES']._serialized_start=468 - _globals['_ADDRESSROLES']._serialized_end=530 - _globals['_ROLE']._serialized_start=532 - _globals['_ROLE']._serialized_end=592 - _globals['_ROLEIDS']._serialized_start=594 - _globals['_ROLEIDS']._serialized_end=630 - _globals['_VOUCHER']._serialized_start=632 - _globals['_VOUCHER']._serialized_end=740 - _globals['_ADDRESSVOUCHER']._serialized_start=742 - _globals['_ADDRESSVOUCHER']._serialized_end=850 + _globals['_NAMESPACE']._serialized_end=379 + _globals['_ADDRESSROLES']._serialized_start=381 + _globals['_ADDRESSROLES']._serialized_end=427 + _globals['_ROLE']._serialized_start=429 + _globals['_ROLE']._serialized_end=470 + _globals['_ROLEIDS']._serialized_start=472 + _globals['_ROLEIDS']._serialized_end=499 + _globals['_VOUCHER']._serialized_start=501 + _globals['_VOUCHER']._serialized_end=602 + _globals['_ADDRESSVOUCHER']._serialized_start=604 + _globals['_ADDRESSVOUCHER']._serialized_end=694 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 2daafffe..9a75aeea 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index 87ed6e42..ed7c9e2a 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -1,48 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 +from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"Z\n\x13QueryParamsResponse\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryAllNamespacesRequest\"f\n\x1aQueryAllNamespacesResponse\x12H\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\nnamespaces\"Y\n\x1cQueryNamespaceByDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12#\n\rinclude_roles\x18\x02 \x01(\x08R\x0cincludeRoles\"g\n\x1dQueryNamespaceByDenomResponse\x12\x46\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\tnamespace\"G\n\x1bQueryAddressesByRoleRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04role\x18\x02 \x01(\tR\x04role\"<\n\x1cQueryAddressesByRoleResponse\x12\x1c\n\taddresses\x18\x01 \x03(\tR\taddresses\"J\n\x18QueryAddressRolesRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x19QueryAddressRolesResponse\x12\x14\n\x05roles\x18\x01 \x03(\tR\x05roles\":\n\x1eQueryVouchersForAddressRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\xa0\x01\n\x1fQueryVouchersForAddressResponse\x12}\n\x08vouchers\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xea\xde\x1f\x12vouchers,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08vouchers2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressB\x98\x02\n!com.injective.permissions.v1beta1B\nQueryProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryAllNamespacesRequest\"Z\n\x1aQueryAllNamespacesResponse\x12<\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.Namespace\"D\n\x1cQueryNamespaceByDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x15\n\rinclude_roles\x18\x02 \x01(\x08\"\\\n\x1dQueryNamespaceByDenomResponse\x12;\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.Namespace\":\n\x1bQueryAddressesByRoleRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0c\n\x04role\x18\x02 \x01(\t\"1\n\x1cQueryAddressesByRoleResponse\x12\x11\n\taddresses\x18\x01 \x03(\t\":\n\x18QueryAddressRolesRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"*\n\x19QueryAddressRolesResponse\x12\r\n\x05roles\x18\x01 \x03(\t\"1\n\x1eQueryVouchersForAddressRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x1fQueryVouchersForAddressResponse\x12?\n\x08vouchers\x18\x01 \x03(\x0b\x32-.injective.permissions.v1beta1.AddressVoucher2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\nQueryProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._loaded_options = None - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._serialized_options = b'\310\336\037\000\352\336\037\022vouchers,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\'\022%/injective/permissions/v1beta1/params' _globals['_QUERY'].methods_by_name['AllNamespaces']._loaded_options = None @@ -55,30 +42,30 @@ _globals['_QUERY'].methods_by_name['AddressesByRole']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' _globals['_QUERY'].methods_by_name['VouchersForAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['VouchersForAddress']._serialized_options = b'\202\323\344\223\0025\0223/injective/permissions/v1beta1/vouchers_for_address' - _globals['_QUERYPARAMSREQUEST']._serialized_start=342 - _globals['_QUERYPARAMSREQUEST']._serialized_end=362 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=364 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=454 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=456 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=483 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=485 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=587 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=589 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=678 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=680 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=783 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=785 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=856 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=858 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=918 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=920 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=994 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=996 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=1045 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=1047 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=1105 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=1108 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1268 - _globals['_QUERY']._serialized_start=1271 - _globals['_QUERY']._serialized_end=2432 + _globals['_QUERYPARAMSREQUEST']._serialized_start=310 + _globals['_QUERYPARAMSREQUEST']._serialized_end=330 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=332 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=414 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=416 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=443 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=445 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=535 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=537 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=605 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=607 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=699 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=701 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=759 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=761 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=810 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=812 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=870 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=872 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=914 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=916 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=965 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=967 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1065 + _globals['_QUERY']._serialized_start=1068 + _globals['_QUERY']._serialized_end=2229 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index 1d335252..34f74fb6 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index 0005d02c..65f19a41 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/permissions/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xbe\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xbd\x01\n\x12MsgCreateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12L\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\tnamespace:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x98\x01\n\x12MsgDeleteNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xf4\x05\n\x12MsgUpdateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12]\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHookR\x08wasmHook\x12\x66\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPausedR\x0bmintsPaused\x12\x66\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPausedR\x0bsendsPaused\x12\x66\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPausedR\x0b\x62urnsPaused\x1a-\n\x0eMsgSetWasmHook\x12\x1b\n\tnew_value\x18\x01 \x01(\tR\x08newValue\x1a\x30\n\x11MsgSetMintsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetSendsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetBurnsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xc4\x02\n\x17MsgUpdateNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12N\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\x86\x02\n\x17MsgRevokeNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12\x62\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x14\x61\x64\x64ressRolesToRevoke:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"\x7f\n\x0fMsgClaimVoucher\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x95\x02\n!com.injective.permissions.v1beta1B\x07TxProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\007TxProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -75,41 +65,41 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=324 - _globals['_MSGUPDATEPARAMS']._serialized_end=514 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=516 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=541 - _globals['_MSGCREATENAMESPACE']._serialized_start=544 - _globals['_MSGCREATENAMESPACE']._serialized_end=733 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=735 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=763 - _globals['_MSGDELETENAMESPACE']._serialized_start=766 - _globals['_MSGDELETENAMESPACE']._serialized_end=918 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=920 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=948 - _globals['_MSGUPDATENAMESPACE']._serialized_start=951 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1707 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1464 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1509 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1511 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1559 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1561 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1609 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1611 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1659 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1709 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1737 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1740 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=2064 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=2066 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=2099 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=2102 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2364 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2366 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2399 - _globals['_MSGCLAIMVOUCHER']._serialized_start=2401 - _globals['_MSGCLAIMVOUCHER']._serialized_end=2528 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2530 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2555 - _globals['_MSG']._serialized_start=2558 - _globals['_MSG']._serialized_end=3487 + _globals['_MSGUPDATEPARAMS']._serialized_end=495 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 + _globals['_MSGCREATENAMESPACE']._serialized_start=525 + _globals['_MSGCREATENAMESPACE']._serialized_end=695 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 + _globals['_MSGDELETENAMESPACE']._serialized_start=728 + _globals['_MSGDELETENAMESPACE']._serialized_end=856 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 + _globals['_MSGUPDATENAMESPACE']._serialized_start=889 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 + _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 + _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 + _globals['_MSG']._serialized_start=2272 + _globals['_MSG']._serialized_end=3201 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index dbfc052d..d2c1c175 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the permissions module's gRPC message service. diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 06f9b4e4..83829de7 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/stream/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/stream/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 -from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 +from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\x8e\x08\n\rStreamRequest\x12\x64\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01R\x12\x62\x61nkBalancesFilter\x12v\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01R\x18subaccountDepositsFilter\x12Z\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x10spotTradesFilter\x12\x66\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeTradesFilter\x12Z\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x10spotOrdersFilter\x12\x66\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeOrdersFilter\x12\x65\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x14spotOrderbooksFilter\x12q\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x1a\x64\x65rivativeOrderbooksFilter\x12Z\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01R\x0fpositionsFilter\x12\x61\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01R\x11oraclePriceFilter\"\xa1\x07\n\x0eStreamResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x02 \x01(\x03R\tblockTime\x12J\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalanceR\x0c\x62\x61nkBalances\x12]\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDepositsR\x12subaccountDeposits\x12\x44\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTradeR\nspotTrades\x12V\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTradeR\x10\x64\x65rivativeTrades\x12J\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdateR\nspotOrders\x12\\\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdateR\x10\x64\x65rivativeOrders\x12_\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x14spotOrderbookUpdates\x12k\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x1a\x64\x65rivativeOrderbookUpdates\x12@\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.PositionR\tpositions\x12J\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePriceR\x0coraclePrices\"f\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x41\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"\x90\x01\n\x0b\x42\x61nkBalance\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12g\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x62\x61lances\"\x88\x01\n\x12SubaccountDeposits\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12M\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00R\x08\x64\x65posits\"n\n\x11SubaccountDeposit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\"\xc2\x01\n\x0fSpotOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrderR\x05order\"p\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"\xce\x01\n\x15\x44\x65rivativeOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12?\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrderR\x05order\"\x99\x01\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\x12\x1b\n\tis_market\x18\x03 \x01(\x08R\x08isMarket\"\x87\x03\n\x08Position\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06isLong\x18\x03 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"t\n\x0bOraclePrice\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xc3\x03\n\tSpotTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x06 \x01(\tR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"\xdc\x03\n\x0f\x44\x65rivativeTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\tR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"T\n\x0cTradesFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"W\n\x0fPositionsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"T\n\x0cOrdersFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"0\n\x0fOrderbookFilter\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"0\n\x12\x42\x61nkBalancesFilter\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\"A\n\x18SubaccountDepositsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\"+\n\x11OraclePriceFilter\x12\x16\n\x06symbol\x18\x01 \x03(\tR\x06symbol*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\xf2\x01\n\x1c\x63om.injective.stream.v1beta1B\nQueryProtoP\x01ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\xa2\x02\x03ISX\xaa\x02\x18Injective.Stream.V1beta1\xca\x02\x18Injective\\Stream\\V1beta1\xe2\x02$Injective\\Stream\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Stream::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.stream.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.stream.v1beta1B\nQueryProtoP\001ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\242\002\003ISX\252\002\030Injective.Stream.V1beta1\312\002\030Injective\\Stream\\V1beta1\342\002$Injective\\Stream\\V1beta1\\GPBMetadata\352\002\032Injective::Stream::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types' _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._serialized_options = b'\310\336\037\001' _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._loaded_options = None @@ -90,52 +80,52 @@ _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=5450 - _globals['_ORDERUPDATESTATUS']._serialized_end=5526 + _globals['_ORDERUPDATESTATUS']._serialized_start=4361 + _globals['_ORDERUPDATESTATUS']._serialized_end=4437 _globals['_STREAMREQUEST']._serialized_start=205 - _globals['_STREAMREQUEST']._serialized_end=1243 - _globals['_STREAMRESPONSE']._serialized_start=1246 - _globals['_STREAMRESPONSE']._serialized_end=2175 - _globals['_ORDERBOOKUPDATE']._serialized_start=2177 - _globals['_ORDERBOOKUPDATE']._serialized_end=2279 - _globals['_ORDERBOOK']._serialized_start=2282 - _globals['_ORDERBOOK']._serialized_end=2456 - _globals['_BANKBALANCE']._serialized_start=2459 - _globals['_BANKBALANCE']._serialized_end=2603 - _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2606 - _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2742 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2744 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2854 - _globals['_SPOTORDERUPDATE']._serialized_start=2857 - _globals['_SPOTORDERUPDATE']._serialized_end=3051 - _globals['_SPOTORDER']._serialized_start=3053 - _globals['_SPOTORDER']._serialized_end=3165 - _globals['_DERIVATIVEORDERUPDATE']._serialized_start=3168 - _globals['_DERIVATIVEORDERUPDATE']._serialized_end=3374 - _globals['_DERIVATIVEORDER']._serialized_start=3377 - _globals['_DERIVATIVEORDER']._serialized_end=3530 - _globals['_POSITION']._serialized_start=3533 - _globals['_POSITION']._serialized_end=3924 - _globals['_ORACLEPRICE']._serialized_start=3926 - _globals['_ORACLEPRICE']._serialized_end=4042 - _globals['_SPOTTRADE']._serialized_start=4045 - _globals['_SPOTTRADE']._serialized_end=4496 - _globals['_DERIVATIVETRADE']._serialized_start=4499 - _globals['_DERIVATIVETRADE']._serialized_end=4975 - _globals['_TRADESFILTER']._serialized_start=4977 - _globals['_TRADESFILTER']._serialized_end=5061 - _globals['_POSITIONSFILTER']._serialized_start=5063 - _globals['_POSITIONSFILTER']._serialized_end=5150 - _globals['_ORDERSFILTER']._serialized_start=5152 - _globals['_ORDERSFILTER']._serialized_end=5236 - _globals['_ORDERBOOKFILTER']._serialized_start=5238 - _globals['_ORDERBOOKFILTER']._serialized_end=5286 - _globals['_BANKBALANCESFILTER']._serialized_start=5288 - _globals['_BANKBALANCESFILTER']._serialized_end=5336 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=5338 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=5403 - _globals['_ORACLEPRICEFILTER']._serialized_start=5405 - _globals['_ORACLEPRICEFILTER']._serialized_end=5448 - _globals['_STREAM']._serialized_start=5528 - _globals['_STREAM']._serialized_end=5631 + _globals['_STREAMREQUEST']._serialized_end=1027 + _globals['_STREAMRESPONSE']._serialized_start=1030 + _globals['_STREAMRESPONSE']._serialized_end=1766 + _globals['_ORDERBOOKUPDATE']._serialized_start=1768 + _globals['_ORDERBOOKUPDATE']._serialized_end=1854 + _globals['_ORDERBOOK']._serialized_start=1857 + _globals['_ORDERBOOK']._serialized_end=1998 + _globals['_BANKBALANCE']._serialized_start=2000 + _globals['_BANKBALANCE']._serialized_end=2125 + _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2127 + _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2239 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2241 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2335 + _globals['_SPOTORDERUPDATE']._serialized_start=2338 + _globals['_SPOTORDERUPDATE']._serialized_end=2501 + _globals['_SPOTORDER']._serialized_start=2503 + _globals['_SPOTORDER']._serialized_end=2598 + _globals['_DERIVATIVEORDERUPDATE']._serialized_start=2601 + _globals['_DERIVATIVEORDERUPDATE']._serialized_end=2776 + _globals['_DERIVATIVEORDER']._serialized_start=2778 + _globals['_DERIVATIVEORDER']._serialized_end=2904 + _globals['_POSITION']._serialized_start=2907 + _globals['_POSITION']._serialized_end=3212 + _globals['_ORACLEPRICE']._serialized_start=3214 + _globals['_ORACLEPRICE']._serialized_end=3309 + _globals['_SPOTTRADE']._serialized_start=3312 + _globals['_SPOTTRADE']._serialized_end=3649 + _globals['_DERIVATIVETRADE']._serialized_start=3652 + _globals['_DERIVATIVETRADE']._serialized_end=4008 + _globals['_TRADESFILTER']._serialized_start=4010 + _globals['_TRADESFILTER']._serialized_end=4068 + _globals['_POSITIONSFILTER']._serialized_start=4070 + _globals['_POSITIONSFILTER']._serialized_end=4131 + _globals['_ORDERSFILTER']._serialized_start=4133 + _globals['_ORDERSFILTER']._serialized_end=4191 + _globals['_ORDERBOOKFILTER']._serialized_start=4193 + _globals['_ORDERBOOKFILTER']._serialized_end=4230 + _globals['_BANKBALANCESFILTER']._serialized_start=4232 + _globals['_BANKBALANCESFILTER']._serialized_end=4270 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 + _globals['_ORACLEPRICEFILTER']._serialized_start=4324 + _globals['_ORACLEPRICEFILTER']._serialized_end=4359 + _globals['_STREAM']._serialized_start=4439 + _globals['_STREAM']._serialized_end=4542 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index d60a571a..fe20a632 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class StreamStub(object): """ChainStream defines the gRPC streaming service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index eb45fc76..326807e6 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/authorityMetadata.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/authorityMetadata.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"F\n\x16\x44\x65nomAuthorityMetadata\x12&\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\"R\x05\x61\x64min:\x04\xe8\xa0\x1f\x01\x42\xaa\x02\n\"com.injective.tokenfactory.v1beta1B\x16\x41uthorityMetadataProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"?\n\x16\x44\x65nomAuthorityMetadata\x12\x1f\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.authorityMetadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\026AuthorityMetadataProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._serialized_options = b'\362\336\037\014yaml:\"admin\"' _globals['_DENOMAUTHORITYMETADATA']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA']._serialized_options = b'\350\240\037\001' _globals['_DENOMAUTHORITYMETADATA']._serialized_start=144 - _globals['_DENOMAUTHORITYMETADATA']._serialized_end=214 + _globals['_DENOMAUTHORITYMETADATA']._serialized_end=207 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 2daafffe..0c5058eb 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index 642c29fd..a0c1804c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"D\n\x12\x45ventCreateTFDenom\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"x\n\x10\x45ventMintTFDenom\x12+\n\x11recipient_address\x18\x01 \x01(\tR\x10recipientAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"p\n\x0e\x45ventBurnDenom\x12%\n\x0e\x62urner_address\x18\x01 \x01(\tR\rburnerAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x12\x45ventChangeTFAdmin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12*\n\x11new_admin_address\x18\x02 \x01(\tR\x0fnewAdminAddress\"p\n\x17\x45ventSetTFDenomMetadata\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12?\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadataB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0b\x45ventsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"4\n\x12\x45ventCreateTFDenom\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"^\n\x10\x45ventMintTFDenom\x12\x19\n\x11recipient_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"Y\n\x0e\x45ventBurnDenom\x12\x16\n\x0e\x62urner_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\">\n\x12\x45ventChangeTFAdmin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11new_admin_address\x18\x02 \x01(\t\"_\n\x17\x45ventSetTFDenomMetadata\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x35\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013EventsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTBURNDENOM'].fields_by_name['amount']._loaded_options = None @@ -43,13 +33,13 @@ _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_EVENTCREATETFDENOM']._serialized_start=221 - _globals['_EVENTCREATETFDENOM']._serialized_end=289 - _globals['_EVENTMINTTFDENOM']._serialized_start=291 - _globals['_EVENTMINTTFDENOM']._serialized_end=411 - _globals['_EVENTBURNDENOM']._serialized_start=413 - _globals['_EVENTBURNDENOM']._serialized_end=525 - _globals['_EVENTCHANGETFADMIN']._serialized_start=527 - _globals['_EVENTCHANGETFADMIN']._serialized_end=613 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=615 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=727 + _globals['_EVENTCREATETFDENOM']._serialized_end=273 + _globals['_EVENTMINTTFDENOM']._serialized_start=275 + _globals['_EVENTMINTTFDENOM']._serialized_end=369 + _globals['_EVENTBURNDENOM']._serialized_start=371 + _globals['_EVENTBURNDENOM']._serialized_end=460 + _globals['_EVENTCHANGETFADMIN']._serialized_start=462 + _globals['_EVENTCHANGETFADMIN']._serialized_end=524 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=526 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=621 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 2daafffe..659a9505 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index c00bc488..200b366f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xc8\x01\n\x0cGenesisState\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"R\rfactoryDenoms\"\x97\x02\n\x0cGenesisDenom\x12&\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x88\x01\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:\x04\xe8\xa0\x1f\x01\x42\xa0\x02\n\"com.injective.tokenfactory.v1beta1B\x0cGenesisProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xb1\x01\n\x0cGenesisState\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"\"\xee\x01\n\x0cGenesisDenom\x12\x1f\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12u\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\014GenesisProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._loaded_options = None @@ -50,7 +40,7 @@ _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 - _globals['_GENESISSTATE']._serialized_end=404 - _globals['_GENESISDENOM']._serialized_start=407 - _globals['_GENESISDENOM']._serialized_end=686 + _globals['_GENESISSTATE']._serialized_end=381 + _globals['_GENESISDENOM']._serialized_start=384 + _globals['_GENESISDENOM']._serialized_end=622 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index 2daafffe..a6e6f09d 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py new file mode 100644 index 00000000..f047946c --- /dev/null +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py @@ -0,0 +1,35 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# source: injective/tokenfactory/v1beta1/gov.proto +# Protobuf Python Version: 5.26.1 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/tokenfactory/v1beta1/gov.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"\xa5\x01\n\x1cUpdateDenomsMetadataProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x36\n\tmetadatas\x18\x03 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x12#\n\x07\x64\x65posit\x18\x04 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"deposit\":\x04\x88\xa0\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.gov_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000' + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._serialized_options = b'\362\336\037\016yaml:\"deposit\"' + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._loaded_options = None + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_options = b'\210\240\037\000' + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_start=131 + _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_end=296 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py new file mode 100644 index 00000000..e449e972 --- /dev/null +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py @@ -0,0 +1,29 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc +import warnings + + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/gov_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index b079c63d..5ea0a41f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/params.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xc5\x01\n\x06Params\x12\x96\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x10\x64\x65nomCreationFee:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0bParamsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013ParamsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' _globals['_PARAMS']._serialized_start=236 - _globals['_PARAMS']._serialized_end=433 + _globals['_PARAMS']._serialized_end=415 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index 2daafffe..f264546f 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index 02a7f455..9bd34601 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x83\x01\n\"QueryDenomAuthorityMetadataRequest\x12*\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x07\x63reator\x12\x31\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"R\x08subDenom\"\xb0\x01\n#QueryDenomAuthorityMetadataResponse\x12\x88\x01\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\"M\n\x1dQueryDenomsFromCreatorRequest\x12,\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"R\x07\x63reator\"K\n\x1eQueryDenomsFromCreatorResponse\x12)\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"R\x06\x64\x65noms\"\x19\n\x17QueryModuleStateRequest\"^\n\x18QueryModuleStateResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisStateR\x05state2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateB\x9e\x02\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"p\n\"QueryDenomAuthorityMetadataRequest\x12!\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"\"\x9c\x01\n#QueryDenomAuthorityMetadataResponse\x12u\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\"D\n\x1dQueryDenomsFromCreatorRequest\x12#\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"\"C\n\x1eQueryDenomsFromCreatorResponse\x12!\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"\"\x19\n\x17QueryModuleStateRequest\"W\n\x18QueryModuleStateResponse\x12;\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisState2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._loaded_options = None @@ -61,19 +51,19 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=321 _globals['_QUERYPARAMSREQUEST']._serialized_end=341 _globals['_QUERYPARAMSRESPONSE']._serialized_start=343 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=434 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=437 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=568 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=571 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=747 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=749 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=826 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=828 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=903 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=905 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=930 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=932 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1026 - _globals['_QUERY']._serialized_start=1029 - _globals['_QUERY']._serialized_end=1870 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=426 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=428 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=540 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=543 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=699 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=701 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=769 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=771 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=838 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=840 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=865 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=867 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=954 + _globals['_QUERY']._serialized_start=957 + _globals['_QUERY']._serialized_end=1798 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index 7a7ab8c6..e06416a8 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index f665f5b3..16f2049c 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/tokenfactory/v1beta1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xf1\x01\n\x0eMsgCreateDenom\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12/\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"R\x08subdenom\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"\\\n\x16MsgCreateDenomResponse\x12\x42\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"R\rnewTokenDenom\"\xab\x01\n\x07MsgMint\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\xab\x01\n\x07MsgBurn\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xcb\x01\n\x0eMsgChangeAdmin\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12&\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x31\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\"R\x08newAdmin:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xcf\x01\n\x13MsgSetDenomMetadata\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12R\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\"R\x08metadata:9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xc8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x44\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9b\x02\n\"com.injective.tokenfactory.v1beta1B\x07TxProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\007TxProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None @@ -86,29 +76,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEDENOM']._serialized_start=278 - _globals['_MSGCREATEDENOM']._serialized_end=519 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=521 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=613 - _globals['_MSGMINT']._serialized_start=616 - _globals['_MSGMINT']._serialized_end=787 - _globals['_MSGMINTRESPONSE']._serialized_start=789 - _globals['_MSGMINTRESPONSE']._serialized_end=806 - _globals['_MSGBURN']._serialized_start=809 - _globals['_MSGBURN']._serialized_end=980 - _globals['_MSGBURNRESPONSE']._serialized_start=982 - _globals['_MSGBURNRESPONSE']._serialized_end=999 - _globals['_MSGCHANGEADMIN']._serialized_start=1002 - _globals['_MSGCHANGEADMIN']._serialized_end=1205 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1207 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1231 - _globals['_MSGSETDENOMMETADATA']._serialized_start=1234 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1441 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1443 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1472 - _globals['_MSGUPDATEPARAMS']._serialized_start=1475 - _globals['_MSGUPDATEPARAMS']._serialized_end=1675 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1677 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1702 - _globals['_MSG']._serialized_start=1705 - _globals['_MSG']._serialized_end=2408 + _globals['_MSGCREATEDENOM']._serialized_end=487 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 + _globals['_MSGMINT']._serialized_start=569 + _globals['_MSGMINT']._serialized_end=724 + _globals['_MSGMINTRESPONSE']._serialized_start=726 + _globals['_MSGMINTRESPONSE']._serialized_end=743 + _globals['_MSGBURN']._serialized_start=746 + _globals['_MSGBURN']._serialized_end=901 + _globals['_MSGBURNRESPONSE']._serialized_start=903 + _globals['_MSGBURNRESPONSE']._serialized_end=920 + _globals['_MSGCHANGEADMIN']._serialized_start=923 + _globals['_MSGCHANGEADMIN']._serialized_end=1101 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 + _globals['_MSGUPDATEPARAMS']._serialized_start=1353 + _globals['_MSGUPDATEPARAMS']._serialized_end=1534 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 + _globals['_MSG']._serialized_start=1564 + _globals['_MSG']._serialized_end=2267 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index f96ee560..62ece9b4 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the tokefactory module's gRPC message service. diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index 08ae5c9f..cf7207e9 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/account.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/types/v1beta1/account.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n\nEthAccount\x12`\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"R\x0b\x62\x61seAccount\x12\x31\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\"R\x08\x63odeHash:,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB\xe8\x01\n\x1b\x63om.injective.types.v1beta1B\x0c\x41\x63\x63ountProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\014AccountProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' _globals['_ETHACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None @@ -42,5 +32,5 @@ _globals['_ETHACCOUNT']._loaded_options = None _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=355 + _globals['_ETHACCOUNT']._serialized_end=332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 2daafffe..0f16616d 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index 36255325..50716853 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_ext.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/types/v1beta1/tx_ext.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x16\x45xtensionOptionsWeb3Tx\x12*\n\x10typedDataChainID\x18\x01 \x01(\x04R\x10typedDataChainID\x12\x1a\n\x08\x66\x65\x65Payer\x18\x02 \x01(\tR\x08\x66\x65\x65Payer\x12 \n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0cR\x0b\x66\x65\x65PayerSig:\x04\x88\xa0\x1f\x00\x42\xe6\x01\n\x1b\x63om.injective.types.v1beta1B\nTxExtProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"_\n\x16\x45xtensionOptionsWeb3Tx\x12\x18\n\x10typedDataChainID\x18\x01 \x01(\x04\x12\x10\n\x08\x66\x65\x65Payer\x18\x02 \x01(\t\x12\x13\n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_ext_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\nTxExtProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' _globals['_EXTENSIONOPTIONSWEB3TX']._loaded_options = None _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_options = b'\210\240\037\000' - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=88 - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=224 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=87 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=182 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index 2daafffe..e6be995e 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py index 46071090..c44de23c 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_response.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/types/v1beta1/tx_response.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,16 +14,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"F\n\x18TxResponseGenericMessage\x12\x16\n\x06header\x18\x01 \x01(\tR\x06header\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"_\n\x0eTxResponseData\x12M\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageR\x08messagesB\xeb\x01\n\x1b\x63om.injective.types.v1beta1B\x0fTxResponseProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"8\n\x18TxResponseGenericMessage\x12\x0e\n\x06header\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"U\n\x0eTxResponseData\x12\x43\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_response_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\017TxResponseProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' + _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' _globals['_TXRESPONSEGENERICMESSAGE']._serialized_start=70 - _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=140 - _globals['_TXRESPONSEDATA']._serialized_start=142 - _globals['_TXRESPONSEDATA']._serialized_end=237 + _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=126 + _globals['_TXRESPONSEDATA']._serialized_start=128 + _globals['_TXRESPONSEDATA']._serialized_end=213 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index 2daafffe..aaf08ea6 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index ba79d5ae..e2947aad 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"\xa9\x01\n\x16\x45ventContractExecution\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1a\n\x08response\x18\x02 \x01(\x0cR\x08response\x12\x1f\n\x0bother_error\x18\x03 \x01(\tR\notherError\x12\'\n\x0f\x65xecution_error\x18\x04 \x01(\tR\x0e\x65xecutionError\"\xee\x02\n\x17\x45ventContractRegistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode\"F\n\x19\x45ventContractDeregistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddressB\xdc\x01\n\x16\x63om.injective.wasmx.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"r\n\x16\x45ventContractExecution\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x10\n\x08response\x18\x02 \x01(\x0c\x12\x13\n\x0bother_error\x18\x03 \x01(\t\x12\x17\n\x0f\x65xecution_error\x18\x04 \x01(\t\"\xf9\x01\n\x17\x45ventContractRegistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode\"5\n\x19\x45ventContractDeregistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' - _globals['_EVENTCONTRACTEXECUTION']._serialized_start=145 - _globals['_EVENTCONTRACTEXECUTION']._serialized_end=314 - _globals['_EVENTCONTRACTREGISTERED']._serialized_start=317 - _globals['_EVENTCONTRACTREGISTERED']._serialized_end=683 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=685 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=755 + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['_EVENTCONTRACTEXECUTION']._serialized_start=144 + _globals['_EVENTCONTRACTEXECUTION']._serialized_end=258 + _globals['_EVENTCONTRACTREGISTERED']._serialized_start=261 + _globals['_EVENTCONTRACTREGISTERED']._serialized_end=510 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=512 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=565 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index 2daafffe..af94f5dd 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index 66f3944c..e5f75f8c 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/genesis.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/genesis.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"\x92\x01\n\x1dRegisteredContractWithAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12W\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x12registeredContract\"\xb4\x01\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12j\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00R\x13registeredContractsB\xdd\x01\n\x16\x63om.injective.wasmx.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"u\n\x1dRegisteredContractWithAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x43\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract\"\x97\x01\n\x0cGenesisState\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\x12U\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._serialized_options = b'\310\336\037\000' - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=111 - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=257 - _globals['_GENESISSTATE']._serialized_start=260 - _globals['_GENESISSTATE']._serialized_end=440 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=110 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=227 + _globals['_GENESISSTATE']._serialized_start=230 + _globals['_GENESISSTATE']._serialized_end=381 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 2daafffe..25e9a5e6 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index 9af04889..bf271807 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/proposal.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xae\x02\n#ContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12y\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\xba\x02\n(BatchContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12{\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1c\x63ontractRegistrationRequests:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xd1\x01\n#BatchContractDeregistrationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\tcontracts\x18\x03 \x03(\tR\tcontracts:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xaf\x03\n\x1b\x43ontractRegistrationRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00R\tproposals:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42\xde\x01\n\x16\x63om.injective.wasmx.v1B\rProposalProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\rProposalProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None @@ -52,16 +42,16 @@ _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' - _globals['_FUNDINGMODE']._serialized_start=1662 - _globals['_FUNDINGMODE']._serialized_end=1733 + _globals['_FUNDINGMODE']._serialized_start=1374 + _globals['_FUNDINGMODE']._serialized_end=1445 _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=468 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=471 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=785 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=788 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=997 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=1000 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1431 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1434 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1660 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 2daafffe..7d79ac7b 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index 9573ac36..0016b539 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/query.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/query.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from pyinjective.proto.injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"T\n\x18QueryWasmxParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisStateR\x05state\"Q\n$QueryContractRegistrationInfoRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"k\n%QueryContractRegistrationInfoResponse\x12\x42\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x08\x63ontract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateB\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"L\n\x18QueryWasmxParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisState\"@\n$QueryContractRegistrationInfoRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"a\n%QueryContractRegistrationInfoResponse\x12\x38\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['WasmxParams']._loaded_options = None @@ -47,15 +37,15 @@ _globals['_QUERYWASMXPARAMSREQUEST']._serialized_start=172 _globals['_QUERYWASMXPARAMSREQUEST']._serialized_end=197 _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_start=199 - _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=283 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=285 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=310 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=312 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=394 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=396 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=477 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=479 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=586 - _globals['_QUERY']._serialized_start=589 - _globals['_QUERY']._serialized_end=1105 + _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=275 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=277 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=302 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=304 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=379 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=381 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=445 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=447 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=544 + _globals['_QUERY']._serialized_start=547 + _globals['_QUERY']._serialized_end=1063 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index 8f940368..94c6456c 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index cd0ac4a8..8ccf83be 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/tx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\xa6\x01\n\x18MsgExecuteContractCompat\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08\x63ontract\x18\x02 \x01(\tR\x08\x63ontract\x12\x10\n\x03msg\x18\x03 \x01(\tR\x03msg\x12\x14\n\x05\x66unds\x18\x04 \x01(\tR\x05\x66unds:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"6\n MsgExecuteContractCompatResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xe4\x01\n\x11MsgUpdateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x03 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x04 \x01(\x04R\x08gasPrice\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"\x83\x01\n\x13MsgActivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"\x87\x01\n\x15MsgDeactivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xd3\x01\n\x13MsgRegisterContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12y\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x01\n\x16\x63om.injective.wasmx.v1B\x07TxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\007TxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None @@ -62,29 +52,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=405 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=407 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=461 - _globals['_MSGUPDATECONTRACT']._serialized_start=464 - _globals['_MSGUPDATECONTRACT']._serialized_end=692 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=694 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=721 - _globals['_MSGACTIVATECONTRACT']._serialized_start=724 - _globals['_MSGACTIVATECONTRACT']._serialized_end=855 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=857 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=886 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=889 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=1024 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=1026 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=1057 - _globals['_MSGUPDATEPARAMS']._serialized_start=1060 - _globals['_MSGUPDATEPARAMS']._serialized_end=1233 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1235 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1260 - _globals['_MSGREGISTERCONTRACT']._serialized_start=1263 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1474 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1476 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1505 - _globals['_MSG']._serialized_start=1508 - _globals['_MSG']._serialized_end=2213 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 + _globals['_MSGUPDATECONTRACT']._serialized_start=428 + _globals['_MSGUPDATECONTRACT']._serialized_end=597 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 + _globals['_MSGACTIVATECONTRACT']._serialized_start=628 + _globals['_MSGACTIVATECONTRACT']._serialized_end=734 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 + _globals['_MSGUPDATEPARAMS']._serialized_start=913 + _globals['_MSGUPDATEPARAMS']._serialized_end=1067 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 + _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 + _globals['_MSG']._serialized_start=1305 + _globals['_MSG']._serialized_end=2010 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index 5f2c8a9a..1e06cb56 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class MsgStub(object): """Msg defines the wasmx Msg service. diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index 4e815a11..c72c28db 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/wasmx/v1/wasmx.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from amino import amino_pb2 as amino_dot_amino__pb2 +from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\xed\x02\n\x06Params\x12\x30\n\x14is_execution_enabled\x18\x01 \x01(\x08R\x12isExecutionEnabled\x12\x38\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04R\x15maxBeginBlockTotalGas\x12\x33\n\x16max_contract_gas_limit\x18\x03 \x01(\x04R\x13maxContractGasLimit\x12\"\n\rmin_gas_price\x18\x04 \x01(\x04R\x0bminGasPrice\x12\x86\x01\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01R\x16registerContractAccess:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xb0\x02\n\x12RegisteredContract\x12\x1b\n\tgas_limit\x18\x01 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x02 \x01(\x04R\x08gasPrice\x12#\n\ris_executable\x18\x03 \x01(\x08R\x0cisExecutable\x12\x1d\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01R\x06\x63odeId\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress\x12-\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01R\x0egranterAddress\x12<\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x08\x66undMode:\x04\xe8\xa0\x1f\x01\x42\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nWasmxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nWasmxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' _globals['_PARAMS']._loaded_options = None @@ -49,7 +39,7 @@ _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' _globals['_PARAMS']._serialized_start=161 - _globals['_PARAMS']._serialized_end=526 - _globals['_REGISTEREDCONTRACT']._serialized_start=529 - _globals['_REGISTEREDCONTRACT']._serialized_end=833 + _globals['_PARAMS']._serialized_end=424 + _globals['_REGISTEREDCONTRACT']._serialized_start=427 + _globals['_REGISTEREDCONTRACT']._serialized_end=649 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 2daafffe..19ce8f9d 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 4c4de5d4..29285b8e 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,43 +1,33 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/abci/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/abci/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xbf\t\n\x07Request\x12\x32\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00R\x04\x65\x63ho\x12\x35\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00R\x05\x66lush\x12\x32\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00R\x04info\x12\x42\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00R\tinitChain\x12\x35\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00R\x05query\x12<\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00R\x07\x63heckTx\x12\x38\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00R\x06\x63ommit\x12N\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00R\rlistSnapshots\x12N\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00R\rofferSnapshot\x12[\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12^\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12T\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00R\x0fprepareProposal\x12T\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00R\x0fprocessProposal\x12\x45\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00R\nextendVote\x12\x61\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12N\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\'\n\x0bRequestEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0e\n\x0cRequestFlush\"\x90\x01\n\x0bRequestInfo\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12#\n\rblock_version\x18\x02 \x01(\x04R\x0c\x62lockVersion\x12\x1f\n\x0bp2p_version\x18\x03 \x01(\x04R\np2pVersion\x12!\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\tR\x0b\x61\x62\x63iVersion\"\xcc\x02\n\x10RequestInitChain\x12\x38\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\x12L\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12&\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0cR\rappStateBytes\x12%\n\x0einitial_height\x18\x06 \x01(\x03R\rinitialHeight\"d\n\x0cRequestQuery\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"R\n\x0eRequestCheckTx\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x30\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxTypeR\x04type\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"h\n\x14RequestOfferSnapshot\x12\x35\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.SnapshotR\x08snapshot\x12\x19\n\x08\x61pp_hash\x18\x02 \x01(\x0cR\x07\x61ppHash\"`\n\x18RequestLoadSnapshotChunk\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05\x63hunk\x18\x03 \x01(\rR\x05\x63hunk\"_\n\x19RequestApplySnapshotChunk\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x63hunk\x18\x02 \x01(\x0cR\x05\x63hunk\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\"\x98\x03\n\x16RequestPrepareProposal\x12 \n\x0cmax_tx_bytes\x18\x01 \x01(\x03R\nmaxTxBytes\x12\x10\n\x03txs\x18\x02 \x03(\x0cR\x03txs\x12U\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00R\x0flocalLastCommit\x12\x44\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x88\x03\n\x16RequestProcessProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x83\x03\n\x11RequestExtendVote\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x10\n\x03txs\x18\x04 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x9c\x01\n\x1aRequestVerifyVoteExtension\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12%\n\x0evote_extension\x18\x04 \x01(\x0cR\rvoteExtension\"\x84\x03\n\x14RequestFinalizeBlock\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12Q\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x11\x64\x65\x63idedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x94\n\n\x08Response\x12\x42\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00R\texception\x12\x33\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00R\x04\x65\x63ho\x12\x36\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00R\x05\x66lush\x12\x33\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00R\x04info\x12\x43\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00R\tinitChain\x12\x36\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00R\x05query\x12=\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00R\x07\x63heckTx\x12\x39\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00R\x06\x63ommit\x12O\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00R\rlistSnapshots\x12O\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00R\rofferSnapshot\x12\\\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12_\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12U\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00R\x0fprepareProposal\x12U\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00R\x0fprocessProposal\x12\x46\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00R\nextendVote\x12\x62\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12O\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\")\n\x11ResponseException\x12\x14\n\x05\x65rror\x18\x01 \x01(\tR\x05\x65rror\"(\n\x0cResponseEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0f\n\rResponseFlush\"\xb8\x01\n\x0cResponseInfo\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x1f\n\x0b\x61pp_version\x18\x03 \x01(\x04R\nappVersion\x12*\n\x11last_block_height\x18\x04 \x01(\x03R\x0flastBlockHeight\x12-\n\x13last_block_app_hash\x18\x05 \x01(\x0cR\x10lastBlockAppHash\"\xc4\x01\n\x11ResponseInitChain\x12L\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12\x19\n\x08\x61pp_hash\x18\x03 \x01(\x0cR\x07\x61ppHash\"\xf7\x01\n\rResponseQuery\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x38\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespace\"\xaa\x02\n\x0fResponseCheckTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespaceJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"A\n\x0eResponseCommit\x12#\n\rretain_height\x18\x03 \x01(\x03R\x0cretainHeightJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"P\n\x15ResponseListSnapshots\x12\x37\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.SnapshotR\tsnapshots\"\xbe\x01\n\x15ResponseOfferSnapshot\x12\x45\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.ResultR\x06result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"1\n\x19ResponseLoadSnapshotChunk\x12\x14\n\x05\x63hunk\x18\x01 \x01(\x0cR\x05\x63hunk\"\x98\x02\n\x1aResponseApplySnapshotChunk\x12J\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.ResultR\x06result\x12%\n\x0erefetch_chunks\x18\x02 \x03(\rR\rrefetchChunks\x12%\n\x0ereject_senders\x18\x03 \x03(\tR\rrejectSenders\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"+\n\x17ResponsePrepareProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xa1\x01\n\x17ResponseProcessProposal\x12O\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatusR\x06status\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\";\n\x12ResponseExtendVote\x12%\n\x0evote_extension\x18\x01 \x01(\x0cR\rvoteExtension\"\xa5\x01\n\x1bResponseVerifyVoteExtension\x12Q\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatusR\x06status\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xea\x02\n\x15ResponseFinalizeBlock\x12H\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12<\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\ttxResults\x12S\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\x10validatorUpdates\x12Y\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x15\x63onsensusParamUpdates\x12\x19\n\x08\x61pp_hash\x18\x05 \x01(\x0cR\x07\x61ppHash\"Y\n\nCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12\x35\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"i\n\x12\x45xtendedCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12=\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"z\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12]\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitemptyR\nattributes\"N\n\x0e\x45ventAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\x12\x14\n\x05index\x18\x03 \x01(\x08R\x05index\"\x80\x02\n\x0c\x45xecTxResult\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespace\"\x85\x01\n\x08TxResult\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05index\x18\x02 \x01(\rR\x05index\x12\x0e\n\x02tx\x18\x03 \x01(\x0cR\x02tx\x12;\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00R\x06result\";\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\"d\n\x0fValidatorUpdate\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power\"\x93\x01\n\x08VoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x41\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\xf3\x01\n\x10\x45xtendedVoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12%\n\x0evote_extension\x18\x03 \x01(\x0cR\rvoteExtension\x12/\n\x13\x65xtension_signature\x18\x04 \x01(\x0cR\x12\x65xtensionSignature\x12\x41\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\x83\x02\n\x0bMisbehavior\x12\x34\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorTypeR\x04type\x12>\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12,\n\x12total_voting_power\x18\x05 \x01(\x03R\x10totalVotingPower\"\x82\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x1a\n\x08metadata\x18\x05 \x01(\x0cR\x08metadata*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB\xa7\x01\n\x13\x63om.tendermint.abciB\nTypesProtoP\x01Z\'github.com/cometbft/cometbft/abci/types\xa2\x02\x03TAX\xaa\x02\x0fTendermint.Abci\xca\x02\x0fTendermint\\Abci\xe2\x02\x1bTendermint\\Abci\\GPBMetadata\xea\x02\x10Tendermint::Abcib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.tendermint.abciB\nTypesProtoP\001Z\'github.com/cometbft/cometbft/abci/types\242\002\003TAX\252\002\017Tendermint.Abci\312\002\017Tendermint\\Abci\342\002\033Tendermint\\Abci\\GPBMetadata\352\002\020Tendermint::Abci' + _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None @@ -98,112 +88,112 @@ _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=9832 - _globals['_CHECKTXTYPE']._serialized_end=9889 - _globals['_MISBEHAVIORTYPE']._serialized_start=9891 - _globals['_MISBEHAVIORTYPE']._serialized_end=9966 + _globals['_CHECKTXTYPE']._serialized_start=8001 + _globals['_CHECKTXTYPE']._serialized_end=8058 + _globals['_MISBEHAVIORTYPE']._serialized_start=8060 + _globals['_MISBEHAVIORTYPE']._serialized_end=8135 _globals['_REQUEST']._serialized_start=230 - _globals['_REQUEST']._serialized_end=1445 - _globals['_REQUESTECHO']._serialized_start=1447 - _globals['_REQUESTECHO']._serialized_end=1486 - _globals['_REQUESTFLUSH']._serialized_start=1488 - _globals['_REQUESTFLUSH']._serialized_end=1502 - _globals['_REQUESTINFO']._serialized_start=1505 - _globals['_REQUESTINFO']._serialized_end=1649 - _globals['_REQUESTINITCHAIN']._serialized_start=1652 - _globals['_REQUESTINITCHAIN']._serialized_end=1984 - _globals['_REQUESTQUERY']._serialized_start=1986 - _globals['_REQUESTQUERY']._serialized_end=2086 - _globals['_REQUESTCHECKTX']._serialized_start=2088 - _globals['_REQUESTCHECKTX']._serialized_end=2170 - _globals['_REQUESTCOMMIT']._serialized_start=2172 - _globals['_REQUESTCOMMIT']._serialized_end=2187 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2189 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2211 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2213 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2317 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2319 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2415 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2417 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2512 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2515 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2923 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2926 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=3318 - _globals['_REQUESTEXTENDVOTE']._serialized_start=3321 - _globals['_REQUESTEXTENDVOTE']._serialized_end=3708 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=3711 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3867 - _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3870 - _globals['_REQUESTFINALIZEBLOCK']._serialized_end=4258 - _globals['_RESPONSE']._serialized_start=4261 - _globals['_RESPONSE']._serialized_end=5561 - _globals['_RESPONSEEXCEPTION']._serialized_start=5563 - _globals['_RESPONSEEXCEPTION']._serialized_end=5604 - _globals['_RESPONSEECHO']._serialized_start=5606 - _globals['_RESPONSEECHO']._serialized_end=5646 - _globals['_RESPONSEFLUSH']._serialized_start=5648 - _globals['_RESPONSEFLUSH']._serialized_end=5663 - _globals['_RESPONSEINFO']._serialized_start=5666 - _globals['_RESPONSEINFO']._serialized_end=5850 - _globals['_RESPONSEINITCHAIN']._serialized_start=5853 - _globals['_RESPONSEINITCHAIN']._serialized_end=6049 - _globals['_RESPONSEQUERY']._serialized_start=6052 - _globals['_RESPONSEQUERY']._serialized_end=6299 - _globals['_RESPONSECHECKTX']._serialized_start=6302 - _globals['_RESPONSECHECKTX']._serialized_end=6600 - _globals['_RESPONSECOMMIT']._serialized_start=6602 - _globals['_RESPONSECOMMIT']._serialized_end=6667 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=6669 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=6749 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=6752 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=6942 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=6848 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=6942 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=6944 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=6993 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=6996 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=7276 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=7180 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=7276 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=7278 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=7321 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=7324 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=7485 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=7432 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=7485 - _globals['_RESPONSEEXTENDVOTE']._serialized_start=7487 - _globals['_RESPONSEEXTENDVOTE']._serialized_end=7546 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=7549 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=7714 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=7663 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=7714 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=7717 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=8079 - _globals['_COMMITINFO']._serialized_start=8081 - _globals['_COMMITINFO']._serialized_end=8170 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=8172 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=8277 - _globals['_EVENT']._serialized_start=8279 - _globals['_EVENT']._serialized_end=8401 - _globals['_EVENTATTRIBUTE']._serialized_start=8403 - _globals['_EVENTATTRIBUTE']._serialized_end=8481 - _globals['_EXECTXRESULT']._serialized_start=8484 - _globals['_EXECTXRESULT']._serialized_end=8740 - _globals['_TXRESULT']._serialized_start=8743 - _globals['_TXRESULT']._serialized_end=8876 - _globals['_VALIDATOR']._serialized_start=8878 - _globals['_VALIDATOR']._serialized_end=8937 - _globals['_VALIDATORUPDATE']._serialized_start=8939 - _globals['_VALIDATORUPDATE']._serialized_end=9039 - _globals['_VOTEINFO']._serialized_start=9042 - _globals['_VOTEINFO']._serialized_end=9189 - _globals['_EXTENDEDVOTEINFO']._serialized_start=9192 - _globals['_EXTENDEDVOTEINFO']._serialized_end=9435 - _globals['_MISBEHAVIOR']._serialized_start=9438 - _globals['_MISBEHAVIOR']._serialized_end=9697 - _globals['_SNAPSHOT']._serialized_start=9700 - _globals['_SNAPSHOT']._serialized_end=9830 - _globals['_ABCI']._serialized_start=9969 - _globals['_ABCI']._serialized_end=11406 + _globals['_REQUEST']._serialized_end=1240 + _globals['_REQUESTECHO']._serialized_start=1242 + _globals['_REQUESTECHO']._serialized_end=1272 + _globals['_REQUESTFLUSH']._serialized_start=1274 + _globals['_REQUESTFLUSH']._serialized_end=1288 + _globals['_REQUESTINFO']._serialized_start=1290 + _globals['_REQUESTINFO']._serialized_end=1386 + _globals['_REQUESTINITCHAIN']._serialized_start=1389 + _globals['_REQUESTINITCHAIN']._serialized_end=1647 + _globals['_REQUESTQUERY']._serialized_start=1649 + _globals['_REQUESTQUERY']._serialized_end=1722 + _globals['_REQUESTCHECKTX']._serialized_start=1724 + _globals['_REQUESTCHECKTX']._serialized_end=1796 + _globals['_REQUESTCOMMIT']._serialized_start=1798 + _globals['_REQUESTCOMMIT']._serialized_end=1813 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 + _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 + _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 + _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 + _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 + _globals['_RESPONSE']._serialized_start=3393 + _globals['_RESPONSE']._serialized_end=4477 + _globals['_RESPONSEEXCEPTION']._serialized_start=4479 + _globals['_RESPONSEEXCEPTION']._serialized_end=4513 + _globals['_RESPONSEECHO']._serialized_start=4515 + _globals['_RESPONSEECHO']._serialized_end=4546 + _globals['_RESPONSEFLUSH']._serialized_start=4548 + _globals['_RESPONSEFLUSH']._serialized_end=4563 + _globals['_RESPONSEINFO']._serialized_start=4565 + _globals['_RESPONSEINFO']._serialized_end=4687 + _globals['_RESPONSEINITCHAIN']._serialized_start=4690 + _globals['_RESPONSEINITCHAIN']._serialized_end=4848 + _globals['_RESPONSEQUERY']._serialized_start=4851 + _globals['_RESPONSEQUERY']._serialized_end=5033 + _globals['_RESPONSECHECKTX']._serialized_start=5036 + _globals['_RESPONSECHECKTX']._serialized_end=5292 + _globals['_RESPONSECOMMIT']._serialized_start=5294 + _globals['_RESPONSECOMMIT']._serialized_end=5345 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 + _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 + _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 + _globals['_COMMITINFO']._serialized_start=6590 + _globals['_COMMITINFO']._serialized_end=6665 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 + _globals['_EVENT']._serialized_start=6760 + _globals['_EVENT']._serialized_end=6864 + _globals['_EVENTATTRIBUTE']._serialized_start=6866 + _globals['_EVENTATTRIBUTE']._serialized_end=6925 + _globals['_EXECTXRESULT']._serialized_start=6928 + _globals['_EXECTXRESULT']._serialized_end=7142 + _globals['_TXRESULT']._serialized_start=7144 + _globals['_TXRESULT']._serialized_end=7250 + _globals['_VALIDATOR']._serialized_start=7252 + _globals['_VALIDATOR']._serialized_end=7295 + _globals['_VALIDATORUPDATE']._serialized_start=7297 + _globals['_VALIDATORUPDATE']._serialized_end=7382 + _globals['_VOTEINFO']._serialized_start=7384 + _globals['_VOTEINFO']._serialized_end=7507 + _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 + _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 + _globals['_MISBEHAVIOR']._serialized_start=7697 + _globals['_MISBEHAVIOR']._serialized_end=7907 + _globals['_SNAPSHOT']._serialized_start=7909 + _globals['_SNAPSHOT']._serialized_end=7999 + _globals['_ABCI']._serialized_start=8138 + _globals['_ABCI']._serialized_end=9575 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index d18cc0b2..08ce6d0b 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -1,8 +1,33 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc - -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +import warnings + +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/abci/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) class ABCIStub(object): diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py index 641759e6..3a009785 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2.py @@ -1,49 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/blocksync/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/blocksync/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"&\n\x0c\x42lockRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\")\n\x0fNoBlockResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\x7f\n\rBlockResponse\x12-\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12?\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommitR\textCommit\"\x0f\n\rStatusRequest\"<\n\x0eStatusResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\x03R\x04\x62\x61se\"\x9d\x03\n\x07Message\x12I\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00R\x0c\x62lockRequest\x12S\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00R\x0fnoBlockResponse\x12L\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00R\rblockResponse\x12L\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00R\rstatusRequest\x12O\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00R\x0estatusResponseB\x05\n\x03sumB\xd0\x01\n\x18\x63om.tendermint.blocksyncB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/blocksync\xa2\x02\x03TBX\xaa\x02\x14Tendermint.Blocksync\xca\x02\x14Tendermint\\Blocksync\xe2\x02 Tendermint\\Blocksync\\GPBMetadata\xea\x02\x15Tendermint::Blocksyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.blocksyncB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/blocksync\242\002\003TBX\252\002\024Tendermint.Blocksync\312\002\024Tendermint\\Blocksync\342\002 Tendermint\\Blocksync\\GPBMetadata\352\002\025Tendermint::Blocksync' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' _globals['_BLOCKREQUEST']._serialized_start=118 - _globals['_BLOCKREQUEST']._serialized_end=156 - _globals['_NOBLOCKRESPONSE']._serialized_start=158 - _globals['_NOBLOCKRESPONSE']._serialized_end=199 - _globals['_BLOCKRESPONSE']._serialized_start=201 - _globals['_BLOCKRESPONSE']._serialized_end=328 - _globals['_STATUSREQUEST']._serialized_start=330 - _globals['_STATUSREQUEST']._serialized_end=345 - _globals['_STATUSRESPONSE']._serialized_start=347 - _globals['_STATUSRESPONSE']._serialized_end=407 - _globals['_MESSAGE']._serialized_start=410 - _globals['_MESSAGE']._serialized_end=823 + _globals['_BLOCKREQUEST']._serialized_end=148 + _globals['_NOBLOCKRESPONSE']._serialized_start=150 + _globals['_NOBLOCKRESPONSE']._serialized_end=183 + _globals['_BLOCKRESPONSE']._serialized_start=185 + _globals['_BLOCKRESPONSE']._serialized_end=294 + _globals['_STATUSREQUEST']._serialized_start=296 + _globals['_STATUSREQUEST']._serialized_end=311 + _globals['_STATUSRESPONSE']._serialized_start=313 + _globals['_STATUSRESPONSE']._serialized_end=359 + _globals['_MESSAGE']._serialized_start=362 + _globals['_MESSAGE']._serialized_end=698 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py index 2daafffe..d49d432b 100644 --- a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py index b9b5dca1..c5244e28 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/consensus/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/consensus/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"\xb5\x01\n\x0cNewRoundStep\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x03 \x01(\rR\x04step\x12\x37\n\x18seconds_since_start_time\x18\x04 \x01(\x03R\x15secondsSinceStartTime\x12*\n\x11last_commit_round\x18\x05 \x01(\x05R\x0flastCommitRound\"\xf5\x01\n\rNewValidBlock\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12X\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00R\x12\x62lockPartSetHeader\x12?\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayR\nblockParts\x12\x1b\n\tis_commit\x18\x05 \x01(\x08R\x08isCommit\"H\n\x08Proposal\x12<\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00R\x08proposal\"\x9c\x01\n\x0bProposalPOL\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12,\n\x12proposal_pol_round\x18\x02 \x01(\x05R\x10proposalPolRound\x12G\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00R\x0bproposalPol\"k\n\tBlockPart\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x30\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00R\x04part\"2\n\x04Vote\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x04vote\"\x82\x01\n\x07HasVote\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x14\n\x05index\x18\x04 \x01(\x05R\x05index\"\xb8\x01\n\x0cVoteSetMaj23\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\"\xf3\x01\n\x0bVoteSetBits\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x33\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12:\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00R\x05votes\"\xf6\x04\n\x07Message\x12J\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00R\x0cnewRoundStep\x12M\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00R\rnewValidBlock\x12<\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00R\x08proposal\x12\x46\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00R\x0bproposalPol\x12@\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00R\tblockPart\x12\x30\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00R\x04vote\x12:\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00R\x07hasVote\x12J\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00R\x0cvoteSetMaj23\x12G\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00R\x0bvoteSetBitsB\x05\n\x03sumB\xd0\x01\n\x18\x63om.tendermint.consensusB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/consensus\xa2\x02\x03TCX\xaa\x02\x14Tendermint.Consensus\xca\x02\x14Tendermint\\Consensus\xe2\x02 Tendermint\\Consensus\\GPBMetadata\xea\x02\x15Tendermint::Consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"x\n\x0cNewRoundStep\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\r\x12 \n\x18seconds_since_start_time\x18\x04 \x01(\x03\x12\x19\n\x11last_commit_round\x18\x05 \x01(\x05\"\xbc\x01\n\rNewValidBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x44\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\x12\x33\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArray\x12\x11\n\tis_commit\x18\x05 \x01(\x08\">\n\x08Proposal\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\"u\n\x0bProposalPOL\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x12proposal_pol_round\x18\x02 \x01(\x05\x12:\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"V\n\tBlockPart\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12*\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00\",\n\x04Vote\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\"f\n\x07HasVote\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\r\n\x05index\x18\x04 \x01(\x05\"\x9a\x01\n\x0cVoteSetMaj23\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\"\xce\x01\n\x0bVoteSetBits\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x33\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"\x8d\x04\n\x07Message\x12<\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00\x12>\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00\x12\x32\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00\x12\x39\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00\x12\x35\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00\x12*\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00\x12\x31\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00\x12<\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00\x12:\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.consensusB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/consensus\242\002\003TCX\252\002\024Tendermint.Consensus\312\002\024Tendermint\\Consensus\342\002 Tendermint\\Consensus\\GPBMetadata\352\002\025Tendermint::Consensus' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._loaded_options = None _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._serialized_options = b'\310\336\037\000' _globals['_PROPOSAL'].fields_by_name['proposal']._loaded_options = None @@ -49,24 +39,24 @@ _globals['_VOTESETBITS'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_VOTESETBITS'].fields_by_name['votes']._loaded_options = None _globals['_VOTESETBITS'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_NEWROUNDSTEP']._serialized_start=145 - _globals['_NEWROUNDSTEP']._serialized_end=326 - _globals['_NEWVALIDBLOCK']._serialized_start=329 - _globals['_NEWVALIDBLOCK']._serialized_end=574 - _globals['_PROPOSAL']._serialized_start=576 - _globals['_PROPOSAL']._serialized_end=648 - _globals['_PROPOSALPOL']._serialized_start=651 - _globals['_PROPOSALPOL']._serialized_end=807 - _globals['_BLOCKPART']._serialized_start=809 - _globals['_BLOCKPART']._serialized_end=916 - _globals['_VOTE']._serialized_start=918 - _globals['_VOTE']._serialized_end=968 - _globals['_HASVOTE']._serialized_start=971 - _globals['_HASVOTE']._serialized_end=1101 - _globals['_VOTESETMAJ23']._serialized_start=1104 - _globals['_VOTESETMAJ23']._serialized_end=1288 - _globals['_VOTESETBITS']._serialized_start=1291 - _globals['_VOTESETBITS']._serialized_end=1534 - _globals['_MESSAGE']._serialized_start=1537 - _globals['_MESSAGE']._serialized_end=2167 + _globals['_NEWROUNDSTEP']._serialized_start=144 + _globals['_NEWROUNDSTEP']._serialized_end=264 + _globals['_NEWVALIDBLOCK']._serialized_start=267 + _globals['_NEWVALIDBLOCK']._serialized_end=455 + _globals['_PROPOSAL']._serialized_start=457 + _globals['_PROPOSAL']._serialized_end=519 + _globals['_PROPOSALPOL']._serialized_start=521 + _globals['_PROPOSALPOL']._serialized_end=638 + _globals['_BLOCKPART']._serialized_start=640 + _globals['_BLOCKPART']._serialized_end=726 + _globals['_VOTE']._serialized_start=728 + _globals['_VOTE']._serialized_end=772 + _globals['_HASVOTE']._serialized_start=774 + _globals['_HASVOTE']._serialized_end=876 + _globals['_VOTESETMAJ23']._serialized_start=879 + _globals['_VOTESETMAJ23']._serialized_end=1033 + _globals['_VOTESETBITS']._serialized_start=1036 + _globals['_VOTESETBITS']._serialized_end=1242 + _globals['_MESSAGE']._serialized_start=1245 + _globals['_MESSAGE']._serialized_end=1770 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py index 2daafffe..6879e86e 100644 --- a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py index 9f43e815..0aa3df5d 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/consensus/wal.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/consensus/wal.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.consensus import types_pb2 as tendermint_dot_consensus_dot_types__pb2 -from pyinjective.proto.tendermint.types import events_pb2 as tendermint_dot_types_dot_events__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.consensus import types_pb2 as tendermint_dot_consensus_dot_types__pb2 +from tendermint.types import events_pb2 as tendermint_dot_types_dot_events__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/consensus/wal.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a tendermint/consensus/types.proto\x1a\x1dtendermint/types/events.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"e\n\x07MsgInfo\x12\x35\n\x03msg\x18\x01 \x01(\x0b\x32\x1d.tendermint.consensus.MessageB\x04\xc8\xde\x1f\x00R\x03msg\x12#\n\x07peer_id\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06PeerIDR\x06peerId\"\x90\x01\n\x0bTimeoutInfo\x12?\n\x08\x64uration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x08\x64uration\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x04 \x01(\rR\x04step\"#\n\tEndHeight\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\xb7\x02\n\nWALMessage\x12\\\n\x16\x65vent_data_round_state\x18\x01 \x01(\x0b\x32%.tendermint.types.EventDataRoundStateH\x00R\x13\x65ventDataRoundState\x12:\n\x08msg_info\x18\x02 \x01(\x0b\x32\x1d.tendermint.consensus.MsgInfoH\x00R\x07msgInfo\x12\x46\n\x0ctimeout_info\x18\x03 \x01(\x0b\x32!.tendermint.consensus.TimeoutInfoH\x00R\x0btimeoutInfo\x12@\n\nend_height\x18\x04 \x01(\x0b\x32\x1f.tendermint.consensus.EndHeightH\x00R\tendHeightB\x05\n\x03sum\"\x7f\n\x0fTimedWALMessage\x12\x38\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x32\n\x03msg\x18\x02 \x01(\x0b\x32 .tendermint.consensus.WALMessageR\x03msgB\xce\x01\n\x18\x63om.tendermint.consensusB\x08WalProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/consensus\xa2\x02\x03TCX\xaa\x02\x14Tendermint.Consensus\xca\x02\x14Tendermint\\Consensus\xe2\x02 Tendermint\\Consensus\\GPBMetadata\xea\x02\x15Tendermint::Consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/consensus/wal.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a tendermint/consensus/types.proto\x1a\x1dtendermint/types/events.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"X\n\x07MsgInfo\x12\x30\n\x03msg\x18\x01 \x01(\x0b\x32\x1d.tendermint.consensus.MessageB\x04\xc8\xde\x1f\x00\x12\x1b\n\x07peer_id\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06PeerID\"q\n\x0bTimeoutInfo\x12\x35\n\x08\x64uration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x0c\n\x04step\x18\x04 \x01(\r\"\x1b\n\tEndHeight\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x81\x02\n\nWALMessage\x12G\n\x16\x65vent_data_round_state\x18\x01 \x01(\x0b\x32%.tendermint.types.EventDataRoundStateH\x00\x12\x31\n\x08msg_info\x18\x02 \x01(\x0b\x32\x1d.tendermint.consensus.MsgInfoH\x00\x12\x39\n\x0ctimeout_info\x18\x03 \x01(\x0b\x32!.tendermint.consensus.TimeoutInfoH\x00\x12\x35\n\nend_height\x18\x04 \x01(\x0b\x32\x1f.tendermint.consensus.EndHeightH\x00\x42\x05\n\x03sum\"t\n\x0fTimedWALMessage\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12-\n\x03msg\x18\x02 \x01(\x0b\x32 .tendermint.consensus.WALMessageB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.wal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.consensusB\010WalProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/consensus\242\002\003TCX\252\002\024Tendermint.Consensus\312\002\024Tendermint\\Consensus\342\002 Tendermint\\Consensus\\GPBMetadata\352\002\025Tendermint::Consensus' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' _globals['_MSGINFO'].fields_by_name['msg']._loaded_options = None _globals['_MSGINFO'].fields_by_name['msg']._serialized_options = b'\310\336\037\000' _globals['_MSGINFO'].fields_by_name['peer_id']._loaded_options = None @@ -46,13 +36,13 @@ _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._loaded_options = None _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_MSGINFO']._serialized_start=208 - _globals['_MSGINFO']._serialized_end=309 - _globals['_TIMEOUTINFO']._serialized_start=312 - _globals['_TIMEOUTINFO']._serialized_end=456 - _globals['_ENDHEIGHT']._serialized_start=458 - _globals['_ENDHEIGHT']._serialized_end=493 - _globals['_WALMESSAGE']._serialized_start=496 - _globals['_WALMESSAGE']._serialized_end=807 - _globals['_TIMEDWALMESSAGE']._serialized_start=809 - _globals['_TIMEDWALMESSAGE']._serialized_end=936 + _globals['_MSGINFO']._serialized_end=296 + _globals['_TIMEOUTINFO']._serialized_start=298 + _globals['_TIMEOUTINFO']._serialized_end=411 + _globals['_ENDHEIGHT']._serialized_start=413 + _globals['_ENDHEIGHT']._serialized_end=440 + _globals['_WALMESSAGE']._serialized_start=443 + _globals['_WALMESSAGE']._serialized_end=700 + _globals['_TIMEDWALMESSAGE']._serialized_start=702 + _globals['_TIMEDWALMESSAGE']._serialized_end=818 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py index 2daafffe..20bf7bbf 100644 --- a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py +++ b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index 30510426..20e32137 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/keys.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/crypto/keys.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"X\n\tPublicKey\x12\x1a\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00R\x07\x65\x64\x32\x35\x35\x31\x39\x12\x1e\n\tsecp256k1\x18\x02 \x01(\x0cH\x00R\tsecp256k1:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB\xbd\x01\n\x15\x63om.tendermint.cryptoB\tKeysProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"D\n\tPublicKey\x12\x11\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00\x12\x13\n\tsecp256k1\x18\x02 \x01(\x0cH\x00:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB6Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\tKeysProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' + _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' _globals['_PUBLICKEY']._loaded_options = None _globals['_PUBLICKEY']._serialized_options = b'\350\240\037\001\350\241\037\001' _globals['_PUBLICKEY']._serialized_start=73 - _globals['_PUBLICKEY']._serialized_end=161 + _globals['_PUBLICKEY']._serialized_end=141 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index 2daafffe..c6d6788d 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index 341fcb5e..44cee6ce 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -1,48 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/proof.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/crypto/proof.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"f\n\x05Proof\x12\x14\n\x05total\x18\x01 \x01(\x03R\x05total\x12\x14\n\x05index\x18\x02 \x01(\x03R\x05index\x12\x1b\n\tleaf_hash\x18\x03 \x01(\x0cR\x08leafHash\x12\x14\n\x05\x61unts\x18\x04 \x03(\x0cR\x05\x61unts\"K\n\x07ValueOp\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12.\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof\"J\n\x08\x44ominoOp\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05input\x18\x02 \x01(\tR\x05input\x12\x16\n\x06output\x18\x03 \x01(\tR\x06output\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\">\n\x08ProofOps\x12\x32\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00R\x03opsB\xbe\x01\n\x15\x63om.tendermint.cryptoB\nProofProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"G\n\x05Proof\x12\r\n\x05total\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\x03\x12\x11\n\tleaf_hash\x18\x03 \x01(\x0c\x12\r\n\x05\x61unts\x18\x04 \x03(\x0c\"?\n\x07ValueOp\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\'\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.Proof\"6\n\x08\x44ominoOp\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05input\x18\x02 \x01(\t\x12\x0e\n\x06output\x18\x03 \x01(\t\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"9\n\x08ProofOps\x12-\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00\x42\x36Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.proof_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\nProofProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' + _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000' _globals['_PROOF']._serialized_start=74 - _globals['_PROOF']._serialized_end=176 - _globals['_VALUEOP']._serialized_start=178 - _globals['_VALUEOP']._serialized_end=253 - _globals['_DOMINOOP']._serialized_start=255 - _globals['_DOMINOOP']._serialized_end=329 - _globals['_PROOFOP']._serialized_start=331 - _globals['_PROOFOP']._serialized_end=398 - _globals['_PROOFOPS']._serialized_start=400 - _globals['_PROOFOPS']._serialized_end=462 + _globals['_PROOF']._serialized_end=145 + _globals['_VALUEOP']._serialized_start=147 + _globals['_VALUEOP']._serialized_end=210 + _globals['_DOMINOOP']._serialized_start=212 + _globals['_DOMINOOP']._serialized_end=266 + _globals['_PROOFOP']._serialized_start=268 + _globals['_PROOFOP']._serialized_end=318 + _globals['_PROOFOPS']._serialized_start=320 + _globals['_PROOFOPS']._serialized_end=377 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 2daafffe..424b5351 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2.py b/pyinjective/proto/tendermint/libs/bits/types_pb2.py index 19e26cab..df93d9df 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/libs/bits/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/libs/bits/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"4\n\x08\x42itArray\x12\x12\n\x04\x62its\x18\x01 \x01(\x03R\x04\x62its\x12\x14\n\x05\x65lems\x18\x02 \x03(\x04R\x05\x65lemsB\xd1\x01\n\x18\x63om.tendermint.libs.bitsB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\xa2\x02\x03TLB\xaa\x02\x14Tendermint.Libs.Bits\xca\x02\x14Tendermint\\Libs\\Bits\xe2\x02 Tendermint\\Libs\\Bits\\GPBMetadata\xea\x02\x16Tendermint::Libs::Bitsb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"\'\n\x08\x42itArray\x12\x0c\n\x04\x62its\x18\x01 \x01(\x03\x12\r\n\x05\x65lems\x18\x02 \x03(\x04\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/libs/bitsb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.libs.bits.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.libs.bitsB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\242\002\003TLB\252\002\024Tendermint.Libs.Bits\312\002\024Tendermint\\Libs\\Bits\342\002 Tendermint\\Libs\\Bits\\GPBMetadata\352\002\026Tendermint::Libs::Bits' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits' _globals['_BITARRAY']._serialized_start=58 - _globals['_BITARRAY']._serialized_end=110 + _globals['_BITARRAY']._serialized_end=97 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index 2daafffe..afd186cd 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2.py b/pyinjective/proto/tendermint/mempool/types_pb2.py index 58d30ab6..f4ad08d8 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/mempool/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/mempool/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,16 +14,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/mempool/types.proto\x12\x12tendermint.mempool\"\x17\n\x03Txs\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"=\n\x07Message\x12+\n\x03txs\x18\x01 \x01(\x0b\x32\x17.tendermint.mempool.TxsH\x00R\x03txsB\x05\n\x03sumB\xc4\x01\n\x16\x63om.tendermint.mempoolB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/mempool\xa2\x02\x03TMX\xaa\x02\x12Tendermint.Mempool\xca\x02\x12Tendermint\\Mempool\xe2\x02\x1eTendermint\\Mempool\\GPBMetadata\xea\x02\x13Tendermint::Mempoolb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/mempool/types.proto\x12\x12tendermint.mempool\"\x12\n\x03Txs\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"8\n\x07Message\x12&\n\x03txs\x18\x01 \x01(\x0b\x32\x17.tendermint.mempool.TxsH\x00\x42\x05\n\x03sumB7Z5github.com/cometbft/cometbft/proto/tendermint/mempoolb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.mempool.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.mempoolB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/mempool\242\002\003TMX\252\002\022Tendermint.Mempool\312\002\022Tendermint\\Mempool\342\002\036Tendermint\\Mempool\\GPBMetadata\352\002\023Tendermint::Mempool' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/mempool' _globals['_TXS']._serialized_start=54 - _globals['_TXS']._serialized_end=77 - _globals['_MESSAGE']._serialized_start=79 - _globals['_MESSAGE']._serialized_end=140 + _globals['_TXS']._serialized_end=72 + _globals['_MESSAGE']._serialized_start=74 + _globals['_MESSAGE']._serialized_end=130 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py index 2daafffe..cb8652d4 100644 --- a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py index be8f11ff..638807b0 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/conn.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/p2p/conn.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"h\n\tPacketMsg\x12,\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelIDR\tchannelId\x12\x19\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OFR\x03\x65of\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"\xc9\x01\n\x06Packet\x12=\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00R\npacketPing\x12=\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00R\npacketPong\x12:\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00R\tpacketMsgB\x05\n\x03sum\"_\n\x0e\x41uthSigMessage\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12\x10\n\x03sig\x18\x02 \x01(\x0cR\x03sigB\xab\x01\n\x12\x63om.tendermint.p2pB\tConnProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"R\n\tPacketMsg\x12!\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelID\x12\x14\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OF\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xa6\x01\n\x06Packet\x12\x31\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00\x12\x31\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00\x12/\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00\x42\x05\n\x03sum\"R\n\x0e\x41uthSigMessage\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x0b\n\x03sig\x18\x02 \x01(\x0c\x42\x33Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.conn_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\tConnProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' _globals['_PACKETMSG'].fields_by_name['channel_id']._loaded_options = None _globals['_PACKETMSG'].fields_by_name['channel_id']._serialized_options = b'\342\336\037\tChannelID' _globals['_PACKETMSG'].fields_by_name['eof']._loaded_options = None @@ -45,9 +35,9 @@ _globals['_PACKETPONG']._serialized_start=111 _globals['_PACKETPONG']._serialized_end=123 _globals['_PACKETMSG']._serialized_start=125 - _globals['_PACKETMSG']._serialized_end=229 - _globals['_PACKET']._serialized_start=232 - _globals['_PACKET']._serialized_end=433 - _globals['_AUTHSIGMESSAGE']._serialized_start=435 - _globals['_AUTHSIGMESSAGE']._serialized_end=530 + _globals['_PACKETMSG']._serialized_end=207 + _globals['_PACKET']._serialized_start=210 + _globals['_PACKET']._serialized_end=376 + _globals['_AUTHSIGMESSAGE']._serialized_start=378 + _globals['_AUTHSIGMESSAGE']._serialized_end=460 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py index 2daafffe..a0c04f90 100644 --- a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py index 0490f25b..2953a71c 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2.py @@ -1,45 +1,35 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/pex.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/p2p/pex.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\"B\n\x08PexAddrs\x12\x36\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00R\x05\x61\x64\x64rs\"\x88\x01\n\x07Message\x12=\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00R\npexRequest\x12\x37\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00R\x08pexAddrsB\x05\n\x03sumB\xaa\x01\n\x12\x63om.tendermint.p2pB\x08PexProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\";\n\x08PexAddrs\x12/\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00\"r\n\x07Message\x12\x31\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00\x12-\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00\x42\x05\n\x03sumB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.pex_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\010PexProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' _globals['_PEXADDRS'].fields_by_name['addrs']._loaded_options = None _globals['_PEXADDRS'].fields_by_name['addrs']._serialized_options = b'\310\336\037\000' _globals['_PEXREQUEST']._serialized_start=94 _globals['_PEXREQUEST']._serialized_end=106 _globals['_PEXADDRS']._serialized_start=108 - _globals['_PEXADDRS']._serialized_end=174 - _globals['_MESSAGE']._serialized_start=177 - _globals['_MESSAGE']._serialized_end=313 + _globals['_PEXADDRS']._serialized_end=167 + _globals['_MESSAGE']._serialized_start=169 + _globals['_MESSAGE']._serialized_end=283 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py index 2daafffe..cfd99997 100644 --- a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index d32f3947..66b71f53 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -1,38 +1,28 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/p2p/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"P\n\nNetAddress\x12\x16\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02IDR\x02id\x12\x16\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IPR\x02ip\x12\x12\n\x04port\x18\x03 \x01(\rR\x04port\"T\n\x0fProtocolVersion\x12\x19\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2PR\x03p2p\x12\x14\n\x05\x62lock\x18\x02 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x03 \x01(\x04R\x03\x61pp\"\xeb\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12P\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00R\x0fprotocolVersion\x12\x39\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeIDR\rdefaultNodeId\x12\x1f\n\x0blisten_addr\x18\x03 \x01(\tR\nlistenAddr\x12\x18\n\x07network\x18\x04 \x01(\tR\x07network\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x1a\n\x08\x63hannels\x18\x06 \x01(\x0cR\x08\x63hannels\x12\x18\n\x07moniker\x18\x07 \x01(\tR\x07moniker\x12@\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00R\x05other\"b\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x19\n\x08tx_index\x18\x01 \x01(\tR\x07txIndex\x12/\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressR\nrpcAddressB\xac\x01\n\x12\x63om.tendermint.p2pB\nTypesProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"B\n\nNetAddress\x12\x12\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02ID\x12\x12\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IP\x12\x0c\n\x04port\x18\x03 \x01(\r\"C\n\x0fProtocolVersion\x12\x14\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2P\x12\r\n\x05\x62lock\x18\x02 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x03 \x01(\x04\"\x93\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12?\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00\x12*\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeID\x12\x13\n\x0blisten_addr\x18\x03 \x01(\t\x12\x0f\n\x07network\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x10\n\x08\x63hannels\x18\x06 \x01(\x0c\x12\x0f\n\x07moniker\x18\x07 \x01(\t\x12\x39\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00\"M\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x10\n\x08tx_index\x18\x01 \x01(\t\x12#\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\nTypesProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' + _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' _globals['_NETADDRESS'].fields_by_name['id']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['id']._serialized_options = b'\342\336\037\002ID' _globals['_NETADDRESS'].fields_by_name['ip']._loaded_options = None @@ -48,11 +38,11 @@ _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._loaded_options = None _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._serialized_options = b'\342\336\037\nRPCAddress' _globals['_NETADDRESS']._serialized_start=68 - _globals['_NETADDRESS']._serialized_end=148 - _globals['_PROTOCOLVERSION']._serialized_start=150 - _globals['_PROTOCOLVERSION']._serialized_end=234 - _globals['_DEFAULTNODEINFO']._serialized_start=237 - _globals['_DEFAULTNODEINFO']._serialized_end=600 - _globals['_DEFAULTNODEINFOOTHER']._serialized_start=602 - _globals['_DEFAULTNODEINFOOTHER']._serialized_end=700 + _globals['_NETADDRESS']._serialized_end=134 + _globals['_PROTOCOLVERSION']._serialized_start=136 + _globals['_PROTOCOLVERSION']._serialized_end=203 + _globals['_DEFAULTNODEINFO']._serialized_start=206 + _globals['_DEFAULTNODEINFO']._serialized_end=481 + _globals['_DEFAULTNODEINFOOTHER']._serialized_start=483 + _globals['_DEFAULTNODEINFOOTHER']._serialized_end=560 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 2daafffe..10a81406 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py index 922fb220..756dc4cf 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ b/pyinjective/proto/tendermint/privval/types_pb2.py @@ -1,66 +1,56 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/privval/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/privval/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"I\n\x11RemoteSignerError\x12\x12\n\x04\x63ode\x18\x01 \x01(\x05R\x04\x63ode\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"*\n\rPubKeyRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\tR\x07\x63hainId\"\x8a\x01\n\x0ePubKeyResponse\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"X\n\x0fSignVoteRequest\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x04vote\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\"\x83\x01\n\x12SignedVoteResponse\x12\x30\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00R\x04vote\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"h\n\x13SignProposalRequest\x12\x36\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalR\x08proposal\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\"\x93\x01\n\x16SignedProposalResponse\x12<\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00R\x08proposal\x12;\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerErrorR\x05\x65rror\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xb2\x05\n\x07Message\x12K\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00R\rpubKeyRequest\x12N\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00R\x0epubKeyResponse\x12Q\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00R\x0fsignVoteRequest\x12Z\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00R\x12signedVoteResponse\x12]\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00R\x13signProposalRequest\x12\x66\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00R\x16signedProposalResponse\x12\x44\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00R\x0bpingRequest\x12G\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00R\x0cpingResponseB\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\xc4\x01\n\x16\x63om.tendermint.privvalB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/privval\xa2\x02\x03TPX\xaa\x02\x12Tendermint.Privval\xca\x02\x12Tendermint\\Privval\xe2\x02\x1eTendermint\\Privval\\GPBMetadata\xea\x02\x13Tendermint::Privvalb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"6\n\x11RemoteSignerError\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x05\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"!\n\rPubKeyRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\"{\n\x0ePubKeyResponse\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"I\n\x0fSignVoteRequest\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"v\n\x12SignedVoteResponse\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"U\n\x13SignProposalRequest\x12,\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.Proposal\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"\x82\x01\n\x16SignedProposalResponse\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xa6\x04\n\x07Message\x12<\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00\x12>\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00\x12@\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00\x12\x46\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00\x12H\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00\x12N\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00\x12\x37\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00\x12\x39\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00\x42\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/privvalb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.privval.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.privvalB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/privval\242\002\003TPX\252\002\022Tendermint.Privval\312\002\022Tendermint\\Privval\342\002\036Tendermint\\Privval\\GPBMetadata\352\002\023Tendermint::Privval' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/privval' _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._loaded_options = None _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._loaded_options = None _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000' _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_ERRORS']._serialized_start=1601 - _globals['_ERRORS']._serialized_end=1769 + _globals['_ERRORS']._serialized_start=1352 + _globals['_ERRORS']._serialized_end=1520 _globals['_REMOTESIGNERERROR']._serialized_start=136 - _globals['_REMOTESIGNERERROR']._serialized_end=209 - _globals['_PUBKEYREQUEST']._serialized_start=211 - _globals['_PUBKEYREQUEST']._serialized_end=253 - _globals['_PUBKEYRESPONSE']._serialized_start=256 - _globals['_PUBKEYRESPONSE']._serialized_end=394 - _globals['_SIGNVOTEREQUEST']._serialized_start=396 - _globals['_SIGNVOTEREQUEST']._serialized_end=484 - _globals['_SIGNEDVOTERESPONSE']._serialized_start=487 - _globals['_SIGNEDVOTERESPONSE']._serialized_end=618 - _globals['_SIGNPROPOSALREQUEST']._serialized_start=620 - _globals['_SIGNPROPOSALREQUEST']._serialized_end=724 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_start=727 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_end=874 - _globals['_PINGREQUEST']._serialized_start=876 - _globals['_PINGREQUEST']._serialized_end=889 - _globals['_PINGRESPONSE']._serialized_start=891 - _globals['_PINGRESPONSE']._serialized_end=905 - _globals['_MESSAGE']._serialized_start=908 - _globals['_MESSAGE']._serialized_end=1598 + _globals['_REMOTESIGNERERROR']._serialized_end=190 + _globals['_PUBKEYREQUEST']._serialized_start=192 + _globals['_PUBKEYREQUEST']._serialized_end=225 + _globals['_PUBKEYRESPONSE']._serialized_start=227 + _globals['_PUBKEYRESPONSE']._serialized_end=350 + _globals['_SIGNVOTEREQUEST']._serialized_start=352 + _globals['_SIGNVOTEREQUEST']._serialized_end=425 + _globals['_SIGNEDVOTERESPONSE']._serialized_start=427 + _globals['_SIGNEDVOTERESPONSE']._serialized_end=545 + _globals['_SIGNPROPOSALREQUEST']._serialized_start=547 + _globals['_SIGNPROPOSALREQUEST']._serialized_end=632 + _globals['_SIGNEDPROPOSALRESPONSE']._serialized_start=635 + _globals['_SIGNEDPROPOSALRESPONSE']._serialized_end=765 + _globals['_PINGREQUEST']._serialized_start=767 + _globals['_PINGREQUEST']._serialized_end=780 + _globals['_PINGRESPONSE']._serialized_start=782 + _globals['_PINGRESPONSE']._serialized_end=796 + _globals['_MESSAGE']._serialized_start=799 + _globals['_MESSAGE']._serialized_end=1349 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py index 2daafffe..1280586b 100644 --- a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py index 50e799b4..5fbaa43c 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py @@ -1,46 +1,36 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/rpc/grpc/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/rpc/grpc/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\"$\n\x12RequestBroadcastTx\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\"\x0e\n\x0cResponsePing\"\x8e\x01\n\x13ResponseBroadcastTx\x12;\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxR\x07\x63heckTx\x12:\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\x08txResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB\xc3\x01\n\x17\x63om.tendermint.rpc.grpcB\nTypesProtoP\x01Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc\xa2\x02\x03TRG\xaa\x02\x13Tendermint.Rpc.Grpc\xca\x02\x13Tendermint\\Rpc\\Grpc\xe2\x02\x1fTendermint\\Rpc\\Grpc\\GPBMetadata\xea\x02\x15Tendermint::Rpc::Grpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"{\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x30\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.rpc.grpc.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\027com.tendermint.rpc.grpcB\nTypesProtoP\001Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc\242\002\003TRG\252\002\023Tendermint.Rpc.Grpc\312\002\023Tendermint\\Rpc\\Grpc\342\002\037Tendermint\\Rpc\\Grpc\\GPBMetadata\352\002\025Tendermint::Rpc::Grpc' + _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc' _globals['_REQUESTPING']._serialized_start=85 _globals['_REQUESTPING']._serialized_end=98 _globals['_REQUESTBROADCASTTX']._serialized_start=100 - _globals['_REQUESTBROADCASTTX']._serialized_end=136 - _globals['_RESPONSEPING']._serialized_start=138 - _globals['_RESPONSEPING']._serialized_end=152 - _globals['_RESPONSEBROADCASTTX']._serialized_start=155 - _globals['_RESPONSEBROADCASTTX']._serialized_end=297 - _globals['_BROADCASTAPI']._serialized_start=300 - _globals['_BROADCASTAPI']._serialized_end=489 + _globals['_REQUESTBROADCASTTX']._serialized_end=132 + _globals['_RESPONSEPING']._serialized_start=134 + _globals['_RESPONSEPING']._serialized_end=148 + _globals['_RESPONSEBROADCASTTX']._serialized_start=150 + _globals['_RESPONSEBROADCASTTX']._serialized_end=273 + _globals['_BROADCASTAPI']._serialized_start=276 + _globals['_BROADCASTAPI']._serialized_end=465 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py index 5c48f6db..a459b7b1 100644 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py @@ -1,9 +1,34 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings from pyinjective.proto.tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) + class BroadcastAPIStub(object): """---------------------------------------- diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py index 30d3c521..8b2a1178 100644 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ b/pyinjective/proto/tendermint/state/types_pb2.py @@ -1,44 +1,34 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/state/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/state/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdd\x01\n\x13LegacyABCIResponses\x12>\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\ndeliverTxs\x12?\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlockR\x08\x65ndBlock\x12\x45\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlockR\nbeginBlock\"^\n\x12ResponseBeginBlock\x12H\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\"\x8c\x02\n\x10ResponseEndBlock\x12S\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\x10validatorUpdates\x12Y\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x15\x63onsensusParamUpdates\x12H\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\"\x85\x01\n\x0eValidatorsInfo\x12\x43\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\x12.\n\x13last_height_changed\x18\x02 \x01(\x03R\x11lastHeightChanged\"\x99\x01\n\x13\x43onsensusParamsInfo\x12R\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusParams\x12.\n\x13last_height_changed\x18\x02 \x01(\x03R\x11lastHeightChanged\"\xe6\x01\n\x11\x41\x42\x43IResponsesInfo\x12Y\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponsesR\x13legacyAbciResponses\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12^\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x15responseFinalizeBlock\"h\n\x07Version\x12\x41\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00R\tconsensus\x12\x1a\n\x08software\x18\x02 \x01(\tR\x08software\"\xe1\x06\n\x05State\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12%\n\x0einitial_height\x18\x0e \x01(\x03R\rinitialHeight\x12*\n\x11last_block_height\x18\x03 \x01(\x03R\x0flastBlockHeight\x12R\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockIDR\x0blastBlockId\x12L\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\rlastBlockTime\x12G\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0enextValidators\x12>\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\nvalidators\x12G\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0elastValidators\x12\x43\n\x1elast_height_validators_changed\x18\t \x01(\x03R\x1blastHeightValidatorsChanged\x12R\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusParams\x12N\n$last_height_consensus_params_changed\x18\x0b \x01(\x03R lastHeightConsensusParamsChanged\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12\x19\n\x08\x61pp_hash\x18\r \x01(\x0cR\x07\x61ppHashB\xb8\x01\n\x14\x63om.tendermint.stateB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/state\xa2\x02\x03TSX\xaa\x02\x10Tendermint.State\xca\x02\x10Tendermint\\State\xe2\x02\x1cTendermint\\State\\GPBMetadata\xea\x02\x11Tendermint::Stateb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.state.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.stateB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/state\242\002\003TSX\252\002\020Tendermint.State\312\002\020Tendermint\\State\342\002\034Tendermint\\State\\GPBMetadata\352\002\021Tendermint::State' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None @@ -60,19 +50,19 @@ _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' _globals['_LEGACYABCIRESPONSES']._serialized_start=262 - _globals['_LEGACYABCIRESPONSES']._serialized_end=483 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=485 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=579 - _globals['_RESPONSEENDBLOCK']._serialized_start=582 - _globals['_RESPONSEENDBLOCK']._serialized_end=850 - _globals['_VALIDATORSINFO']._serialized_start=853 - _globals['_VALIDATORSINFO']._serialized_end=986 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=989 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=1142 - _globals['_ABCIRESPONSESINFO']._serialized_start=1145 - _globals['_ABCIRESPONSESINFO']._serialized_end=1375 - _globals['_VERSION']._serialized_start=1377 - _globals['_VERSION']._serialized_end=1481 - _globals['_STATE']._serialized_start=1484 - _globals['_STATE']._serialized_end=2349 + _globals['_LEGACYABCIRESPONSES']._serialized_end=449 + _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 + _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 + _globals['_RESPONSEENDBLOCK']._serialized_start=540 + _globals['_RESPONSEENDBLOCK']._serialized_end=759 + _globals['_VALIDATORSINFO']._serialized_start=761 + _globals['_VALIDATORSINFO']._serialized_end=861 + _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 + _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 + _globals['_ABCIRESPONSESINFO']._serialized_start=983 + _globals['_ABCIRESPONSESINFO']._serialized_end=1161 + _globals['_VERSION']._serialized_start=1163 + _globals['_VERSION']._serialized_end=1246 + _globals['_STATE']._serialized_start=1249 + _globals['_STATE']._serialized_end=1886 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/state/types_pb2_grpc.py b/pyinjective/proto/tendermint/state/types_pb2_grpc.py index 2daafffe..7e3919fe 100644 --- a/pyinjective/proto/tendermint/state/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/state/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2.py b/pyinjective/proto/tendermint/statesync/types_pb2.py index 1bb2afb5..3fc9d878 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/statesync/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/statesync/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,22 +14,22 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/statesync/types.proto\x12\x14tendermint.statesync\"\xda\x02\n\x07Message\x12U\n\x11snapshots_request\x18\x01 \x01(\x0b\x32&.tendermint.statesync.SnapshotsRequestH\x00R\x10snapshotsRequest\x12X\n\x12snapshots_response\x18\x02 \x01(\x0b\x32\'.tendermint.statesync.SnapshotsResponseH\x00R\x11snapshotsResponse\x12I\n\rchunk_request\x18\x03 \x01(\x0b\x32\".tendermint.statesync.ChunkRequestH\x00R\x0c\x63hunkRequest\x12L\n\x0e\x63hunk_response\x18\x04 \x01(\x0b\x32#.tendermint.statesync.ChunkResponseH\x00R\rchunkResponseB\x05\n\x03sum\"\x12\n\x10SnapshotsRequest\"\x8b\x01\n\x11SnapshotsResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x1a\n\x08metadata\x18\x05 \x01(\x0cR\x08metadata\"T\n\x0c\x43hunkRequest\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\"\x85\x01\n\rChunkResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x14\n\x05\x63hunk\x18\x04 \x01(\x0cR\x05\x63hunk\x12\x18\n\x07missing\x18\x05 \x01(\x08R\x07missingB\xd0\x01\n\x18\x63om.tendermint.statesyncB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/statesync\xa2\x02\x03TSX\xaa\x02\x14Tendermint.Statesync\xca\x02\x14Tendermint\\Statesync\xe2\x02 Tendermint\\Statesync\\GPBMetadata\xea\x02\x15Tendermint::Statesyncb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/statesync/types.proto\x12\x14tendermint.statesync\"\x98\x02\n\x07Message\x12\x43\n\x11snapshots_request\x18\x01 \x01(\x0b\x32&.tendermint.statesync.SnapshotsRequestH\x00\x12\x45\n\x12snapshots_response\x18\x02 \x01(\x0b\x32\'.tendermint.statesync.SnapshotsResponseH\x00\x12;\n\rchunk_request\x18\x03 \x01(\x0b\x32\".tendermint.statesync.ChunkRequestH\x00\x12=\n\x0e\x63hunk_response\x18\x04 \x01(\x0b\x32#.tendermint.statesync.ChunkResponseH\x00\x42\x05\n\x03sum\"\x12\n\x10SnapshotsRequest\"c\n\x11SnapshotsResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c\"=\n\x0c\x43hunkRequest\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\"^\n\rChunkResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\x12\r\n\x05\x63hunk\x18\x04 \x01(\x0c\x12\x0f\n\x07missing\x18\x05 \x01(\x08\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/statesyncb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.statesync.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.statesyncB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/statesync\242\002\003TSX\252\002\024Tendermint.Statesync\312\002\024Tendermint\\Statesync\342\002 Tendermint\\Statesync\\GPBMetadata\352\002\025Tendermint::Statesync' + _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/statesync' _globals['_MESSAGE']._serialized_start=59 - _globals['_MESSAGE']._serialized_end=405 - _globals['_SNAPSHOTSREQUEST']._serialized_start=407 - _globals['_SNAPSHOTSREQUEST']._serialized_end=425 - _globals['_SNAPSHOTSRESPONSE']._serialized_start=428 - _globals['_SNAPSHOTSRESPONSE']._serialized_end=567 - _globals['_CHUNKREQUEST']._serialized_start=569 - _globals['_CHUNKREQUEST']._serialized_end=653 - _globals['_CHUNKRESPONSE']._serialized_start=656 - _globals['_CHUNKRESPONSE']._serialized_end=789 + _globals['_MESSAGE']._serialized_end=339 + _globals['_SNAPSHOTSREQUEST']._serialized_start=341 + _globals['_SNAPSHOTSREQUEST']._serialized_end=359 + _globals['_SNAPSHOTSRESPONSE']._serialized_start=361 + _globals['_SNAPSHOTSRESPONSE']._serialized_end=460 + _globals['_CHUNKREQUEST']._serialized_start=462 + _globals['_CHUNKREQUEST']._serialized_end=523 + _globals['_CHUNKRESPONSE']._serialized_start=525 + _globals['_CHUNKRESPONSE']._serialized_end=619 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py index 2daafffe..aed296dd 100644 --- a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/store/types_pb2.py b/pyinjective/proto/tendermint/store/types_pb2.py index 4c4f7a0d..21d6504d 100644 --- a/pyinjective/proto/tendermint/store/types_pb2.py +++ b/pyinjective/proto/tendermint/store/types_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/store/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/store/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/store/types.proto\x12\x10tendermint.store\"=\n\x0f\x42lockStoreState\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\x03R\x04\x62\x61se\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06heightB\xb8\x01\n\x14\x63om.tendermint.storeB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/store\xa2\x02\x03TSX\xaa\x02\x10Tendermint.Store\xca\x02\x10Tendermint\\Store\xe2\x02\x1cTendermint\\Store\\GPBMetadata\xea\x02\x11Tendermint::Storeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/store/types.proto\x12\x10tendermint.store\"/\n\x0f\x42lockStoreState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\x03\x12\x0e\n\x06height\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/storeb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.store.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.storeB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/store\242\002\003TSX\252\002\020Tendermint.Store\312\002\020Tendermint\\Store\342\002\034Tendermint\\Store\\GPBMetadata\352\002\021Tendermint::Store' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/store' _globals['_BLOCKSTORESTATE']._serialized_start=50 - _globals['_BLOCKSTORESTATE']._serialized_end=111 + _globals['_BLOCKSTORESTATE']._serialized_end=97 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/store/types_pb2_grpc.py b/pyinjective/proto/tendermint/store/types_pb2_grpc.py index 2daafffe..befc0e86 100644 --- a/pyinjective/proto/tendermint/store/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/store/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index 8d6a69ea..0c9690d6 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/block.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/block.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xee\x01\n\x05\x42lock\x12\x36\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x30\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta\x12@\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommitB\xb8\x01\n\x14\x63om.tendermint.typesB\nBlockProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xca\x01\n\x05\x42lock\x12.\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12*\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00\x12\x36\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.block_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nBlockProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -42,5 +32,5 @@ _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_BLOCK']._serialized_start=136 - _globals['_BLOCK']._serialized_end=374 + _globals['_BLOCK']._serialized_end=338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 2daafffe..1ba424f2 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py index c841c372..dfb84bfc 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2.py @@ -1,40 +1,30 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/canonical.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/canonical.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"~\n\x10\x43\x61nonicalBlockID\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12V\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00R\rpartSetHeader\"B\n\x16\x43\x61nonicalPartSetHeader\x12\x14\n\x05total\x18\x01 \x01(\rR\x05total\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash\"\xd9\x02\n\x11\x43\x61nonicalProposal\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12)\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRoundR\x08polRound\x12J\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12&\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\"\xaa\x02\n\rCanonicalVote\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12J\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12&\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\"\x7f\n\x16\x43\x61nonicalVoteExtension\x12\x1c\n\textension\x18\x01 \x01(\x0cR\textension\x12\x16\n\x06height\x18\x02 \x01(\x10R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x10R\x05round\x12\x19\n\x08\x63hain_id\x18\x04 \x01(\tR\x07\x63hainIdB\xbc\x01\n\x14\x63om.tendermint.typesB\x0e\x43\x61nonicalProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"i\n\x10\x43\x61nonicalBlockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12G\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00\"5\n\x16\x43\x61nonicalPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"\x9d\x02\n\x11\x43\x61nonicalProposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x1f\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRound\x12\x41\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\xf8\x01\n\rCanonicalVote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x41\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\\\n\x16\x43\x61nonicalVoteExtension\x12\x11\n\textension\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x10\n\x08\x63hain_id\x18\x04 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.canonical_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\016CanonicalProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._loaded_options = None _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._loaded_options = None @@ -52,13 +42,13 @@ _globals['_CANONICALVOTE'].fields_by_name['chain_id']._loaded_options = None _globals['_CANONICALVOTE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' _globals['_CANONICALBLOCKID']._serialized_start=139 - _globals['_CANONICALBLOCKID']._serialized_end=265 - _globals['_CANONICALPARTSETHEADER']._serialized_start=267 - _globals['_CANONICALPARTSETHEADER']._serialized_end=333 - _globals['_CANONICALPROPOSAL']._serialized_start=336 - _globals['_CANONICALPROPOSAL']._serialized_end=681 - _globals['_CANONICALVOTE']._serialized_start=684 - _globals['_CANONICALVOTE']._serialized_end=982 - _globals['_CANONICALVOTEEXTENSION']._serialized_start=984 - _globals['_CANONICALVOTEEXTENSION']._serialized_end=1111 + _globals['_CANONICALBLOCKID']._serialized_end=244 + _globals['_CANONICALPARTSETHEADER']._serialized_start=246 + _globals['_CANONICALPARTSETHEADER']._serialized_end=299 + _globals['_CANONICALPROPOSAL']._serialized_start=302 + _globals['_CANONICALPROPOSAL']._serialized_end=587 + _globals['_CANONICALVOTE']._serialized_start=590 + _globals['_CANONICALVOTE']._serialized_end=838 + _globals['_CANONICALVOTEEXTENSION']._serialized_start=840 + _globals['_CANONICALVOTEEXTENSION']._serialized_end=932 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py index 2daafffe..99128936 100644 --- a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/events_pb2.py b/pyinjective/proto/tendermint/types/events_pb2.py index 6c4ff8be..1a2d6848 100644 --- a/pyinjective/proto/tendermint/types/events_pb2.py +++ b/pyinjective/proto/tendermint/types/events_pb2.py @@ -1,22 +1,12 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/events.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/events.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -24,14 +14,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/events.proto\x12\x10tendermint.types\"W\n\x13\x45ventDataRoundState\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x12\n\x04step\x18\x03 \x01(\tR\x04stepB\xb9\x01\n\x14\x63om.tendermint.typesB\x0b\x45ventsProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/events.proto\x12\x10tendermint.types\"B\n\x13\x45ventDataRoundState\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\013EventsProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_EVENTDATAROUNDSTATE']._serialized_start=51 - _globals['_EVENTDATAROUNDSTATE']._serialized_end=138 + _globals['_EVENTDATAROUNDSTATE']._serialized_end=117 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/events_pb2_grpc.py b/pyinjective/proto/tendermint/types/events_pb2_grpc.py index 2daafffe..635dc42d 100644 --- a/pyinjective/proto/tendermint/types/events_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/events_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index 4b43c748..c293b1ff 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -1,41 +1,31 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/evidence.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/evidence.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xe4\x01\n\x08\x45vidence\x12\x61\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00R\x15\x64uplicateVoteEvidence\x12n\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00R\x19lightClientAttackEvidenceB\x05\n\x03sum\"\x90\x02\n\x15\x44uplicateVoteEvidence\x12-\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteA\x12-\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteB\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\x12\'\n\x0fvalidator_power\x18\x04 \x01(\x03R\x0evalidatorPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"\xcd\x02\n\x19LightClientAttackEvidence\x12I\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlockR\x10\x63onflictingBlock\x12#\n\rcommon_height\x18\x02 \x01(\x03R\x0c\x63ommonHeight\x12N\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\x13\x62yzantineValidators\x12,\n\x12total_voting_power\x18\x04 \x01(\x03R\x10totalVotingPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"L\n\x0c\x45videnceList\x12<\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00R\x08\x65videnceB\xbb\x01\n\x14\x63om.tendermint.typesB\rEvidenceProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xb2\x01\n\x08\x45vidence\x12J\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00\x12S\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00\x42\x05\n\x03sum\"\xd5\x01\n\x15\x44uplicateVoteEvidence\x12&\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12&\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\x12\x17\n\x0fvalidator_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\xfb\x01\n\x19LightClientAttackEvidence\x12\x37\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlock\x12\x15\n\rcommon_height\x18\x02 \x01(\x03\x12\x39\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"B\n\x0c\x45videnceList\x12\x32\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\rEvidenceProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._loaded_options = None @@ -43,11 +33,11 @@ _globals['_EVIDENCELIST'].fields_by_name['evidence']._loaded_options = None _globals['_EVIDENCELIST'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_EVIDENCE']._serialized_start=173 - _globals['_EVIDENCE']._serialized_end=401 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=404 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=676 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=679 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=1012 - _globals['_EVIDENCELIST']._serialized_start=1014 - _globals['_EVIDENCELIST']._serialized_end=1090 + _globals['_EVIDENCE']._serialized_end=351 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=354 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=567 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=570 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=821 + _globals['_EVIDENCELIST']._serialized_start=823 + _globals['_EVIDENCELIST']._serialized_end=889 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2daafffe..2538cd81 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index 563ec0b4..8054f444 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/params.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/params.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\xb2\x02\n\x0f\x43onsensusParams\x12\x33\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x39\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParamsR\x07version\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i\"I\n\x0b\x42lockParams\x12\x1b\n\tmax_bytes\x18\x01 \x01(\x03R\x08maxBytes\x12\x17\n\x07max_gas\x18\x02 \x01(\x03R\x06maxGasJ\x04\x08\x03\x10\x04\"\xa9\x01\n\x0e\x45videnceParams\x12+\n\x12max_age_num_blocks\x18\x01 \x01(\x03R\x0fmaxAgeNumBlocks\x12M\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0emaxAgeDuration\x12\x1b\n\tmax_bytes\x18\x03 \x01(\x03R\x08maxBytes\"?\n\x0fValidatorParams\x12\"\n\rpub_key_types\x18\x01 \x03(\tR\x0bpubKeyTypes:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"+\n\rVersionParams\x12\x10\n\x03\x61pp\x18\x01 \x01(\x04R\x03\x61pp:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"Z\n\x0cHashedParams\x12&\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03R\rblockMaxBytes\x12\"\n\rblock_max_gas\x18\x02 \x01(\x03R\x0b\x62lockMaxGas\"O\n\nABCIParams\x12\x41\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03R\x1avoteExtensionsEnableHeightB\xbd\x01\n\x14\x63om.tendermint.typesB\x0bParamsProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0f\x43onsensusParams\x12,\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12\x30\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams\"7\n\x0b\x42lockParams\x12\x11\n\tmax_bytes\x18\x01 \x01(\x03\x12\x0f\n\x07max_gas\x18\x02 \x01(\x03J\x04\x08\x03\x10\x04\"~\n\x0e\x45videnceParams\x12\x1a\n\x12max_age_num_blocks\x18\x01 \x01(\x03\x12=\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x11\n\tmax_bytes\x18\x03 \x01(\x03\"2\n\x0fValidatorParams\x12\x15\n\rpub_key_types\x18\x01 \x03(\t:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"&\n\rVersionParams\x12\x0b\n\x03\x61pp\x18\x01 \x01(\x04:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\">\n\x0cHashedParams\x12\x17\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03\x12\x15\n\rblock_max_gas\x18\x02 \x01(\x03\"3\n\nABCIParams\x12%\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03\x42\x39Z3github.com/cometbft/cometbft/proto/tendermint/types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\013ParamsProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types\250\342\036\001' _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._loaded_options = None _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_VALIDATORPARAMS']._loaded_options = None @@ -41,17 +31,17 @@ _globals['_VERSIONPARAMS']._loaded_options = None _globals['_VERSIONPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' _globals['_CONSENSUSPARAMS']._serialized_start=106 - _globals['_CONSENSUSPARAMS']._serialized_end=412 - _globals['_BLOCKPARAMS']._serialized_start=414 - _globals['_BLOCKPARAMS']._serialized_end=487 - _globals['_EVIDENCEPARAMS']._serialized_start=490 - _globals['_EVIDENCEPARAMS']._serialized_end=659 - _globals['_VALIDATORPARAMS']._serialized_start=661 - _globals['_VALIDATORPARAMS']._serialized_end=724 - _globals['_VERSIONPARAMS']._serialized_start=726 - _globals['_VERSIONPARAMS']._serialized_end=769 - _globals['_HASHEDPARAMS']._serialized_start=771 - _globals['_HASHEDPARAMS']._serialized_end=861 - _globals['_ABCIPARAMS']._serialized_start=863 - _globals['_ABCIPARAMS']._serialized_end=942 + _globals['_CONSENSUSPARAMS']._serialized_end=369 + _globals['_BLOCKPARAMS']._serialized_start=371 + _globals['_BLOCKPARAMS']._serialized_end=426 + _globals['_EVIDENCEPARAMS']._serialized_start=428 + _globals['_EVIDENCEPARAMS']._serialized_end=554 + _globals['_VALIDATORPARAMS']._serialized_start=556 + _globals['_VALIDATORPARAMS']._serialized_end=606 + _globals['_VERSIONPARAMS']._serialized_start=608 + _globals['_VERSIONPARAMS']._serialized_end=646 + _globals['_HASHEDPARAMS']._serialized_start=648 + _globals['_HASHEDPARAMS']._serialized_end=710 + _globals['_ABCIPARAMS']._serialized_start=712 + _globals['_ABCIPARAMS']._serialized_end=763 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 2daafffe..10835456 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 42fdbeec..5435e09f 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\"9\n\rPartSetHeader\x12\x14\n\x05total\x18\x01 \x01(\rR\x05total\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash\"h\n\x04Part\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x62ytes\x18\x02 \x01(\x0cR\x05\x62ytes\x12\x34\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00R\x05proof\"l\n\x07\x42lockID\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12M\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00R\rpartSetHeader\"\xe6\x04\n\x06Header\x12=\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x43\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\x0cR\x0fproposerAddress\"\x18\n\x04\x44\x61ta\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xb7\x03\n\x04Vote\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12+\n\x11validator_address\x18\x06 \x01(\x0cR\x10validatorAddress\x12\'\n\x0fvalidator_index\x18\x07 \x01(\x05R\x0evalidatorIndex\x12\x1c\n\tsignature\x18\x08 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\t \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\n \x01(\x0cR\x12\x65xtensionSignature\"\xc0\x01\n\x06\x43ommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x41\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00R\nsignatures\"\xdd\x01\n\tCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\"\xe1\x01\n\x0e\x45xtendedCommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12Z\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00R\x12\x65xtendedSignatures\"\xb4\x02\n\x11\x45xtendedCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\x05 \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\x06 \x01(\x0cR\x12\x65xtensionSignature\"\xb3\x02\n\x08Proposal\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x1b\n\tpol_round\x18\x04 \x01(\x05R\x08polRound\x12\x45\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x07 \x01(\x0cR\tsignature\"r\n\x0cSignedHeader\x12\x30\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderR\x06header\x12\x30\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.CommitR\x06\x63ommit\"\x96\x01\n\nLightBlock\x12\x43\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderR\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\"\xc2\x01\n\tBlockMeta\x12\x45\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x1d\n\nblock_size\x18\x02 \x01(\x03R\tblockSize\x12\x36\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x17\n\x07num_txs\x18\x04 \x01(\x03R\x06numTxs\"j\n\x07TxProof\x12\x1b\n\troot_hash\x18\x01 \x01(\x0cR\x08rootHash\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12.\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xb8\x01\n\x14\x63om.tendermint.typesB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None @@ -83,36 +73,36 @@ _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDMSGTYPE']._serialized_start=3405 - _globals['_SIGNEDMSGTYPE']._serialized_end=3620 + _globals['_SIGNEDMSGTYPE']._serialized_start=2666 + _globals['_SIGNEDMSGTYPE']._serialized_end=2881 _globals['_PARTSETHEADER']._serialized_start=202 - _globals['_PARTSETHEADER']._serialized_end=259 - _globals['_PART']._serialized_start=261 - _globals['_PART']._serialized_end=365 - _globals['_BLOCKID']._serialized_start=367 - _globals['_BLOCKID']._serialized_end=475 - _globals['_HEADER']._serialized_start=478 - _globals['_HEADER']._serialized_end=1092 - _globals['_DATA']._serialized_start=1094 - _globals['_DATA']._serialized_end=1118 - _globals['_VOTE']._serialized_start=1121 - _globals['_VOTE']._serialized_end=1560 - _globals['_COMMIT']._serialized_start=1563 - _globals['_COMMIT']._serialized_end=1755 - _globals['_COMMITSIG']._serialized_start=1758 - _globals['_COMMITSIG']._serialized_end=1979 - _globals['_EXTENDEDCOMMIT']._serialized_start=1982 - _globals['_EXTENDEDCOMMIT']._serialized_end=2207 - _globals['_EXTENDEDCOMMITSIG']._serialized_start=2210 - _globals['_EXTENDEDCOMMITSIG']._serialized_end=2518 - _globals['_PROPOSAL']._serialized_start=2521 - _globals['_PROPOSAL']._serialized_end=2828 - _globals['_SIGNEDHEADER']._serialized_start=2830 - _globals['_SIGNEDHEADER']._serialized_end=2944 - _globals['_LIGHTBLOCK']._serialized_start=2947 - _globals['_LIGHTBLOCK']._serialized_end=3097 - _globals['_BLOCKMETA']._serialized_start=3100 - _globals['_BLOCKMETA']._serialized_end=3294 - _globals['_TXPROOF']._serialized_start=3296 - _globals['_TXPROOF']._serialized_end=3402 + _globals['_PARTSETHEADER']._serialized_end=246 + _globals['_PART']._serialized_start=248 + _globals['_PART']._serialized_end=331 + _globals['_BLOCKID']._serialized_start=333 + _globals['_BLOCKID']._serialized_end=420 + _globals['_HEADER']._serialized_start=423 + _globals['_HEADER']._serialized_end=858 + _globals['_DATA']._serialized_start=860 + _globals['_DATA']._serialized_end=879 + _globals['_VOTE']._serialized_start=882 + _globals['_VOTE']._serialized_end=1204 + _globals['_COMMIT']._serialized_start=1207 + _globals['_COMMIT']._serialized_end=1363 + _globals['_COMMITSIG']._serialized_start=1366 + _globals['_COMMITSIG']._serialized_end=1534 + _globals['_EXTENDEDCOMMIT']._serialized_start=1537 + _globals['_EXTENDEDCOMMIT']._serialized_end=1718 + _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 + _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 + _globals['_PROPOSAL']._serialized_start=1948 + _globals['_PROPOSAL']._serialized_end=2193 + _globals['_SIGNEDHEADER']._serialized_start=2195 + _globals['_SIGNEDHEADER']._serialized_end=2293 + _globals['_LIGHTBLOCK']._serialized_start=2295 + _globals['_LIGHTBLOCK']._serialized_end=2417 + _globals['_BLOCKMETA']._serialized_start=2420 + _globals['_BLOCKMETA']._serialized_end=2578 + _globals['_TXPROOF']._serialized_start=2580 + _globals['_TXPROOF']._serialized_end=2663 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 2daafffe..89ae993e 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index 67578121..d7059a2b 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -1,39 +1,29 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/validator.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/types/validator.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\xb2\x01\n\x0cValidatorSet\x12;\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\nvalidators\x12\x37\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.ValidatorR\x08proposer\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\"\xb2\x01\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12;\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"k\n\x0fSimpleValidator\x12\x35\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyR\x06pubKey\x12!\n\x0cvoting_power\x18\x02 \x01(\x03R\x0bvotingPower*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xbc\x01\n\x14\x63om.tendermint.typesB\x0eValidatorProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.validator_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\016ValidatorProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' + _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' _globals['_BLOCKIDFLAG']._loaded_options = None _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None @@ -46,12 +36,12 @@ _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=578 - _globals['_BLOCKIDFLAG']._serialized_end=793 + _globals['_BLOCKIDFLAG']._serialized_start=469 + _globals['_BLOCKIDFLAG']._serialized_end=684 _globals['_VALIDATORSET']._serialized_start=107 - _globals['_VALIDATORSET']._serialized_end=285 - _globals['_VALIDATOR']._serialized_start=288 - _globals['_VALIDATOR']._serialized_end=466 - _globals['_SIMPLEVALIDATOR']._serialized_start=468 - _globals['_SIMPLEVALIDATOR']._serialized_end=575 + _globals['_VALIDATORSET']._serialized_end=245 + _globals['_VALIDATOR']._serialized_start=248 + _globals['_VALIDATOR']._serialized_end=378 + _globals['_SIMPLEVALIDATOR']._serialized_start=380 + _globals['_SIMPLEVALIDATOR']._serialized_end=466 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index 2daafffe..ee3f776f 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index ab206bad..e035eb93 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -1,42 +1,32 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/version/types.proto -# Protobuf Python Version: 5.27.2 +# Protobuf Python Version: 5.26.1 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'tendermint/version/types.proto' -) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\"=\n\x03\x41pp\x12\x1a\n\x08protocol\x18\x01 \x01(\x04R\x08protocol\x12\x1a\n\x08software\x18\x02 \x01(\tR\x08software\"9\n\tConsensus\x12\x14\n\x05\x62lock\x18\x01 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x02 \x01(\x04R\x03\x61pp:\x04\xe8\xa0\x1f\x01\x42\xc4\x01\n\x16\x63om.tendermint.versionB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/version\xa2\x02\x03TVX\xaa\x02\x12Tendermint.Version\xca\x02\x12Tendermint\\Version\xe2\x02\x1eTendermint\\Version\\GPBMetadata\xea\x02\x13Tendermint::Versionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\")\n\x03\x41pp\x12\x10\n\x08protocol\x18\x01 \x01(\x04\x12\x10\n\x08software\x18\x02 \x01(\t\"-\n\tConsensus\x12\r\n\x05\x62lock\x18\x01 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/versionb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.version.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.versionB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/version\242\002\003TVX\252\002\022Tendermint.Version\312\002\022Tendermint\\Version\342\002\036Tendermint\\Version\\GPBMetadata\352\002\023Tendermint::Version' + _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/version' _globals['_CONSENSUS']._loaded_options = None _globals['_CONSENSUS']._serialized_options = b'\350\240\037\001' _globals['_APP']._serialized_start=76 - _globals['_APP']._serialized_end=137 - _globals['_CONSENSUS']._serialized_start=139 - _globals['_CONSENSUS']._serialized_end=196 + _globals['_APP']._serialized_end=117 + _globals['_CONSENSUS']._serialized_start=119 + _globals['_CONSENSUS']._serialized_end=164 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index 2daafffe..b5d744ef 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,4 +1,29 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc +import warnings + +GRPC_GENERATED_VERSION = '1.64.1' +GRPC_VERSION = grpc.__version__ +EXPECTED_ERROR_RELEASE = '1.65.0' +SCHEDULED_RELEASE_DATE = 'June 25, 2024' +_version_not_supported = False + +try: + from grpc._utilities import first_version_is_lower + _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) +except ImportError: + _version_not_supported = True + +if _version_not_supported: + warnings.warn( + f'The grpc package installed is at version {GRPC_VERSION},' + + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' + + f' grpcio>={GRPC_GENERATED_VERSION}.' + + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' + + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' + + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' + + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', + RuntimeWarning + ) From bb76badb77dbaac26b73630d61724cccf8843a23 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Fri, 5 Jul 2024 11:35:08 -0300 Subject: [PATCH 49/63] (fix) Fix failing tests in composer unit tests --- pyinjective/composer.py | 1 + tests/test_composer.py | 1 + 2 files changed, 2 insertions(+) diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 401f70f7..871700bf 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -1939,6 +1939,7 @@ def msg_set_denom_metadata( symbol=symbol, uri=uri, uri_hash=uri_hash, + decimals=token_decimals, ) return token_factory_tx_pb.MsgSetDenomMetadata(sender=sender, metadata=metadata) diff --git a/tests/test_composer.py b/tests/test_composer.py index 513dd01e..1bb57170 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -179,6 +179,7 @@ def test_msg_set_denom_metadata(self, basic_composer: Composer): "display": subdenom, "uri": uri, "uriHash": uri_hash, + "decimals": token_decimals, }, } dict_message = json_format.MessageToDict( From 2a630518c8600057d33f8ae6fa8f9ca10b498689 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 8 Jul 2024 01:04:06 -0300 Subject: [PATCH 50/63] (fix) Updated proto definitions --- Makefile | 19 +- buf.gen.yaml | 27 +- pyinjective/proto/amino/amino_pb2_grpc.py | 25 -- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 -- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 -- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 -- .../cosmos/app/v1alpha1/query_pb2_grpc.py | 25 -- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 -- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/auth/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/auth/v1beta1/tx_pb2_grpc.py | 25 -- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 -- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 -- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/authz/v1beta1/query_pb2_grpc.py | 25 -- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 -- .../proto/cosmos/autocli/v1/query_pb2_grpc.py | 25 -- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 -- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 -- .../cosmos/bank/v1beta1/events_pb2_grpc.py | 4 + .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/bank/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/bank/v1beta1/tx_pb2_grpc.py | 25 -- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 -- .../base/node/v1beta1/query_pb2_grpc.py | 25 -- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 -- .../reflection/v1beta1/reflection_pb2_grpc.py | 25 -- .../v2alpha1/reflection_pb2_grpc.py | 25 -- .../base/tendermint/v1beta1/query_pb2_grpc.py | 25 -- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 -- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 -- .../consensus/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/consensus/v1/query_pb2_grpc.py | 25 -- .../proto/cosmos/consensus/v1/tx_pb2_grpc.py | 25 -- .../crisis/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/crisis/v1beta1/tx_pb2_grpc.py | 25 -- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 -- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 -- .../crypto/keyring/v1/record_pb2_grpc.py | 25 -- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 -- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 -- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 -- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 -- .../distribution/module/v1/module_pb2_grpc.py | 25 -- .../v1beta1/distribution_pb2_grpc.py | 25 -- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 -- .../distribution/v1beta1/query_pb2_grpc.py | 25 -- .../distribution/v1beta1/tx_pb2_grpc.py | 25 -- .../evidence/module/v1/module_pb2_grpc.py | 25 -- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 -- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/evidence/v1beta1/query_pb2_grpc.py | 25 -- .../cosmos/evidence/v1beta1/tx_pb2_grpc.py | 25 -- .../feegrant/module/v1/module_pb2_grpc.py | 25 -- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 -- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/feegrant/v1beta1/query_pb2_grpc.py | 25 -- .../cosmos/feegrant/v1beta1/tx_pb2_grpc.py | 25 -- .../genutil/module/v1/module_pb2_grpc.py | 25 -- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1/query_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1/tx_pb2_grpc.py | 25 -- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 -- .../cosmos/gov/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/gov/v1beta1/tx_pb2_grpc.py | 25 -- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 -- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 -- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 -- .../proto/cosmos/group/v1/query_pb2_grpc.py | 25 -- .../proto/cosmos/group/v1/tx_pb2_grpc.py | 25 -- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 -- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 -- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 -- .../cosmos/mint/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/mint/v1beta1/tx_pb2_grpc.py | 25 -- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 -- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 -- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 -- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 -- .../cosmos/nft/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/nft/v1beta1/tx_pb2_grpc.py | 25 -- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 -- .../orm/query/v1alpha1/query_pb2_grpc.py | 25 -- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 -- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 -- .../params/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 -- .../cosmos/params/v1beta1/query_pb2_grpc.py | 25 -- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 -- .../reflection/v1/reflection_pb2_grpc.py | 25 -- .../slashing/module/v1/module_pb2_grpc.py | 25 -- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/slashing/v1beta1/query_pb2_grpc.py | 25 -- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 -- .../cosmos/slashing/v1beta1/tx_pb2_grpc.py | 25 -- .../staking/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 -- .../staking/v1beta1/genesis_pb2_grpc.py | 25 -- .../cosmos/staking/v1beta1/query_pb2_grpc.py | 25 -- .../staking/v1beta1/staking_pb2_grpc.py | 25 -- .../cosmos/staking/v1beta1/tx_pb2_grpc.py | 25 -- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 -- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 -- .../cosmos/tx/v1beta1/service_pb2_grpc.py | 25 -- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 -- .../upgrade/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/upgrade/v1beta1/query_pb2_grpc.py | 25 -- .../cosmos/upgrade/v1beta1/tx_pb2_grpc.py | 25 -- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 -- .../vesting/module/v1/module_pb2_grpc.py | 25 -- .../cosmos/vesting/v1beta1/tx_pb2_grpc.py | 25 -- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 -- pyinjective/proto/cosmos_proto/cosmos_pb2.py | 26 +- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 -- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 -- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 -- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 -- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 -- .../proto/cosmwasm/wasm/v1/tx_pb2_grpc.py | 25 -- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 -- .../exchange/event_provider_api_pb2_grpc.py | 25 -- pyinjective/proto/exchange/health_pb2_grpc.py | 25 -- .../injective_accounts_rpc_pb2_grpc.py | 25 -- .../injective_auction_rpc_pb2_grpc.py | 25 -- .../injective_campaign_rpc_pb2_grpc.py | 25 -- ...ective_derivative_exchange_rpc_pb2_grpc.py | 25 -- .../injective_exchange_rpc_pb2_grpc.py | 25 -- .../injective_explorer_rpc_pb2_grpc.py | 25 -- .../injective_insurance_rpc_pb2_grpc.py | 25 -- .../exchange/injective_meta_rpc_pb2_grpc.py | 25 -- .../exchange/injective_oracle_rpc_pb2_grpc.py | 25 -- .../injective_portfolio_rpc_pb2_grpc.py | 25 -- .../injective_spot_exchange_rpc_pb2_grpc.py | 25 -- .../injective_trading_rpc_pb2_grpc.py | 25 -- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 -- .../proto/google/api/annotations_pb2_grpc.py | 25 -- pyinjective/proto/google/api/client_pb2.py | 82 +++++ .../proto/google/api/client_pb2_grpc.py | 4 + .../google/api/expr/v1alpha1/checked_pb2.py | 72 ++++ .../api/expr/v1alpha1/checked_pb2_grpc.py | 4 + .../google/api/expr/v1alpha1/eval_pb2.py | 47 +++ .../google/api/expr/v1alpha1/eval_pb2_grpc.py | 4 + .../google/api/expr/v1alpha1/explain_pb2.py | 42 +++ .../api/expr/v1alpha1/explain_pb2_grpc.py | 4 + .../google/api/expr/v1alpha1/syntax_pb2.py | 80 +++++ .../api/expr/v1alpha1/syntax_pb2_grpc.py | 4 + .../google/api/expr/v1alpha1/value_pb2.py | 47 +++ .../api/expr/v1alpha1/value_pb2_grpc.py | 4 + .../proto/google/api/expr/v1beta1/decl_pb2.py | 44 +++ .../google/api/expr/v1beta1/decl_pb2_grpc.py | 4 + .../proto/google/api/expr/v1beta1/eval_pb2.py | 49 +++ .../google/api/expr/v1beta1/eval_pb2_grpc.py | 4 + .../proto/google/api/expr/v1beta1/expr_pb2.py | 57 ++++ .../google/api/expr/v1beta1/expr_pb2_grpc.py | 4 + .../google/api/expr/v1beta1/source_pb2.py | 43 +++ .../api/expr/v1beta1/source_pb2_grpc.py | 4 + .../google/api/expr/v1beta1/value_pb2.py | 47 +++ .../google/api/expr/v1beta1/value_pb2_grpc.py | 4 + .../proto/google/api/field_behavior_pb2.py | 40 +++ .../google/api/field_behavior_pb2_grpc.py | 4 + .../proto/google/api/field_info_pb2.py | 40 +++ .../proto/google/api/field_info_pb2_grpc.py | 4 + pyinjective/proto/google/api/http_pb2_grpc.py | 25 -- pyinjective/proto/google/api/httpbody_pb2.py | 38 +++ .../proto/google/api/httpbody_pb2_grpc.py | 4 + .../proto/google/api/launch_stage_pb2.py | 37 +++ .../proto/google/api/launch_stage_pb2_grpc.py | 4 + pyinjective/proto/google/api/resource_pb2.py | 44 +++ .../proto/google/api/resource_pb2_grpc.py | 4 + .../proto/google/api/visibility_pb2.py | 40 +++ .../proto/google/api/visibility_pb2_grpc.py | 4 + .../proto/google/bytestream/bytestream_pb2.py | 49 +++ .../google/bytestream/bytestream_pb2_grpc.py | 271 +++++++++++++++ .../proto/google/geo/type/viewport_pb2.py | 38 +++ .../google/geo/type/viewport_pb2_grpc.py | 4 + .../google/longrunning/operations_pb2.py | 70 ++++ .../google/longrunning/operations_pb2_grpc.py | 313 ++++++++++++++++++ pyinjective/proto/google/rpc/code_pb2.py | 37 +++ pyinjective/proto/google/rpc/code_pb2_grpc.py | 4 + .../rpc/context/attribute_context_pb2.py | 73 ++++ .../rpc/context/attribute_context_pb2_grpc.py | 4 + .../proto/google/rpc/error_details_pb2.py | 68 ++++ .../google/rpc/error_details_pb2_grpc.py | 4 + pyinjective/proto/google/rpc/status_pb2.py | 38 +++ .../proto/google/rpc/status_pb2_grpc.py | 4 + .../proto/google/type/calendar_period_pb2.py | 37 +++ .../google/type/calendar_period_pb2_grpc.py | 4 + pyinjective/proto/google/type/color_pb2.py | 38 +++ .../proto/google/type/color_pb2_grpc.py | 4 + pyinjective/proto/google/type/date_pb2.py | 37 +++ .../proto/google/type/date_pb2_grpc.py | 4 + pyinjective/proto/google/type/datetime_pb2.py | 40 +++ .../proto/google/type/datetime_pb2_grpc.py | 4 + .../proto/google/type/dayofweek_pb2.py | 37 +++ .../proto/google/type/dayofweek_pb2_grpc.py | 4 + pyinjective/proto/google/type/decimal_pb2.py | 37 +++ .../proto/google/type/decimal_pb2_grpc.py | 4 + pyinjective/proto/google/type/expr_pb2.py | 37 +++ .../proto/google/type/expr_pb2_grpc.py | 4 + pyinjective/proto/google/type/fraction_pb2.py | 37 +++ .../proto/google/type/fraction_pb2_grpc.py | 4 + pyinjective/proto/google/type/interval_pb2.py | 38 +++ .../proto/google/type/interval_pb2_grpc.py | 4 + pyinjective/proto/google/type/latlng_pb2.py | 37 +++ .../proto/google/type/latlng_pb2_grpc.py | 4 + .../proto/google/type/localized_text_pb2.py | 37 +++ .../google/type/localized_text_pb2_grpc.py | 4 + pyinjective/proto/google/type/money_pb2.py | 37 +++ .../proto/google/type/money_pb2_grpc.py | 4 + pyinjective/proto/google/type/month_pb2.py | 37 +++ .../proto/google/type/month_pb2_grpc.py | 4 + .../proto/google/type/phone_number_pb2.py | 39 +++ .../google/type/phone_number_pb2_grpc.py | 4 + .../proto/google/type/postal_address_pb2.py | 37 +++ .../google/type/postal_address_pb2_grpc.py | 4 + .../proto/google/type/quaternion_pb2.py | 37 +++ .../proto/google/type/quaternion_pb2_grpc.py | 4 + .../proto/google/type/timeofday_pb2.py | 37 +++ .../proto/google/type/timeofday_pb2_grpc.py | 4 + .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 -- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 -- .../applications/fee/v1/genesis_pb2_grpc.py | 25 -- .../applications/fee/v1/metadata_pb2_grpc.py | 25 -- .../ibc/applications/fee/v1/query_pb2_grpc.py | 25 -- .../ibc/applications/fee/v1/tx_pb2_grpc.py | 25 -- .../controller/v1/controller_pb2_grpc.py | 25 -- .../controller/v1/query_pb2_grpc.py | 25 -- .../controller/v1/tx_pb2_grpc.py | 25 -- .../genesis/v1/genesis_pb2_grpc.py | 25 -- .../host/v1/host_pb2_grpc.py | 25 -- .../host/v1/query_pb2_grpc.py | 25 -- .../v1/account_pb2_grpc.py | 25 -- .../v1/metadata_pb2_grpc.py | 25 -- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 -- .../transfer/v1/authz_pb2_grpc.py | 25 -- .../transfer/v1/genesis_pb2_grpc.py | 25 -- .../transfer/v1/query_pb2_grpc.py | 25 -- .../transfer/v1/transfer_pb2_grpc.py | 25 -- .../applications/transfer/v1/tx_pb2_grpc.py | 25 -- .../transfer/v2/packet_pb2_grpc.py | 25 -- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 -- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 -- .../ibc/core/channel/v1/query_pb2_grpc.py | 25 -- .../proto/ibc/core/channel/v1/tx_pb2_grpc.py | 25 -- .../ibc/core/client/v1/client_pb2_grpc.py | 25 -- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 -- .../ibc/core/client/v1/query_pb2_grpc.py | 25 -- .../proto/ibc/core/client/v1/tx_pb2_grpc.py | 25 -- .../core/commitment/v1/commitment_pb2_grpc.py | 25 -- .../core/connection/v1/connection_pb2_grpc.py | 25 -- .../core/connection/v1/genesis_pb2_grpc.py | 25 -- .../ibc/core/connection/v1/query_pb2_grpc.py | 25 -- .../ibc/core/connection/v1/tx_pb2_grpc.py | 25 -- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 -- .../localhost/v2/localhost_pb2_grpc.py | 25 -- .../solomachine/v2/solomachine_pb2_grpc.py | 25 -- .../solomachine/v3/solomachine_pb2_grpc.py | 25 -- .../tendermint/v1/tendermint_pb2_grpc.py | 25 -- .../auction/v1beta1/auction_pb2_grpc.py | 25 -- .../auction/v1beta1/genesis_pb2_grpc.py | 25 -- .../auction/v1beta1/query_pb2_grpc.py | 25 -- .../injective/auction/v1beta1/tx_pb2_grpc.py | 25 -- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 -- .../exchange/v1beta1/authz_pb2_grpc.py | 25 -- .../exchange/v1beta1/events_pb2_grpc.py | 25 -- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 -- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 -- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 -- .../exchange/v1beta1/query_pb2_grpc.py | 25 -- .../injective/exchange/v1beta1/tx_pb2_grpc.py | 25 -- .../insurance/v1beta1/events_pb2_grpc.py | 25 -- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 -- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 -- .../insurance/v1beta1/query_pb2_grpc.py | 25 -- .../insurance/v1beta1/tx_pb2_grpc.py | 25 -- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 -- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 -- .../injective/ocr/v1beta1/query_pb2_grpc.py | 25 -- .../injective/ocr/v1beta1/tx_pb2_grpc.py | 25 -- .../oracle/v1beta1/events_pb2_grpc.py | 25 -- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 -- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 -- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 -- .../peggy/v1/attestation_pb2_grpc.py | 25 -- .../injective/peggy/v1/batch_pb2_grpc.py | 25 -- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 -- .../injective/peggy/v1/events_pb2_grpc.py | 25 -- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 -- .../proto/injective/peggy/v1/msgs_pb2_grpc.py | 25 -- .../injective/peggy/v1/params_pb2_grpc.py | 25 -- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 -- .../proto/injective/peggy/v1/proposal_pb2.py | 45 +++ .../injective/peggy/v1/proposal_pb2_grpc.py | 4 + .../injective/peggy/v1/query_pb2_grpc.py | 25 -- .../injective/peggy/v1/types_pb2_grpc.py | 25 -- .../permissions/v1beta1/events_pb2_grpc.py | 25 -- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 -- .../permissions/v1beta1/params_pb2_grpc.py | 25 -- .../v1beta1/permissions_pb2_grpc.py | 25 -- .../permissions/v1beta1/query_pb2_grpc.py | 25 -- .../permissions/v1beta1/tx_pb2_grpc.py | 25 -- .../stream/v1beta1/query_pb2_grpc.py | 25 -- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 -- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 -- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 -- .../injective/tokenfactory/v1beta1/gov_pb2.py | 35 -- .../tokenfactory/v1beta1/gov_pb2_grpc.py | 29 -- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 -- .../tokenfactory/v1beta1/query_pb2_grpc.py | 25 -- .../tokenfactory/v1beta1/tx_pb2_grpc.py | 25 -- .../types/v1beta1/account_pb2_grpc.py | 25 -- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 -- .../types/v1beta1/tx_response_pb2_grpc.py | 25 -- .../injective/wasmx/v1/events_pb2_grpc.py | 25 -- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 -- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 -- .../injective/wasmx/v1/query_pb2_grpc.py | 25 -- .../proto/injective/wasmx/v1/tx_pb2_grpc.py | 25 -- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 -- .../proto/tendermint/blocksync/types_pb2.py | 39 --- .../tendermint/blocksync/types_pb2_grpc.py | 29 -- .../proto/tendermint/consensus/types_pb2.py | 62 ---- .../tendermint/consensus/types_pb2_grpc.py | 29 -- .../proto/tendermint/consensus/wal_pb2.py | 48 --- .../tendermint/consensus/wal_pb2_grpc.py | 29 -- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 -- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 -- .../tendermint/libs/bits/types_pb2_grpc.py | 25 -- .../proto/tendermint/mempool/types_pb2.py | 29 -- .../tendermint/mempool/types_pb2_grpc.py | 29 -- pyinjective/proto/tendermint/p2p/conn_pb2.py | 43 --- .../proto/tendermint/p2p/conn_pb2_grpc.py | 29 -- pyinjective/proto/tendermint/p2p/pex_pb2.py | 35 -- .../proto/tendermint/p2p/pex_pb2_grpc.py | 29 -- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 -- .../proto/tendermint/privval/types_pb2.py | 56 ---- .../tendermint/privval/types_pb2_grpc.py | 29 -- .../proto/tendermint/rpc/grpc/types_pb2.py | 36 -- .../tendermint/rpc/grpc/types_pb2_grpc.py | 166 ---------- .../proto/tendermint/state/types_pb2.py | 68 ---- .../proto/tendermint/state/types_pb2_grpc.py | 29 -- .../proto/tendermint/statesync/types_pb2.py | 35 -- .../tendermint/statesync/types_pb2_grpc.py | 29 -- .../proto/tendermint/store/types_pb2.py | 27 -- .../proto/tendermint/store/types_pb2_grpc.py | 29 -- .../proto/tendermint/types/block_pb2_grpc.py | 25 -- .../proto/tendermint/types/canonical_pb2.py | 54 --- .../tendermint/types/canonical_pb2_grpc.py | 29 -- .../proto/tendermint/types/events_pb2.py | 27 -- .../proto/tendermint/types/events_pb2_grpc.py | 29 -- .../tendermint/types/evidence_pb2_grpc.py | 25 -- .../proto/tendermint/types/params_pb2_grpc.py | 25 -- .../proto/tendermint/types/types_pb2_grpc.py | 25 -- .../tendermint/types/validator_pb2_grpc.py | 25 -- .../tendermint/version/types_pb2_grpc.py | 25 -- 366 files changed, 2699 insertions(+), 7411 deletions(-) create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/client_pb2.py create mode 100644 pyinjective/proto/google/api/client_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/checked_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/checked_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/eval_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/eval_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/explain_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/explain_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/syntax_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/syntax_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/value_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1alpha1/value_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/decl_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/decl_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/eval_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/eval_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/expr_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/expr_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/source_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/source_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/value_pb2.py create mode 100644 pyinjective/proto/google/api/expr/v1beta1/value_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/field_behavior_pb2.py create mode 100644 pyinjective/proto/google/api/field_behavior_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/field_info_pb2.py create mode 100644 pyinjective/proto/google/api/field_info_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/httpbody_pb2.py create mode 100644 pyinjective/proto/google/api/httpbody_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/launch_stage_pb2.py create mode 100644 pyinjective/proto/google/api/launch_stage_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/resource_pb2.py create mode 100644 pyinjective/proto/google/api/resource_pb2_grpc.py create mode 100644 pyinjective/proto/google/api/visibility_pb2.py create mode 100644 pyinjective/proto/google/api/visibility_pb2_grpc.py create mode 100644 pyinjective/proto/google/bytestream/bytestream_pb2.py create mode 100644 pyinjective/proto/google/bytestream/bytestream_pb2_grpc.py create mode 100644 pyinjective/proto/google/geo/type/viewport_pb2.py create mode 100644 pyinjective/proto/google/geo/type/viewport_pb2_grpc.py create mode 100644 pyinjective/proto/google/longrunning/operations_pb2.py create mode 100644 pyinjective/proto/google/longrunning/operations_pb2_grpc.py create mode 100644 pyinjective/proto/google/rpc/code_pb2.py create mode 100644 pyinjective/proto/google/rpc/code_pb2_grpc.py create mode 100644 pyinjective/proto/google/rpc/context/attribute_context_pb2.py create mode 100644 pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py create mode 100644 pyinjective/proto/google/rpc/error_details_pb2.py create mode 100644 pyinjective/proto/google/rpc/error_details_pb2_grpc.py create mode 100644 pyinjective/proto/google/rpc/status_pb2.py create mode 100644 pyinjective/proto/google/rpc/status_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/calendar_period_pb2.py create mode 100644 pyinjective/proto/google/type/calendar_period_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/color_pb2.py create mode 100644 pyinjective/proto/google/type/color_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/date_pb2.py create mode 100644 pyinjective/proto/google/type/date_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/datetime_pb2.py create mode 100644 pyinjective/proto/google/type/datetime_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/dayofweek_pb2.py create mode 100644 pyinjective/proto/google/type/dayofweek_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/decimal_pb2.py create mode 100644 pyinjective/proto/google/type/decimal_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/expr_pb2.py create mode 100644 pyinjective/proto/google/type/expr_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/fraction_pb2.py create mode 100644 pyinjective/proto/google/type/fraction_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/interval_pb2.py create mode 100644 pyinjective/proto/google/type/interval_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/latlng_pb2.py create mode 100644 pyinjective/proto/google/type/latlng_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/localized_text_pb2.py create mode 100644 pyinjective/proto/google/type/localized_text_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/money_pb2.py create mode 100644 pyinjective/proto/google/type/money_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/month_pb2.py create mode 100644 pyinjective/proto/google/type/month_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/phone_number_pb2.py create mode 100644 pyinjective/proto/google/type/phone_number_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/postal_address_pb2.py create mode 100644 pyinjective/proto/google/type/postal_address_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/quaternion_pb2.py create mode 100644 pyinjective/proto/google/type/quaternion_pb2_grpc.py create mode 100644 pyinjective/proto/google/type/timeofday_pb2.py create mode 100644 pyinjective/proto/google/type/timeofday_pb2_grpc.py create mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2.py create mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py delete mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py delete mode 100644 pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/blocksync/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/consensus/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/consensus/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/consensus/wal_pb2.py delete mode 100644 pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/mempool/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/mempool/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/p2p/conn_pb2.py delete mode 100644 pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/p2p/pex_pb2.py delete mode 100644 pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/privval/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/privval/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/rpc/grpc/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/state/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/state/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/statesync/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/statesync/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/store/types_pb2.py delete mode 100644 pyinjective/proto/tendermint/store/types_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/types/canonical_pb2.py delete mode 100644 pyinjective/proto/tendermint/types/canonical_pb2_grpc.py delete mode 100644 pyinjective/proto/tendermint/types/events_pb2.py delete mode 100644 pyinjective/proto/tendermint/types/events_pb2_grpc.py diff --git a/Makefile b/Makefile index d56a846b..7d960aad 100644 --- a/Makefile +++ b/Makefile @@ -4,14 +4,15 @@ gen: gen-client gen-client: clone-all copy-proto mkdir -p ./pyinjective/proto - cd ./proto && buf generate --template ../buf.gen.yaml + buf generate --template buf.gen.yaml rm -rf proto $(call clean_repos) - touch pyinjective/proto/__init__.py - $(MAKE) fix-proto-imports + $(MAKE) fix-generated-proto-imports PROTO_MODULES := cosmwasm exchange gogoproto cosmos_proto cosmos testpb ibc amino tendermint injective -fix-proto-imports: + +fix-generated-proto-imports: + @touch pyinjective/proto/__init__.py @for module in $(PROTO_MODULES); do \ find ./pyinjective/proto -type f -name "*.py" -exec sed -i "" -e "s/from $${module}/from pyinjective.proto.$${module}/g" {} \; ; \ done @@ -37,16 +38,6 @@ clone-all: clone-injective-indexer copy-proto: rm -rf pyinjective/proto mkdir -p proto/exchange - buf export ./cosmos-sdk --output=third_party - buf export ./ibc-go --exclude-imports --output=third_party - buf export ./cometbft --exclude-imports --output=third_party - buf export ./wasmd --exclude-imports --output=third_party - buf export https://github.com/cosmos/ics23.git --exclude-imports --output=third_party - cp -r injective-core/proto/injective proto/ - cp -r third_party/* proto/ - - rm -rf ./third_party - find ./injective-indexer/api/gen/grpc -type f -name "*.proto" -exec cp {} ./proto/exchange/ \; tests: diff --git a/buf.gen.yaml b/buf.gen.yaml index 4a5cc2ec..29858574 100644 --- a/buf.gen.yaml +++ b/buf.gen.yaml @@ -3,6 +3,29 @@ managed: enabled: true plugins: - remote: buf.build/protocolbuffers/python - out: ../pyinjective/proto/ + out: ./pyinjective/proto/ - remote: buf.build/grpc/python - out: ../pyinjective/proto/ + out: ./pyinjective/proto/ +inputs: + - module: buf.build/cosmos/cosmos-proto + - module: buf.build/cosmos/gogo-proto + - module: buf.build/googleapis/googleapis + - module: buf.build/cosmos/ics23 + - git_repo: https://github.com/InjectiveLabs/cosmos-sdk + branch: v0.50.x-inj + - git_repo: https://github.com/InjectiveLabs/ibc-go + branch: v8.3.x-inj + subdir: proto +# - git_repo: https://github.com/InjectiveLabs/wasmd +# tag: v0.45.0-inj +# subdir: proto + - git_repo: https://github.com/InjectiveLabs/wasmd + branch: v0.51.x-inj + subdir: proto + - git_repo: https://github.com/InjectiveLabs/injective-core + tag: v1.12.1 + subdir: proto + - git_repo: https://github.com/InjectiveLabs/injective-core + branch: dev + subdir: proto + - directory: proto diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 3f4d19f9..2daafffe 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in amino/amino_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index a80d91f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 14588113..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index c8072676..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py index 936c1120..86f0b576 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.app.v1alpha1 import query_pb2 as cosmos_dot_app_dot_v1alpha1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is the app module query service. diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 8955dd21..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 125c38a0..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index e9a45112..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py index 7100f432..b8bcec08 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.auth.v1beta1 import query_pb2 as cosmos_dot_auth_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py index 6b3c2312..4c82c564 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.auth.v1beta1 import tx_pb2 as cosmos_dot_auth_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the x/auth Msg service. diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 41a6eb18..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 6ab92cd1..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 1455078e..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 86d0781f..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py index 5ed73a42..e75edd23 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.authz.v1beta1 import query_pb2 as cosmos_dot_authz_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index e388b205..2daafffe 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py index d9b18db7..989a8356 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.autocli.v1 import query_pb2 as cosmos_dot_autocli_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """RemoteInfoService provides clients with the information they need diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 6e58e0b4..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 285e00f5..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 8a692062..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 4fd6af84..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py index 67a7f249..2318f271 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.bank.v1beta1 import query_pb2 as cosmos_dot_bank_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py index a0b3f7fe..1b438771 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.bank.v1beta1 import tx_pb2 as cosmos_dot_bank_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index dd1b5932..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py index 18a4cb4c..3cc93343 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.node.v1beta1 import query_pb2 as cosmos_dot_base_dot_node_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/node/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ServiceStub(object): """Service defines the gRPC querier service for node related queries. diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index eb30a3d4..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py index 640012be..9a956494 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.reflection.v1beta1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v1beta1_dot_reflection__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/reflection/v1beta1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """ReflectionService defines a service for interface reflection. diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py index b44c8eb5..379809ed 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.reflection.v2alpha1 import reflection_pb2 as cosmos_dot_base_dot_reflection_dot_v2alpha1_dot_reflection__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/reflection/v2alpha1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """ReflectionService defines a service for application reflection. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py index 286a4655..30707ac1 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.base.tendermint.v1beta1 import query_pb2 as cosmos_dot_base_dot_tendermint_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ServiceStub(object): """Service defines the gRPC querier service for tendermint queries. diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 033369f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 1de6a63b..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 93428b40..2daafffe 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py index 050636c6..b1a719b2 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.consensus.v1 import query_pb2 as cosmos_dot_consensus_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py index 03417a09..da512ed6 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.consensus.v1 import tx_pb2 as cosmos_dot_consensus_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the consensus Msg service. diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 781018ac..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index b8a4124f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py index dcee8866..1d15bace 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.crisis.v1beta1 import tx_pb2 as cosmos_dot_crisis_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index ed86dc9b..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 03c80dec..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 8f877d97..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 813983af..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index d96cbfca..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 5777851f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index b7d8d50a..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index e573012c..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index ed9e15ba..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index ccfd6cca..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py index a3346d16..583d9bda 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import query_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for distribution module. diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py index ed2046ed..57ae313a 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.distribution.v1beta1 import tx_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the distribution Msg service. diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 36ecbcf7..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index b0655041..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index dc2ce73d..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py index fd673d56..879e2663 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import query_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py index c7c8677e..404c0f89 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.evidence.v1beta1 import tx_pb2 as cosmos_dot_evidence_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the evidence Msg service. diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 6e78c597..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index a53e752f..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 627adfc3..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py index cf48437e..e5f502ad 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import query_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py index 10097e0b..86ab0ccc 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.feegrant.v1beta1 import tx_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the feegrant msg service. diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 8fbc2deb..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index e0c67349..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index a66c0664..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index c5256a75..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 42753a72..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py index 03e45f91..4189082a 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1 import query_pb2 as cosmos_dot_gov_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py index 0c59dc21..a1defed3 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1 import tx_pb2 as cosmos_dot_gov_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the gov Msg service. diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index e9b978c6..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 9f0fc764..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py index ad7a6c4f..1c268032 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1beta1 import query_pb2 as cosmos_dot_gov_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for gov module diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py index d6ba08c7..a8fbf803 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.gov.v1beta1 import tx_pb2 as cosmos_dot_gov_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the gov Msg service. diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 75848b93..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index ece303bf..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index e687ea6c..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py index fd71377b..3018bf10 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.group.v1 import query_pb2 as cosmos_dot_group_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is the cosmos.group.v1 Query service. diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py index 85053d43..39d77388 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.group.v1 import tx_pb2 as cosmos_dot_group_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg is the cosmos.group.v1 Msg service. diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index c721892d..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index a82d5f8b..2daafffe 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index f7416d70..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 3c40b433..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index f6da96cd..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py index 982f1fda..c9ec00cb 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.mint.v1beta1 import query_pb2 as cosmos_dot_mint_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py index 9ba40034..0d6e1328 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.mint.v1beta1 import tx_pb2 as cosmos_dot_mint_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the x/mint Msg service. diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 3730ba40..2daafffe 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 22737655..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 4f50dde7..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index ffcfec91..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 72c83091..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py index 8e86cfaf..ab1f20be 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.nft.v1beta1 import query_pb2 as cosmos_dot_nft_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py index 3b62828d..c932a6d7 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.nft.v1beta1 import tx_pb2 as cosmos_dot_nft_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the nft Msg service. diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index bd028b7a..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py index 835dc4ed..fdcaaba1 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.orm.query.v1alpha1 import query_pb2 as cosmos_dot_orm_dot_query_dot_v1alpha1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/query/v1alpha1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query is a generic gRPC service for querying ORM data. diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 0f03d13d..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 40712371..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 4bad0bd0..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index cdfe7f6d..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py index babbc747..b9ed1797 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.params.v1beta1 import query_pb2 as cosmos_dot_params_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 51870a49..2daafffe 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py index c0f91980..0c311309 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.reflection.v1 import reflection_pb2 as cosmos_dot_reflection_dot_v1_dot_reflection__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/reflection/v1/reflection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ReflectionServiceStub(object): """Package cosmos.reflection.v1 provides support for inspecting protobuf diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 34467489..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 5b3f838a..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py index d73f0ff9..69674eb7 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import query_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 42aa6035..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py index 480aed79..63fd5cdd 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.slashing.v1beta1 import tx_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the slashing Msg service. diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 246d99d1..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 129a33db..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 06c7bacd..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py index beee0859..9ed468d7 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.staking.v1beta1 import query_pb2 as cosmos_dot_staking_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 57d3c259..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py index eb2a5bf3..f4113b4b 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.staking.v1beta1 import tx_pb2 as cosmos_dot_staking_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the staking Msg service. diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 98c32a53..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index c2fc4c5b..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py index 84ee1f8c..df830953 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.tx.v1beta1 import service_pb2 as cosmos_dot_tx_dot_v1beta1_dot_service__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/service_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class ServiceStub(object): """Service defines a gRPC service for interacting with transactions. diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index cbbb3eb8..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 81d877e2..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py index cae22797..d5092b8d 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import query_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC upgrade querier service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py index 7dd30bb8..2a4012ac 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.upgrade.v1beta1 import tx_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the upgrade Msg service. diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index cce8a2dc..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 34cc657c..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py index 63ec9f40..023b77e1 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmos.vesting.v1beta1 import tx_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the bank Msg service. diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 585a3132..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2.py b/pyinjective/proto/cosmos_proto/cosmos_pb2.py index 46c8df48..ea79b1c3 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos_proto/cosmos.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos_proto/cosmos.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,18 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"8\n\x13InterfaceDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"c\n\x10ScalarDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12,\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:?\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\t::\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\t:/\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\t:\\\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptor:V\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorB-Z+github.com/cosmos/cosmos-proto;cosmos_protob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos_proto/cosmos.proto\x12\x0c\x63osmos_proto\x1a google/protobuf/descriptor.proto\"K\n\x13InterfaceDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"\x81\x01\n\x10ScalarDescriptor\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x37\n\nfield_type\x18\x03 \x03(\x0e\x32\x18.cosmos_proto.ScalarTypeR\tfieldType*X\n\nScalarType\x12\x1b\n\x17SCALAR_TYPE_UNSPECIFIED\x10\x00\x12\x16\n\x12SCALAR_TYPE_STRING\x10\x01\x12\x15\n\x11SCALAR_TYPE_BYTES\x10\x02:H\n\x0fmethod_added_in\x12\x1e.google.protobuf.MethodOptions\x18\xc9\xd6\x05 \x01(\tR\rmethodAddedIn:T\n\x14implements_interface\x12\x1f.google.protobuf.MessageOptions\x18\xc9\xd6\x05 \x03(\tR\x13implementsInterface:K\n\x10message_added_in\x12\x1f.google.protobuf.MessageOptions\x18\xca\xd6\x05 \x01(\tR\x0emessageAddedIn:L\n\x11\x61\x63\x63\x65pts_interface\x12\x1d.google.protobuf.FieldOptions\x18\xc9\xd6\x05 \x01(\tR\x10\x61\x63\x63\x65ptsInterface:7\n\x06scalar\x12\x1d.google.protobuf.FieldOptions\x18\xca\xd6\x05 \x01(\tR\x06scalar:E\n\x0e\x66ield_added_in\x12\x1d.google.protobuf.FieldOptions\x18\xcb\xd6\x05 \x01(\tR\x0c\x66ieldAddedIn:n\n\x11\x64\x65\x63lare_interface\x12\x1c.google.protobuf.FileOptions\x18\xbd\xb3\x30 \x03(\x0b\x32!.cosmos_proto.InterfaceDescriptorR\x10\x64\x65\x63lareInterface:e\n\x0e\x64\x65\x63lare_scalar\x12\x1c.google.protobuf.FileOptions\x18\xbe\xb3\x30 \x03(\x0b\x32\x1e.cosmos_proto.ScalarDescriptorR\rdeclareScalar:B\n\rfile_added_in\x12\x1c.google.protobuf.FileOptions\x18\xbf\xb3\x30 \x01(\tR\x0b\x66ileAddedInB\x98\x01\n\x10\x63om.cosmos_protoB\x0b\x43osmosProtoP\x01Z+github.com/cosmos/cosmos-proto;cosmos_proto\xa2\x02\x03\x43XX\xaa\x02\x0b\x43osmosProto\xca\x02\x0b\x43osmosProto\xe2\x02\x17\x43osmosProto\\GPBMetadata\xea\x02\x0b\x43osmosProtob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos_proto.cosmos_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-proto;cosmos_proto' - _globals['_SCALARTYPE']._serialized_start=236 - _globals['_SCALARTYPE']._serialized_end=324 + _globals['DESCRIPTOR']._serialized_options = b'\n\020com.cosmos_protoB\013CosmosProtoP\001Z+github.com/cosmos/cosmos-proto;cosmos_proto\242\002\003CXX\252\002\013CosmosProto\312\002\013CosmosProto\342\002\027CosmosProto\\GPBMetadata\352\002\013CosmosProto' + _globals['_SCALARTYPE']._serialized_start=286 + _globals['_SCALARTYPE']._serialized_end=374 _globals['_INTERFACEDESCRIPTOR']._serialized_start=77 - _globals['_INTERFACEDESCRIPTOR']._serialized_end=133 - _globals['_SCALARDESCRIPTOR']._serialized_start=135 - _globals['_SCALARDESCRIPTOR']._serialized_end=234 + _globals['_INTERFACEDESCRIPTOR']._serialized_end=152 + _globals['_SCALARDESCRIPTOR']._serialized_start=155 + _globals['_SCALARDESCRIPTOR']._serialized_end=284 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 6fc327ab..2daafffe 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 08368e00..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index a7fa61f0..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index b6513996..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 416372a7..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py index 31e62310..7dbc1734 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.cosmwasm.wasm.v1 import tx_pb2 as cosmwasm_dot_wasm_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the wasm Msg service. diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 5cb4c9d9..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py index 2ea71b89..7a17ca12 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import event_provider_api_pb2 as exchange_dot_event__provider__api__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/event_provider_api_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class EventProviderAPIStub(object): """EventProviderAPI provides processed block events for different backends. diff --git a/pyinjective/proto/exchange/health_pb2_grpc.py b/pyinjective/proto/exchange/health_pb2_grpc.py index 52b52fa3..f83f04db 100644 --- a/pyinjective/proto/exchange/health_pb2_grpc.py +++ b/pyinjective/proto/exchange/health_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import health_pb2 as exchange_dot_health__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/health_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class HealthStub(object): """HealthAPI allows to check if backend data is up-to-date and reliable or not. diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py index 1f56a37a..7289d020 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_accounts_rpc_pb2 as exchange_dot_injective__accounts__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_accounts_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveAccountsRPCStub(object): """InjectiveAccountsRPC defines API of Exchange Accounts provider. diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py index bae4f6b7..d2492e84 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_auction_rpc_pb2 as exchange_dot_injective__auction__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_auction_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveAuctionRPCStub(object): """InjectiveAuctionRPC defines gRPC API of the Auction API. diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index 6a6cb974..d43b921d 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_campaign_rpc_pb2 as exchange_dot_injective__campaign__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_campaign_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveCampaignRPCStub(object): """InjectiveCampaignRPC defined a gRPC service for Injective Campaigns. diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py index fee66490..fd5d2b43 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_derivative_exchange_rpc_pb2 as exchange_dot_injective__derivative__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_derivative_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveDerivativeExchangeRPCStub(object): """InjectiveDerivativeExchangeRPC defines gRPC API of Derivative Markets diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py index 32dded3e..cddca5ba 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_exchange_rpc_pb2 as exchange_dot_injective__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveExchangeRPCStub(object): """InjectiveExchangeRPC defines gRPC API of an Injective Exchange service. diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py index fd748ea4..24ce812f 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_explorer_rpc_pb2 as exchange_dot_injective__explorer__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_explorer_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveExplorerRPCStub(object): """ExplorerAPI implements explorer data API for e.g. Blockchain Explorer diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py index 87a6c3ca..1992ac88 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_insurance_rpc_pb2 as exchange_dot_injective__insurance__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_insurance_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveInsuranceRPCStub(object): """InjectiveInsuranceRPC defines gRPC API of Insurance provider. diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py index 62496c97..3939655c 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_meta_rpc_pb2 as exchange_dot_injective__meta__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_meta_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveMetaRPCStub(object): """InjectiveMetaRPC is a special API subset to get info about server. diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py index 5f1858e5..9f317b59 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_oracle_rpc_pb2 as exchange_dot_injective__oracle__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_oracle_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveOracleRPCStub(object): """InjectiveOracleRPC defines gRPC API of Exchange Oracle provider. diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py index d7a18690..dea15cb0 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_portfolio_rpc_pb2 as exchange_dot_injective__portfolio__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_portfolio_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectivePortfolioRPCStub(object): """InjectivePortfolioRPC defines gRPC API of Exchange Portfolio provider. diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py index 8aaa3133..5559f838 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_spot_exchange_rpc_pb2 as exchange_dot_injective__spot__exchange__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_spot_exchange_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveSpotExchangeRPCStub(object): """InjectiveSpotExchangeRPC defines gRPC API of Spot Exchange provider. diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py index 40d33450..f0c3e8df 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.exchange import injective_trading_rpc_pb2 as exchange_dot_injective__trading__rpc__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in exchange/injective_trading_rpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class InjectiveTradingRPCStub(object): """InjectiveTradingStrategiesRPC defined a gRPC service for Injective Trading diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index f29e834c..2daafffe 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index aff8bf22..2daafffe 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/client_pb2.py b/pyinjective/proto/google/api/client_pb2.py new file mode 100644 index 00000000..a0968355 --- /dev/null +++ b/pyinjective/proto/google/api/client_pb2.py @@ -0,0 +1,82 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/client.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/client.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.google.api import launch_stage_pb2 as google_dot_api_dot_launch__stage__pb2 +from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17google/api/client.proto\x12\ngoogle.api\x1a\x1dgoogle/api/launch_stage.proto\x1a google/protobuf/descriptor.proto\x1a\x1egoogle/protobuf/duration.proto\"\x94\x01\n\x16\x43ommonLanguageSettings\x12\x30\n\x12reference_docs_uri\x18\x01 \x01(\tB\x02\x18\x01R\x10referenceDocsUri\x12H\n\x0c\x64\x65stinations\x18\x02 \x03(\x0e\x32$.google.api.ClientLibraryDestinationR\x0c\x64\x65stinations\"\x93\x05\n\x15\x43lientLibrarySettings\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12:\n\x0claunch_stage\x18\x02 \x01(\x0e\x32\x17.google.api.LaunchStageR\x0blaunchStage\x12,\n\x12rest_numeric_enums\x18\x03 \x01(\x08R\x10restNumericEnums\x12=\n\rjava_settings\x18\x15 \x01(\x0b\x32\x18.google.api.JavaSettingsR\x0cjavaSettings\x12:\n\x0c\x63pp_settings\x18\x16 \x01(\x0b\x32\x17.google.api.CppSettingsR\x0b\x63ppSettings\x12:\n\x0cphp_settings\x18\x17 \x01(\x0b\x32\x17.google.api.PhpSettingsR\x0bphpSettings\x12\x43\n\x0fpython_settings\x18\x18 \x01(\x0b\x32\x1a.google.api.PythonSettingsR\x0epythonSettings\x12=\n\rnode_settings\x18\x19 \x01(\x0b\x32\x18.google.api.NodeSettingsR\x0cnodeSettings\x12\x43\n\x0f\x64otnet_settings\x18\x1a \x01(\x0b\x32\x1a.google.api.DotnetSettingsR\x0e\x64otnetSettings\x12=\n\rruby_settings\x18\x1b \x01(\x0b\x32\x18.google.api.RubySettingsR\x0crubySettings\x12\x37\n\x0bgo_settings\x18\x1c \x01(\x0b\x32\x16.google.api.GoSettingsR\ngoSettings\"\xf4\x04\n\nPublishing\x12\x43\n\x0fmethod_settings\x18\x02 \x03(\x0b\x32\x1a.google.api.MethodSettingsR\x0emethodSettings\x12\"\n\rnew_issue_uri\x18\x65 \x01(\tR\x0bnewIssueUri\x12+\n\x11\x64ocumentation_uri\x18\x66 \x01(\tR\x10\x64ocumentationUri\x12$\n\x0e\x61pi_short_name\x18g \x01(\tR\x0c\x61piShortName\x12!\n\x0cgithub_label\x18h \x01(\tR\x0bgithubLabel\x12\x34\n\x16\x63odeowner_github_teams\x18i \x03(\tR\x14\x63odeownerGithubTeams\x12$\n\x0e\x64oc_tag_prefix\x18j \x01(\tR\x0c\x64ocTagPrefix\x12I\n\x0corganization\x18k \x01(\x0e\x32%.google.api.ClientLibraryOrganizationR\x0corganization\x12L\n\x10library_settings\x18m \x03(\x0b\x32!.google.api.ClientLibrarySettingsR\x0flibrarySettings\x12I\n!proto_reference_documentation_uri\x18n \x01(\tR\x1eprotoReferenceDocumentationUri\x12G\n rest_reference_documentation_uri\x18o \x01(\tR\x1drestReferenceDocumentationUri\"\x9a\x02\n\x0cJavaSettings\x12\'\n\x0flibrary_package\x18\x01 \x01(\tR\x0elibraryPackage\x12_\n\x13service_class_names\x18\x02 \x03(\x0b\x32/.google.api.JavaSettings.ServiceClassNamesEntryR\x11serviceClassNames\x12:\n\x06\x63ommon\x18\x03 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\x1a\x44\n\x16ServiceClassNamesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"I\n\x0b\x43ppSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"I\n\x0bPhpSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"L\n\x0ePythonSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"J\n\x0cNodeSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"\xae\x04\n\x0e\x44otnetSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\x12Z\n\x10renamed_services\x18\x02 \x03(\x0b\x32/.google.api.DotnetSettings.RenamedServicesEntryR\x0frenamedServices\x12]\n\x11renamed_resources\x18\x03 \x03(\x0b\x32\x30.google.api.DotnetSettings.RenamedResourcesEntryR\x10renamedResources\x12+\n\x11ignored_resources\x18\x04 \x03(\tR\x10ignoredResources\x12\x38\n\x18\x66orced_namespace_aliases\x18\x05 \x03(\tR\x16\x66orcedNamespaceAliases\x12\x35\n\x16handwritten_signatures\x18\x06 \x03(\tR\x15handwrittenSignatures\x1a\x42\n\x14RenamedServicesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x1a\x43\n\x15RenamedResourcesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"J\n\x0cRubySettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"H\n\nGoSettings\x12:\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\".google.api.CommonLanguageSettingsR\x06\x63ommon\"\xc2\x03\n\x0eMethodSettings\x12\x1a\n\x08selector\x18\x01 \x01(\tR\x08selector\x12I\n\x0clong_running\x18\x02 \x01(\x0b\x32&.google.api.MethodSettings.LongRunningR\x0blongRunning\x12\x32\n\x15\x61uto_populated_fields\x18\x03 \x03(\tR\x13\x61utoPopulatedFields\x1a\x94\x02\n\x0bLongRunning\x12G\n\x12initial_poll_delay\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationR\x10initialPollDelay\x12\x32\n\x15poll_delay_multiplier\x18\x02 \x01(\x02R\x13pollDelayMultiplier\x12?\n\x0emax_poll_delay\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationR\x0cmaxPollDelay\x12G\n\x12total_poll_timeout\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationR\x10totalPollTimeout*\xa3\x01\n\x19\x43lientLibraryOrganization\x12+\n\'CLIENT_LIBRARY_ORGANIZATION_UNSPECIFIED\x10\x00\x12\t\n\x05\x43LOUD\x10\x01\x12\x07\n\x03\x41\x44S\x10\x02\x12\n\n\x06PHOTOS\x10\x03\x12\x0f\n\x0bSTREET_VIEW\x10\x04\x12\x0c\n\x08SHOPPING\x10\x05\x12\x07\n\x03GEO\x10\x06\x12\x11\n\rGENERATIVE_AI\x10\x07*g\n\x18\x43lientLibraryDestination\x12*\n&CLIENT_LIBRARY_DESTINATION_UNSPECIFIED\x10\x00\x12\n\n\x06GITHUB\x10\n\x12\x13\n\x0fPACKAGE_MANAGER\x10\x14:J\n\x10method_signature\x12\x1e.google.protobuf.MethodOptions\x18\x9b\x08 \x03(\tR\x0fmethodSignature:C\n\x0c\x64\x65\x66\x61ult_host\x12\x1f.google.protobuf.ServiceOptions\x18\x99\x08 \x01(\tR\x0b\x64\x65\x66\x61ultHost:C\n\x0coauth_scopes\x12\x1f.google.protobuf.ServiceOptions\x18\x9a\x08 \x01(\tR\x0boauthScopes:D\n\x0b\x61pi_version\x12\x1f.google.protobuf.ServiceOptions\x18\xc1\xba\xab\xfa\x01 \x01(\tR\napiVersionB\xa9\x01\n\x0e\x63om.google.apiB\x0b\x43lientProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.client_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\013ClientProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['_COMMONLANGUAGESETTINGS'].fields_by_name['reference_docs_uri']._loaded_options = None + _globals['_COMMONLANGUAGESETTINGS'].fields_by_name['reference_docs_uri']._serialized_options = b'\030\001' + _globals['_JAVASETTINGS_SERVICECLASSNAMESENTRY']._loaded_options = None + _globals['_JAVASETTINGS_SERVICECLASSNAMESENTRY']._serialized_options = b'8\001' + _globals['_DOTNETSETTINGS_RENAMEDSERVICESENTRY']._loaded_options = None + _globals['_DOTNETSETTINGS_RENAMEDSERVICESENTRY']._serialized_options = b'8\001' + _globals['_DOTNETSETTINGS_RENAMEDRESOURCESENTRY']._loaded_options = None + _globals['_DOTNETSETTINGS_RENAMEDRESOURCESENTRY']._serialized_options = b'8\001' + _globals['_CLIENTLIBRARYORGANIZATION']._serialized_start=3334 + _globals['_CLIENTLIBRARYORGANIZATION']._serialized_end=3497 + _globals['_CLIENTLIBRARYDESTINATION']._serialized_start=3499 + _globals['_CLIENTLIBRARYDESTINATION']._serialized_end=3602 + _globals['_COMMONLANGUAGESETTINGS']._serialized_start=137 + _globals['_COMMONLANGUAGESETTINGS']._serialized_end=285 + _globals['_CLIENTLIBRARYSETTINGS']._serialized_start=288 + _globals['_CLIENTLIBRARYSETTINGS']._serialized_end=947 + _globals['_PUBLISHING']._serialized_start=950 + _globals['_PUBLISHING']._serialized_end=1578 + _globals['_JAVASETTINGS']._serialized_start=1581 + _globals['_JAVASETTINGS']._serialized_end=1863 + _globals['_JAVASETTINGS_SERVICECLASSNAMESENTRY']._serialized_start=1795 + _globals['_JAVASETTINGS_SERVICECLASSNAMESENTRY']._serialized_end=1863 + _globals['_CPPSETTINGS']._serialized_start=1865 + _globals['_CPPSETTINGS']._serialized_end=1938 + _globals['_PHPSETTINGS']._serialized_start=1940 + _globals['_PHPSETTINGS']._serialized_end=2013 + _globals['_PYTHONSETTINGS']._serialized_start=2015 + _globals['_PYTHONSETTINGS']._serialized_end=2091 + _globals['_NODESETTINGS']._serialized_start=2093 + _globals['_NODESETTINGS']._serialized_end=2167 + _globals['_DOTNETSETTINGS']._serialized_start=2170 + _globals['_DOTNETSETTINGS']._serialized_end=2728 + _globals['_DOTNETSETTINGS_RENAMEDSERVICESENTRY']._serialized_start=2593 + _globals['_DOTNETSETTINGS_RENAMEDSERVICESENTRY']._serialized_end=2659 + _globals['_DOTNETSETTINGS_RENAMEDRESOURCESENTRY']._serialized_start=2661 + _globals['_DOTNETSETTINGS_RENAMEDRESOURCESENTRY']._serialized_end=2728 + _globals['_RUBYSETTINGS']._serialized_start=2730 + _globals['_RUBYSETTINGS']._serialized_end=2804 + _globals['_GOSETTINGS']._serialized_start=2806 + _globals['_GOSETTINGS']._serialized_end=2878 + _globals['_METHODSETTINGS']._serialized_start=2881 + _globals['_METHODSETTINGS']._serialized_end=3331 + _globals['_METHODSETTINGS_LONGRUNNING']._serialized_start=3055 + _globals['_METHODSETTINGS_LONGRUNNING']._serialized_end=3331 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/client_pb2_grpc.py b/pyinjective/proto/google/api/client_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/api/client_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/api/expr/v1alpha1/checked_pb2.py b/pyinjective/proto/google/api/expr/v1alpha1/checked_pb2.py new file mode 100644 index 00000000..89e8ef79 --- /dev/null +++ b/pyinjective/proto/google/api/expr/v1alpha1/checked_pb2.py @@ -0,0 +1,72 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/expr/v1alpha1/checked.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/expr/v1alpha1/checked.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.google.api.expr.v1alpha1 import syntax_pb2 as google_dot_api_dot_expr_dot_v1alpha1_dot_syntax__pb2 +from google.protobuf import empty_pb2 as google_dot_protobuf_dot_empty__pb2 +from google.protobuf import struct_pb2 as google_dot_protobuf_dot_struct__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&google/api/expr/v1alpha1/checked.proto\x12\x18google.api.expr.v1alpha1\x1a%google/api/expr/v1alpha1/syntax.proto\x1a\x1bgoogle/protobuf/empty.proto\x1a\x1cgoogle/protobuf/struct.proto\"\x9a\x04\n\x0b\x43heckedExpr\x12\\\n\rreference_map\x18\x02 \x03(\x0b\x32\x37.google.api.expr.v1alpha1.CheckedExpr.ReferenceMapEntryR\x0creferenceMap\x12M\n\x08type_map\x18\x03 \x03(\x0b\x32\x32.google.api.expr.v1alpha1.CheckedExpr.TypeMapEntryR\x07typeMap\x12\x45\n\x0bsource_info\x18\x05 \x01(\x0b\x32$.google.api.expr.v1alpha1.SourceInfoR\nsourceInfo\x12!\n\x0c\x65xpr_version\x18\x06 \x01(\tR\x0b\x65xprVersion\x12\x32\n\x04\x65xpr\x18\x04 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.ExprR\x04\x65xpr\x1a\x64\n\x11ReferenceMapEntry\x12\x10\n\x03key\x18\x01 \x01(\x03R\x03key\x12\x39\n\x05value\x18\x02 \x01(\x0b\x32#.google.api.expr.v1alpha1.ReferenceR\x05value:\x02\x38\x01\x1aZ\n\x0cTypeMapEntry\x12\x10\n\x03key\x18\x01 \x01(\x03R\x03key\x12\x34\n\x05value\x18\x02 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x05value:\x02\x38\x01\"\xc8\x0b\n\x04Type\x12*\n\x03\x64yn\x18\x01 \x01(\x0b\x32\x16.google.protobuf.EmptyH\x00R\x03\x64yn\x12\x30\n\x04null\x18\x02 \x01(\x0e\x32\x1a.google.protobuf.NullValueH\x00R\x04null\x12L\n\tprimitive\x18\x03 \x01(\x0e\x32,.google.api.expr.v1alpha1.Type.PrimitiveTypeH\x00R\tprimitive\x12H\n\x07wrapper\x18\x04 \x01(\x0e\x32,.google.api.expr.v1alpha1.Type.PrimitiveTypeH\x00R\x07wrapper\x12M\n\nwell_known\x18\x05 \x01(\x0e\x32,.google.api.expr.v1alpha1.Type.WellKnownTypeH\x00R\twellKnown\x12\x46\n\tlist_type\x18\x06 \x01(\x0b\x32\'.google.api.expr.v1alpha1.Type.ListTypeH\x00R\x08listType\x12\x43\n\x08map_type\x18\x07 \x01(\x0b\x32&.google.api.expr.v1alpha1.Type.MapTypeH\x00R\x07mapType\x12I\n\x08\x66unction\x18\x08 \x01(\x0b\x32+.google.api.expr.v1alpha1.Type.FunctionTypeH\x00R\x08\x66unction\x12#\n\x0cmessage_type\x18\t \x01(\tH\x00R\x0bmessageType\x12\x1f\n\ntype_param\x18\n \x01(\tH\x00R\ttypeParam\x12\x34\n\x04type\x18\x0b \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeH\x00R\x04type\x12.\n\x05\x65rror\x18\x0c \x01(\x0b\x32\x16.google.protobuf.EmptyH\x00R\x05\x65rror\x12R\n\rabstract_type\x18\x0e \x01(\x0b\x32+.google.api.expr.v1alpha1.Type.AbstractTypeH\x00R\x0c\x61\x62stractType\x1aG\n\x08ListType\x12;\n\telem_type\x18\x01 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x08\x65lemType\x1a\x83\x01\n\x07MapType\x12\x39\n\x08key_type\x18\x01 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x07keyType\x12=\n\nvalue_type\x18\x02 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\tvalueType\x1a\x8c\x01\n\x0c\x46unctionType\x12?\n\x0bresult_type\x18\x01 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\nresultType\x12;\n\targ_types\x18\x02 \x03(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x08\x61rgTypes\x1ak\n\x0c\x41\x62stractType\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12G\n\x0fparameter_types\x18\x02 \x03(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x0eparameterTypes\"s\n\rPrimitiveType\x12\x1e\n\x1aPRIMITIVE_TYPE_UNSPECIFIED\x10\x00\x12\x08\n\x04\x42OOL\x10\x01\x12\t\n\x05INT64\x10\x02\x12\n\n\x06UINT64\x10\x03\x12\n\n\x06\x44OUBLE\x10\x04\x12\n\n\x06STRING\x10\x05\x12\t\n\x05\x42YTES\x10\x06\"V\n\rWellKnownType\x12\x1f\n\x1bWELL_KNOWN_TYPE_UNSPECIFIED\x10\x00\x12\x07\n\x03\x41NY\x10\x01\x12\r\n\tTIMESTAMP\x10\x02\x12\x0c\n\x08\x44URATION\x10\x03\x42\x0b\n\ttype_kind\"\xb3\x05\n\x04\x44\x65\x63l\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12@\n\x05ident\x18\x02 \x01(\x0b\x32(.google.api.expr.v1alpha1.Decl.IdentDeclH\x00R\x05ident\x12I\n\x08\x66unction\x18\x03 \x01(\x0b\x32+.google.api.expr.v1alpha1.Decl.FunctionDeclH\x00R\x08\x66unction\x1a\x8b\x01\n\tIdentDecl\x12\x32\n\x04type\x18\x01 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x04type\x12\x38\n\x05value\x18\x02 \x01(\x0b\x32\".google.api.expr.v1alpha1.ConstantR\x05value\x12\x10\n\x03\x64oc\x18\x03 \x01(\tR\x03\x64oc\x1a\xee\x02\n\x0c\x46unctionDecl\x12R\n\toverloads\x18\x01 \x03(\x0b\x32\x34.google.api.expr.v1alpha1.Decl.FunctionDecl.OverloadR\toverloads\x1a\x89\x02\n\x08Overload\x12\x1f\n\x0boverload_id\x18\x01 \x01(\tR\noverloadId\x12\x36\n\x06params\x18\x02 \x03(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\x06params\x12\x1f\n\x0btype_params\x18\x03 \x03(\tR\ntypeParams\x12?\n\x0bresult_type\x18\x04 \x01(\x0b\x32\x1e.google.api.expr.v1alpha1.TypeR\nresultType\x12\x30\n\x14is_instance_function\x18\x05 \x01(\x08R\x12isInstanceFunction\x12\x10\n\x03\x64oc\x18\x06 \x01(\tR\x03\x64ocB\x0b\n\tdecl_kind\"z\n\tReference\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1f\n\x0boverload_id\x18\x03 \x03(\tR\noverloadId\x12\x38\n\x05value\x18\x04 \x01(\x0b\x32\".google.api.expr.v1alpha1.ConstantR\x05valueB\xf0\x01\n\x1c\x63om.google.api.expr.v1alpha1B\x0c\x43heckedProtoP\x01Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/httpbody_pb2.py b/pyinjective/proto/google/api/httpbody_pb2.py new file mode 100644 index 00000000..b98b34cc --- /dev/null +++ b/pyinjective/proto/google/api/httpbody_pb2.py @@ -0,0 +1,38 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/httpbody.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/httpbody.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19google/api/httpbody.proto\x12\ngoogle.api\x1a\x19google/protobuf/any.proto\"w\n\x08HttpBody\x12!\n\x0c\x63ontent_type\x18\x01 \x01(\tR\x0b\x63ontentType\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x34\n\nextensions\x18\x03 \x03(\x0b\x32\x14.google.protobuf.AnyR\nextensionsB\xa8\x01\n\x0e\x63om.google.apiB\rHttpbodyProtoP\x01Z;google.golang.org/genproto/googleapis/api/httpbody;httpbody\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.httpbody_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\rHttpbodyProtoP\001Z;google.golang.org/genproto/googleapis/api/httpbody;httpbody\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['_HTTPBODY']._serialized_start=68 + _globals['_HTTPBODY']._serialized_end=187 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/httpbody_pb2_grpc.py b/pyinjective/proto/google/api/httpbody_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/api/httpbody_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/api/launch_stage_pb2.py b/pyinjective/proto/google/api/launch_stage_pb2.py new file mode 100644 index 00000000..283c27fe --- /dev/null +++ b/pyinjective/proto/google/api/launch_stage_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/launch_stage.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/launch_stage.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dgoogle/api/launch_stage.proto\x12\ngoogle.api*\x8c\x01\n\x0bLaunchStage\x12\x1c\n\x18LAUNCH_STAGE_UNSPECIFIED\x10\x00\x12\x11\n\rUNIMPLEMENTED\x10\x06\x12\r\n\tPRELAUNCH\x10\x07\x12\x10\n\x0c\x45\x41RLY_ACCESS\x10\x01\x12\t\n\x05\x41LPHA\x10\x02\x12\x08\n\x04\x42\x45TA\x10\x03\x12\x06\n\x02GA\x10\x04\x12\x0e\n\nDEPRECATED\x10\x05\x42\x9a\x01\n\x0e\x63om.google.apiB\x10LaunchStageProtoP\x01Z-google.golang.org/genproto/googleapis/api;api\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.launch_stage_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020LaunchStageProtoP\001Z-google.golang.org/genproto/googleapis/api;api\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['_LAUNCHSTAGE']._serialized_start=46 + _globals['_LAUNCHSTAGE']._serialized_end=186 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/launch_stage_pb2_grpc.py b/pyinjective/proto/google/api/launch_stage_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/api/launch_stage_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/api/resource_pb2.py b/pyinjective/proto/google/api/resource_pb2.py new file mode 100644 index 00000000..299bb9bd --- /dev/null +++ b/pyinjective/proto/google/api/resource_pb2.py @@ -0,0 +1,44 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/resource.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/resource.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19google/api/resource.proto\x12\ngoogle.api\x1a google/protobuf/descriptor.proto\"\xaa\x03\n\x12ResourceDescriptor\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x18\n\x07pattern\x18\x02 \x03(\tR\x07pattern\x12\x1d\n\nname_field\x18\x03 \x01(\tR\tnameField\x12@\n\x07history\x18\x04 \x01(\x0e\x32&.google.api.ResourceDescriptor.HistoryR\x07history\x12\x16\n\x06plural\x18\x05 \x01(\tR\x06plural\x12\x1a\n\x08singular\x18\x06 \x01(\tR\x08singular\x12:\n\x05style\x18\n \x03(\x0e\x32$.google.api.ResourceDescriptor.StyleR\x05style\"[\n\x07History\x12\x17\n\x13HISTORY_UNSPECIFIED\x10\x00\x12\x1d\n\x19ORIGINALLY_SINGLE_PATTERN\x10\x01\x12\x18\n\x14\x46UTURE_MULTI_PATTERN\x10\x02\"8\n\x05Style\x12\x15\n\x11STYLE_UNSPECIFIED\x10\x00\x12\x18\n\x14\x44\x45\x43LARATIVE_FRIENDLY\x10\x01\"F\n\x11ResourceReference\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x1d\n\nchild_type\x18\x02 \x01(\tR\tchildType:l\n\x12resource_reference\x12\x1d.google.protobuf.FieldOptions\x18\x9f\x08 \x01(\x0b\x32\x1d.google.api.ResourceReferenceR\x11resourceReference:n\n\x13resource_definition\x12\x1c.google.protobuf.FileOptions\x18\x9d\x08 \x03(\x0b\x32\x1e.google.api.ResourceDescriptorR\x12resourceDefinition:\\\n\x08resource\x12\x1f.google.protobuf.MessageOptions\x18\x9d\x08 \x01(\x0b\x32\x1e.google.api.ResourceDescriptorR\x08resourceB\xae\x01\n\x0e\x63om.google.apiB\rResourceProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.resource_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\rResourceProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['_RESOURCEDESCRIPTOR']._serialized_start=76 + _globals['_RESOURCEDESCRIPTOR']._serialized_end=502 + _globals['_RESOURCEDESCRIPTOR_HISTORY']._serialized_start=353 + _globals['_RESOURCEDESCRIPTOR_HISTORY']._serialized_end=444 + _globals['_RESOURCEDESCRIPTOR_STYLE']._serialized_start=446 + _globals['_RESOURCEDESCRIPTOR_STYLE']._serialized_end=502 + _globals['_RESOURCEREFERENCE']._serialized_start=504 + _globals['_RESOURCEREFERENCE']._serialized_end=574 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/resource_pb2_grpc.py b/pyinjective/proto/google/api/resource_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/api/resource_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/api/visibility_pb2.py b/pyinjective/proto/google/api/visibility_pb2.py new file mode 100644 index 00000000..140acb76 --- /dev/null +++ b/pyinjective/proto/google/api/visibility_pb2.py @@ -0,0 +1,40 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/api/visibility.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/visibility.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bgoogle/api/visibility.proto\x12\ngoogle.api\x1a google/protobuf/descriptor.proto\">\n\nVisibility\x12\x30\n\x05rules\x18\x01 \x03(\x0b\x32\x1a.google.api.VisibilityRuleR\x05rules\"N\n\x0eVisibilityRule\x12\x1a\n\x08selector\x18\x01 \x01(\tR\x08selector\x12 \n\x0brestriction\x18\x02 \x01(\tR\x0brestriction:d\n\x0f\x65num_visibility\x12\x1c.google.protobuf.EnumOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\x0e\x65numVisibility:k\n\x10value_visibility\x12!.google.protobuf.EnumValueOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\x0fvalueVisibility:g\n\x10\x66ield_visibility\x12\x1d.google.protobuf.FieldOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\x0f\x66ieldVisibility:m\n\x12message_visibility\x12\x1f.google.protobuf.MessageOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\x11messageVisibility:j\n\x11method_visibility\x12\x1e.google.protobuf.MethodOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\x10methodVisibility:e\n\x0e\x61pi_visibility\x12\x1f.google.protobuf.ServiceOptions\x18\xaf\xca\xbc\" \x01(\x0b\x32\x1a.google.api.VisibilityRuleR\rapiVisibilityB\xae\x01\n\x0e\x63om.google.apiB\x0fVisibilityProtoP\x01Z?google.golang.org/genproto/googleapis/api/visibility;visibility\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.visibility_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\017VisibilityProtoP\001Z?google.golang.org/genproto/googleapis/api/visibility;visibility\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' + _globals['_VISIBILITY']._serialized_start=77 + _globals['_VISIBILITY']._serialized_end=139 + _globals['_VISIBILITYRULE']._serialized_start=141 + _globals['_VISIBILITYRULE']._serialized_end=219 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/visibility_pb2_grpc.py b/pyinjective/proto/google/api/visibility_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/api/visibility_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/bytestream/bytestream_pb2.py b/pyinjective/proto/google/bytestream/bytestream_pb2.py new file mode 100644 index 00000000..c6ae8045 --- /dev/null +++ b/pyinjective/proto/google/bytestream/bytestream_pb2.py @@ -0,0 +1,49 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/bytestream/bytestream.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/bytestream/bytestream.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"google/bytestream/bytestream.proto\x12\x11google.bytestream\"r\n\x0bReadRequest\x12#\n\rresource_name\x18\x01 \x01(\tR\x0cresourceName\x12\x1f\n\x0bread_offset\x18\x02 \x01(\x03R\nreadOffset\x12\x1d\n\nread_limit\x18\x03 \x01(\x03R\treadLimit\"\"\n\x0cReadResponse\x12\x12\n\x04\x64\x61ta\x18\n \x01(\x0cR\x04\x64\x61ta\"\x8d\x01\n\x0cWriteRequest\x12#\n\rresource_name\x18\x01 \x01(\tR\x0cresourceName\x12!\n\x0cwrite_offset\x18\x02 \x01(\x03R\x0bwriteOffset\x12!\n\x0c\x66inish_write\x18\x03 \x01(\x08R\x0b\x66inishWrite\x12\x12\n\x04\x64\x61ta\x18\n \x01(\x0cR\x04\x64\x61ta\"6\n\rWriteResponse\x12%\n\x0e\x63ommitted_size\x18\x01 \x01(\x03R\rcommittedSize\">\n\x17QueryWriteStatusRequest\x12#\n\rresource_name\x18\x01 \x01(\tR\x0cresourceName\"]\n\x18QueryWriteStatusResponse\x12%\n\x0e\x63ommitted_size\x18\x01 \x01(\x03R\rcommittedSize\x12\x1a\n\x08\x63omplete\x18\x02 \x01(\x08R\x08\x63omplete2\x92\x02\n\nByteStream\x12I\n\x04Read\x12\x1e.google.bytestream.ReadRequest\x1a\x1f.google.bytestream.ReadResponse0\x01\x12L\n\x05Write\x12\x1f.google.bytestream.WriteRequest\x1a .google.bytestream.WriteResponse(\x01\x12k\n\x10QueryWriteStatus\x12*.google.bytestream.QueryWriteStatusRequest\x1a+.google.bytestream.QueryWriteStatusResponseB\xca\x01\n\x15\x63om.google.bytestreamB\x0f\x42ytestreamProtoP\x01Z;google.golang.org/genproto/googleapis/bytestream;bytestream\xa2\x02\x03GBX\xaa\x02\x11Google.Bytestream\xca\x02\x11Google\\Bytestream\xe2\x02\x1dGoogle\\Bytestream\\GPBMetadata\xea\x02\x12Google::Bytestreamb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.bytestream.bytestream_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.google.bytestreamB\017BytestreamProtoP\001Z;google.golang.org/genproto/googleapis/bytestream;bytestream\242\002\003GBX\252\002\021Google.Bytestream\312\002\021Google\\Bytestream\342\002\035Google\\Bytestream\\GPBMetadata\352\002\022Google::Bytestream' + _globals['_READREQUEST']._serialized_start=57 + _globals['_READREQUEST']._serialized_end=171 + _globals['_READRESPONSE']._serialized_start=173 + _globals['_READRESPONSE']._serialized_end=207 + _globals['_WRITEREQUEST']._serialized_start=210 + _globals['_WRITEREQUEST']._serialized_end=351 + _globals['_WRITERESPONSE']._serialized_start=353 + _globals['_WRITERESPONSE']._serialized_end=407 + _globals['_QUERYWRITESTATUSREQUEST']._serialized_start=409 + _globals['_QUERYWRITESTATUSREQUEST']._serialized_end=471 + _globals['_QUERYWRITESTATUSRESPONSE']._serialized_start=473 + _globals['_QUERYWRITESTATUSRESPONSE']._serialized_end=566 + _globals['_BYTESTREAM']._serialized_start=569 + _globals['_BYTESTREAM']._serialized_end=843 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/bytestream/bytestream_pb2_grpc.py b/pyinjective/proto/google/bytestream/bytestream_pb2_grpc.py new file mode 100644 index 00000000..7492af43 --- /dev/null +++ b/pyinjective/proto/google/bytestream/bytestream_pb2_grpc.py @@ -0,0 +1,271 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + +from google.bytestream import bytestream_pb2 as google_dot_bytestream_dot_bytestream__pb2 + + +class ByteStreamStub(object): + """#### Introduction + + The Byte Stream API enables a client to read and write a stream of bytes to + and from a resource. Resources have names, and these names are supplied in + the API calls below to identify the resource that is being read from or + written to. + + All implementations of the Byte Stream API export the interface defined here: + + * `Read()`: Reads the contents of a resource. + + * `Write()`: Writes the contents of a resource. The client can call `Write()` + multiple times with the same resource and can check the status of the write + by calling `QueryWriteStatus()`. + + #### Service parameters and metadata + + The ByteStream API provides no direct way to access/modify any metadata + associated with the resource. + + #### Errors + + The errors returned by the service are in the Google canonical error space. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.Read = channel.unary_stream( + '/google.bytestream.ByteStream/Read', + request_serializer=google_dot_bytestream_dot_bytestream__pb2.ReadRequest.SerializeToString, + response_deserializer=google_dot_bytestream_dot_bytestream__pb2.ReadResponse.FromString, + _registered_method=True) + self.Write = channel.stream_unary( + '/google.bytestream.ByteStream/Write', + request_serializer=google_dot_bytestream_dot_bytestream__pb2.WriteRequest.SerializeToString, + response_deserializer=google_dot_bytestream_dot_bytestream__pb2.WriteResponse.FromString, + _registered_method=True) + self.QueryWriteStatus = channel.unary_unary( + '/google.bytestream.ByteStream/QueryWriteStatus', + request_serializer=google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusRequest.SerializeToString, + response_deserializer=google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusResponse.FromString, + _registered_method=True) + + +class ByteStreamServicer(object): + """#### Introduction + + The Byte Stream API enables a client to read and write a stream of bytes to + and from a resource. Resources have names, and these names are supplied in + the API calls below to identify the resource that is being read from or + written to. + + All implementations of the Byte Stream API export the interface defined here: + + * `Read()`: Reads the contents of a resource. + + * `Write()`: Writes the contents of a resource. The client can call `Write()` + multiple times with the same resource and can check the status of the write + by calling `QueryWriteStatus()`. + + #### Service parameters and metadata + + The ByteStream API provides no direct way to access/modify any metadata + associated with the resource. + + #### Errors + + The errors returned by the service are in the Google canonical error space. + """ + + def Read(self, request, context): + """`Read()` is used to retrieve the contents of a resource as a sequence + of bytes. The bytes are returned in a sequence of responses, and the + responses are delivered as the results of a server-side streaming RPC. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def Write(self, request_iterator, context): + """`Write()` is used to send the contents of a resource as a sequence of + bytes. The bytes are sent in a sequence of request protos of a client-side + streaming RPC. + + A `Write()` action is resumable. If there is an error or the connection is + broken during the `Write()`, the client should check the status of the + `Write()` by calling `QueryWriteStatus()` and continue writing from the + returned `committed_size`. This may be less than the amount of data the + client previously sent. + + Calling `Write()` on a resource name that was previously written and + finalized could cause an error, depending on whether the underlying service + allows over-writing of previously written resources. + + When the client closes the request channel, the service will respond with + a `WriteResponse`. The service will not view the resource as `complete` + until the client has sent a `WriteRequest` with `finish_write` set to + `true`. Sending any requests on a stream after sending a request with + `finish_write` set to `true` will cause an error. The client **should** + check the `WriteResponse` it receives to determine how much data the + service was able to commit and whether the service views the resource as + `complete` or not. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def QueryWriteStatus(self, request, context): + """`QueryWriteStatus()` is used to find the `committed_size` for a resource + that is being written, which can then be used as the `write_offset` for + the next `Write()` call. + + If the resource does not exist (i.e., the resource has been deleted, or the + first `Write()` has not yet reached the service), this method returns the + error `NOT_FOUND`. + + The client **may** call `QueryWriteStatus()` at any time to determine how + much data has been processed for this resource. This is useful if the + client is buffering data and needs to know which data can be safely + evicted. For any sequence of `QueryWriteStatus()` calls for a given + resource name, the sequence of returned `committed_size` values will be + non-decreasing. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_ByteStreamServicer_to_server(servicer, server): + rpc_method_handlers = { + 'Read': grpc.unary_stream_rpc_method_handler( + servicer.Read, + request_deserializer=google_dot_bytestream_dot_bytestream__pb2.ReadRequest.FromString, + response_serializer=google_dot_bytestream_dot_bytestream__pb2.ReadResponse.SerializeToString, + ), + 'Write': grpc.stream_unary_rpc_method_handler( + servicer.Write, + request_deserializer=google_dot_bytestream_dot_bytestream__pb2.WriteRequest.FromString, + response_serializer=google_dot_bytestream_dot_bytestream__pb2.WriteResponse.SerializeToString, + ), + 'QueryWriteStatus': grpc.unary_unary_rpc_method_handler( + servicer.QueryWriteStatus, + request_deserializer=google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusRequest.FromString, + response_serializer=google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusResponse.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'google.bytestream.ByteStream', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('google.bytestream.ByteStream', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class ByteStream(object): + """#### Introduction + + The Byte Stream API enables a client to read and write a stream of bytes to + and from a resource. Resources have names, and these names are supplied in + the API calls below to identify the resource that is being read from or + written to. + + All implementations of the Byte Stream API export the interface defined here: + + * `Read()`: Reads the contents of a resource. + + * `Write()`: Writes the contents of a resource. The client can call `Write()` + multiple times with the same resource and can check the status of the write + by calling `QueryWriteStatus()`. + + #### Service parameters and metadata + + The ByteStream API provides no direct way to access/modify any metadata + associated with the resource. + + #### Errors + + The errors returned by the service are in the Google canonical error space. + """ + + @staticmethod + def Read(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_stream( + request, + target, + '/google.bytestream.ByteStream/Read', + google_dot_bytestream_dot_bytestream__pb2.ReadRequest.SerializeToString, + google_dot_bytestream_dot_bytestream__pb2.ReadResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def Write(request_iterator, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.stream_unary( + request_iterator, + target, + '/google.bytestream.ByteStream/Write', + google_dot_bytestream_dot_bytestream__pb2.WriteRequest.SerializeToString, + google_dot_bytestream_dot_bytestream__pb2.WriteResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def QueryWriteStatus(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.bytestream.ByteStream/QueryWriteStatus', + google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusRequest.SerializeToString, + google_dot_bytestream_dot_bytestream__pb2.QueryWriteStatusResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/google/geo/type/viewport_pb2.py b/pyinjective/proto/google/geo/type/viewport_pb2.py new file mode 100644 index 00000000..724b8d1e --- /dev/null +++ b/pyinjective/proto/google/geo/type/viewport_pb2.py @@ -0,0 +1,38 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/geo/type/viewport.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/geo/type/viewport.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.type import latlng_pb2 as google_dot_type_dot_latlng__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1egoogle/geo/type/viewport.proto\x12\x0fgoogle.geo.type\x1a\x18google/type/latlng.proto\"Z\n\x08Viewport\x12%\n\x03low\x18\x01 \x01(\x0b\x32\x13.google.type.LatLngR\x03low\x12\'\n\x04high\x18\x02 \x01(\x0b\x32\x13.google.type.LatLngR\x04highB\xc4\x01\n\x13\x63om.google.geo.typeB\rViewportProtoP\x01Z@google.golang.org/genproto/googleapis/geo/type/viewport;viewport\xa2\x02\x03GGT\xaa\x02\x0fGoogle.Geo.Type\xca\x02\x0fGoogle\\Geo\\Type\xe2\x02\x1bGoogle\\Geo\\Type\\GPBMetadata\xea\x02\x11Google::Geo::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.geo.type.viewport_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.geo.typeB\rViewportProtoP\001Z@google.golang.org/genproto/googleapis/geo/type/viewport;viewport\242\002\003GGT\252\002\017Google.Geo.Type\312\002\017Google\\Geo\\Type\342\002\033Google\\Geo\\Type\\GPBMetadata\352\002\021Google::Geo::Type' + _globals['_VIEWPORT']._serialized_start=77 + _globals['_VIEWPORT']._serialized_end=167 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py b/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/longrunning/operations_pb2.py b/pyinjective/proto/google/longrunning/operations_pb2.py new file mode 100644 index 00000000..bf4f264e --- /dev/null +++ b/pyinjective/proto/google/longrunning/operations_pb2.py @@ -0,0 +1,70 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/longrunning/operations.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/longrunning/operations.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import client_pb2 as google_dot_api_dot_client__pb2 +from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 +from google.protobuf import empty_pb2 as google_dot_protobuf_dot_empty__pb2 +from google.rpc import status_pb2 as google_dot_rpc_dot_status__pb2 +from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#google/longrunning/operations.proto\x12\x12google.longrunning\x1a\x1cgoogle/api/annotations.proto\x1a\x17google/api/client.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1bgoogle/protobuf/empty.proto\x1a\x17google/rpc/status.proto\x1a google/protobuf/descriptor.proto\"\xcf\x01\n\tOperation\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x30\n\x08metadata\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x08metadata\x12\x12\n\x04\x64one\x18\x03 \x01(\x08R\x04\x64one\x12*\n\x05\x65rror\x18\x04 \x01(\x0b\x32\x12.google.rpc.StatusH\x00R\x05\x65rror\x12\x32\n\x08response\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyH\x00R\x08responseB\x08\n\x06result\")\n\x13GetOperationRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"\x7f\n\x15ListOperationsRequest\x12\x12\n\x04name\x18\x04 \x01(\tR\x04name\x12\x16\n\x06\x66ilter\x18\x01 \x01(\tR\x06\x66ilter\x12\x1b\n\tpage_size\x18\x02 \x01(\x05R\x08pageSize\x12\x1d\n\npage_token\x18\x03 \x01(\tR\tpageToken\"\x7f\n\x16ListOperationsResponse\x12=\n\noperations\x18\x01 \x03(\x0b\x32\x1d.google.longrunning.OperationR\noperations\x12&\n\x0fnext_page_token\x18\x02 \x01(\tR\rnextPageToken\",\n\x16\x43\x61ncelOperationRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\",\n\x16\x44\x65leteOperationRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"_\n\x14WaitOperationRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x33\n\x07timeout\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationR\x07timeout\"Y\n\rOperationInfo\x12#\n\rresponse_type\x18\x01 \x01(\tR\x0cresponseType\x12#\n\rmetadata_type\x18\x02 \x01(\tR\x0cmetadataType2\xaa\x05\n\nOperations\x12\x94\x01\n\x0eListOperations\x12).google.longrunning.ListOperationsRequest\x1a*.google.longrunning.ListOperationsResponse\"+\xda\x41\x0bname,filter\x82\xd3\xe4\x93\x02\x17\x12\x15/v1/{name=operations}\x12\x7f\n\x0cGetOperation\x12\'.google.longrunning.GetOperationRequest\x1a\x1d.google.longrunning.Operation\"\'\xda\x41\x04name\x82\xd3\xe4\x93\x02\x1a\x12\x18/v1/{name=operations/**}\x12~\n\x0f\x44\x65leteOperation\x12*.google.longrunning.DeleteOperationRequest\x1a\x16.google.protobuf.Empty\"\'\xda\x41\x04name\x82\xd3\xe4\x93\x02\x1a*\x18/v1/{name=operations/**}\x12\x88\x01\n\x0f\x43\x61ncelOperation\x12*.google.longrunning.CancelOperationRequest\x1a\x16.google.protobuf.Empty\"1\xda\x41\x04name\x82\xd3\xe4\x93\x02$\"\x1f/v1/{name=operations/**}:cancel:\x01*\x12Z\n\rWaitOperation\x12(.google.longrunning.WaitOperationRequest\x1a\x1d.google.longrunning.Operation\"\x00\x1a\x1d\xca\x41\x1alongrunning.googleapis.com:i\n\x0eoperation_info\x12\x1e.google.protobuf.MethodOptions\x18\x99\x08 \x01(\x0b\x32!.google.longrunning.OperationInfoR\roperationInfoB\xda\x01\n\x16\x63om.google.longrunningB\x0fOperationsProtoP\x01ZCcloud.google.com/go/longrunning/autogen/longrunningpb;longrunningpb\xf8\x01\x01\xa2\x02\x03GLX\xaa\x02\x12Google.Longrunning\xca\x02\x12Google\\Longrunning\xe2\x02\x1eGoogle\\Longrunning\\GPBMetadata\xea\x02\x13Google::Longrunningb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.longrunning.operations_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.google.longrunningB\017OperationsProtoP\001ZCcloud.google.com/go/longrunning/autogen/longrunningpb;longrunningpb\370\001\001\242\002\003GLX\252\002\022Google.Longrunning\312\002\022Google\\Longrunning\342\002\036Google\\Longrunning\\GPBMetadata\352\002\023Google::Longrunning' + _globals['_OPERATIONS']._loaded_options = None + _globals['_OPERATIONS']._serialized_options = b'\312A\032longrunning.googleapis.com' + _globals['_OPERATIONS'].methods_by_name['ListOperations']._loaded_options = None + _globals['_OPERATIONS'].methods_by_name['ListOperations']._serialized_options = b'\332A\013name,filter\202\323\344\223\002\027\022\025/v1/{name=operations}' + _globals['_OPERATIONS'].methods_by_name['GetOperation']._loaded_options = None + _globals['_OPERATIONS'].methods_by_name['GetOperation']._serialized_options = b'\332A\004name\202\323\344\223\002\032\022\030/v1/{name=operations/**}' + _globals['_OPERATIONS'].methods_by_name['DeleteOperation']._loaded_options = None + _globals['_OPERATIONS'].methods_by_name['DeleteOperation']._serialized_options = b'\332A\004name\202\323\344\223\002\032*\030/v1/{name=operations/**}' + _globals['_OPERATIONS'].methods_by_name['CancelOperation']._loaded_options = None + _globals['_OPERATIONS'].methods_by_name['CancelOperation']._serialized_options = b'\332A\004name\202\323\344\223\002$\"\037/v1/{name=operations/**}:cancel:\001*' + _globals['_OPERATION']._serialized_start=262 + _globals['_OPERATION']._serialized_end=469 + _globals['_GETOPERATIONREQUEST']._serialized_start=471 + _globals['_GETOPERATIONREQUEST']._serialized_end=512 + _globals['_LISTOPERATIONSREQUEST']._serialized_start=514 + _globals['_LISTOPERATIONSREQUEST']._serialized_end=641 + _globals['_LISTOPERATIONSRESPONSE']._serialized_start=643 + _globals['_LISTOPERATIONSRESPONSE']._serialized_end=770 + _globals['_CANCELOPERATIONREQUEST']._serialized_start=772 + _globals['_CANCELOPERATIONREQUEST']._serialized_end=816 + _globals['_DELETEOPERATIONREQUEST']._serialized_start=818 + _globals['_DELETEOPERATIONREQUEST']._serialized_end=862 + _globals['_WAITOPERATIONREQUEST']._serialized_start=864 + _globals['_WAITOPERATIONREQUEST']._serialized_end=959 + _globals['_OPERATIONINFO']._serialized_start=961 + _globals['_OPERATIONINFO']._serialized_end=1050 + _globals['_OPERATIONS']._serialized_start=1053 + _globals['_OPERATIONS']._serialized_end=1735 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/longrunning/operations_pb2_grpc.py b/pyinjective/proto/google/longrunning/operations_pb2_grpc.py new file mode 100644 index 00000000..533da2f8 --- /dev/null +++ b/pyinjective/proto/google/longrunning/operations_pb2_grpc.py @@ -0,0 +1,313 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + +from google.longrunning import operations_pb2 as google_dot_longrunning_dot_operations__pb2 +from google.protobuf import empty_pb2 as google_dot_protobuf_dot_empty__pb2 + + +class OperationsStub(object): + """Manages long-running operations with an API service. + + When an API method normally takes long time to complete, it can be designed + to return [Operation][google.longrunning.Operation] to the client, and the client can use this + interface to receive the real response asynchronously by polling the + operation resource, or pass the operation resource to another API (such as + Google Cloud Pub/Sub API) to receive the response. Any API service that + returns long-running operations should implement the `Operations` interface + so developers can have a consistent client experience. + """ + + def __init__(self, channel): + """Constructor. + + Args: + channel: A grpc.Channel. + """ + self.ListOperations = channel.unary_unary( + '/google.longrunning.Operations/ListOperations', + request_serializer=google_dot_longrunning_dot_operations__pb2.ListOperationsRequest.SerializeToString, + response_deserializer=google_dot_longrunning_dot_operations__pb2.ListOperationsResponse.FromString, + _registered_method=True) + self.GetOperation = channel.unary_unary( + '/google.longrunning.Operations/GetOperation', + request_serializer=google_dot_longrunning_dot_operations__pb2.GetOperationRequest.SerializeToString, + response_deserializer=google_dot_longrunning_dot_operations__pb2.Operation.FromString, + _registered_method=True) + self.DeleteOperation = channel.unary_unary( + '/google.longrunning.Operations/DeleteOperation', + request_serializer=google_dot_longrunning_dot_operations__pb2.DeleteOperationRequest.SerializeToString, + response_deserializer=google_dot_protobuf_dot_empty__pb2.Empty.FromString, + _registered_method=True) + self.CancelOperation = channel.unary_unary( + '/google.longrunning.Operations/CancelOperation', + request_serializer=google_dot_longrunning_dot_operations__pb2.CancelOperationRequest.SerializeToString, + response_deserializer=google_dot_protobuf_dot_empty__pb2.Empty.FromString, + _registered_method=True) + self.WaitOperation = channel.unary_unary( + '/google.longrunning.Operations/WaitOperation', + request_serializer=google_dot_longrunning_dot_operations__pb2.WaitOperationRequest.SerializeToString, + response_deserializer=google_dot_longrunning_dot_operations__pb2.Operation.FromString, + _registered_method=True) + + +class OperationsServicer(object): + """Manages long-running operations with an API service. + + When an API method normally takes long time to complete, it can be designed + to return [Operation][google.longrunning.Operation] to the client, and the client can use this + interface to receive the real response asynchronously by polling the + operation resource, or pass the operation resource to another API (such as + Google Cloud Pub/Sub API) to receive the response. Any API service that + returns long-running operations should implement the `Operations` interface + so developers can have a consistent client experience. + """ + + def ListOperations(self, request, context): + """Lists operations that match the specified filter in the request. If the + server doesn't support this method, it returns `UNIMPLEMENTED`. + + NOTE: the `name` binding allows API services to override the binding + to use different resource name schemes, such as `users/*/operations`. To + override the binding, API services can add a binding such as + `"/v1/{name=users/*}/operations"` to their service configuration. + For backwards compatibility, the default name includes the operations + collection id, however overriding users must ensure the name binding + is the parent resource, without the operations collection id. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def GetOperation(self, request, context): + """Gets the latest state of a long-running operation. Clients can use this + method to poll the operation result at intervals as recommended by the API + service. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def DeleteOperation(self, request, context): + """Deletes a long-running operation. This method indicates that the client is + no longer interested in the operation result. It does not cancel the + operation. If the server doesn't support this method, it returns + `google.rpc.Code.UNIMPLEMENTED`. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def CancelOperation(self, request, context): + """Starts asynchronous cancellation on a long-running operation. The server + makes a best effort to cancel the operation, but success is not + guaranteed. If the server doesn't support this method, it returns + `google.rpc.Code.UNIMPLEMENTED`. Clients can use + [Operations.GetOperation][google.longrunning.Operations.GetOperation] or + other methods to check whether the cancellation succeeded or whether the + operation completed despite cancellation. On successful cancellation, + the operation is not deleted; instead, it becomes an operation with + an [Operation.error][google.longrunning.Operation.error] value with a [google.rpc.Status.code][google.rpc.Status.code] of 1, + corresponding to `Code.CANCELLED`. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def WaitOperation(self, request, context): + """Waits until the specified long-running operation is done or reaches at most + a specified timeout, returning the latest state. If the operation is + already done, the latest state is immediately returned. If the timeout + specified is greater than the default HTTP/RPC timeout, the HTTP/RPC + timeout is used. If the server does not support this method, it returns + `google.rpc.Code.UNIMPLEMENTED`. + Note that this method is on a best-effort basis. It may return the latest + state before the specified timeout (including immediately), meaning even an + immediate response is no guarantee that the operation is done. + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + +def add_OperationsServicer_to_server(servicer, server): + rpc_method_handlers = { + 'ListOperations': grpc.unary_unary_rpc_method_handler( + servicer.ListOperations, + request_deserializer=google_dot_longrunning_dot_operations__pb2.ListOperationsRequest.FromString, + response_serializer=google_dot_longrunning_dot_operations__pb2.ListOperationsResponse.SerializeToString, + ), + 'GetOperation': grpc.unary_unary_rpc_method_handler( + servicer.GetOperation, + request_deserializer=google_dot_longrunning_dot_operations__pb2.GetOperationRequest.FromString, + response_serializer=google_dot_longrunning_dot_operations__pb2.Operation.SerializeToString, + ), + 'DeleteOperation': grpc.unary_unary_rpc_method_handler( + servicer.DeleteOperation, + request_deserializer=google_dot_longrunning_dot_operations__pb2.DeleteOperationRequest.FromString, + response_serializer=google_dot_protobuf_dot_empty__pb2.Empty.SerializeToString, + ), + 'CancelOperation': grpc.unary_unary_rpc_method_handler( + servicer.CancelOperation, + request_deserializer=google_dot_longrunning_dot_operations__pb2.CancelOperationRequest.FromString, + response_serializer=google_dot_protobuf_dot_empty__pb2.Empty.SerializeToString, + ), + 'WaitOperation': grpc.unary_unary_rpc_method_handler( + servicer.WaitOperation, + request_deserializer=google_dot_longrunning_dot_operations__pb2.WaitOperationRequest.FromString, + response_serializer=google_dot_longrunning_dot_operations__pb2.Operation.SerializeToString, + ), + } + generic_handler = grpc.method_handlers_generic_handler( + 'google.longrunning.Operations', rpc_method_handlers) + server.add_generic_rpc_handlers((generic_handler,)) + server.add_registered_method_handlers('google.longrunning.Operations', rpc_method_handlers) + + + # This class is part of an EXPERIMENTAL API. +class Operations(object): + """Manages long-running operations with an API service. + + When an API method normally takes long time to complete, it can be designed + to return [Operation][google.longrunning.Operation] to the client, and the client can use this + interface to receive the real response asynchronously by polling the + operation resource, or pass the operation resource to another API (such as + Google Cloud Pub/Sub API) to receive the response. Any API service that + returns long-running operations should implement the `Operations` interface + so developers can have a consistent client experience. + """ + + @staticmethod + def ListOperations(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.longrunning.Operations/ListOperations', + google_dot_longrunning_dot_operations__pb2.ListOperationsRequest.SerializeToString, + google_dot_longrunning_dot_operations__pb2.ListOperationsResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def GetOperation(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.longrunning.Operations/GetOperation', + google_dot_longrunning_dot_operations__pb2.GetOperationRequest.SerializeToString, + google_dot_longrunning_dot_operations__pb2.Operation.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def DeleteOperation(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.longrunning.Operations/DeleteOperation', + google_dot_longrunning_dot_operations__pb2.DeleteOperationRequest.SerializeToString, + google_dot_protobuf_dot_empty__pb2.Empty.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def CancelOperation(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.longrunning.Operations/CancelOperation', + google_dot_longrunning_dot_operations__pb2.CancelOperationRequest.SerializeToString, + google_dot_protobuf_dot_empty__pb2.Empty.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def WaitOperation(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/google.longrunning.Operations/WaitOperation', + google_dot_longrunning_dot_operations__pb2.WaitOperationRequest.SerializeToString, + google_dot_longrunning_dot_operations__pb2.Operation.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/google/rpc/code_pb2.py b/pyinjective/proto/google/rpc/code_pb2.py new file mode 100644 index 00000000..a2bdd5ff --- /dev/null +++ b/pyinjective/proto/google/rpc/code_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/rpc/code.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/rpc/code.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/rpc/code.proto\x12\ngoogle.rpc*\xb7\x02\n\x04\x43ode\x12\x06\n\x02OK\x10\x00\x12\r\n\tCANCELLED\x10\x01\x12\x0b\n\x07UNKNOWN\x10\x02\x12\x14\n\x10INVALID_ARGUMENT\x10\x03\x12\x15\n\x11\x44\x45\x41\x44LINE_EXCEEDED\x10\x04\x12\r\n\tNOT_FOUND\x10\x05\x12\x12\n\x0e\x41LREADY_EXISTS\x10\x06\x12\x15\n\x11PERMISSION_DENIED\x10\x07\x12\x13\n\x0fUNAUTHENTICATED\x10\x10\x12\x16\n\x12RESOURCE_EXHAUSTED\x10\x08\x12\x17\n\x13\x46\x41ILED_PRECONDITION\x10\t\x12\x0b\n\x07\x41\x42ORTED\x10\n\x12\x10\n\x0cOUT_OF_RANGE\x10\x0b\x12\x11\n\rUNIMPLEMENTED\x10\x0c\x12\x0c\n\x08INTERNAL\x10\r\x12\x0f\n\x0bUNAVAILABLE\x10\x0e\x12\r\n\tDATA_LOSS\x10\x0f\x42\x99\x01\n\x0e\x63om.google.rpcB\tCodeProtoP\x01Z3google.golang.org/genproto/googleapis/rpc/code;code\xa2\x02\x03GRX\xaa\x02\nGoogle.Rpc\xca\x02\nGoogle\\Rpc\xe2\x02\x16Google\\Rpc\\GPBMetadata\xea\x02\x0bGoogle::Rpcb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.rpc.code_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.rpcB\tCodeProtoP\001Z3google.golang.org/genproto/googleapis/rpc/code;code\242\002\003GRX\252\002\nGoogle.Rpc\312\002\nGoogle\\Rpc\342\002\026Google\\Rpc\\GPBMetadata\352\002\013Google::Rpc' + _globals['_CODE']._serialized_start=38 + _globals['_CODE']._serialized_end=349 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/rpc/code_pb2_grpc.py b/pyinjective/proto/google/rpc/code_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/rpc/code_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/rpc/context/attribute_context_pb2.py b/pyinjective/proto/google/rpc/context/attribute_context_pb2.py new file mode 100644 index 00000000..4489cd8a --- /dev/null +++ b/pyinjective/proto/google/rpc/context/attribute_context_pb2.py @@ -0,0 +1,73 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/rpc/context/attribute_context.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/rpc/context/attribute_context.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 +from google.protobuf import struct_pb2 as google_dot_protobuf_dot_struct__pb2 +from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*google/rpc/context/attribute_context.proto\x12\x12google.rpc.context\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1cgoogle/protobuf/struct.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x81\x14\n\x10\x41ttributeContext\x12\x41\n\x06origin\x18\x07 \x01(\x0b\x32).google.rpc.context.AttributeContext.PeerR\x06origin\x12\x41\n\x06source\x18\x01 \x01(\x0b\x32).google.rpc.context.AttributeContext.PeerR\x06source\x12K\n\x0b\x64\x65stination\x18\x02 \x01(\x0b\x32).google.rpc.context.AttributeContext.PeerR\x0b\x64\x65stination\x12\x46\n\x07request\x18\x03 \x01(\x0b\x32,.google.rpc.context.AttributeContext.RequestR\x07request\x12I\n\x08response\x18\x04 \x01(\x0b\x32-.google.rpc.context.AttributeContext.ResponseR\x08response\x12I\n\x08resource\x18\x05 \x01(\x0b\x32-.google.rpc.context.AttributeContext.ResourceR\x08resource\x12:\n\x03\x61pi\x18\x06 \x01(\x0b\x32(.google.rpc.context.AttributeContext.ApiR\x03\x61pi\x12\x34\n\nextensions\x18\x08 \x03(\x0b\x32\x14.google.protobuf.AnyR\nextensions\x1a\xf3\x01\n\x04Peer\x12\x0e\n\x02ip\x18\x01 \x01(\tR\x02ip\x12\x12\n\x04port\x18\x02 \x01(\x03R\x04port\x12M\n\x06labels\x18\x06 \x03(\x0b\x32\x35.google.rpc.context.AttributeContext.Peer.LabelsEntryR\x06labels\x12\x1c\n\tprincipal\x18\x07 \x01(\tR\tprincipal\x12\x1f\n\x0bregion_code\x18\x08 \x01(\tR\nregionCode\x1a\x39\n\x0bLabelsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x1as\n\x03\x41pi\x12\x18\n\x07service\x18\x01 \x01(\tR\x07service\x12\x1c\n\toperation\x18\x02 \x01(\tR\toperation\x12\x1a\n\x08protocol\x18\x03 \x01(\tR\x08protocol\x12\x18\n\x07version\x18\x04 \x01(\tR\x07version\x1a\xb6\x01\n\x04\x41uth\x12\x1c\n\tprincipal\x18\x01 \x01(\tR\tprincipal\x12\x1c\n\taudiences\x18\x02 \x03(\tR\taudiences\x12\x1c\n\tpresenter\x18\x03 \x01(\tR\tpresenter\x12/\n\x06\x63laims\x18\x04 \x01(\x0b\x32\x17.google.protobuf.StructR\x06\x63laims\x12#\n\raccess_levels\x18\x05 \x03(\tR\x0c\x61\x63\x63\x65ssLevels\x1a\xcf\x03\n\x07Request\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x16\n\x06method\x18\x02 \x01(\tR\x06method\x12S\n\x07headers\x18\x03 \x03(\x0b\x32\x39.google.rpc.context.AttributeContext.Request.HeadersEntryR\x07headers\x12\x12\n\x04path\x18\x04 \x01(\tR\x04path\x12\x12\n\x04host\x18\x05 \x01(\tR\x04host\x12\x16\n\x06scheme\x18\x06 \x01(\tR\x06scheme\x12\x14\n\x05query\x18\x07 \x01(\tR\x05query\x12.\n\x04time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampR\x04time\x12\x12\n\x04size\x18\n \x01(\x03R\x04size\x12\x1a\n\x08protocol\x18\x0b \x01(\tR\x08protocol\x12\x16\n\x06reason\x18\x0c \x01(\tR\x06reason\x12=\n\x04\x61uth\x18\r \x01(\x0b\x32).google.rpc.context.AttributeContext.AuthR\x04\x61uth\x1a:\n\x0cHeadersEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x1a\xb8\x02\n\x08Response\x12\x12\n\x04\x63ode\x18\x01 \x01(\x03R\x04\x63ode\x12\x12\n\x04size\x18\x02 \x01(\x03R\x04size\x12T\n\x07headers\x18\x03 \x03(\x0b\x32:.google.rpc.context.AttributeContext.Response.HeadersEntryR\x07headers\x12.\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampR\x04time\x12\x42\n\x0f\x62\x61\x63kend_latency\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationR\x0e\x62\x61\x63kendLatency\x1a:\n\x0cHeadersEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x1a\x98\x05\n\x08Resource\x12\x18\n\x07service\x18\x01 \x01(\tR\x07service\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\x12Q\n\x06labels\x18\x04 \x03(\x0b\x32\x39.google.rpc.context.AttributeContext.Resource.LabelsEntryR\x06labels\x12\x10\n\x03uid\x18\x05 \x01(\tR\x03uid\x12`\n\x0b\x61nnotations\x18\x06 \x03(\x0b\x32>.google.rpc.context.AttributeContext.Resource.AnnotationsEntryR\x0b\x61nnotations\x12!\n\x0c\x64isplay_name\x18\x07 \x01(\tR\x0b\x64isplayName\x12;\n\x0b\x63reate_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampR\ncreateTime\x12;\n\x0bupdate_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampR\nupdateTime\x12;\n\x0b\x64\x65lete_time\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampR\ndeleteTime\x12\x12\n\x04\x65tag\x18\x0b \x01(\tR\x04\x65tag\x12\x1a\n\x08location\x18\x0c \x01(\tR\x08location\x1a\x39\n\x0bLabelsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x1a>\n\x10\x41nnotationsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\x42\xf3\x01\n\x16\x63om.google.rpc.contextB\x15\x41ttributeContextProtoP\x01ZUgoogle.golang.org/genproto/googleapis/rpc/context/attribute_context;attribute_context\xf8\x01\x01\xa2\x02\x03GRC\xaa\x02\x12Google.Rpc.Context\xca\x02\x12Google\\Rpc\\Context\xe2\x02\x1eGoogle\\Rpc\\Context\\GPBMetadata\xea\x02\x14Google::Rpc::Contextb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.rpc.context.attribute_context_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.google.rpc.contextB\025AttributeContextProtoP\001ZUgoogle.golang.org/genproto/googleapis/rpc/context/attribute_context;attribute_context\370\001\001\242\002\003GRC\252\002\022Google.Rpc.Context\312\002\022Google\\Rpc\\Context\342\002\036Google\\Rpc\\Context\\GPBMetadata\352\002\024Google::Rpc::Context' + _globals['_ATTRIBUTECONTEXT_PEER_LABELSENTRY']._loaded_options = None + _globals['_ATTRIBUTECONTEXT_PEER_LABELSENTRY']._serialized_options = b'8\001' + _globals['_ATTRIBUTECONTEXT_REQUEST_HEADERSENTRY']._loaded_options = None + _globals['_ATTRIBUTECONTEXT_REQUEST_HEADERSENTRY']._serialized_options = b'8\001' + _globals['_ATTRIBUTECONTEXT_RESPONSE_HEADERSENTRY']._loaded_options = None + _globals['_ATTRIBUTECONTEXT_RESPONSE_HEADERSENTRY']._serialized_options = b'8\001' + _globals['_ATTRIBUTECONTEXT_RESOURCE_LABELSENTRY']._loaded_options = None + _globals['_ATTRIBUTECONTEXT_RESOURCE_LABELSENTRY']._serialized_options = b'8\001' + _globals['_ATTRIBUTECONTEXT_RESOURCE_ANNOTATIONSENTRY']._loaded_options = None + _globals['_ATTRIBUTECONTEXT_RESOURCE_ANNOTATIONSENTRY']._serialized_options = b'8\001' + _globals['_ATTRIBUTECONTEXT']._serialized_start=189 + _globals['_ATTRIBUTECONTEXT']._serialized_end=2750 + _globals['_ATTRIBUTECONTEXT_PEER']._serialized_start=757 + _globals['_ATTRIBUTECONTEXT_PEER']._serialized_end=1000 + _globals['_ATTRIBUTECONTEXT_PEER_LABELSENTRY']._serialized_start=943 + _globals['_ATTRIBUTECONTEXT_PEER_LABELSENTRY']._serialized_end=1000 + _globals['_ATTRIBUTECONTEXT_API']._serialized_start=1002 + _globals['_ATTRIBUTECONTEXT_API']._serialized_end=1117 + _globals['_ATTRIBUTECONTEXT_AUTH']._serialized_start=1120 + _globals['_ATTRIBUTECONTEXT_AUTH']._serialized_end=1302 + _globals['_ATTRIBUTECONTEXT_REQUEST']._serialized_start=1305 + _globals['_ATTRIBUTECONTEXT_REQUEST']._serialized_end=1768 + _globals['_ATTRIBUTECONTEXT_REQUEST_HEADERSENTRY']._serialized_start=1710 + _globals['_ATTRIBUTECONTEXT_REQUEST_HEADERSENTRY']._serialized_end=1768 + _globals['_ATTRIBUTECONTEXT_RESPONSE']._serialized_start=1771 + _globals['_ATTRIBUTECONTEXT_RESPONSE']._serialized_end=2083 + _globals['_ATTRIBUTECONTEXT_RESPONSE_HEADERSENTRY']._serialized_start=1710 + _globals['_ATTRIBUTECONTEXT_RESPONSE_HEADERSENTRY']._serialized_end=1768 + _globals['_ATTRIBUTECONTEXT_RESOURCE']._serialized_start=2086 + _globals['_ATTRIBUTECONTEXT_RESOURCE']._serialized_end=2750 + _globals['_ATTRIBUTECONTEXT_RESOURCE_LABELSENTRY']._serialized_start=943 + _globals['_ATTRIBUTECONTEXT_RESOURCE_LABELSENTRY']._serialized_end=1000 + _globals['_ATTRIBUTECONTEXT_RESOURCE_ANNOTATIONSENTRY']._serialized_start=2688 + _globals['_ATTRIBUTECONTEXT_RESOURCE_ANNOTATIONSENTRY']._serialized_end=2750 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py b/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/rpc/error_details_pb2.py b/pyinjective/proto/google/rpc/error_details_pb2.py new file mode 100644 index 00000000..0b770565 --- /dev/null +++ b/pyinjective/proto/google/rpc/error_details_pb2.py @@ -0,0 +1,68 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/rpc/error_details.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/rpc/error_details.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1egoogle/rpc/error_details.proto\x12\ngoogle.rpc\x1a\x1egoogle/protobuf/duration.proto\"\xb9\x01\n\tErrorInfo\x12\x16\n\x06reason\x18\x01 \x01(\tR\x06reason\x12\x16\n\x06\x64omain\x18\x02 \x01(\tR\x06\x64omain\x12?\n\x08metadata\x18\x03 \x03(\x0b\x32#.google.rpc.ErrorInfo.MetadataEntryR\x08metadata\x1a;\n\rMetadataEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"G\n\tRetryInfo\x12:\n\x0bretry_delay\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationR\nretryDelay\"H\n\tDebugInfo\x12#\n\rstack_entries\x18\x01 \x03(\tR\x0cstackEntries\x12\x16\n\x06\x64\x65tail\x18\x02 \x01(\tR\x06\x64\x65tail\"\x9b\x01\n\x0cQuotaFailure\x12\x42\n\nviolations\x18\x01 \x03(\x0b\x32\".google.rpc.QuotaFailure.ViolationR\nviolations\x1aG\n\tViolation\x12\x18\n\x07subject\x18\x01 \x01(\tR\x07subject\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"\xbd\x01\n\x13PreconditionFailure\x12I\n\nviolations\x18\x01 \x03(\x0b\x32).google.rpc.PreconditionFailure.ViolationR\nviolations\x1a[\n\tViolation\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x18\n\x07subject\x18\x02 \x01(\tR\x07subject\x12 \n\x0b\x64\x65scription\x18\x03 \x01(\tR\x0b\x64\x65scription\"\xa8\x01\n\nBadRequest\x12P\n\x10\x66ield_violations\x18\x01 \x03(\x0b\x32%.google.rpc.BadRequest.FieldViolationR\x0f\x66ieldViolations\x1aH\n\x0e\x46ieldViolation\x12\x14\n\x05\x66ield\x18\x01 \x01(\tR\x05\x66ield\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\"O\n\x0bRequestInfo\x12\x1d\n\nrequest_id\x18\x01 \x01(\tR\trequestId\x12!\n\x0cserving_data\x18\x02 \x01(\tR\x0bservingData\"\x90\x01\n\x0cResourceInfo\x12#\n\rresource_type\x18\x01 \x01(\tR\x0cresourceType\x12#\n\rresource_name\x18\x02 \x01(\tR\x0cresourceName\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05owner\x12 \n\x0b\x64\x65scription\x18\x04 \x01(\tR\x0b\x64\x65scription\"o\n\x04Help\x12+\n\x05links\x18\x01 \x03(\x0b\x32\x15.google.rpc.Help.LinkR\x05links\x1a:\n\x04Link\x12 \n\x0b\x64\x65scription\x18\x01 \x01(\tR\x0b\x64\x65scription\x12\x10\n\x03url\x18\x02 \x01(\tR\x03url\"D\n\x10LocalizedMessage\x12\x16\n\x06locale\x18\x01 \x01(\tR\x06locale\x12\x18\n\x07message\x18\x02 \x01(\tR\x07messageB\xad\x01\n\x0e\x63om.google.rpcB\x11\x45rrorDetailsProtoP\x01Z?google.golang.org/genproto/googleapis/rpc/errdetails;errdetails\xa2\x02\x03GRX\xaa\x02\nGoogle.Rpc\xca\x02\nGoogle\\Rpc\xe2\x02\x16Google\\Rpc\\GPBMetadata\xea\x02\x0bGoogle::Rpcb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.rpc.error_details_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.rpcB\021ErrorDetailsProtoP\001Z?google.golang.org/genproto/googleapis/rpc/errdetails;errdetails\242\002\003GRX\252\002\nGoogle.Rpc\312\002\nGoogle\\Rpc\342\002\026Google\\Rpc\\GPBMetadata\352\002\013Google::Rpc' + _globals['_ERRORINFO_METADATAENTRY']._loaded_options = None + _globals['_ERRORINFO_METADATAENTRY']._serialized_options = b'8\001' + _globals['_ERRORINFO']._serialized_start=79 + _globals['_ERRORINFO']._serialized_end=264 + _globals['_ERRORINFO_METADATAENTRY']._serialized_start=205 + _globals['_ERRORINFO_METADATAENTRY']._serialized_end=264 + _globals['_RETRYINFO']._serialized_start=266 + _globals['_RETRYINFO']._serialized_end=337 + _globals['_DEBUGINFO']._serialized_start=339 + _globals['_DEBUGINFO']._serialized_end=411 + _globals['_QUOTAFAILURE']._serialized_start=414 + _globals['_QUOTAFAILURE']._serialized_end=569 + _globals['_QUOTAFAILURE_VIOLATION']._serialized_start=498 + _globals['_QUOTAFAILURE_VIOLATION']._serialized_end=569 + _globals['_PRECONDITIONFAILURE']._serialized_start=572 + _globals['_PRECONDITIONFAILURE']._serialized_end=761 + _globals['_PRECONDITIONFAILURE_VIOLATION']._serialized_start=670 + _globals['_PRECONDITIONFAILURE_VIOLATION']._serialized_end=761 + _globals['_BADREQUEST']._serialized_start=764 + _globals['_BADREQUEST']._serialized_end=932 + _globals['_BADREQUEST_FIELDVIOLATION']._serialized_start=860 + _globals['_BADREQUEST_FIELDVIOLATION']._serialized_end=932 + _globals['_REQUESTINFO']._serialized_start=934 + _globals['_REQUESTINFO']._serialized_end=1013 + _globals['_RESOURCEINFO']._serialized_start=1016 + _globals['_RESOURCEINFO']._serialized_end=1160 + _globals['_HELP']._serialized_start=1162 + _globals['_HELP']._serialized_end=1273 + _globals['_HELP_LINK']._serialized_start=1215 + _globals['_HELP_LINK']._serialized_end=1273 + _globals['_LOCALIZEDMESSAGE']._serialized_start=1275 + _globals['_LOCALIZEDMESSAGE']._serialized_end=1343 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/rpc/error_details_pb2_grpc.py b/pyinjective/proto/google/rpc/error_details_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/rpc/error_details_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/rpc/status_pb2.py b/pyinjective/proto/google/rpc/status_pb2.py new file mode 100644 index 00000000..7f36eb50 --- /dev/null +++ b/pyinjective/proto/google/rpc/status_pb2.py @@ -0,0 +1,38 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/rpc/status.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/rpc/status.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17google/rpc/status.proto\x12\ngoogle.rpc\x1a\x19google/protobuf/any.proto\"f\n\x06Status\x12\x12\n\x04\x63ode\x18\x01 \x01(\x05R\x04\x63ode\x12\x18\n\x07message\x18\x02 \x01(\tR\x07message\x12.\n\x07\x64\x65tails\x18\x03 \x03(\x0b\x32\x14.google.protobuf.AnyR\x07\x64\x65tailsB\xa2\x01\n\x0e\x63om.google.rpcB\x0bStatusProtoP\x01Z7google.golang.org/genproto/googleapis/rpc/status;status\xf8\x01\x01\xa2\x02\x03GRX\xaa\x02\nGoogle.Rpc\xca\x02\nGoogle\\Rpc\xe2\x02\x16Google\\Rpc\\GPBMetadata\xea\x02\x0bGoogle::Rpcb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.rpc.status_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.rpcB\013StatusProtoP\001Z7google.golang.org/genproto/googleapis/rpc/status;status\370\001\001\242\002\003GRX\252\002\nGoogle.Rpc\312\002\nGoogle\\Rpc\342\002\026Google\\Rpc\\GPBMetadata\352\002\013Google::Rpc' + _globals['_STATUS']._serialized_start=66 + _globals['_STATUS']._serialized_end=168 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/rpc/status_pb2_grpc.py b/pyinjective/proto/google/rpc/status_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/rpc/status_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/calendar_period_pb2.py b/pyinjective/proto/google/type/calendar_period_pb2.py new file mode 100644 index 00000000..c59a81cd --- /dev/null +++ b/pyinjective/proto/google/type/calendar_period_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/calendar_period.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/calendar_period.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!google/type/calendar_period.proto\x12\x0bgoogle.type*\x7f\n\x0e\x43\x61lendarPeriod\x12\x1f\n\x1b\x43\x41LENDAR_PERIOD_UNSPECIFIED\x10\x00\x12\x07\n\x03\x44\x41Y\x10\x01\x12\x08\n\x04WEEK\x10\x02\x12\r\n\tFORTNIGHT\x10\x03\x12\t\n\x05MONTH\x10\x04\x12\x0b\n\x07QUARTER\x10\x05\x12\x08\n\x04HALF\x10\x06\x12\x08\n\x04YEAR\x10\x07\x42\xbd\x01\n\x0f\x63om.google.typeB\x13\x43\x61lendarPeriodProtoP\x01ZHgoogle.golang.org/genproto/googleapis/type/calendarperiod;calendarperiod\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.calendar_period_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\023CalendarPeriodProtoP\001ZHgoogle.golang.org/genproto/googleapis/type/calendarperiod;calendarperiod\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_CALENDARPERIOD']._serialized_start=50 + _globals['_CALENDARPERIOD']._serialized_end=177 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/calendar_period_pb2_grpc.py b/pyinjective/proto/google/type/calendar_period_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/calendar_period_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/color_pb2.py b/pyinjective/proto/google/type/color_pb2.py new file mode 100644 index 00000000..b9c2186f --- /dev/null +++ b/pyinjective/proto/google/type/color_pb2.py @@ -0,0 +1,38 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/color.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/color.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import wrappers_pb2 as google_dot_protobuf_dot_wrappers__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17google/type/color.proto\x12\x0bgoogle.type\x1a\x1egoogle/protobuf/wrappers.proto\"v\n\x05\x43olor\x12\x10\n\x03red\x18\x01 \x01(\x02R\x03red\x12\x14\n\x05green\x18\x02 \x01(\x02R\x05green\x12\x12\n\x04\x62lue\x18\x03 \x01(\x02R\x04\x62lue\x12\x31\n\x05\x61lpha\x18\x04 \x01(\x0b\x32\x1b.google.protobuf.FloatValueR\x05\x61lphaB\xa5\x01\n\x0f\x63om.google.typeB\nColorProtoP\x01Z6google.golang.org/genproto/googleapis/type/color;color\xf8\x01\x01\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.color_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\nColorProtoP\001Z6google.golang.org/genproto/googleapis/type/color;color\370\001\001\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_COLOR']._serialized_start=72 + _globals['_COLOR']._serialized_end=190 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/color_pb2_grpc.py b/pyinjective/proto/google/type/color_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/color_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/date_pb2.py b/pyinjective/proto/google/type/date_pb2.py new file mode 100644 index 00000000..3c8556d7 --- /dev/null +++ b/pyinjective/proto/google/type/date_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/date.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/date.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16google/type/date.proto\x12\x0bgoogle.type\"B\n\x04\x44\x61te\x12\x12\n\x04year\x18\x01 \x01(\x05R\x04year\x12\x14\n\x05month\x18\x02 \x01(\x05R\x05month\x12\x10\n\x03\x64\x61y\x18\x03 \x01(\x05R\x03\x64\x61yB\xa2\x01\n\x0f\x63om.google.typeB\tDateProtoP\x01Z4google.golang.org/genproto/googleapis/type/date;date\xf8\x01\x01\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.date_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\tDateProtoP\001Z4google.golang.org/genproto/googleapis/type/date;date\370\001\001\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_DATE']._serialized_start=39 + _globals['_DATE']._serialized_end=105 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/date_pb2_grpc.py b/pyinjective/proto/google/type/date_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/date_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/datetime_pb2.py b/pyinjective/proto/google/type/datetime_pb2.py new file mode 100644 index 00000000..ce4c579d --- /dev/null +++ b/pyinjective/proto/google/type/datetime_pb2.py @@ -0,0 +1,40 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/datetime.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/datetime.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1agoogle/type/datetime.proto\x12\x0bgoogle.type\x1a\x1egoogle/protobuf/duration.proto\"\xa7\x02\n\x08\x44\x61teTime\x12\x12\n\x04year\x18\x01 \x01(\x05R\x04year\x12\x14\n\x05month\x18\x02 \x01(\x05R\x05month\x12\x10\n\x03\x64\x61y\x18\x03 \x01(\x05R\x03\x64\x61y\x12\x14\n\x05hours\x18\x04 \x01(\x05R\x05hours\x12\x18\n\x07minutes\x18\x05 \x01(\x05R\x07minutes\x12\x18\n\x07seconds\x18\x06 \x01(\x05R\x07seconds\x12\x14\n\x05nanos\x18\x07 \x01(\x05R\x05nanos\x12:\n\nutc_offset\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00R\tutcOffset\x12\x34\n\ttime_zone\x18\t \x01(\x0b\x32\x15.google.type.TimeZoneH\x00R\x08timeZoneB\r\n\x0btime_offset\"4\n\x08TimeZone\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x18\n\x07version\x18\x02 \x01(\tR\x07versionB\xae\x01\n\x0f\x63om.google.typeB\rDatetimeProtoP\x01Zgoogle.golang.org/genproto/googleapis/type/dayofweek;dayofweek\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.dayofweek_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\016DayofweekProtoP\001Z>google.golang.org/genproto/googleapis/type/dayofweek;dayofweek\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_DAYOFWEEK']._serialized_start=45 + _globals['_DAYOFWEEK']._serialized_end=177 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/dayofweek_pb2_grpc.py b/pyinjective/proto/google/type/dayofweek_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/dayofweek_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/decimal_pb2.py b/pyinjective/proto/google/type/decimal_pb2.py new file mode 100644 index 00000000..f06eed49 --- /dev/null +++ b/pyinjective/proto/google/type/decimal_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/decimal.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/decimal.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19google/type/decimal.proto\x12\x0bgoogle.type\"\x1f\n\x07\x44\x65\x63imal\x12\x14\n\x05value\x18\x01 \x01(\tR\x05valueB\xab\x01\n\x0f\x63om.google.typeB\x0c\x44\x65\x63imalProtoP\x01Z:google.golang.org/genproto/googleapis/type/decimal;decimal\xf8\x01\x01\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.decimal_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\014DecimalProtoP\001Z:google.golang.org/genproto/googleapis/type/decimal;decimal\370\001\001\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_DECIMAL']._serialized_start=42 + _globals['_DECIMAL']._serialized_end=73 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/decimal_pb2_grpc.py b/pyinjective/proto/google/type/decimal_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/decimal_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/expr_pb2.py b/pyinjective/proto/google/type/expr_pb2.py new file mode 100644 index 00000000..d0e39644 --- /dev/null +++ b/pyinjective/proto/google/type/expr_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/expr.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/expr.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16google/type/expr.proto\x12\x0bgoogle.type\"z\n\x04\x45xpr\x12\x1e\n\nexpression\x18\x01 \x01(\tR\nexpression\x12\x14\n\x05title\x18\x02 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x03 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08location\x18\x04 \x01(\tR\x08locationB\x9f\x01\n\x0f\x63om.google.typeB\tExprProtoP\x01Z4google.golang.org/genproto/googleapis/type/expr;expr\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.expr_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\tExprProtoP\001Z4google.golang.org/genproto/googleapis/type/expr;expr\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_EXPR']._serialized_start=39 + _globals['_EXPR']._serialized_end=161 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/expr_pb2_grpc.py b/pyinjective/proto/google/type/expr_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/expr_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/google/type/fraction_pb2.py b/pyinjective/proto/google/type/fraction_pb2.py new file mode 100644 index 00000000..32832540 --- /dev/null +++ b/pyinjective/proto/google/type/fraction_pb2.py @@ -0,0 +1,37 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: google/type/fraction.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/type/fraction.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1agoogle/type/fraction.proto\x12\x0bgoogle.type\"J\n\x08\x46raction\x12\x1c\n\tnumerator\x18\x01 \x01(\x03R\tnumerator\x12 \n\x0b\x64\x65nominator\x18\x02 \x01(\x03R\x0b\x64\x65nominatorB\xab\x01\n\x0f\x63om.google.typeB\rFractionProtoP\x01Zgoogle.golang.org/genproto/googleapis/type/timeofday;timeofday\xf8\x01\x01\xa2\x02\x03GTX\xaa\x02\x0bGoogle.Type\xca\x02\x0bGoogle\\Type\xe2\x02\x17Google\\Type\\GPBMetadata\xea\x02\x0cGoogle::Typeb\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.type.timeofday_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\017com.google.typeB\016TimeofdayProtoP\001Z>google.golang.org/genproto/googleapis/type/timeofday;timeofday\370\001\001\242\002\003GTX\252\002\013Google.Type\312\002\013Google\\Type\342\002\027Google\\Type\\GPBMetadata\352\002\014Google::Type' + _globals['_TIMEOFDAY']._serialized_start=44 + _globals['_TIMEOFDAY']._serialized_end=151 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/type/timeofday_pb2_grpc.py b/pyinjective/proto/google/type/timeofday_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/google/type/timeofday_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 3436a5f1..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 7bf8f9b7..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index fa8a53fb..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 5e282d9e..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py index 9a362519..f0e2ecd1 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.fee.v1 import query_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the ICS29 gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py index 59111557..a5cf040a 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.fee.v1 import tx_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ICS29 Msg service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 8436a09b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py index d3a984a3..20b6b332 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py index 567142f8..bc8d5510 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the 27-interchain-accounts/controller Msg service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index fb59b2d9..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index f677412a..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py index 9496fc8b..705d751a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import query_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index b430af9b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index f6c4f460..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 49c27f11..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index ed0ac6b8..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 800ee9cf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py index 6c224acb..b2f8831e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.transfer.v1 import query_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service. diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 283b46bf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py index c525807a..6b97abb4 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.applications.transfer.v1 import tx_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ibc/transfer Msg service. diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 3121fc69..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2cee10e1..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index a34643ef..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py index e9520c38..f6e0e336 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.channel.v1 import query_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py index e90549c0..3dc03c7c 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.channel.v1 import tx_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ibc/channel Msg service. diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 8066058d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index ad99adc9..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py index f63c4afc..91c747aa 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.client.v1 import query_pb2 as ibc_dot_core_dot_client_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py index c28efc69..9c44899a 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.client.v1 import tx_pb2 as ibc_dot_core_dot_client_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ibc/client Msg service. diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py index 9bb33fb3..2daafffe 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/commitment/v1/commitment_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py index 9aacfb23..2daafffe 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/connection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py index 62e1dd95..2daafffe 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/query_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/query_pb2_grpc.py index 464ab19b..2eecfbfd 100644 --- a/pyinjective/proto/ibc/core/connection/v1/query_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.connection.v1 import query_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query provides defines the gRPC querier service diff --git a/pyinjective/proto/ibc/core/connection/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/tx_pb2_grpc.py index 50192016..5539ec04 100644 --- a/pyinjective/proto/ibc/core/connection/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.ibc.core.connection.v1 import tx_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the ibc/connection Msg service. diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index db28782d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index ced3d903..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 61b2057f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 0d0343ea..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 0a72e20f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index f976ac52..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index c4715b7c..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py index 5d235e61..dbebceb7 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.auction.v1beta1 import query_pb2 as injective_dot_auction_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py index 2ff4f061..f699a2f6 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.auction.v1beta1 import tx_pb2 as injective_dot_auction_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the auction Msg service. diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index d64ecc8a..2daafffe 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index a9990661..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 512bbac9..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 04af743b..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2ead22e3..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index e392ca56..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py index 2c94b222..c5aa407e 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.exchange.v1beta1 import query_pb2 as injective_dot_exchange_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py index dcba65de..e8346ec5 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the exchange Msg service. diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index f5f15403..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index fe975d23..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 31b5576f..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py index ec238297..3404f464 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.insurance.v1beta1 import query_pb2 as injective_dot_insurance_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py index 87d53729..b3f99501 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.insurance.v1beta1 import tx_pb2 as injective_dot_insurance_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the insurance Msg service. diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 9240f0ba..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 73cf0672..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py index 248d848d..47d60e86 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.ocr.v1beta1 import query_pb2 as injective_dot_ocr_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service for OCR module. diff --git a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py index d99edfa5..bb845e6b 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.ocr.v1beta1 import tx_pb2 as injective_dot_ocr_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the OCR Msg service. diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 879f7df6..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 1234a6d3..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 893bb41b..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index bbfd8d96..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 285bf82a..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 4993584c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 3c90ed86..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 858a3ebc..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 24d3f129..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py index fa1ec042..34f5ab26 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/msgs_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Missing associated documentation comment in .proto file.""" diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 3b937d48..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 339e9c5c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py new file mode 100644 index 00000000..569aca85 --- /dev/null +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py @@ -0,0 +1,45 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: injective/peggy/v1/proposal.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/proposal.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/peggy/v1/proposal.proto\x12\x12injective.peggy.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb5\x01\n\"BlacklistEthereumAddressesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x13\x62lacklist_addresses\x18\x03 \x03(\tR\x12\x62lacklistAddresses:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb2\x01\n\x1fRevokeEthereumBlacklistProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x13\x62lacklist_addresses\x18\x03 \x03(\tR\x12\x62lacklistAddresses:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xde\x01\n\x16\x63om.injective.peggy.v1B\rProposalProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\rProposalProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._loaded_options = None + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._loaded_options = None + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 + _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=288 + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_start=291 + _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_end=469 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py new file mode 100644 index 00000000..2daafffe --- /dev/null +++ b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py @@ -0,0 +1,4 @@ +# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! +"""Client and server classes corresponding to protobuf-defined services.""" +import grpc + diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py index a8887191..2d54c874 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.peggy.v1 import query_pb2 as injective_dot_peggy_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 833de0b8..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 41b37ec2..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 9ab6244e..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 870daa66..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 9a75aeea..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py index 34f74fb6..1d335252 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.permissions.v1beta1 import query_pb2 as injective_dot_permissions_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py index d2c1c175..dbfc052d 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.permissions.v1beta1 import tx_pb2 as injective_dot_permissions_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the permissions module's gRPC message service. diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py index fe20a632..d60a571a 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as injective_dot_stream_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/stream/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class StreamStub(object): """ChainStream defines the gRPC streaming service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 0c5058eb..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 659a9505..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index a6e6f09d..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py deleted file mode 100644 index f047946c..00000000 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: injective/tokenfactory/v1beta1/gov.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/tokenfactory/v1beta1/gov.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"\xa5\x01\n\x1cUpdateDenomsMetadataProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x36\n\tmetadatas\x18\x03 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x12#\n\x07\x64\x65posit\x18\x04 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"deposit\":\x04\x88\xa0\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.gov_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['metadatas']._serialized_options = b'\310\336\037\000' - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL'].fields_by_name['deposit']._serialized_options = b'\362\336\037\016yaml:\"deposit\"' - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._loaded_options = None - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_options = b'\210\240\037\000' - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_start=131 - _globals['_UPDATEDENOMSMETADATAPROPOSAL']._serialized_end=296 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py deleted file mode 100644 index e449e972..00000000 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/gov_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index f264546f..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py index e06416a8..7a7ab8c6 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import query_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py index 62ece9b4..f96ee560 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the tokefactory module's gRPC message service. diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 0f16616d..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index e6be995e..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index aaf08ea6..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index af94f5dd..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 25e9a5e6..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 7d79ac7b..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py index 94c6456c..8f940368 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.wasmx.v1 import query_pb2 as injective_dot_wasmx_dot_v1_dot_query__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class QueryStub(object): """Query defines the gRPC querier service. diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py index 1e06cb56..5f2c8a9a 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2_grpc.py @@ -1,34 +1,9 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as injective_dot_wasmx_dot_v1_dot_tx__pb2 -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - class MsgStub(object): """Msg defines the wasmx Msg service. diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 19ce8f9d..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2.py b/pyinjective/proto/tendermint/blocksync/types_pb2.py deleted file mode 100644 index 3a009785..00000000 --- a/pyinjective/proto/tendermint/blocksync/types_pb2.py +++ /dev/null @@ -1,39 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/blocksync/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/blocksync/types.proto\x12\x14tendermint.blocksync\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\x1e\n\x0c\x42lockRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"!\n\x0fNoBlockResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"m\n\rBlockResponse\x12&\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x17.tendermint.types.Block\x12\x34\n\next_commit\x18\x02 \x01(\x0b\x32 .tendermint.types.ExtendedCommit\"\x0f\n\rStatusRequest\".\n\x0eStatusResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\x03\"\xd0\x02\n\x07Message\x12;\n\rblock_request\x18\x01 \x01(\x0b\x32\".tendermint.blocksync.BlockRequestH\x00\x12\x42\n\x11no_block_response\x18\x02 \x01(\x0b\x32%.tendermint.blocksync.NoBlockResponseH\x00\x12=\n\x0e\x62lock_response\x18\x03 \x01(\x0b\x32#.tendermint.blocksync.BlockResponseH\x00\x12=\n\x0estatus_request\x18\x04 \x01(\x0b\x32#.tendermint.blocksync.StatusRequestH\x00\x12?\n\x0fstatus_response\x18\x05 \x01(\x0b\x32$.tendermint.blocksync.StatusResponseH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/blocksyncb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.blocksync.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/blocksync' - _globals['_BLOCKREQUEST']._serialized_start=118 - _globals['_BLOCKREQUEST']._serialized_end=148 - _globals['_NOBLOCKRESPONSE']._serialized_start=150 - _globals['_NOBLOCKRESPONSE']._serialized_end=183 - _globals['_BLOCKRESPONSE']._serialized_start=185 - _globals['_BLOCKRESPONSE']._serialized_end=294 - _globals['_STATUSREQUEST']._serialized_start=296 - _globals['_STATUSREQUEST']._serialized_end=311 - _globals['_STATUSRESPONSE']._serialized_start=313 - _globals['_STATUSRESPONSE']._serialized_end=359 - _globals['_MESSAGE']._serialized_start=362 - _globals['_MESSAGE']._serialized_end=698 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py b/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py deleted file mode 100644 index d49d432b..00000000 --- a/pyinjective/proto/tendermint/blocksync/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2.py b/pyinjective/proto/tendermint/consensus/types_pb2.py deleted file mode 100644 index c5244e28..00000000 --- a/pyinjective/proto/tendermint/consensus/types_pb2.py +++ /dev/null @@ -1,62 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/consensus/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.libs.bits import types_pb2 as tendermint_dot_libs_dot_bits_dot_types__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/consensus/types.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/libs/bits/types.proto\"x\n\x0cNewRoundStep\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\r\x12 \n\x18seconds_since_start_time\x18\x04 \x01(\x03\x12\x19\n\x11last_commit_round\x18\x05 \x01(\x05\"\xbc\x01\n\rNewValidBlock\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x44\n\x15\x62lock_part_set_header\x18\x03 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\x12\x33\n\x0b\x62lock_parts\x18\x04 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArray\x12\x11\n\tis_commit\x18\x05 \x01(\x08\">\n\x08Proposal\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\"u\n\x0bProposalPOL\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x12proposal_pol_round\x18\x02 \x01(\x05\x12:\n\x0cproposal_pol\x18\x03 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"V\n\tBlockPart\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12*\n\x04part\x18\x03 \x01(\x0b\x32\x16.tendermint.types.PartB\x04\xc8\xde\x1f\x00\",\n\x04Vote\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\"f\n\x07HasVote\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\r\n\x05index\x18\x04 \x01(\x05\"\x9a\x01\n\x0cVoteSetMaj23\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\"\xce\x01\n\x0bVoteSetBits\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12-\n\x04type\x18\x03 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x33\n\x05votes\x18\x05 \x01(\x0b\x32\x1e.tendermint.libs.bits.BitArrayB\x04\xc8\xde\x1f\x00\"\x8d\x04\n\x07Message\x12<\n\x0enew_round_step\x18\x01 \x01(\x0b\x32\".tendermint.consensus.NewRoundStepH\x00\x12>\n\x0fnew_valid_block\x18\x02 \x01(\x0b\x32#.tendermint.consensus.NewValidBlockH\x00\x12\x32\n\x08proposal\x18\x03 \x01(\x0b\x32\x1e.tendermint.consensus.ProposalH\x00\x12\x39\n\x0cproposal_pol\x18\x04 \x01(\x0b\x32!.tendermint.consensus.ProposalPOLH\x00\x12\x35\n\nblock_part\x18\x05 \x01(\x0b\x32\x1f.tendermint.consensus.BlockPartH\x00\x12*\n\x04vote\x18\x06 \x01(\x0b\x32\x1a.tendermint.consensus.VoteH\x00\x12\x31\n\x08has_vote\x18\x07 \x01(\x0b\x32\x1d.tendermint.consensus.HasVoteH\x00\x12<\n\x0evote_set_maj23\x18\x08 \x01(\x0b\x32\".tendermint.consensus.VoteSetMaj23H\x00\x12:\n\rvote_set_bits\x18\t \x01(\x0b\x32!.tendermint.consensus.VoteSetBitsH\x00\x42\x05\n\x03sumB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._loaded_options = None - _globals['_NEWVALIDBLOCK'].fields_by_name['block_part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSAL'].fields_by_name['proposal']._loaded_options = None - _globals['_PROPOSAL'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._loaded_options = None - _globals['_PROPOSALPOL'].fields_by_name['proposal_pol']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKPART'].fields_by_name['part']._loaded_options = None - _globals['_BLOCKPART'].fields_by_name['part']._serialized_options = b'\310\336\037\000' - _globals['_VOTESETMAJ23'].fields_by_name['block_id']._loaded_options = None - _globals['_VOTESETMAJ23'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['block_id']._loaded_options = None - _globals['_VOTESETBITS'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' - _globals['_VOTESETBITS'].fields_by_name['votes']._loaded_options = None - _globals['_VOTESETBITS'].fields_by_name['votes']._serialized_options = b'\310\336\037\000' - _globals['_NEWROUNDSTEP']._serialized_start=144 - _globals['_NEWROUNDSTEP']._serialized_end=264 - _globals['_NEWVALIDBLOCK']._serialized_start=267 - _globals['_NEWVALIDBLOCK']._serialized_end=455 - _globals['_PROPOSAL']._serialized_start=457 - _globals['_PROPOSAL']._serialized_end=519 - _globals['_PROPOSALPOL']._serialized_start=521 - _globals['_PROPOSALPOL']._serialized_end=638 - _globals['_BLOCKPART']._serialized_start=640 - _globals['_BLOCKPART']._serialized_end=726 - _globals['_VOTE']._serialized_start=728 - _globals['_VOTE']._serialized_end=772 - _globals['_HASVOTE']._serialized_start=774 - _globals['_HASVOTE']._serialized_end=876 - _globals['_VOTESETMAJ23']._serialized_start=879 - _globals['_VOTESETMAJ23']._serialized_end=1033 - _globals['_VOTESETBITS']._serialized_start=1036 - _globals['_VOTESETBITS']._serialized_end=1242 - _globals['_MESSAGE']._serialized_start=1245 - _globals['_MESSAGE']._serialized_end=1770 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py deleted file mode 100644 index 6879e86e..00000000 --- a/pyinjective/proto/tendermint/consensus/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2.py b/pyinjective/proto/tendermint/consensus/wal_pb2.py deleted file mode 100644 index 0aa3df5d..00000000 --- a/pyinjective/proto/tendermint/consensus/wal_pb2.py +++ /dev/null @@ -1,48 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/consensus/wal.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.consensus import types_pb2 as tendermint_dot_consensus_dot_types__pb2 -from tendermint.types import events_pb2 as tendermint_dot_types_dot_events__pb2 -from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/consensus/wal.proto\x12\x14tendermint.consensus\x1a\x14gogoproto/gogo.proto\x1a tendermint/consensus/types.proto\x1a\x1dtendermint/types/events.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"X\n\x07MsgInfo\x12\x30\n\x03msg\x18\x01 \x01(\x0b\x32\x1d.tendermint.consensus.MessageB\x04\xc8\xde\x1f\x00\x12\x1b\n\x07peer_id\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06PeerID\"q\n\x0bTimeoutInfo\x12\x35\n\x08\x64uration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x0c\n\x04step\x18\x04 \x01(\r\"\x1b\n\tEndHeight\x12\x0e\n\x06height\x18\x01 \x01(\x03\"\x81\x02\n\nWALMessage\x12G\n\x16\x65vent_data_round_state\x18\x01 \x01(\x0b\x32%.tendermint.types.EventDataRoundStateH\x00\x12\x31\n\x08msg_info\x18\x02 \x01(\x0b\x32\x1d.tendermint.consensus.MsgInfoH\x00\x12\x39\n\x0ctimeout_info\x18\x03 \x01(\x0b\x32!.tendermint.consensus.TimeoutInfoH\x00\x12\x35\n\nend_height\x18\x04 \x01(\x0b\x32\x1f.tendermint.consensus.EndHeightH\x00\x42\x05\n\x03sum\"t\n\x0fTimedWALMessage\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12-\n\x03msg\x18\x02 \x01(\x0b\x32 .tendermint.consensus.WALMessageB9Z7github.com/cometbft/cometbft/proto/tendermint/consensusb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.consensus.wal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/consensus' - _globals['_MSGINFO'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINFO'].fields_by_name['msg']._serialized_options = b'\310\336\037\000' - _globals['_MSGINFO'].fields_by_name['peer_id']._loaded_options = None - _globals['_MSGINFO'].fields_by_name['peer_id']._serialized_options = b'\342\336\037\006PeerID' - _globals['_TIMEOUTINFO'].fields_by_name['duration']._loaded_options = None - _globals['_TIMEOUTINFO'].fields_by_name['duration']._serialized_options = b'\310\336\037\000\230\337\037\001' - _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._loaded_options = None - _globals['_TIMEDWALMESSAGE'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_MSGINFO']._serialized_start=208 - _globals['_MSGINFO']._serialized_end=296 - _globals['_TIMEOUTINFO']._serialized_start=298 - _globals['_TIMEOUTINFO']._serialized_end=411 - _globals['_ENDHEIGHT']._serialized_start=413 - _globals['_ENDHEIGHT']._serialized_end=440 - _globals['_WALMESSAGE']._serialized_start=443 - _globals['_WALMESSAGE']._serialized_end=700 - _globals['_TIMEDWALMESSAGE']._serialized_start=702 - _globals['_TIMEDWALMESSAGE']._serialized_end=818 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py b/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py deleted file mode 100644 index 20bf7bbf..00000000 --- a/pyinjective/proto/tendermint/consensus/wal_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index c6d6788d..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 424b5351..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index afd186cd..2daafffe 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2.py b/pyinjective/proto/tendermint/mempool/types_pb2.py deleted file mode 100644 index f4ad08d8..00000000 --- a/pyinjective/proto/tendermint/mempool/types_pb2.py +++ /dev/null @@ -1,29 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/mempool/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/mempool/types.proto\x12\x12tendermint.mempool\"\x12\n\x03Txs\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"8\n\x07Message\x12&\n\x03txs\x18\x01 \x01(\x0b\x32\x17.tendermint.mempool.TxsH\x00\x42\x05\n\x03sumB7Z5github.com/cometbft/cometbft/proto/tendermint/mempoolb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.mempool.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/mempool' - _globals['_TXS']._serialized_start=54 - _globals['_TXS']._serialized_end=72 - _globals['_MESSAGE']._serialized_start=74 - _globals['_MESSAGE']._serialized_end=130 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py b/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py deleted file mode 100644 index cb8652d4..00000000 --- a/pyinjective/proto/tendermint/mempool/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2.py b/pyinjective/proto/tendermint/p2p/conn_pb2.py deleted file mode 100644 index 638807b0..00000000 --- a/pyinjective/proto/tendermint/p2p/conn_pb2.py +++ /dev/null @@ -1,43 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/p2p/conn.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19tendermint/p2p/conn.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x0c\n\nPacketPing\"\x0c\n\nPacketPong\"R\n\tPacketMsg\x12!\n\nchannel_id\x18\x01 \x01(\x05\x42\r\xe2\xde\x1f\tChannelID\x12\x14\n\x03\x65of\x18\x02 \x01(\x08\x42\x07\xe2\xde\x1f\x03\x45OF\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xa6\x01\n\x06Packet\x12\x31\n\x0bpacket_ping\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPingH\x00\x12\x31\n\x0bpacket_pong\x18\x02 \x01(\x0b\x32\x1a.tendermint.p2p.PacketPongH\x00\x12/\n\npacket_msg\x18\x03 \x01(\x0b\x32\x19.tendermint.p2p.PacketMsgH\x00\x42\x05\n\x03sum\"R\n\x0e\x41uthSigMessage\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x0b\n\x03sig\x18\x02 \x01(\x0c\x42\x33Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.conn_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PACKETMSG'].fields_by_name['channel_id']._loaded_options = None - _globals['_PACKETMSG'].fields_by_name['channel_id']._serialized_options = b'\342\336\037\tChannelID' - _globals['_PACKETMSG'].fields_by_name['eof']._loaded_options = None - _globals['_PACKETMSG'].fields_by_name['eof']._serialized_options = b'\342\336\037\003EOF' - _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._loaded_options = None - _globals['_AUTHSIGMESSAGE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_PACKETPING']._serialized_start=97 - _globals['_PACKETPING']._serialized_end=109 - _globals['_PACKETPONG']._serialized_start=111 - _globals['_PACKETPONG']._serialized_end=123 - _globals['_PACKETMSG']._serialized_start=125 - _globals['_PACKETMSG']._serialized_end=207 - _globals['_PACKET']._serialized_start=210 - _globals['_PACKET']._serialized_end=376 - _globals['_AUTHSIGMESSAGE']._serialized_start=378 - _globals['_AUTHSIGMESSAGE']._serialized_end=460 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py deleted file mode 100644 index a0c04f90..00000000 --- a/pyinjective/proto/tendermint/p2p/conn_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2.py b/pyinjective/proto/tendermint/p2p/pex_pb2.py deleted file mode 100644 index 2953a71c..00000000 --- a/pyinjective/proto/tendermint/p2p/pex_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/p2p/pex.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from tendermint.p2p import types_pb2 as tendermint_dot_p2p_dot_types__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18tendermint/p2p/pex.proto\x12\x0etendermint.p2p\x1a\x1atendermint/p2p/types.proto\x1a\x14gogoproto/gogo.proto\"\x0c\n\nPexRequest\";\n\x08PexAddrs\x12/\n\x05\x61\x64\x64rs\x18\x01 \x03(\x0b\x32\x1a.tendermint.p2p.NetAddressB\x04\xc8\xde\x1f\x00\"r\n\x07Message\x12\x31\n\x0bpex_request\x18\x01 \x01(\x0b\x32\x1a.tendermint.p2p.PexRequestH\x00\x12-\n\tpex_addrs\x18\x02 \x01(\x0b\x32\x18.tendermint.p2p.PexAddrsH\x00\x42\x05\n\x03sumB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.pex_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' - _globals['_PEXADDRS'].fields_by_name['addrs']._loaded_options = None - _globals['_PEXADDRS'].fields_by_name['addrs']._serialized_options = b'\310\336\037\000' - _globals['_PEXREQUEST']._serialized_start=94 - _globals['_PEXREQUEST']._serialized_end=106 - _globals['_PEXADDRS']._serialized_start=108 - _globals['_PEXADDRS']._serialized_end=167 - _globals['_MESSAGE']._serialized_start=169 - _globals['_MESSAGE']._serialized_end=283 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py deleted file mode 100644 index cfd99997..00000000 --- a/pyinjective/proto/tendermint/p2p/pex_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 10a81406..2daafffe 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/privval/types_pb2.py b/pyinjective/proto/tendermint/privval/types_pb2.py deleted file mode 100644 index 756dc4cf..00000000 --- a/pyinjective/proto/tendermint/privval/types_pb2.py +++ /dev/null @@ -1,56 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/privval/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/privval/types.proto\x12\x12tendermint.privval\x1a\x1ctendermint/crypto/keys.proto\x1a\x1ctendermint/types/types.proto\x1a\x14gogoproto/gogo.proto\"6\n\x11RemoteSignerError\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x05\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\"!\n\rPubKeyRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\"{\n\x0ePubKeyResponse\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"I\n\x0fSignVoteRequest\x12$\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"v\n\x12SignedVoteResponse\x12*\n\x04vote\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"U\n\x13SignProposalRequest\x12,\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.Proposal\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\"\x82\x01\n\x16SignedProposalResponse\x12\x32\n\x08proposal\x18\x01 \x01(\x0b\x32\x1a.tendermint.types.ProposalB\x04\xc8\xde\x1f\x00\x12\x34\n\x05\x65rror\x18\x02 \x01(\x0b\x32%.tendermint.privval.RemoteSignerError\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\xa6\x04\n\x07Message\x12<\n\x0fpub_key_request\x18\x01 \x01(\x0b\x32!.tendermint.privval.PubKeyRequestH\x00\x12>\n\x10pub_key_response\x18\x02 \x01(\x0b\x32\".tendermint.privval.PubKeyResponseH\x00\x12@\n\x11sign_vote_request\x18\x03 \x01(\x0b\x32#.tendermint.privval.SignVoteRequestH\x00\x12\x46\n\x14signed_vote_response\x18\x04 \x01(\x0b\x32&.tendermint.privval.SignedVoteResponseH\x00\x12H\n\x15sign_proposal_request\x18\x05 \x01(\x0b\x32\'.tendermint.privval.SignProposalRequestH\x00\x12N\n\x18signed_proposal_response\x18\x06 \x01(\x0b\x32*.tendermint.privval.SignedProposalResponseH\x00\x12\x37\n\x0cping_request\x18\x07 \x01(\x0b\x32\x1f.tendermint.privval.PingRequestH\x00\x12\x39\n\rping_response\x18\x08 \x01(\x0b\x32 .tendermint.privval.PingResponseH\x00\x42\x05\n\x03sum*\xa8\x01\n\x06\x45rrors\x12\x12\n\x0e\x45RRORS_UNKNOWN\x10\x00\x12\x1e\n\x1a\x45RRORS_UNEXPECTED_RESPONSE\x10\x01\x12\x18\n\x14\x45RRORS_NO_CONNECTION\x10\x02\x12\x1d\n\x19\x45RRORS_CONNECTION_TIMEOUT\x10\x03\x12\x17\n\x13\x45RRORS_READ_TIMEOUT\x10\x04\x12\x18\n\x14\x45RRORS_WRITE_TIMEOUT\x10\x05\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/privvalb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.privval.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/privval' - _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._loaded_options = None - _globals['_PUBKEYRESPONSE'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._loaded_options = None - _globals['_SIGNEDVOTERESPONSE'].fields_by_name['vote']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None - _globals['_SIGNEDPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000' - _globals['_ERRORS']._serialized_start=1352 - _globals['_ERRORS']._serialized_end=1520 - _globals['_REMOTESIGNERERROR']._serialized_start=136 - _globals['_REMOTESIGNERERROR']._serialized_end=190 - _globals['_PUBKEYREQUEST']._serialized_start=192 - _globals['_PUBKEYREQUEST']._serialized_end=225 - _globals['_PUBKEYRESPONSE']._serialized_start=227 - _globals['_PUBKEYRESPONSE']._serialized_end=350 - _globals['_SIGNVOTEREQUEST']._serialized_start=352 - _globals['_SIGNVOTEREQUEST']._serialized_end=425 - _globals['_SIGNEDVOTERESPONSE']._serialized_start=427 - _globals['_SIGNEDVOTERESPONSE']._serialized_end=545 - _globals['_SIGNPROPOSALREQUEST']._serialized_start=547 - _globals['_SIGNPROPOSALREQUEST']._serialized_end=632 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_start=635 - _globals['_SIGNEDPROPOSALRESPONSE']._serialized_end=765 - _globals['_PINGREQUEST']._serialized_start=767 - _globals['_PINGREQUEST']._serialized_end=780 - _globals['_PINGRESPONSE']._serialized_start=782 - _globals['_PINGRESPONSE']._serialized_end=796 - _globals['_MESSAGE']._serialized_start=799 - _globals['_MESSAGE']._serialized_end=1349 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py b/pyinjective/proto/tendermint/privval/types_pb2_grpc.py deleted file mode 100644 index 1280586b..00000000 --- a/pyinjective/proto/tendermint/privval/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py deleted file mode 100644 index 5fbaa43c..00000000 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2.py +++ /dev/null @@ -1,36 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/rpc/grpc/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/rpc/grpc/types.proto\x12\x13tendermint.rpc.grpc\x1a\x1btendermint/abci/types.proto\"\r\n\x0bRequestPing\" \n\x12RequestBroadcastTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\"\x0e\n\x0cResponsePing\"{\n\x13ResponseBroadcastTx\x12\x32\n\x08\x63heck_tx\x18\x01 \x01(\x0b\x32 .tendermint.abci.ResponseCheckTx\x12\x30\n\ttx_result\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResult2\xbd\x01\n\x0c\x42roadcastAPI\x12K\n\x04Ping\x12 .tendermint.rpc.grpc.RequestPing\x1a!.tendermint.rpc.grpc.ResponsePing\x12`\n\x0b\x42roadcastTx\x12\'.tendermint.rpc.grpc.RequestBroadcastTx\x1a(.tendermint.rpc.grpc.ResponseBroadcastTxB0Z.github.com/cometbft/cometbft/rpc/grpc;coregrpcb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.rpc.grpc.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cometbft/cometbft/rpc/grpc;coregrpc' - _globals['_REQUESTPING']._serialized_start=85 - _globals['_REQUESTPING']._serialized_end=98 - _globals['_REQUESTBROADCASTTX']._serialized_start=100 - _globals['_REQUESTBROADCASTTX']._serialized_end=132 - _globals['_RESPONSEPING']._serialized_start=134 - _globals['_RESPONSEPING']._serialized_end=148 - _globals['_RESPONSEBROADCASTTX']._serialized_start=150 - _globals['_RESPONSEBROADCASTTX']._serialized_end=273 - _globals['_BROADCASTAPI']._serialized_start=276 - _globals['_BROADCASTAPI']._serialized_end=465 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py b/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py deleted file mode 100644 index a459b7b1..00000000 --- a/pyinjective/proto/tendermint/rpc/grpc/types_pb2_grpc.py +++ /dev/null @@ -1,166 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - -from pyinjective.proto.tendermint.rpc.grpc import types_pb2 as tendermint_dot_rpc_dot_grpc_dot_types__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/rpc/grpc/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) - - -class BroadcastAPIStub(object): - """---------------------------------------- - Service Definition - - BroadcastAPI - - Deprecated: This API will be superseded by a more comprehensive gRPC-based - broadcast API, and is scheduled for removal after v0.38. - """ - - def __init__(self, channel): - """Constructor. - - Args: - channel: A grpc.Channel. - """ - self.Ping = channel.unary_unary( - '/tendermint.rpc.grpc.BroadcastAPI/Ping', - request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, - response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - _registered_method=True) - self.BroadcastTx = channel.unary_unary( - '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', - request_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, - response_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - _registered_method=True) - - -class BroadcastAPIServicer(object): - """---------------------------------------- - Service Definition - - BroadcastAPI - - Deprecated: This API will be superseded by a more comprehensive gRPC-based - broadcast API, and is scheduled for removal after v0.38. - """ - - def Ping(self, request, context): - """Missing associated documentation comment in .proto file.""" - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - def BroadcastTx(self, request, context): - """Missing associated documentation comment in .proto file.""" - context.set_code(grpc.StatusCode.UNIMPLEMENTED) - context.set_details('Method not implemented!') - raise NotImplementedError('Method not implemented!') - - -def add_BroadcastAPIServicer_to_server(servicer, server): - rpc_method_handlers = { - 'Ping': grpc.unary_unary_rpc_method_handler( - servicer.Ping, - request_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.FromString, - response_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.SerializeToString, - ), - 'BroadcastTx': grpc.unary_unary_rpc_method_handler( - servicer.BroadcastTx, - request_deserializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.FromString, - response_serializer=tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.SerializeToString, - ), - } - generic_handler = grpc.method_handlers_generic_handler( - 'tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) - server.add_generic_rpc_handlers((generic_handler,)) - server.add_registered_method_handlers('tendermint.rpc.grpc.BroadcastAPI', rpc_method_handlers) - - - # This class is part of an EXPERIMENTAL API. -class BroadcastAPI(object): - """---------------------------------------- - Service Definition - - BroadcastAPI - - Deprecated: This API will be superseded by a more comprehensive gRPC-based - broadcast API, and is scheduled for removal after v0.38. - """ - - @staticmethod - def Ping(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/tendermint.rpc.grpc.BroadcastAPI/Ping', - tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestPing.SerializeToString, - tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponsePing.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) - - @staticmethod - def BroadcastTx(request, - target, - options=(), - channel_credentials=None, - call_credentials=None, - insecure=False, - compression=None, - wait_for_ready=None, - timeout=None, - metadata=None): - return grpc.experimental.unary_unary( - request, - target, - '/tendermint.rpc.grpc.BroadcastAPI/BroadcastTx', - tendermint_dot_rpc_dot_grpc_dot_types__pb2.RequestBroadcastTx.SerializeToString, - tendermint_dot_rpc_dot_grpc_dot_types__pb2.ResponseBroadcastTx.FromString, - options, - channel_credentials, - insecure, - call_credentials, - compression, - wait_for_ready, - timeout, - metadata, - _registered_method=True) diff --git a/pyinjective/proto/tendermint/state/types_pb2.py b/pyinjective/proto/tendermint/state/types_pb2.py deleted file mode 100644 index 8b2a1178..00000000 --- a/pyinjective/proto/tendermint/state/types_pb2.py +++ /dev/null @@ -1,68 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/state/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/state/types.proto\x12\x10tendermint.state\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\x1a\x1dtendermint/types/params.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xbb\x01\n\x13LegacyABCIResponses\x12\x32\n\x0b\x64\x65liver_txs\x18\x01 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x35\n\tend_block\x18\x02 \x01(\x0b\x32\".tendermint.state.ResponseEndBlock\x12\x39\n\x0b\x62\x65gin_block\x18\x03 \x01(\x0b\x32$.tendermint.state.ResponseBeginBlock\"V\n\x12ResponseBeginBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"\xdb\x01\n\x10ResponseEndBlock\x12\x41\n\x11validator_updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x02 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12@\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\"d\n\x0eValidatorsInfo\x12\x35\n\rvalidator_set\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"u\n\x13\x43onsensusParamsInfo\x12\x41\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13last_height_changed\x18\x02 \x01(\x03\"\xb2\x01\n\x11\x41\x42\x43IResponsesInfo\x12\x44\n\x15legacy_abci_responses\x18\x01 \x01(\x0b\x32%.tendermint.state.LegacyABCIResponses\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12G\n\x17response_finalize_block\x18\x03 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"S\n\x07Version\x12\x36\n\tconsensus\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x10\n\x08software\x18\x02 \x01(\t\"\xfd\x04\n\x05State\x12\x30\n\x07version\x18\x01 \x01(\x0b\x32\x19.tendermint.state.VersionB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x16\n\x0einitial_height\x18\x0e \x01(\x03\x12\x19\n\x11last_block_height\x18\x03 \x01(\x03\x12\x45\n\rlast_block_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x13\xc8\xde\x1f\x00\xe2\xde\x1f\x0bLastBlockID\x12=\n\x0flast_block_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x37\n\x0fnext_validators\x18\x06 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x32\n\nvalidators\x18\x07 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x37\n\x0flast_validators\x18\x08 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12&\n\x1elast_height_validators_changed\x18\t \x01(\x03\x12\x41\n\x10\x63onsensus_params\x18\n \x01(\x0b\x32!.tendermint.types.ConsensusParamsB\x04\xc8\xde\x1f\x00\x12,\n$last_height_consensus_params_changed\x18\x0b \x01(\x03\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\r \x01(\x0c\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/stateb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.state.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/state' - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEBEGINBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['validator_updates']._serialized_options = b'\310\336\037\000' - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._loaded_options = None - _globals['_RESPONSEENDBLOCK'].fields_by_name['events']._serialized_options = b'\310\336\037\000\352\336\037\020events,omitempty' - _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._loaded_options = None - _globals['_CONSENSUSPARAMSINFO'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_VERSION'].fields_by_name['consensus']._loaded_options = None - _globals['_VERSION'].fields_by_name['consensus']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['version']._loaded_options = None - _globals['_STATE'].fields_by_name['version']._serialized_options = b'\310\336\037\000' - _globals['_STATE'].fields_by_name['chain_id']._loaded_options = None - _globals['_STATE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_STATE'].fields_by_name['last_block_id']._loaded_options = None - _globals['_STATE'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\342\336\037\013LastBlockID' - _globals['_STATE'].fields_by_name['last_block_time']._loaded_options = None - _globals['_STATE'].fields_by_name['last_block_time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_STATE'].fields_by_name['consensus_params']._loaded_options = None - _globals['_STATE'].fields_by_name['consensus_params']._serialized_options = b'\310\336\037\000' - _globals['_LEGACYABCIRESPONSES']._serialized_start=262 - _globals['_LEGACYABCIRESPONSES']._serialized_end=449 - _globals['_RESPONSEBEGINBLOCK']._serialized_start=451 - _globals['_RESPONSEBEGINBLOCK']._serialized_end=537 - _globals['_RESPONSEENDBLOCK']._serialized_start=540 - _globals['_RESPONSEENDBLOCK']._serialized_end=759 - _globals['_VALIDATORSINFO']._serialized_start=761 - _globals['_VALIDATORSINFO']._serialized_end=861 - _globals['_CONSENSUSPARAMSINFO']._serialized_start=863 - _globals['_CONSENSUSPARAMSINFO']._serialized_end=980 - _globals['_ABCIRESPONSESINFO']._serialized_start=983 - _globals['_ABCIRESPONSESINFO']._serialized_end=1161 - _globals['_VERSION']._serialized_start=1163 - _globals['_VERSION']._serialized_end=1246 - _globals['_STATE']._serialized_start=1249 - _globals['_STATE']._serialized_end=1886 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/state/types_pb2_grpc.py b/pyinjective/proto/tendermint/state/types_pb2_grpc.py deleted file mode 100644 index 7e3919fe..00000000 --- a/pyinjective/proto/tendermint/state/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2.py b/pyinjective/proto/tendermint/statesync/types_pb2.py deleted file mode 100644 index 3fc9d878..00000000 --- a/pyinjective/proto/tendermint/statesync/types_pb2.py +++ /dev/null @@ -1,35 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/statesync/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/statesync/types.proto\x12\x14tendermint.statesync\"\x98\x02\n\x07Message\x12\x43\n\x11snapshots_request\x18\x01 \x01(\x0b\x32&.tendermint.statesync.SnapshotsRequestH\x00\x12\x45\n\x12snapshots_response\x18\x02 \x01(\x0b\x32\'.tendermint.statesync.SnapshotsResponseH\x00\x12;\n\rchunk_request\x18\x03 \x01(\x0b\x32\".tendermint.statesync.ChunkRequestH\x00\x12=\n\x0e\x63hunk_response\x18\x04 \x01(\x0b\x32#.tendermint.statesync.ChunkResponseH\x00\x42\x05\n\x03sum\"\x12\n\x10SnapshotsRequest\"c\n\x11SnapshotsResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c\"=\n\x0c\x43hunkRequest\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\"^\n\rChunkResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05index\x18\x03 \x01(\r\x12\r\n\x05\x63hunk\x18\x04 \x01(\x0c\x12\x0f\n\x07missing\x18\x05 \x01(\x08\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/statesyncb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.statesync.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/statesync' - _globals['_MESSAGE']._serialized_start=59 - _globals['_MESSAGE']._serialized_end=339 - _globals['_SNAPSHOTSREQUEST']._serialized_start=341 - _globals['_SNAPSHOTSREQUEST']._serialized_end=359 - _globals['_SNAPSHOTSRESPONSE']._serialized_start=361 - _globals['_SNAPSHOTSRESPONSE']._serialized_end=460 - _globals['_CHUNKREQUEST']._serialized_start=462 - _globals['_CHUNKREQUEST']._serialized_end=523 - _globals['_CHUNKRESPONSE']._serialized_start=525 - _globals['_CHUNKRESPONSE']._serialized_end=619 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py b/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py deleted file mode 100644 index aed296dd..00000000 --- a/pyinjective/proto/tendermint/statesync/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/store/types_pb2.py b/pyinjective/proto/tendermint/store/types_pb2.py deleted file mode 100644 index 21d6504d..00000000 --- a/pyinjective/proto/tendermint/store/types_pb2.py +++ /dev/null @@ -1,27 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/store/types.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/store/types.proto\x12\x10tendermint.store\"/\n\x0f\x42lockStoreState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\x03\x12\x0e\n\x06height\x18\x02 \x01(\x03\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/storeb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.store.types_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/store' - _globals['_BLOCKSTORESTATE']._serialized_start=50 - _globals['_BLOCKSTORESTATE']._serialized_end=97 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/store/types_pb2_grpc.py b/pyinjective/proto/tendermint/store/types_pb2_grpc.py deleted file mode 100644 index befc0e86..00000000 --- a/pyinjective/proto/tendermint/store/types_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 1ba424f2..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2.py b/pyinjective/proto/tendermint/types/canonical_pb2.py deleted file mode 100644 index dfb84bfc..00000000 --- a/pyinjective/proto/tendermint/types/canonical_pb2.py +++ /dev/null @@ -1,54 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/types/canonical.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/canonical.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"i\n\x10\x43\x61nonicalBlockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12G\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32(.tendermint.types.CanonicalPartSetHeaderB\x04\xc8\xde\x1f\x00\"5\n\x16\x43\x61nonicalPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"\x9d\x02\n\x11\x43\x61nonicalProposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x1f\n\tpol_round\x18\x04 \x01(\x03\x42\x0c\xe2\xde\x1f\x08POLRound\x12\x41\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x07 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\xf8\x01\n\rCanonicalVote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x41\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\".tendermint.types.CanonicalBlockIDB\x0b\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1d\n\x08\x63hain_id\x18\x06 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\"\\\n\x16\x43\x61nonicalVoteExtension\x12\x11\n\textension\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x10\x12\r\n\x05round\x18\x03 \x01(\x10\x12\x10\n\x08\x63hain_id\x18\x04 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.canonical_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._loaded_options = None - _globals['_CANONICALBLOCKID'].fields_by_name['part_set_header']._serialized_options = b'\310\336\037\000' - _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._loaded_options = None - _globals['_CANONICALPROPOSAL'].fields_by_name['pol_round']._serialized_options = b'\342\336\037\010POLRound' - _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._loaded_options = None - _globals['_CANONICALPROPOSAL'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._loaded_options = None - _globals['_CANONICALPROPOSAL'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._loaded_options = None - _globals['_CANONICALPROPOSAL'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_CANONICALVOTE'].fields_by_name['block_id']._loaded_options = None - _globals['_CANONICALVOTE'].fields_by_name['block_id']._serialized_options = b'\342\336\037\007BlockID' - _globals['_CANONICALVOTE'].fields_by_name['timestamp']._loaded_options = None - _globals['_CANONICALVOTE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CANONICALVOTE'].fields_by_name['chain_id']._loaded_options = None - _globals['_CANONICALVOTE'].fields_by_name['chain_id']._serialized_options = b'\342\336\037\007ChainID' - _globals['_CANONICALBLOCKID']._serialized_start=139 - _globals['_CANONICALBLOCKID']._serialized_end=244 - _globals['_CANONICALPARTSETHEADER']._serialized_start=246 - _globals['_CANONICALPARTSETHEADER']._serialized_end=299 - _globals['_CANONICALPROPOSAL']._serialized_start=302 - _globals['_CANONICALPROPOSAL']._serialized_end=587 - _globals['_CANONICALVOTE']._serialized_start=590 - _globals['_CANONICALVOTE']._serialized_end=838 - _globals['_CANONICALVOTEEXTENSION']._serialized_start=840 - _globals['_CANONICALVOTEEXTENSION']._serialized_end=932 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py b/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py deleted file mode 100644 index 99128936..00000000 --- a/pyinjective/proto/tendermint/types/canonical_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/events_pb2.py b/pyinjective/proto/tendermint/types/events_pb2.py deleted file mode 100644 index 1a2d6848..00000000 --- a/pyinjective/proto/tendermint/types/events_pb2.py +++ /dev/null @@ -1,27 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# source: tendermint/types/events.proto -# Protobuf Python Version: 5.26.1 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/events.proto\x12\x10tendermint.types\"B\n\x13\x45ventDataRoundState\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12\x0c\n\x04step\x18\x03 \x01(\tB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.events_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' - _globals['_EVENTDATAROUNDSTATE']._serialized_start=51 - _globals['_EVENTDATAROUNDSTATE']._serialized_end=117 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/events_pb2_grpc.py b/pyinjective/proto/tendermint/types/events_pb2_grpc.py deleted file mode 100644 index 635dc42d..00000000 --- a/pyinjective/proto/tendermint/types/events_pb2_grpc.py +++ /dev/null @@ -1,29 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc -import warnings - - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2538cd81..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 10835456..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 89ae993e..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index ee3f776f..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index b5d744ef..2daafffe 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) From 59998861ae3d4931e100549e4517480a8697f5ac Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Wed, 10 Jul 2024 16:24:50 -0300 Subject: [PATCH 51/63] (fix) Updated proto definitions from latest injective-core and injective-indexer versions (candidate for chain upgrade to v1.13) --- buf.gen.yaml | 6 +- pyinjective/__init__.py | 6 +- pyinjective/proto/amino/amino_pb2.py | 16 +- .../proto/capability/v1/capability_pb2.py | 30 +- .../capability/v1/capability_pb2_grpc.py | 25 - .../proto/capability/v1/genesis_pb2.py | 26 +- .../proto/capability/v1/genesis_pb2_grpc.py | 25 - .../cosmos/app/runtime/v1alpha1/module_pb2.py | 25 +- .../proto/cosmos/app/v1alpha1/config_pb2.py | 29 +- .../proto/cosmos/app/v1alpha1/module_pb2.py | 27 +- .../proto/cosmos/app/v1alpha1/query_pb2.py | 25 +- .../proto/cosmos/auth/module/v1/module_pb2.py | 25 +- .../proto/cosmos/auth/v1beta1/auth_pb2.py | 36 +- .../proto/cosmos/auth/v1beta1/genesis_pb2.py | 26 +- .../proto/cosmos/auth/v1beta1/query_pb2.py | 110 ++-- .../proto/cosmos/auth/v1beta1/tx_pb2.py | 36 +- .../cosmos/authz/module/v1/module_pb2.py | 19 +- .../proto/cosmos/authz/v1beta1/authz_pb2.py | 36 +- .../proto/cosmos/authz/v1beta1/event_pb2.py | 26 +- .../proto/cosmos/authz/v1beta1/genesis_pb2.py | 24 +- .../proto/cosmos/authz/v1beta1/query_pb2.py | 50 +- .../proto/cosmos/authz/v1beta1/tx_pb2.py | 60 +- .../proto/cosmos/authz/v1beta1/tx_pb2_grpc.py | 73 ++- .../proto/cosmos/autocli/v1/options_pb2.py | 42 +- .../proto/cosmos/autocli/v1/query_pb2.py | 30 +- .../proto/cosmos/bank/module/v1/module_pb2.py | 21 +- .../proto/cosmos/bank/v1beta1/authz_pb2.py | 26 +- .../proto/cosmos/bank/v1beta1/bank_pb2.py | 52 +- .../proto/cosmos/bank/v1beta1/events_pb2.py | 44 ++ .../proto/cosmos/bank/v1beta1/genesis_pb2.py | 32 +- .../proto/cosmos/bank/v1beta1/query_pb2.py | 142 ++--- .../proto/cosmos/bank/v1beta1/tx_pb2.py | 62 +- .../cosmos/base/abci/v1beta1/abci_pb2.py | 64 +- .../cosmos/base/node/v1beta1/query_pb2.py | 36 +- .../base/query/v1beta1/pagination_pb2.py | 24 +- .../base/reflection/v1beta1/reflection_pb2.py | 32 +- .../reflection/v2alpha1/reflection_pb2.py | 124 ++-- .../base/tendermint/v1beta1/query_pb2.py | 114 ++-- .../base/tendermint/v1beta1/types_pb2.py | 32 +- .../proto/cosmos/base/v1beta1/coin_pb2.py | 36 +- .../cosmos/circuit/module/v1/module_pb2.py | 21 +- .../circuit/module/v1/module_pb2_grpc.py | 25 - .../proto/cosmos/circuit/v1/query_pb2.py | 50 +- .../proto/cosmos/circuit/v1/query_pb2_grpc.py | 29 +- pyinjective/proto/cosmos/circuit/v1/tx_pb2.py | 46 +- .../proto/cosmos/circuit/v1/tx_pb2_grpc.py | 29 +- .../proto/cosmos/circuit/v1/types_pb2.py | 30 +- .../proto/cosmos/circuit/v1/types_pb2_grpc.py | 25 - .../cosmos/consensus/module/v1/module_pb2.py | 21 +- .../proto/cosmos/consensus/v1/query_pb2.py | 26 +- .../proto/cosmos/consensus/v1/tx_pb2.py | 34 +- .../cosmos/crisis/module/v1/module_pb2.py | 23 +- .../cosmos/crisis/v1beta1/genesis_pb2.py | 24 +- .../proto/cosmos/crisis/v1beta1/tx_pb2.py | 44 +- .../proto/cosmos/crypto/ed25519/keys_pb2.py | 26 +- .../proto/cosmos/crypto/hd/v1/hd_pb2.py | 22 +- .../cosmos/crypto/keyring/v1/record_pb2.py | 38 +- .../proto/cosmos/crypto/multisig/keys_pb2.py | 22 +- .../crypto/multisig/v1beta1/multisig_pb2.py | 24 +- .../proto/cosmos/crypto/secp256k1/keys_pb2.py | 26 +- .../proto/cosmos/crypto/secp256r1/keys_pb2.py | 24 +- .../distribution/module/v1/module_pb2.py | 23 +- .../distribution/v1beta1/distribution_pb2.py | 70 ++- .../distribution/v1beta1/genesis_pb2.py | 56 +- .../cosmos/distribution/v1beta1/query_pb2.py | 108 ++-- .../cosmos/distribution/v1beta1/tx_pb2.py | 86 +-- .../cosmos/evidence/module/v1/module_pb2.py | 19 +- .../cosmos/evidence/v1beta1/evidence_pb2.py | 24 +- .../cosmos/evidence/v1beta1/genesis_pb2.py | 18 +- .../cosmos/evidence/v1beta1/query_pb2.py | 38 +- .../proto/cosmos/evidence/v1beta1/tx_pb2.py | 34 +- .../cosmos/feegrant/module/v1/module_pb2.py | 19 +- .../cosmos/feegrant/v1beta1/feegrant_pb2.py | 38 +- .../cosmos/feegrant/v1beta1/genesis_pb2.py | 24 +- .../cosmos/feegrant/v1beta1/query_pb2.py | 50 +- .../proto/cosmos/feegrant/v1beta1/tx_pb2.py | 48 +- .../cosmos/genutil/module/v1/module_pb2.py | 19 +- .../cosmos/genutil/v1beta1/genesis_pb2.py | 22 +- .../proto/cosmos/gov/module/v1/module_pb2.py | 21 +- .../proto/cosmos/gov/v1/genesis_pb2.py | 20 +- pyinjective/proto/cosmos/gov/v1/gov_pb2.py | 66 ++- pyinjective/proto/cosmos/gov/v1/query_pb2.py | 94 +-- pyinjective/proto/cosmos/gov/v1/tx_pb2.py | 86 +-- .../proto/cosmos/gov/v1beta1/genesis_pb2.py | 24 +- .../proto/cosmos/gov/v1beta1/gov_pb2.py | 66 ++- .../proto/cosmos/gov/v1beta1/query_pb2.py | 94 +-- .../proto/cosmos/gov/v1beta1/tx_pb2.py | 62 +- .../cosmos/group/module/v1/module_pb2.py | 25 +- .../proto/cosmos/group/v1/events_pb2.py | 58 +- .../proto/cosmos/group/v1/genesis_pb2.py | 20 +- .../proto/cosmos/group/v1/query_pb2.py | 142 ++--- pyinjective/proto/cosmos/group/v1/tx_pb2.py | 144 ++--- .../proto/cosmos/group/v1/types_pb2.py | 76 +-- .../proto/cosmos/ics23/v1/proofs_pb2.py | 76 +-- .../proto/cosmos/mint/module/v1/module_pb2.py | 23 +- .../proto/cosmos/mint/v1beta1/genesis_pb2.py | 26 +- .../proto/cosmos/mint/v1beta1/mint_pb2.py | 28 +- .../proto/cosmos/mint/v1beta1/query_pb2.py | 48 +- .../proto/cosmos/mint/v1beta1/tx_pb2.py | 36 +- .../cosmos/msg/textual/v1/textual_pb2.py | 17 +- .../cosmos/msg/textual/v1/textual_pb2_grpc.py | 25 - pyinjective/proto/cosmos/msg/v1/msg_pb2.py | 16 +- .../proto/cosmos/nft/module/v1/module_pb2.py | 19 +- .../proto/cosmos/nft/v1beta1/event_pb2.py | 26 +- .../proto/cosmos/nft/v1beta1/genesis_pb2.py | 24 +- .../proto/cosmos/nft/v1beta1/nft_pb2.py | 22 +- .../proto/cosmos/nft/v1beta1/query_pb2.py | 80 +-- .../proto/cosmos/nft/v1beta1/tx_pb2.py | 30 +- .../cosmos/orm/module/v1alpha1/module_pb2.py | 19 +- .../cosmos/orm/query/v1alpha1/query_pb2.py | 51 +- pyinjective/proto/cosmos/orm/v1/orm_pb2.py | 31 +- .../proto/cosmos/orm/v1alpha1/schema_pb2.py | 27 +- .../cosmos/params/module/v1/module_pb2.py | 19 +- .../proto/cosmos/params/v1beta1/params_pb2.py | 28 +- .../proto/cosmos/params/v1beta1/query_pb2.py | 46 +- .../proto/cosmos/query/v1/query_pb2.py | 16 +- .../cosmos/reflection/v1/reflection_pb2.py | 25 +- .../cosmos/slashing/module/v1/module_pb2.py | 21 +- .../cosmos/slashing/v1beta1/genesis_pb2.py | 38 +- .../cosmos/slashing/v1beta1/query_pb2.py | 50 +- .../cosmos/slashing/v1beta1/slashing_pb2.py | 28 +- .../proto/cosmos/slashing/v1beta1/tx_pb2.py | 44 +- .../cosmos/staking/module/v1/module_pb2.py | 21 +- .../proto/cosmos/staking/v1beta1/authz_pb2.py | 34 +- .../cosmos/staking/v1beta1/genesis_pb2.py | 30 +- .../proto/cosmos/staking/v1beta1/query_pb2.py | 144 ++--- .../cosmos/staking/v1beta1/staking_pb2.py | 118 ++-- .../proto/cosmos/staking/v1beta1/tx_pb2.py | 86 +-- .../store/internal/kv/v1beta1/kv_pb2.py | 24 +- .../store/internal/kv/v1beta1/kv_pb2_grpc.py | 25 - .../cosmos/store/snapshots/v1/snapshot_pb2.py | 44 +- .../store/snapshots/v1/snapshot_pb2_grpc.py | 25 - .../cosmos/store/streaming/abci/grpc_pb2.py | 38 +- .../store/streaming/abci/grpc_pb2_grpc.py | 27 +- .../cosmos/store/v1beta1/commit_info_pb2.py | 28 +- .../store/v1beta1/commit_info_pb2_grpc.py | 25 - .../cosmos/store/v1beta1/listening_pb2.py | 24 +- .../store/v1beta1/listening_pb2_grpc.py | 25 - .../proto/cosmos/tx/config/v1/config_pb2.py | 23 +- .../cosmos/tx/signing/v1beta1/signing_pb2.py | 40 +- .../proto/cosmos/tx/v1beta1/service_pb2.py | 110 ++-- pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py | 80 +-- .../cosmos/upgrade/module/v1/module_pb2.py | 21 +- .../proto/cosmos/upgrade/v1beta1/query_pb2.py | 58 +- .../proto/cosmos/upgrade/v1beta1/tx_pb2.py | 44 +- .../cosmos/upgrade/v1beta1/upgrade_pb2.py | 36 +- .../cosmos/vesting/module/v1/module_pb2.py | 19 +- .../proto/cosmos/vesting/v1beta1/tx_pb2.py | 54 +- .../cosmos/vesting/v1beta1/vesting_pb2.py | 46 +- .../proto/cosmwasm/wasm/v1/authz_pb2.py | 74 ++- .../proto/cosmwasm/wasm/v1/genesis_pb2.py | 38 +- pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py | 28 +- .../cosmwasm/wasm/v1/proposal_legacy_pb2.py | 96 +-- .../proto/cosmwasm/wasm/v1/query_pb2.py | 136 +++-- .../proto/cosmwasm/wasm/v1/query_pb2_grpc.py | 73 ++- pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py | 188 +++--- .../proto/cosmwasm/wasm/v1/types_pb2.py | 80 +-- .../proto/exchange/event_provider_api_pb2.py | 90 +-- pyinjective/proto/exchange/health_pb2.py | 26 +- .../exchange/injective_accounts_rpc_pb2.py | 202 ++++--- .../exchange/injective_auction_rpc_pb2.py | 54 +- .../exchange/injective_campaign_rpc_pb2.py | 86 +-- .../injective_derivative_exchange_rpc_pb2.py | 298 +++++----- .../exchange/injective_exchange_rpc_pb2.py | 78 +-- .../exchange/injective_explorer_rpc_pb2.py | 318 +++++----- .../exchange/injective_insurance_rpc_pb2.py | 50 +- .../proto/exchange/injective_meta_rpc_pb2.py | 58 +- .../exchange/injective_oracle_rpc_pb2.py | 50 +- .../exchange/injective_portfolio_rpc_pb2.py | 82 +-- .../injective_spot_exchange_rpc_pb2.py | 216 +++---- .../exchange/injective_trading_rpc_pb2.py | 38 +- pyinjective/proto/gogoproto/gogo_pb2.py | 16 +- .../proto/google/api/annotations_pb2.py | 18 +- pyinjective/proto/google/api/http_pb2.py | 26 +- .../proto/ibc/applications/fee/v1/ack_pb2.py | 20 +- .../proto/ibc/applications/fee/v1/fee_pb2.py | 40 +- .../ibc/applications/fee/v1/genesis_pb2.py | 40 +- .../ibc/applications/fee/v1/metadata_pb2.py | 18 +- .../ibc/applications/fee/v1/query_pb2.py | 114 ++-- .../proto/ibc/applications/fee/v1/tx_pb2.py | 60 +- .../controller/v1/controller_pb2.py | 18 +- .../controller/v1/query_pb2.py | 38 +- .../controller/v1/tx_pb2.py | 52 +- .../genesis/v1/genesis_pb2.py | 40 +- .../interchain_accounts/host/v1/host_pb2.py | 22 +- .../interchain_accounts/host/v1/query_pb2.py | 26 +- .../interchain_accounts/host/v1/tx_pb2.py | 42 +- .../host/v1/tx_pb2_grpc.py | 27 +- .../interchain_accounts/v1/account_pb2.py | 24 +- .../interchain_accounts/v1/metadata_pb2.py | 18 +- .../interchain_accounts/v1/packet_pb2.py | 30 +- .../ibc/applications/transfer/v1/authz_pb2.py | 28 +- .../applications/transfer/v1/genesis_pb2.py | 24 +- .../ibc/applications/transfer/v1/query_pb2.py | 76 +-- .../applications/transfer/v1/transfer_pb2.py | 22 +- .../ibc/applications/transfer/v1/tx_pb2.py | 46 +- .../applications/transfer/v2/packet_pb2.py | 20 +- .../proto/ibc/core/channel/v1/channel_pb2.py | 62 +- .../proto/ibc/core/channel/v1/genesis_pb2.py | 26 +- .../proto/ibc/core/channel/v1/query_pb2.py | 166 +++--- .../proto/ibc/core/channel/v1/tx_pb2.py | 186 +++--- .../proto/ibc/core/channel/v1/upgrade_pb2.py | 30 +- .../ibc/core/channel/v1/upgrade_pb2_grpc.py | 25 - .../proto/ibc/core/client/v1/client_pb2.py | 48 +- .../proto/ibc/core/client/v1/genesis_pb2.py | 30 +- .../proto/ibc/core/client/v1/query_pb2.py | 110 ++-- .../proto/ibc/core/client/v1/tx_pb2.py | 82 +-- .../ibc/core/commitment/v1/commitment_pb2.py | 34 +- .../ibc/core/connection/v1/connection_pb2.py | 50 +- .../ibc/core/connection/v1/genesis_pb2.py | 22 +- .../proto/ibc/core/connection/v1/query_pb2.py | 76 +-- .../proto/ibc/core/connection/v1/tx_pb2.py | 66 ++- .../proto/ibc/core/types/v1/genesis_pb2.py | 26 +- .../localhost/v2/localhost_pb2.py | 22 +- .../solomachine/v2/solomachine_pb2.py | 88 +-- .../solomachine/v3/solomachine_pb2.py | 48 +- .../tendermint/v1/tendermint_pb2.py | 46 +- .../ibc/lightclients/wasm/v1/genesis_pb2.py | 24 +- .../lightclients/wasm/v1/genesis_pb2_grpc.py | 25 - .../ibc/lightclients/wasm/v1/query_pb2.py | 38 +- .../lightclients/wasm/v1/query_pb2_grpc.py | 27 +- .../proto/ibc/lightclients/wasm/v1/tx_pb2.py | 44 +- .../ibc/lightclients/wasm/v1/tx_pb2_grpc.py | 29 +- .../ibc/lightclients/wasm/v1/wasm_pb2.py | 36 +- .../ibc/lightclients/wasm/v1/wasm_pb2_grpc.py | 25 - .../injective/auction/v1beta1/auction_pb2.py | 44 +- .../injective/auction/v1beta1/genesis_pb2.py | 22 +- .../injective/auction/v1beta1/query_pb2.py | 56 +- .../proto/injective/auction/v1beta1/tx_pb2.py | 46 +- .../crypto/v1beta1/ethsecp256k1/keys_pb2.py | 26 +- .../injective/exchange/v1beta1/authz_pb2.py | 62 +- .../injective/exchange/v1beta1/events_pb2.py | 166 +++--- .../exchange/v1beta1/exchange_pb2.py | 246 ++++---- .../injective/exchange/v1beta1/genesis_pb2.py | 88 +-- .../exchange/v1beta1/proposal_pb2.py | 118 ++-- .../injective/exchange/v1beta1/query_pb2.py | 560 +++++++++--------- .../injective/exchange/v1beta1/tx_pb2.py | 342 +++++------ .../injective/insurance/v1beta1/events_pb2.py | 40 +- .../insurance/v1beta1/genesis_pb2.py | 22 +- .../insurance/v1beta1/insurance_pb2.py | 34 +- .../injective/insurance/v1beta1/query_pb2.py | 72 ++- .../injective/insurance/v1beta1/tx_pb2.py | 64 +- .../injective/ocr/v1beta1/genesis_pb2.py | 52 +- .../proto/injective/ocr/v1beta1/ocr_pb2.py | 108 ++-- .../proto/injective/ocr/v1beta1/query_pb2.py | 80 +-- .../proto/injective/ocr/v1beta1/tx_pb2.py | 104 ++-- .../injective/oracle/v1beta1/events_pb2.py | 64 +- .../injective/oracle/v1beta1/genesis_pb2.py | 26 +- .../injective/oracle/v1beta1/oracle_pb2.py | 120 ++-- .../injective/oracle/v1beta1/proposal_pb2.py | 68 ++- .../injective/oracle/v1beta1/query_pb2.py | 170 +++--- .../oracle/v1beta1/query_pb2_grpc.py | 117 +++- .../proto/injective/oracle/v1beta1/tx_pb2.py | 90 +-- .../injective/oracle/v1beta1/tx_pb2_grpc.py | 72 ++- .../injective/peggy/v1/attestation_pb2.py | 30 +- .../proto/injective/peggy/v1/batch_pb2.py | 24 +- .../injective/peggy/v1/ethereum_signer_pb2.py | 18 +- .../proto/injective/peggy/v1/events_pb2.py | 88 +-- .../proto/injective/peggy/v1/genesis_pb2.py | 32 +- .../proto/injective/peggy/v1/msgs_pb2.py | 146 ++--- .../proto/injective/peggy/v1/params_pb2.py | 24 +- .../proto/injective/peggy/v1/pool_pb2.py | 24 +- .../proto/injective/peggy/v1/proposal_pb2.py | 45 -- .../injective/peggy/v1/proposal_pb2_grpc.py | 4 - .../proto/injective/peggy/v1/query_pb2.py | 198 ++++--- .../proto/injective/peggy/v1/types_pb2.py | 36 +- .../permissions/v1beta1/events_pb2.py | 26 +- .../permissions/v1beta1/genesis_pb2.py | 24 +- .../permissions/v1beta1/params_pb2.py | 26 +- .../permissions/v1beta1/permissions_pb2.py | 46 +- .../permissions/v1beta1/query_pb2.py | 83 +-- .../injective/permissions/v1beta1/tx_pb2.py | 106 ++-- .../injective/stream/v1beta1/query_pb2.py | 118 ++-- .../v1beta1/authorityMetadata_pb2.py | 22 +- .../tokenfactory/v1beta1/events_pb2.py | 42 +- .../tokenfactory/v1beta1/genesis_pb2.py | 28 +- .../tokenfactory/v1beta1/params_pb2.py | 28 +- .../tokenfactory/v1beta1/query_pb2.py | 58 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 80 +-- .../injective/types/v1beta1/account_pb2.py | 24 +- .../injective/types/v1beta1/tx_ext_pb2.py | 22 +- .../types/v1beta1/tx_response_pb2.py | 22 +- .../proto/injective/wasmx/v1/events_pb2.py | 34 +- .../proto/injective/wasmx/v1/genesis_pb2.py | 28 +- .../proto/injective/wasmx/v1/proposal_pb2.py | 46 +- .../proto/injective/wasmx/v1/query_pb2.py | 46 +- .../proto/injective/wasmx/v1/tx_pb2.py | 78 +-- .../proto/injective/wasmx/v1/wasmx_pb2.py | 30 +- .../proto/tendermint/abci/types_pb2.py | 240 ++++---- .../proto/tendermint/abci/types_pb2_grpc.py | 29 +- .../proto/tendermint/crypto/keys_pb2.py | 20 +- .../proto/tendermint/crypto/proof_pb2.py | 36 +- .../proto/tendermint/libs/bits/types_pb2.py | 18 +- pyinjective/proto/tendermint/p2p/types_pb2.py | 32 +- .../proto/tendermint/types/block_pb2.py | 24 +- .../proto/tendermint/types/evidence_pb2.py | 36 +- .../proto/tendermint/types/params_pb2.py | 44 +- .../proto/tendermint/types/types_pb2.py | 86 +-- .../proto/tendermint/types/validator_pb2.py | 34 +- .../proto/tendermint/version/types_pb2.py | 24 +- pyinjective/sendtocosmos.py | 4 +- pyinjective/transaction.py | 12 +- pyinjective/wallet.py | 4 +- .../chain/grpc/test_chain_grpc_bank_api.py | 4 + 304 files changed, 9396 insertions(+), 6936 deletions(-) create mode 100644 pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2.py delete mode 100644 pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py diff --git a/buf.gen.yaml b/buf.gen.yaml index 29858574..48815eea 100644 --- a/buf.gen.yaml +++ b/buf.gen.yaml @@ -22,9 +22,9 @@ inputs: - git_repo: https://github.com/InjectiveLabs/wasmd branch: v0.51.x-inj subdir: proto - - git_repo: https://github.com/InjectiveLabs/injective-core - tag: v1.12.1 - subdir: proto +# - git_repo: https://github.com/InjectiveLabs/injective-core +# tag: v1.12.1 +# subdir: proto - git_repo: https://github.com/InjectiveLabs/injective-core branch: dev subdir: proto diff --git a/pyinjective/__init__.py b/pyinjective/__init__.py index 60c0db63..140aa957 100644 --- a/pyinjective/__init__.py +++ b/pyinjective/__init__.py @@ -2,6 +2,6 @@ # If this is not imported, importing later grpcio (required by AsyncClient) fails in Mac machines with M1 and M2 from google.protobuf.internal import api_implementation # noqa: F401 -from .async_client import AsyncClient # noqa: F401 -from .transaction import Transaction # noqa: F401 -from .wallet import Address, PrivateKey, PublicKey # noqa: F401 +from pyinjective.async_client import AsyncClient # noqa: F401 +from pyinjective.transaction import Transaction # noqa: F401 +from pyinjective.wallet import Address, PrivateKey, PublicKey # noqa: F401 diff --git a/pyinjective/proto/amino/amino_pb2.py b/pyinjective/proto/amino/amino_pb2.py index 7db3a6e1..e124d7da 100644 --- a/pyinjective/proto/amino/amino_pb2.py +++ b/pyinjective/proto/amino/amino_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: amino/amino.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'amino/amino.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:0\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\t:<\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\t:2\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\t:4\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\t:8\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08:4\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tB-Z+github.com/cosmos/cosmos-sdk/types/tx/aminob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x11\x61mino/amino.proto\x12\x05\x61mino\x1a google/protobuf/descriptor.proto:6\n\x04name\x12\x1f.google.protobuf.MessageOptions\x18\xf1\x8c\xa6\x05 \x01(\tR\x04name:M\n\x10message_encoding\x12\x1f.google.protobuf.MessageOptions\x18\xf2\x8c\xa6\x05 \x01(\tR\x0fmessageEncoding:<\n\x08\x65ncoding\x12\x1d.google.protobuf.FieldOptions\x18\xf3\x8c\xa6\x05 \x01(\tR\x08\x65ncoding:?\n\nfield_name\x12\x1d.google.protobuf.FieldOptions\x18\xf4\x8c\xa6\x05 \x01(\tR\tfieldName:G\n\x0e\x64ont_omitempty\x12\x1d.google.protobuf.FieldOptions\x18\xf5\x8c\xa6\x05 \x01(\x08R\rdontOmitempty:?\n\noneof_name\x12\x1d.google.protobuf.FieldOptions\x18\xf6\x8c\xa6\x05 \x01(\tR\toneofNameBx\n\tcom.aminoB\nAminoProtoP\x01Z+github.com/cosmos/cosmos-sdk/types/tx/amino\xa2\x02\x03\x41XX\xaa\x02\x05\x41mino\xca\x02\x05\x41mino\xe2\x02\x11\x41mino\\GPBMetadata\xea\x02\x05\x41minob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'amino.amino_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/types/tx/amino' + _globals['DESCRIPTOR']._serialized_options = b'\n\tcom.aminoB\nAminoProtoP\001Z+github.com/cosmos/cosmos-sdk/types/tx/amino\242\002\003AXX\252\002\005Amino\312\002\005Amino\342\002\021Amino\\GPBMetadata\352\002\005Amino' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/capability_pb2.py b/pyinjective/proto/capability/v1/capability_pb2.py index fc01377a..3c2927f9 100644 --- a/pyinjective/proto/capability/v1/capability_pb2.py +++ b/pyinjective/proto/capability/v1/capability_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/capability.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'capability/v1/capability.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"!\n\nCapability\x12\r\n\x05index\x18\x01 \x01(\x04:\x04\x98\xa0\x1f\x00\"/\n\x05Owner\x12\x0e\n\x06module\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"C\n\x10\x43\x61pabilityOwners\x12/\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63\x61pability/v1/capability.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"(\n\nCapability\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index:\x04\x98\xa0\x1f\x00\"=\n\x05Owner\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"K\n\x10\x43\x61pabilityOwners\x12\x37\n\x06owners\x18\x01 \x03(\x0b\x32\x14.capability.v1.OwnerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xac\x01\n\x11\x63om.capability.v1B\x0f\x43\x61pabilityProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.capability_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\017CapabilityProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' _globals['_CAPABILITY']._loaded_options = None _globals['_CAPABILITY']._serialized_options = b'\230\240\037\000' _globals['_OWNER']._loaded_options = None @@ -31,9 +41,9 @@ _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._loaded_options = None _globals['_CAPABILITYOWNERS'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_CAPABILITY']._serialized_start=90 - _globals['_CAPABILITY']._serialized_end=123 - _globals['_OWNER']._serialized_start=125 - _globals['_OWNER']._serialized_end=172 - _globals['_CAPABILITYOWNERS']._serialized_start=174 - _globals['_CAPABILITYOWNERS']._serialized_end=241 + _globals['_CAPABILITY']._serialized_end=130 + _globals['_OWNER']._serialized_start=132 + _globals['_OWNER']._serialized_end=193 + _globals['_CAPABILITYOWNERS']._serialized_start=195 + _globals['_CAPABILITYOWNERS']._serialized_end=270 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/capability_pb2_grpc.py b/pyinjective/proto/capability/v1/capability_pb2_grpc.py index 5b33b6a6..2daafffe 100644 --- a/pyinjective/proto/capability/v1/capability_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/capability_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in capability/v1/capability_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/capability/v1/genesis_pb2.py b/pyinjective/proto/capability/v1/genesis_pb2.py index c041baac..adc56dc6 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2.py +++ b/pyinjective/proto/capability/v1/genesis_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: capability/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'capability/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from capability.v1 import capability_pb2 as capability_dot_v1_dot_capability__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"`\n\rGenesisOwners\x12\r\n\x05index\x18\x01 \x01(\x04\x12@\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x0cGenesisState\x12\r\n\x05index\x18\x01 \x01(\x04\x12\x37\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/ibc-go/modules/capability/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63\x61pability/v1/genesis.proto\x12\rcapability.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63\x61pability/v1/capability.proto\x1a\x11\x61mino/amino.proto\"t\n\rGenesisOwners\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12M\n\x0cindex_owners\x18\x02 \x01(\x0b\x32\x1f.capability.v1.CapabilityOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bindexOwners\"e\n\x0cGenesisState\x12\x14\n\x05index\x18\x01 \x01(\x04R\x05index\x12?\n\x06owners\x18\x02 \x03(\x0b\x32\x1c.capability.v1.GenesisOwnersB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06ownersB\xa9\x01\n\x11\x63om.capability.v1B\x0cGenesisProtoP\x01Z1github.com/cosmos/ibc-go/modules/capability/types\xa2\x02\x03\x43XX\xaa\x02\rCapability.V1\xca\x02\rCapability\\V1\xe2\x02\x19\x43\x61pability\\V1\\GPBMetadata\xea\x02\x0e\x43\x61pability::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'capability.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/ibc-go/modules/capability/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.capability.v1B\014GenesisProtoP\001Z1github.com/cosmos/ibc-go/modules/capability/types\242\002\003CXX\252\002\rCapability.V1\312\002\rCapability\\V1\342\002\031Capability\\V1\\GPBMetadata\352\002\016Capability::V1' _globals['_GENESISOWNERS'].fields_by_name['index_owners']._loaded_options = None _globals['_GENESISOWNERS'].fields_by_name['index_owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['owners']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['owners']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISOWNERS']._serialized_start=119 - _globals['_GENESISOWNERS']._serialized_end=215 - _globals['_GENESISSTATE']._serialized_start=217 - _globals['_GENESISSTATE']._serialized_end=303 + _globals['_GENESISOWNERS']._serialized_end=235 + _globals['_GENESISSTATE']._serialized_start=237 + _globals['_GENESISSTATE']._serialized_end=338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py index 3a6381e6..2daafffe 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in capability/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py index 6c2f71cf..46cffe9d 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2.py @@ -1,31 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/runtime/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/runtime/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xd4\x02\n\x06Module\x12\x10\n\x08\x61pp_name\x18\x01 \x01(\t\x12\x16\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\t\x12\x14\n\x0c\x65nd_blockers\x18\x03 \x03(\t\x12\x14\n\x0cinit_genesis\x18\x04 \x03(\t\x12\x16\n\x0e\x65xport_genesis\x18\x05 \x03(\t\x12H\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfig\x12\x18\n\x10order_migrations\x18\x07 \x03(\t\x12\x14\n\x0cprecommiters\x18\x08 \x03(\t\x12\x1d\n\x15prepare_check_staters\x18\t \x03(\t:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\";\n\x0eStoreKeyConfig\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x14\n\x0ckv_store_key\x18\x02 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/app/runtime/v1alpha1/module.proto\x12\x1b\x63osmos.app.runtime.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\xdc\x03\n\x06Module\x12\x19\n\x08\x61pp_name\x18\x01 \x01(\tR\x07\x61ppName\x12%\n\x0e\x62\x65gin_blockers\x18\x02 \x03(\tR\rbeginBlockers\x12!\n\x0c\x65nd_blockers\x18\x03 \x03(\tR\x0b\x65ndBlockers\x12!\n\x0cinit_genesis\x18\x04 \x03(\tR\x0binitGenesis\x12%\n\x0e\x65xport_genesis\x18\x05 \x03(\tR\rexportGenesis\x12[\n\x13override_store_keys\x18\x06 \x03(\x0b\x32+.cosmos.app.runtime.v1alpha1.StoreKeyConfigR\x11overrideStoreKeys\x12)\n\x10order_migrations\x18\x07 \x03(\tR\x0forderMigrations\x12\"\n\x0cprecommiters\x18\x08 \x03(\tR\x0cprecommiters\x12\x32\n\x15prepare_check_staters\x18\t \x03(\tR\x13prepareCheckStaters:C\xba\xc0\x96\xda\x01=\n$github.com/cosmos/cosmos-sdk/runtime\x12\x15\n\x13\x63osmos.app.v1alpha1\"S\n\x0eStoreKeyConfig\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12 \n\x0ckv_store_key\x18\x02 \x01(\tR\nkvStoreKeyB\xbd\x01\n\x1f\x63om.cosmos.app.runtime.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41R\xaa\x02\x1b\x43osmos.App.Runtime.V1alpha1\xca\x02\x1b\x43osmos\\App\\Runtime\\V1alpha1\xe2\x02\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\xea\x02\x1e\x43osmos::App::Runtime::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.runtime.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.app.runtime.v1alpha1B\013ModuleProtoP\001\242\002\003CAR\252\002\033Cosmos.App.Runtime.V1alpha1\312\002\033Cosmos\\App\\Runtime\\V1alpha1\342\002\'Cosmos\\App\\Runtime\\V1alpha1\\GPBMetadata\352\002\036Cosmos::App::Runtime::V1alpha1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001=\n$github.com/cosmos/cosmos-sdk/runtime\022\025\n\023cosmos.app.v1alpha1' _globals['_MODULE']._serialized_start=108 - _globals['_MODULE']._serialized_end=448 - _globals['_STOREKEYCONFIG']._serialized_start=450 - _globals['_STOREKEYCONFIG']._serialized_end=509 + _globals['_MODULE']._serialized_end=584 + _globals['_STOREKEYCONFIG']._serialized_start=586 + _globals['_STOREKEYCONFIG']._serialized_end=669 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py index f4071fe8..8d6f0828 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/config.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/config.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"y\n\x06\x43onfig\x12\x32\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfig\x12;\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"\x7f\n\x0cModuleConfig\x12\x0c\n\x04name\x18\x01 \x01(\t\x12$\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12;\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBinding\"?\n\rGolangBinding\x12\x16\n\x0einterface_type\x18\x01 \x01(\t\x12\x16\n\x0eimplementation\x18\x02 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/config.proto\x12\x13\x63osmos.app.v1alpha1\x1a\x19google/protobuf/any.proto\"\x92\x01\n\x06\x43onfig\x12;\n\x07modules\x18\x01 \x03(\x0b\x32!.cosmos.app.v1alpha1.ModuleConfigR\x07modules\x12K\n\x0fgolang_bindings\x18\x02 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"\x9d\x01\n\x0cModuleConfig\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12,\n\x06\x63onfig\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06\x63onfig\x12K\n\x0fgolang_bindings\x18\x03 \x03(\x0b\x32\".cosmos.app.v1alpha1.GolangBindingR\x0egolangBindings\"^\n\rGolangBinding\x12%\n\x0einterface_type\x18\x01 \x01(\tR\rinterfaceType\x12&\n\x0eimplementation\x18\x02 \x01(\tR\x0eimplementationB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_CONFIG']._serialized_start=84 - _globals['_CONFIG']._serialized_end=205 - _globals['_MODULECONFIG']._serialized_start=207 - _globals['_MODULECONFIG']._serialized_end=334 - _globals['_GOLANGBINDING']._serialized_start=336 - _globals['_GOLANGBINDING']._serialized_end=399 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ConfigProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' + _globals['_CONFIG']._serialized_start=85 + _globals['_CONFIG']._serialized_end=231 + _globals['_MODULECONFIG']._serialized_start=234 + _globals['_MODULECONFIG']._serialized_end=391 + _globals['_GOLANGBINDING']._serialized_start=393 + _globals['_GOLANGBINDING']._serialized_end=487 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py index 7ce3d41d..549e0008 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xa1\x01\n\x10ModuleDescriptor\x12\x11\n\tgo_import\x18\x01 \x01(\t\x12:\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReference\x12>\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfo\"2\n\x10PackageReference\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x10\n\x08revision\x18\x02 \x01(\r\"!\n\x0fMigrateFromInfo\x12\x0e\n\x06module\x18\x01 \x01(\t:Y\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/app/v1alpha1/module.proto\x12\x13\x63osmos.app.v1alpha1\x1a google/protobuf/descriptor.proto\"\xc7\x01\n\x10ModuleDescriptor\x12\x1b\n\tgo_import\x18\x01 \x01(\tR\x08goImport\x12\x46\n\x0buse_package\x18\x02 \x03(\x0b\x32%.cosmos.app.v1alpha1.PackageReferenceR\nusePackage\x12N\n\x10\x63\x61n_migrate_from\x18\x03 \x03(\x0b\x32$.cosmos.app.v1alpha1.MigrateFromInfoR\x0e\x63\x61nMigrateFrom\"B\n\x10PackageReference\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1a\n\x08revision\x18\x02 \x01(\rR\x08revision\")\n\x0fMigrateFromInfo\x12\x16\n\x06module\x18\x01 \x01(\tR\x06module:a\n\x06module\x12\x1f.google.protobuf.MessageOptions\x18\x87\xe8\xa2\x1b \x01(\x0b\x32%.cosmos.app.v1alpha1.ModuleDescriptorR\x06moduleB\x94\x01\n\x17\x63om.cosmos.app.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\013ModuleProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' _globals['_MODULEDESCRIPTOR']._serialized_start=92 - _globals['_MODULEDESCRIPTOR']._serialized_end=253 - _globals['_PACKAGEREFERENCE']._serialized_start=255 - _globals['_PACKAGEREFERENCE']._serialized_end=305 - _globals['_MIGRATEFROMINFO']._serialized_start=307 - _globals['_MIGRATEFROMINFO']._serialized_end=340 + _globals['_MODULEDESCRIPTOR']._serialized_end=291 + _globals['_PACKAGEREFERENCE']._serialized_start=293 + _globals['_PACKAGEREFERENCE']._serialized_end=359 + _globals['_MIGRATEFROMINFO']._serialized_start=361 + _globals['_MIGRATEFROMINFO']._serialized_end=402 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py index f553fa07..340fb9f1 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/query_pb2.py @@ -1,31 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/app/v1alpha1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/app/v1alpha1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import config_pb2 as cosmos_dot_app_dot_v1alpha1_dot_config__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"B\n\x13QueryConfigResponse\x12+\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.Config2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/app/v1alpha1/query.proto\x12\x13\x63osmos.app.v1alpha1\x1a cosmos/app/v1alpha1/config.proto\"\x14\n\x12QueryConfigRequest\"J\n\x13QueryConfigResponse\x12\x33\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x1b.cosmos.app.v1alpha1.ConfigR\x06\x63onfig2f\n\x05Query\x12]\n\x06\x43onfig\x12\'.cosmos.app.v1alpha1.QueryConfigRequest\x1a(.cosmos.app.v1alpha1.QueryConfigResponse\"\x00\x42\x93\x01\n\x17\x63om.cosmos.app.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.App.V1alpha1\xca\x02\x13\x43osmos\\App\\V1alpha1\xe2\x02\x1f\x43osmos\\App\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::App::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.app.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.app.v1alpha1B\nQueryProtoP\001\242\002\003CAX\252\002\023Cosmos.App.V1alpha1\312\002\023Cosmos\\App\\V1alpha1\342\002\037Cosmos\\App\\V1alpha1\\GPBMetadata\352\002\025Cosmos::App::V1alpha1' _globals['_QUERYCONFIGREQUEST']._serialized_start=90 _globals['_QUERYCONFIGREQUEST']._serialized_end=110 _globals['_QUERYCONFIGRESPONSE']._serialized_start=112 - _globals['_QUERYCONFIGRESPONSE']._serialized_end=178 - _globals['_QUERY']._serialized_start=180 - _globals['_QUERY']._serialized_end=282 + _globals['_QUERYCONFIGRESPONSE']._serialized_end=186 + _globals['_QUERY']._serialized_start=188 + _globals['_QUERY']._serialized_end=290 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py index fb80f2ae..9137cf8b 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2.py @@ -1,31 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xb3\x01\n\x06Module\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\x12R\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermission\x12\x11\n\tauthority\x18\x03 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"?\n\x17ModuleAccountPermission\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x03(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/auth/module/v1/module.proto\x12\x15\x63osmos.auth.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe6\x01\n\x06Module\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\x12l\n\x1amodule_account_permissions\x18\x02 \x03(\x0b\x32..cosmos.auth.module.v1.ModuleAccountPermissionR\x18moduleAccountPermissions\x12\x1c\n\tauthority\x18\x03 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/auth\"U\n\x17ModuleAccountPermission\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12 \n\x0bpermissions\x18\x02 \x03(\tR\x0bpermissionsB\x9f\x01\n\x19\x63om.cosmos.auth.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x15\x43osmos.Auth.Module.V1\xca\x02\x15\x43osmos\\Auth\\Module\\V1\xe2\x02!Cosmos\\Auth\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Auth::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.auth.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\025Cosmos.Auth.Module.V1\312\002\025Cosmos\\Auth\\Module\\V1\342\002!Cosmos\\Auth\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Auth::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/auth' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=275 - _globals['_MODULEACCOUNTPERMISSION']._serialized_start=277 - _globals['_MODULEACCOUNTPERMISSION']._serialized_end=340 + _globals['_MODULE']._serialized_end=326 + _globals['_MODULEACCOUNTPERMISSION']._serialized_start=328 + _globals['_MODULEACCOUNTPERMISSION']._serialized_end=413 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py index 559174a3..53e6c826 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/auth.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/auth.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xf7\x01\n\x0b\x42\x61seAccount\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12N\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_key\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04\x12\x10\n\x08sequence\x18\x04 \x01(\x04:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xcc\x01\n\rModuleAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x13\n\x0bpermissions\x18\x03 \x03(\t:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"h\n\x10ModuleCredential\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\x12\x17\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0c:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xf7\x01\n\x06Params\x12\x1b\n\x13max_memo_characters\x18\x01 \x01(\x04\x12\x14\n\x0ctx_sig_limit\x18\x02 \x01(\x04\x12\x1d\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04\x12\x39\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519\x12=\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/auth/v1beta1/auth.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa1\x02\n\x0b\x42\x61seAccount\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\'\xea\xde\x1f\x14public_key,omitempty\xa2\xe7\xb0*\npublic_keyR\x06pubKey\x12%\n\x0e\x61\x63\x63ount_number\x18\x03 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x04 \x01(\x04R\x08sequence:C\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x8a\xe7\xb0*\x16\x63osmos-sdk/BaseAccount\"\xec\x01\n\rModuleAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12 \n\x0bpermissions\x18\x03 \x03(\tR\x0bpermissions:Z\x88\xa0\x1f\x00\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\x8a\xe7\xb0*\x18\x63osmos-sdk/ModuleAccount\x92\xe7\xb0*\x0emodule_account\"\x84\x01\n\x10ModuleCredential\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\x12\'\n\x0f\x64\x65rivation_keys\x18\x02 \x03(\x0cR\x0e\x64\x65rivationKeys:&\x8a\xe7\xb0*!cosmos-sdk/GroupAccountCredential\"\xd7\x02\n\x06Params\x12.\n\x13max_memo_characters\x18\x01 \x01(\x04R\x11maxMemoCharacters\x12 \n\x0ctx_sig_limit\x18\x02 \x01(\x04R\ntxSigLimit\x12\x30\n\x15tx_size_cost_per_byte\x18\x03 \x01(\x04R\x11txSizeCostPerByte\x12O\n\x17sig_verify_cost_ed25519\x18\x04 \x01(\x04\x42\x18\xe2\xde\x1f\x14SigVerifyCostED25519R\x14sigVerifyCostEd25519\x12U\n\x19sig_verify_cost_secp256k1\x18\x05 \x01(\x04\x42\x1a\xe2\xde\x1f\x16SigVerifyCostSecp256k1R\x16sigVerifyCostSecp256k1:!\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x18\x63osmos-sdk/x/auth/ParamsB\xbd\x01\n\x17\x63om.cosmos.auth.v1beta1B\tAuthProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.auth_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\tAuthProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_BASEACCOUNT'].fields_by_name['address']._loaded_options = None _globals['_BASEACCOUNT'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_BASEACCOUNT'].fields_by_name['pub_key']._loaded_options = None @@ -45,11 +55,11 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\030cosmos-sdk/x/auth/Params' _globals['_BASEACCOUNT']._serialized_start=151 - _globals['_BASEACCOUNT']._serialized_end=398 - _globals['_MODULEACCOUNT']._serialized_start=401 - _globals['_MODULEACCOUNT']._serialized_end=605 - _globals['_MODULECREDENTIAL']._serialized_start=607 - _globals['_MODULECREDENTIAL']._serialized_end=711 - _globals['_PARAMS']._serialized_start=714 - _globals['_PARAMS']._serialized_end=961 + _globals['_BASEACCOUNT']._serialized_end=440 + _globals['_MODULEACCOUNT']._serialized_start=443 + _globals['_MODULEACCOUNT']._serialized_end=679 + _globals['_MODULECREDENTIAL']._serialized_start=682 + _globals['_MODULECREDENTIAL']._serialized_end=814 + _globals['_PARAMS']._serialized_start=817 + _globals['_PARAMS']._serialized_end=1160 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py index 999ebb0d..b7d53db9 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"n\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12&\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/auth/v1beta1/genesis.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x30\n\x08\x61\x63\x63ounts\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x61\x63\x63ountsB\xc0\x01\n\x17\x63om.cosmos.auth.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=158 - _globals['_GENESISSTATE']._serialized_end=268 + _globals['_GENESISSTATE']._serialized_start=159 + _globals['_GENESISSTATE']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py index 7fd4c781..4c424a32 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9e\x01\n\x15QueryAccountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"J\n\x13QueryAccountRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"_\n\x14QueryAccountResponse\x12G\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountI\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1c\n\x1aQueryModuleAccountsRequest\"m\n\x1bQueryModuleAccountsResponse\x12N\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"/\n\x1fQueryModuleAccountByNameRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"q\n QueryModuleAccountByNameResponse\x12M\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountI\"\x15\n\x13\x42\x65\x63h32PrefixRequest\"-\n\x14\x42\x65\x63h32PrefixResponse\x12\x15\n\rbech32_prefix\x18\x01 \x01(\t\"4\n\x1b\x41\x64\x64ressBytesToStringRequest\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"6\n\x1c\x41\x64\x64ressBytesToStringResponse\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1b\x41\x64\x64ressStringToBytesRequest\x12\x16\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\t\"5\n\x1c\x41\x64\x64ressStringToBytesResponse\x12\x15\n\raddress_bytes\x18\x01 \x01(\x0c\"D\n\x1eQueryAccountAddressByIDRequest\x12\x0e\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01\x12\x12\n\naccount_id\x18\x02 \x01(\x04\"T\n\x1fQueryAccountAddressByIDResponse\x12\x31\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"D\n\x17QueryAccountInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"J\n\x18QueryAccountInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccount2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/auth/v1beta1/query.proto\x12\x13\x63osmos.auth.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb4\x01\n\x15QueryAccountsResponse\x12R\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"S\n\x13QueryAccountRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"h\n\x14QueryAccountResponse\x12P\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB \xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIR\x07\x61\x63\x63ount\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1c\n\x1aQueryModuleAccountsRequest\"w\n\x1bQueryModuleAccountsResponse\x12X\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x08\x61\x63\x63ounts\"5\n\x1fQueryModuleAccountByNameRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"z\n QueryModuleAccountByNameResponse\x12V\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.auth.v1beta1.ModuleAccountIR\x07\x61\x63\x63ount\"\x15\n\x13\x42\x65\x63h32PrefixRequest\";\n\x14\x42\x65\x63h32PrefixResponse\x12#\n\rbech32_prefix\x18\x01 \x01(\tR\x0c\x62\x65\x63h32Prefix\"B\n\x1b\x41\x64\x64ressBytesToStringRequest\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"E\n\x1c\x41\x64\x64ressBytesToStringResponse\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"D\n\x1b\x41\x64\x64ressStringToBytesRequest\x12%\n\x0e\x61\x64\x64ress_string\x18\x01 \x01(\tR\raddressString\"C\n\x1c\x41\x64\x64ressStringToBytesResponse\x12#\n\raddress_bytes\x18\x01 \x01(\x0cR\x0c\x61\x64\x64ressBytes\"S\n\x1eQueryAccountAddressByIDRequest\x12\x12\n\x02id\x18\x01 \x01(\x03\x42\x02\x18\x01R\x02id\x12\x1d\n\naccount_id\x18\x02 \x01(\x04R\taccountId\"d\n\x1fQueryAccountAddressByIDResponse\x12\x41\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x61\x63\x63ountAddress\"M\n\x17QueryAccountInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"P\n\x18QueryAccountInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountR\x04info2\xef\x0c\n\x05Query\x12\x8d\x01\n\x08\x41\x63\x63ounts\x12).cosmos.auth.v1beta1.QueryAccountsRequest\x1a*.cosmos.auth.v1beta1.QueryAccountsResponse\"*\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/auth/v1beta1/accounts\x12\x94\x01\n\x07\x41\x63\x63ount\x12(.cosmos.auth.v1beta1.QueryAccountRequest\x1a).cosmos.auth.v1beta1.QueryAccountResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/accounts/{address}\x12\xb5\x01\n\x12\x41\x63\x63ountAddressByID\x12\x33.cosmos.auth.v1beta1.QueryAccountAddressByIDRequest\x1a\x34.cosmos.auth.v1beta1.QueryAccountAddressByIDResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/auth/v1beta1/address_by_id/{id}\x12\x85\x01\n\x06Params\x12\'.cosmos.auth.v1beta1.QueryParamsRequest\x1a(.cosmos.auth.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/params\x12\xa6\x01\n\x0eModuleAccounts\x12/.cosmos.auth.v1beta1.QueryModuleAccountsRequest\x1a\x30.cosmos.auth.v1beta1.QueryModuleAccountsResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/auth/v1beta1/module_accounts\x12\xbc\x01\n\x13ModuleAccountByName\x12\x34.cosmos.auth.v1beta1.QueryModuleAccountByNameRequest\x1a\x35.cosmos.auth.v1beta1.QueryModuleAccountByNameResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/module_accounts/{name}\x12\x88\x01\n\x0c\x42\x65\x63h32Prefix\x12(.cosmos.auth.v1beta1.Bech32PrefixRequest\x1a).cosmos.auth.v1beta1.Bech32PrefixResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/auth/v1beta1/bech32\x12\xb0\x01\n\x14\x41\x64\x64ressBytesToString\x12\x30.cosmos.auth.v1beta1.AddressBytesToStringRequest\x1a\x31.cosmos.auth.v1beta1.AddressBytesToStringResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/bech32/{address_bytes}\x12\xb1\x01\n\x14\x41\x64\x64ressStringToBytes\x12\x30.cosmos.auth.v1beta1.AddressStringToBytesRequest\x1a\x31.cosmos.auth.v1beta1.AddressStringToBytesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/auth/v1beta1/bech32/{address_string}\x12\xa4\x01\n\x0b\x41\x63\x63ountInfo\x12,.cosmos.auth.v1beta1.QueryAccountInfoRequest\x1a-.cosmos.auth.v1beta1.QueryAccountInfoResponse\"8\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02-\x12+/cosmos/auth/v1beta1/account_info/{address}B\xbe\x01\n\x17\x63om.cosmos.auth.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._loaded_options = None _globals['_QUERYACCOUNTSRESPONSE'].fields_by_name['accounts']._serialized_options = b'\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_QUERYACCOUNTREQUEST'].fields_by_name['address']._loaded_options = None @@ -70,45 +80,45 @@ _globals['_QUERY'].methods_by_name['AccountInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['AccountInfo']._serialized_options = b'\210\347\260*\001\202\323\344\223\002-\022+/cosmos/auth/v1beta1/account_info/{address}' _globals['_QUERYACCOUNTSREQUEST']._serialized_start=267 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=349 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=352 - _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=510 - _globals['_QUERYACCOUNTREQUEST']._serialized_start=512 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=586 - _globals['_QUERYACCOUNTRESPONSE']._serialized_start=588 - _globals['_QUERYACCOUNTRESPONSE']._serialized_end=683 - _globals['_QUERYPARAMSREQUEST']._serialized_start=685 - _globals['_QUERYPARAMSREQUEST']._serialized_end=705 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=707 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=779 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=781 - _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=809 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=811 - _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=920 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=922 - _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=969 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=971 - _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1084 - _globals['_BECH32PREFIXREQUEST']._serialized_start=1086 - _globals['_BECH32PREFIXREQUEST']._serialized_end=1107 - _globals['_BECH32PREFIXRESPONSE']._serialized_start=1109 - _globals['_BECH32PREFIXRESPONSE']._serialized_end=1154 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1156 - _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1208 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1210 - _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1264 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1266 - _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1319 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1321 - _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1374 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1376 - _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1444 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1446 - _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1530 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1532 - _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1600 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1602 - _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1676 - _globals['_QUERY']._serialized_start=1679 - _globals['_QUERY']._serialized_end=3326 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=361 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_start=364 + _globals['_QUERYACCOUNTSRESPONSE']._serialized_end=544 + _globals['_QUERYACCOUNTREQUEST']._serialized_start=546 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=629 + _globals['_QUERYACCOUNTRESPONSE']._serialized_start=631 + _globals['_QUERYACCOUNTRESPONSE']._serialized_end=735 + _globals['_QUERYPARAMSREQUEST']._serialized_start=737 + _globals['_QUERYPARAMSREQUEST']._serialized_end=757 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=759 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=839 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_start=841 + _globals['_QUERYMODULEACCOUNTSREQUEST']._serialized_end=869 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_start=871 + _globals['_QUERYMODULEACCOUNTSRESPONSE']._serialized_end=990 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_start=992 + _globals['_QUERYMODULEACCOUNTBYNAMEREQUEST']._serialized_end=1045 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_start=1047 + _globals['_QUERYMODULEACCOUNTBYNAMERESPONSE']._serialized_end=1169 + _globals['_BECH32PREFIXREQUEST']._serialized_start=1171 + _globals['_BECH32PREFIXREQUEST']._serialized_end=1192 + _globals['_BECH32PREFIXRESPONSE']._serialized_start=1194 + _globals['_BECH32PREFIXRESPONSE']._serialized_end=1253 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_start=1255 + _globals['_ADDRESSBYTESTOSTRINGREQUEST']._serialized_end=1321 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_start=1323 + _globals['_ADDRESSBYTESTOSTRINGRESPONSE']._serialized_end=1392 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_start=1394 + _globals['_ADDRESSSTRINGTOBYTESREQUEST']._serialized_end=1462 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_start=1464 + _globals['_ADDRESSSTRINGTOBYTESRESPONSE']._serialized_end=1531 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_start=1533 + _globals['_QUERYACCOUNTADDRESSBYIDREQUEST']._serialized_end=1616 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_start=1618 + _globals['_QUERYACCOUNTADDRESSBYIDRESPONSE']._serialized_end=1718 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_start=1720 + _globals['_QUERYACCOUNTINFOREQUEST']._serialized_end=1797 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_start=1799 + _globals['_QUERYACCOUNTINFORESPONSE']._serialized_end=1879 + _globals['_QUERY']._serialized_start=1882 + _globals['_QUERY']._serialized_end=3529 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py index c43059b1..ff98f9d2 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/auth/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/auth/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/auth/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/auth/v1beta1/tx.proto\x12\x13\x63osmos.auth.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.auth.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/auth/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.auth.v1beta1.MsgUpdateParams\x1a,.cosmos.auth.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.auth.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/auth/types\xa2\x02\x03\x43\x41X\xaa\x02\x13\x43osmos.Auth.V1beta1\xca\x02\x13\x43osmos\\Auth\\V1beta1\xe2\x02\x1f\x43osmos\\Auth\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Auth::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.auth.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/auth/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.auth.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/auth/types\242\002\003CAX\252\002\023Cosmos.Auth.V1beta1\312\002\023Cosmos\\Auth\\V1beta1\342\002\037Cosmos\\Auth\\V1beta1\\GPBMetadata\352\002\025Cosmos::Auth::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=351 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 - _globals['_MSG']._serialized_start=380 - _globals['_MSG']._serialized_end=492 + _globals['_MSGUPDATEPARAMS']._serialized_end=370 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 + _globals['_MSG']._serialized_start=399 + _globals['_MSG']._serialized_end=511 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py index fc4344eb..0580bc6f 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/authz/module/v1/module.proto\x12\x16\x63osmos.authz.module.v1\x1a cosmos/app/v1alpha1/module.proto\"6\n\x06Module:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/authzB\xa4\x01\n\x1a\x63om.cosmos.authz.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x41M\xaa\x02\x16\x43osmos.Authz.Module.V1\xca\x02\x16\x43osmos\\Authz\\Module\\V1\xe2\x02\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Authz::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.authz.module.v1B\013ModuleProtoP\001\242\002\003CAM\252\002\026Cosmos.Authz.Module.V1\312\002\026Cosmos\\Authz\\Module\\V1\342\002\"Cosmos\\Authz\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Authz::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/authz' _globals['_MODULE']._serialized_start=97 diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py index 83abe96d..17d9d0c1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"o\n\x14GenericAuthorization\x12\x0b\n\x03msg\x18\x01 \x01(\t:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\x96\x01\n\x05Grant\x12S\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x38\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01\"\xf5\x01\n\x12GrantAuthorization\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12S\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x12\x34\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\"\'\n\x0eGrantQueueItem\x12\x15\n\rmsg_type_urls\x18\x01 \x03(\tB*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/authz.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"t\n\x14GenericAuthorization\x12\x10\n\x03msg\x18\x01 \x01(\tR\x03msg:J\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1f\x63osmos-sdk/GenericAuthorization\"\xb1\x01\n\x05Grant\x12\x62\n\rauthorization\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12\x44\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x01\x90\xdf\x1f\x01R\nexpiration\"\xa2\x02\n\x12GrantAuthorization\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x62\n\rauthorization\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationR\rauthorization\x12@\n\nexpiration\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration\"4\n\x0eGrantQueueItem\x12\"\n\rmsg_type_urls\x18\x01 \x03(\tR\x0bmsgTypeUrlsB\xc2\x01\n\x18\x63om.cosmos.authz.v1beta1B\nAuthzProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nAuthzProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' _globals['_GENERICAUTHORIZATION']._loaded_options = None _globals['_GENERICAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\037cosmos-sdk/GenericAuthorization' _globals['_GRANT'].fields_by_name['authorization']._loaded_options = None @@ -42,11 +52,11 @@ _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._loaded_options = None _globals['_GRANTAUTHORIZATION'].fields_by_name['expiration']._serialized_options = b'\220\337\037\001' _globals['_GENERICAUTHORIZATION']._serialized_start=186 - _globals['_GENERICAUTHORIZATION']._serialized_end=297 - _globals['_GRANT']._serialized_start=300 - _globals['_GRANT']._serialized_end=450 - _globals['_GRANTAUTHORIZATION']._serialized_start=453 - _globals['_GRANTAUTHORIZATION']._serialized_end=698 - _globals['_GRANTQUEUEITEM']._serialized_start=700 - _globals['_GRANTQUEUEITEM']._serialized_end=739 + _globals['_GENERICAUTHORIZATION']._serialized_end=302 + _globals['_GRANT']._serialized_start=305 + _globals['_GRANT']._serialized_end=482 + _globals['_GRANTAUTHORIZATION']._serialized_start=485 + _globals['_GRANTAUTHORIZATION']._serialized_end=775 + _globals['_GRANTQUEUEITEM']._serialized_start=777 + _globals['_GRANTQUEUEITEM']._serialized_end=829 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py index 077fe130..1de7da43 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/event.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/event.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"x\n\nEventGrant\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"y\n\x0b\x45ventRevoke\x12\x14\n\x0cmsg_type_url\x18\x02 \x01(\t\x12)\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringB&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/event.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\"\x96\x01\n\nEventGrant\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"\x97\x01\n\x0b\x45ventRevoke\x12 \n\x0cmsg_type_url\x18\x02 \x01(\tR\nmsgTypeUrl\x12\x32\n\x07granter\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granteeB\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nEventProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nEventProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_EVENTGRANT'].fields_by_name['granter']._loaded_options = None _globals['_EVENTGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTGRANT'].fields_by_name['grantee']._loaded_options = None @@ -31,8 +41,8 @@ _globals['_EVENTREVOKE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTREVOKE'].fields_by_name['grantee']._loaded_options = None _globals['_EVENTREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_EVENTGRANT']._serialized_start=85 - _globals['_EVENTGRANT']._serialized_end=205 - _globals['_EVENTREVOKE']._serialized_start=207 - _globals['_EVENTREVOKE']._serialized_end=328 + _globals['_EVENTGRANT']._serialized_start=86 + _globals['_EVENTGRANT']._serialized_end=236 + _globals['_EVENTREVOKE']._serialized_start=239 + _globals['_EVENTREVOKE']._serialized_end=390 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py index 1fb92dc4..fb90ceaa 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"Z\n\x0cGenesisState\x12J\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/authz/v1beta1/genesis.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x14gogoproto/gogo.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x11\x61mino/amino.proto\"i\n\x0cGenesisState\x12Y\n\rauthorization\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rauthorizationB\xc0\x01\n\x18\x63om.cosmos.authz.v1beta1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_GENESISSTATE'].fields_by_name['authorization']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['authorization']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=225 + _globals['_GENESISSTATE']._serialized_end=240 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py index 3e1b8a97..4dea0553 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbc\x01\n\x12QueryGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x13QueryGrantsResponse\x12+\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranterGrantsRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranterGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x82\x01\n\x19QueryGranteeGrantsRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n\x1aQueryGranteeGrantsResponse\x12\x38\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorization\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B&Z$github.com/cosmos/cosmos-sdk/x/authzb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/authz/v1beta1/query.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe6\x01\n\x12QueryGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x93\x01\n\x13QueryGrantsResponse\x12\x33\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranterGrantsRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranterGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x97\x01\n\x19QueryGranteeGrantsRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n\x1aQueryGranteeGrantsResponse\x12@\n\x06grants\x18\x01 \x03(\x0b\x32(.cosmos.authz.v1beta1.GrantAuthorizationR\x06grants\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xe7\x03\n\x05Query\x12\x83\x01\n\x06Grants\x12(.cosmos.authz.v1beta1.QueryGrantsRequest\x1a).cosmos.authz.v1beta1.QueryGrantsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/authz/v1beta1/grants\x12\xaa\x01\n\rGranterGrants\x12/.cosmos.authz.v1beta1.QueryGranterGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranterGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/granter/{granter}\x12\xaa\x01\n\rGranteeGrants\x12/.cosmos.authz.v1beta1.QueryGranteeGrantsRequest\x1a\x30.cosmos.authz.v1beta1.QueryGranteeGrantsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/authz/v1beta1/grants/grantee/{grantee}B\xbe\x01\n\x18\x63om.cosmos.authz.v1beta1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1' _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYGRANTSREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGRANTSREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -41,17 +51,17 @@ _globals['_QUERY'].methods_by_name['GranteeGrants']._loaded_options = None _globals['_QUERY'].methods_by_name['GranteeGrants']._serialized_options = b'\202\323\344\223\0020\022./cosmos/authz/v1beta1/grants/grantee/{grantee}' _globals['_QUERYGRANTSREQUEST']._serialized_start=194 - _globals['_QUERYGRANTSREQUEST']._serialized_end=382 - _globals['_QUERYGRANTSRESPONSE']._serialized_start=384 - _globals['_QUERYGRANTSRESPONSE']._serialized_end=511 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=514 - _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=644 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=647 - _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=794 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=797 - _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=927 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=930 - _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1077 - _globals['_QUERY']._serialized_start=1080 - _globals['_QUERY']._serialized_end=1567 + _globals['_QUERYGRANTSREQUEST']._serialized_end=424 + _globals['_QUERYGRANTSRESPONSE']._serialized_start=427 + _globals['_QUERYGRANTSRESPONSE']._serialized_end=574 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_start=577 + _globals['_QUERYGRANTERGRANTSREQUEST']._serialized_end=728 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_start=731 + _globals['_QUERYGRANTERGRANTSRESPONSE']._serialized_end=898 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_start=901 + _globals['_QUERYGRANTEEGRANTSREQUEST']._serialized_end=1052 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_start=1055 + _globals['_QUERYGRANTEEGRANTSRESPONSE']._serialized_end=1222 + _globals['_QUERY']._serialized_start=1225 + _globals['_QUERY']._serialized_end=1712 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py index 1dbe6b49..82e56e9b 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/authz/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/authz/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.authz.v1beta1 import authz_pb2 as cosmos_dot_authz_dot_v1beta1_dot_authz__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbd\x01\n\x08MsgGrant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\x9a\x01\n\x07MsgExec\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12?\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.Msg:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"\"\n\x0fMsgExecResponse\x12\x0f\n\x07results\x18\x01 \x03(\x0c\"\x9e\x01\n\tMsgRevoke\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x14\n\x0cmsg_type_url\x18\x03 \x01(\t:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse2\xff\x01\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x1a\x05\x80\xe7\xb0*\x01\x42*Z$github.com/cosmos/cosmos-sdk/x/authz\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/authz/v1beta1/tx.proto\x12\x14\x63osmos.authz.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a cosmos/authz/v1beta1/authz.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xd6\x01\n\x08MsgGrant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12<\n\x05grant\x18\x03 \x01(\x0b\x32\x1b.cosmos.authz.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05grant:$\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x13\x63osmos-sdk/MsgGrant\"\x12\n\x10MsgGrantResponse\"\xa9\x01\n\x07MsgExec\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x45\n\x04msgs\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1b\xca\xb4-\x17\x63osmos.base.v1beta1.MsgR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec\"+\n\x0fMsgExecResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"\xbc\x01\n\tMsgRevoke\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12 \n\x0cmsg_type_url\x18\x03 \x01(\tR\nmsgTypeUrl:%\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgRevoke\"\x13\n\x11MsgRevokeResponse\"1\n\x15MsgExecCompatResponse\x12\x18\n\x07results\x18\x01 \x03(\x0cR\x07results\"|\n\rMsgExecCompat\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x12\n\x04msgs\x18\x02 \x03(\tR\x04msgs:#\x82\xe7\xb0*\x07grantee\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgExec2\xdf\x02\n\x03Msg\x12O\n\x05Grant\x12\x1e.cosmos.authz.v1beta1.MsgGrant\x1a&.cosmos.authz.v1beta1.MsgGrantResponse\x12L\n\x04\x45xec\x12\x1d.cosmos.authz.v1beta1.MsgExec\x1a%.cosmos.authz.v1beta1.MsgExecResponse\x12R\n\x06Revoke\x12\x1f.cosmos.authz.v1beta1.MsgRevoke\x1a\'.cosmos.authz.v1beta1.MsgRevokeResponse\x12^\n\nExecCompat\x12#.cosmos.authz.v1beta1.MsgExecCompat\x1a+.cosmos.authz.v1beta1.MsgExecCompatResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbf\x01\n\x18\x63om.cosmos.authz.v1beta1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/authz\xa2\x02\x03\x43\x41X\xaa\x02\x14\x43osmos.Authz.V1beta1\xca\x02\x14\x43osmos\\Authz\\V1beta1\xe2\x02 Cosmos\\Authz\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Authz::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.authz.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/authz\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.authz.v1beta1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/authz\242\002\003CAX\252\002\024Cosmos.Authz.V1beta1\312\002\024Cosmos\\Authz\\V1beta1\342\002 Cosmos\\Authz\\V1beta1\\GPBMetadata\352\002\026Cosmos::Authz::V1beta1\310\341\036\000' _globals['_MSGGRANT'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANT'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANT'].fields_by_name['grantee']._loaded_options = None @@ -48,20 +58,28 @@ _globals['_MSGREVOKE'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGREVOKE']._loaded_options = None _globals['_MSGREVOKE']._serialized_options = b'\202\347\260*\007granter\212\347\260*\024cosmos-sdk/MsgRevoke' + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._loaded_options = None + _globals['_MSGEXECCOMPAT'].fields_by_name['grantee']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_MSGEXECCOMPAT']._loaded_options = None + _globals['_MSGEXECCOMPAT']._serialized_options = b'\202\347\260*\007grantee\212\347\260*\022cosmos-sdk/MsgExec' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANT']._serialized_start=210 - _globals['_MSGGRANT']._serialized_end=399 - _globals['_MSGGRANTRESPONSE']._serialized_start=401 - _globals['_MSGGRANTRESPONSE']._serialized_end=419 - _globals['_MSGEXEC']._serialized_start=422 - _globals['_MSGEXEC']._serialized_end=576 - _globals['_MSGEXECRESPONSE']._serialized_start=578 - _globals['_MSGEXECRESPONSE']._serialized_end=612 - _globals['_MSGREVOKE']._serialized_start=615 - _globals['_MSGREVOKE']._serialized_end=773 - _globals['_MSGREVOKERESPONSE']._serialized_start=775 - _globals['_MSGREVOKERESPONSE']._serialized_end=794 - _globals['_MSG']._serialized_start=797 - _globals['_MSG']._serialized_end=1052 + _globals['_MSGGRANT']._serialized_end=424 + _globals['_MSGGRANTRESPONSE']._serialized_start=426 + _globals['_MSGGRANTRESPONSE']._serialized_end=444 + _globals['_MSGEXEC']._serialized_start=447 + _globals['_MSGEXEC']._serialized_end=616 + _globals['_MSGEXECRESPONSE']._serialized_start=618 + _globals['_MSGEXECRESPONSE']._serialized_end=661 + _globals['_MSGREVOKE']._serialized_start=664 + _globals['_MSGREVOKE']._serialized_end=852 + _globals['_MSGREVOKERESPONSE']._serialized_start=854 + _globals['_MSGREVOKERESPONSE']._serialized_end=873 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_start=875 + _globals['_MSGEXECCOMPATRESPONSE']._serialized_end=924 + _globals['_MSGEXECCOMPAT']._serialized_start=926 + _globals['_MSGEXECCOMPAT']._serialized_end=1050 + _globals['_MSG']._serialized_start=1053 + _globals['_MSG']._serialized_end=1404 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py index dc51176c..2a2458a1 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.authz.v1beta1 import tx_pb2 as cosmos_dot_authz_dot_v1beta1_dot_tx__pb2 class MsgStub(object): @@ -55,6 +30,11 @@ def __init__(self, channel): request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.SerializeToString, response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.FromString, _registered_method=True) + self.ExecCompat = channel.unary_unary( + '/cosmos.authz.v1beta1.Msg/ExecCompat', + request_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + response_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + _registered_method=True) class MsgServicer(object): @@ -88,6 +68,13 @@ def Revoke(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def ExecCompat(self, request, context): + """ExecCompat has same functionality as Exec but accepts array of json-encoded message string instead of []*Any + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_MsgServicer_to_server(servicer, server): rpc_method_handlers = { @@ -106,6 +93,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevoke.FromString, response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgRevokeResponse.SerializeToString, ), + 'ExecCompat': grpc.unary_unary_rpc_method_handler( + servicer.ExecCompat, + request_deserializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.FromString, + response_serializer=cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmos.authz.v1beta1.Msg', rpc_method_handlers) @@ -198,3 +190,30 @@ def Revoke(request, timeout, metadata, _registered_method=True) + + @staticmethod + def ExecCompat(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmos.authz.v1beta1.Msg/ExecCompat', + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompat.SerializeToString, + cosmos_dot_authz_dot_v1beta1_dot_tx__pb2.MsgExecCompatResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py index f7f30012..a0073817 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/options.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/autocli/v1/options.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,30 +24,30 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x84\x01\n\rModuleOptions\x12\x37\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\x12:\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor\"\xa3\x02\n\x18ServiceCommandDescriptor\x12\x0f\n\x07service\x18\x01 \x01(\t\x12\x41\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptions\x12R\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntry\x1a_\n\x10SubCommandsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12:\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptor:\x02\x38\x01\"\x9f\x03\n\x11RpcCommandOptions\x12\x12\n\nrpc_method\x18\x01 \x01(\t\x12\x0b\n\x03use\x18\x02 \x01(\t\x12\x0c\n\x04long\x18\x03 \x01(\t\x12\r\n\x05short\x18\x04 \x01(\t\x12\x0f\n\x07\x65xample\x18\x05 \x01(\t\x12\r\n\x05\x61lias\x18\x06 \x03(\t\x12\x13\n\x0bsuggest_for\x18\x07 \x03(\t\x12\x12\n\ndeprecated\x18\x08 \x01(\t\x12\x0f\n\x07version\x18\t \x01(\t\x12K\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntry\x12\x43\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptor\x12\x0c\n\x04skip\x18\x0c \x01(\x08\x1aR\n\x10\x46lagOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12-\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptions:\x02\x38\x01\"\x96\x01\n\x0b\x46lagOptions\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x11\n\tshorthand\x18\x02 \x01(\t\x12\r\n\x05usage\x18\x03 \x01(\t\x12\x15\n\rdefault_value\x18\x04 \x01(\t\x12\x12\n\ndeprecated\x18\x06 \x01(\t\x12\x1c\n\x14shorthand_deprecated\x18\x07 \x01(\t\x12\x0e\n\x06hidden\x18\x08 \x01(\x08\"?\n\x17PositionalArgDescriptor\x12\x13\n\x0bproto_field\x18\x01 \x01(\t\x12\x0f\n\x07varargs\x18\x02 \x01(\x08\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/autocli/v1/options.proto\x12\x11\x63osmos.autocli.v1\"\x8f\x01\n\rModuleOptions\x12;\n\x02tx\x18\x01 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x02tx\x12\x41\n\x05query\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05query\"\xd8\x02\n\x18ServiceCommandDescriptor\x12\x18\n\x07service\x18\x01 \x01(\tR\x07service\x12T\n\x13rpc_command_options\x18\x02 \x03(\x0b\x32$.cosmos.autocli.v1.RpcCommandOptionsR\x11rpcCommandOptions\x12_\n\x0csub_commands\x18\x03 \x03(\x0b\x32<.cosmos.autocli.v1.ServiceCommandDescriptor.SubCommandsEntryR\x0bsubCommands\x1ak\n\x10SubCommandsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x41\n\x05value\x18\x02 \x01(\x0b\x32+.cosmos.autocli.v1.ServiceCommandDescriptorR\x05value:\x02\x38\x01\"\x9c\x04\n\x11RpcCommandOptions\x12\x1d\n\nrpc_method\x18\x01 \x01(\tR\trpcMethod\x12\x10\n\x03use\x18\x02 \x01(\tR\x03use\x12\x12\n\x04long\x18\x03 \x01(\tR\x04long\x12\x14\n\x05short\x18\x04 \x01(\tR\x05short\x12\x18\n\x07\x65xample\x18\x05 \x01(\tR\x07\x65xample\x12\x14\n\x05\x61lias\x18\x06 \x03(\tR\x05\x61lias\x12\x1f\n\x0bsuggest_for\x18\x07 \x03(\tR\nsuggestFor\x12\x1e\n\ndeprecated\x18\x08 \x01(\tR\ndeprecated\x12\x18\n\x07version\x18\t \x01(\tR\x07version\x12X\n\x0c\x66lag_options\x18\n \x03(\x0b\x32\x35.cosmos.autocli.v1.RpcCommandOptions.FlagOptionsEntryR\x0b\x66lagOptions\x12S\n\x0fpositional_args\x18\x0b \x03(\x0b\x32*.cosmos.autocli.v1.PositionalArgDescriptorR\x0epositionalArgs\x12\x12\n\x04skip\x18\x0c \x01(\x08R\x04skip\x1a^\n\x10\x46lagOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x34\n\x05value\x18\x02 \x01(\x0b\x32\x1e.cosmos.autocli.v1.FlagOptionsR\x05value:\x02\x38\x01\"\xe5\x01\n\x0b\x46lagOptions\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x1c\n\tshorthand\x18\x02 \x01(\tR\tshorthand\x12\x14\n\x05usage\x18\x03 \x01(\tR\x05usage\x12#\n\rdefault_value\x18\x04 \x01(\tR\x0c\x64\x65\x66\x61ultValue\x12\x1e\n\ndeprecated\x18\x06 \x01(\tR\ndeprecated\x12\x31\n\x14shorthand_deprecated\x18\x07 \x01(\tR\x13shorthandDeprecated\x12\x16\n\x06hidden\x18\x08 \x01(\x08R\x06hidden\"T\n\x17PositionalArgDescriptor\x12\x1f\n\x0bproto_field\x18\x01 \x01(\tR\nprotoField\x12\x18\n\x07varargs\x18\x02 \x01(\x08R\x07varargsB\xb6\x01\n\x15\x63om.cosmos.autocli.v1B\x0cOptionsProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.options_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\014OptionsProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._loaded_options = None _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_options = b'8\001' _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._loaded_options = None _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_options = b'8\001' _globals['_MODULEOPTIONS']._serialized_start=55 - _globals['_MODULEOPTIONS']._serialized_end=187 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=190 - _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=481 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=386 - _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=481 - _globals['_RPCCOMMANDOPTIONS']._serialized_start=484 - _globals['_RPCCOMMANDOPTIONS']._serialized_end=899 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=817 - _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=899 - _globals['_FLAGOPTIONS']._serialized_start=902 - _globals['_FLAGOPTIONS']._serialized_end=1052 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1054 - _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1117 + _globals['_MODULEOPTIONS']._serialized_end=198 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_start=201 + _globals['_SERVICECOMMANDDESCRIPTOR']._serialized_end=545 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_start=438 + _globals['_SERVICECOMMANDDESCRIPTOR_SUBCOMMANDSENTRY']._serialized_end=545 + _globals['_RPCCOMMANDOPTIONS']._serialized_start=548 + _globals['_RPCCOMMANDOPTIONS']._serialized_end=1088 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_start=994 + _globals['_RPCCOMMANDOPTIONS_FLAGOPTIONSENTRY']._serialized_end=1088 + _globals['_FLAGOPTIONS']._serialized_start=1091 + _globals['_FLAGOPTIONS']._serialized_end=1320 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_start=1322 + _globals['_POSITIONALARGDESCRIPTOR']._serialized_end=1406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py index ad495a6c..55328c6c 100644 --- a/pyinjective/proto/cosmos/autocli/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/autocli/v1/query_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/autocli/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/autocli/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.autocli.v1 import options_pb2 as cosmos_dot_autocli_dot_v1_dot_options__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xbe\x01\n\x12\x41ppOptionsResponse\x12P\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntry\x1aV\n\x12ModuleOptionsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12/\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptions:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42+Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/autocli/v1/query.proto\x12\x11\x63osmos.autocli.v1\x1a\x1f\x63osmos/autocli/v1/options.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x13\n\x11\x41ppOptionsRequest\"\xd9\x01\n\x12\x41ppOptionsResponse\x12_\n\x0emodule_options\x18\x01 \x03(\x0b\x32\x38.cosmos.autocli.v1.AppOptionsResponse.ModuleOptionsEntryR\rmoduleOptions\x1a\x62\n\x12ModuleOptionsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x36\n\x05value\x18\x02 \x01(\x0b\x32 .cosmos.autocli.v1.ModuleOptionsR\x05value:\x02\x38\x01\x32i\n\x05Query\x12`\n\nAppOptions\x12$.cosmos.autocli.v1.AppOptionsRequest\x1a%.cosmos.autocli.v1.AppOptionsResponse\"\x05\x88\xe7\xb0*\x00\x42\xb4\x01\n\x15\x63om.cosmos.autocli.v1B\nQueryProtoP\x01Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\xa2\x02\x03\x43\x41X\xaa\x02\x11\x43osmos.Autocli.V1\xca\x02\x11\x43osmos\\Autocli\\V1\xe2\x02\x1d\x43osmos\\Autocli\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Autocli::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.autocli.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.autocli.v1B\nQueryProtoP\001Z)cosmossdk.io/api/cosmos/base/cli/v1;cliv1\242\002\003CAX\252\002\021Cosmos.Autocli.V1\312\002\021Cosmos\\Autocli\\V1\342\002\035Cosmos\\Autocli\\V1\\GPBMetadata\352\002\023Cosmos::Autocli::V1' _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._loaded_options = None _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_options = b'8\001' _globals['_QUERY'].methods_by_name['AppOptions']._loaded_options = None @@ -31,9 +41,9 @@ _globals['_APPOPTIONSREQUEST']._serialized_start=114 _globals['_APPOPTIONSREQUEST']._serialized_end=133 _globals['_APPOPTIONSRESPONSE']._serialized_start=136 - _globals['_APPOPTIONSRESPONSE']._serialized_end=326 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=240 - _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=326 - _globals['_QUERY']._serialized_start=328 - _globals['_QUERY']._serialized_end=433 + _globals['_APPOPTIONSRESPONSE']._serialized_end=353 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_start=255 + _globals['_APPOPTIONSRESPONSE_MODULEOPTIONSENTRY']._serialized_end=353 + _globals['_QUERY']._serialized_start=355 + _globals['_QUERY']._serialized_end=460 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py index 51baa779..46a5bc04 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x8e\x01\n\x06Module\x12(\n blocked_module_accounts_override\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1a\n\x12restrictions_order\x18\x03 \x03(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/bank/module/v1/module.proto\x12\x15\x63osmos.bank.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xcb\x01\n\x06Module\x12G\n blocked_module_accounts_override\x18\x01 \x03(\tR\x1d\x62lockedModuleAccountsOverride\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12-\n\x12restrictions_order\x18\x03 \x03(\tR\x11restrictionsOrder:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/bankB\x9f\x01\n\x19\x63om.cosmos.bank.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x42M\xaa\x02\x15\x43osmos.Bank.Module.V1\xca\x02\x15\x43osmos\\Bank\\Module\\V1\xe2\x02!Cosmos\\Bank\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Bank::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.bank.module.v1B\013ModuleProtoP\001\242\002\003CBM\252\002\025Cosmos.Bank.Module.V1\312\002\025Cosmos\\Bank\\Module\\V1\342\002!Cosmos\\Bank\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Bank::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/bank' _globals['_MODULE']._serialized_start=96 - _globals['_MODULE']._serialized_end=238 + _globals['_MODULE']._serialized_end=299 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py index e55328b2..170105bb 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x82\x02\n\x11SendAuthorization\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12,\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/authz.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x9a\x02\n\x11SendAuthorization\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12\x37\n\nallow_list\x18\x02 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tallowList:G\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1c\x63osmos-sdk/SendAuthorizationB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nAuthzProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nAuthzProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_SENDAUTHORIZATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_SENDAUTHORIZATION'].fields_by_name['allow_list']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_SENDAUTHORIZATION']._loaded_options = None _globals['_SENDAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\034cosmos-sdk/SendAuthorization' _globals['_SENDAUTHORIZATION']._serialized_start=157 - _globals['_SENDAUTHORIZATION']._serialized_end=415 + _globals['_SENDAUTHORIZATION']._serialized_end=439 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py index 41519048..6848ee8e 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/bank.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/bank.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x81\x01\n\x06Params\x12:\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01\x12\x1c\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"3\n\x0bSendEnabled\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x65nabled\x18\x02 \x01(\x08:\x04\xe8\xa0\x1f\x01\"\xba\x01\n\x05Input\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xaf\x01\n\x06Output\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa5\x01\n\x06Supply\x12p\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"=\n\tDenomUnit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x65xponent\x18\x02 \x01(\r\x12\x0f\n\x07\x61liases\x18\x03 \x03(\t\"\xc6\x01\n\x08Metadata\x12\x13\n\x0b\x64\x65scription\x18\x01 \x01(\t\x12\x33\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnit\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\x0f\n\x07\x64isplay\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x14\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URI\x12\x1d\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/bank/v1beta1/bank.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa2\x01\n\x06Params\x12G\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\x02\x18\x01R\x0bsendEnabled\x12\x30\n\x14\x64\x65\x66\x61ult_send_enabled\x18\x02 \x01(\x08R\x12\x64\x65\x66\x61ultSendEnabled:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/bank/Params\"C\n\x0bSendEnabled\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x65nabled\x18\x02 \x01(\x08R\x07\x65nabled:\x04\xe8\xa0\x1f\x01\"\xca\x01\n\x05Input\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x14\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x07\x61\x64\x64ress\"\xbf\x01\n\x06Output\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x06Supply\x12w\n\x05total\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05total:)\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1b\x63osmos.bank.v1beta1.SupplyI\"W\n\tDenomUnit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x65xponent\x18\x02 \x01(\rR\x08\x65xponent\x12\x18\n\x07\x61liases\x18\x03 \x03(\tR\x07\x61liases\"\xa6\x02\n\x08Metadata\x12 \n\x0b\x64\x65scription\x18\x01 \x01(\tR\x0b\x64\x65scription\x12?\n\x0b\x64\x65nom_units\x18\x02 \x03(\x0b\x32\x1e.cosmos.bank.v1beta1.DenomUnitR\ndenomUnits\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x18\n\x07\x64isplay\x18\x04 \x01(\tR\x07\x64isplay\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x19\n\x03uri\x18\x07 \x01(\tB\x07\xe2\xde\x1f\x03URIR\x03uri\x12&\n\x08uri_hash\x18\x08 \x01(\tB\x0b\xe2\xde\x1f\x07URIHashR\x07uriHash\x12\x1a\n\x08\x64\x65\x63imals\x18\t \x01(\rR\x08\x64\x65\x63imalsB\xbd\x01\n\x17\x63om.cosmos.bank.v1beta1B\tBankProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.bank_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\tBankProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_PARAMS'].fields_by_name['send_enabled']._loaded_options = None _globals['_PARAMS'].fields_by_name['send_enabled']._serialized_options = b'\030\001' _globals['_PARAMS']._loaded_options = None @@ -54,17 +64,17 @@ _globals['_METADATA'].fields_by_name['uri_hash']._loaded_options = None _globals['_METADATA'].fields_by_name['uri_hash']._serialized_options = b'\342\336\037\007URIHash' _globals['_PARAMS']._serialized_start=181 - _globals['_PARAMS']._serialized_end=310 - _globals['_SENDENABLED']._serialized_start=312 - _globals['_SENDENABLED']._serialized_end=363 - _globals['_INPUT']._serialized_start=366 - _globals['_INPUT']._serialized_end=552 - _globals['_OUTPUT']._serialized_start=555 - _globals['_OUTPUT']._serialized_end=730 - _globals['_SUPPLY']._serialized_start=733 - _globals['_SUPPLY']._serialized_end=898 - _globals['_DENOMUNIT']._serialized_start=900 - _globals['_DENOMUNIT']._serialized_end=961 - _globals['_METADATA']._serialized_start=964 - _globals['_METADATA']._serialized_end=1162 + _globals['_PARAMS']._serialized_end=343 + _globals['_SENDENABLED']._serialized_start=345 + _globals['_SENDENABLED']._serialized_end=412 + _globals['_INPUT']._serialized_start=415 + _globals['_INPUT']._serialized_end=617 + _globals['_OUTPUT']._serialized_start=620 + _globals['_OUTPUT']._serialized_end=811 + _globals['_SUPPLY']._serialized_start=814 + _globals['_SUPPLY']._serialized_end=986 + _globals['_DENOMUNIT']._serialized_start=988 + _globals['_DENOMUNIT']._serialized_end=1075 + _globals['_METADATA']._serialized_start=1078 + _globals['_METADATA']._serialized_end=1372 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py new file mode 100644 index 00000000..60554edb --- /dev/null +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2.py @@ -0,0 +1,44 @@ +# -*- coding: utf-8 -*- +# Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE +# source: cosmos/bank/v1beta1/events.proto +# Protobuf Python Version: 5.27.2 +"""Generated protocol buffer code.""" +from google.protobuf import descriptor as _descriptor +from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version +from google.protobuf import symbol_database as _symbol_database +from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/events.proto' +) +# @@protoc_insertion_point(imports) + +_sym_db = _symbol_database.Default() + + +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 + + +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/bank/v1beta1/events.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x10\x45ventSetBalances\x12K\n\x0f\x62\x61lance_updates\x18\x01 \x03(\x0b\x32\".cosmos.bank.v1beta1.BalanceUpdateR\x0e\x62\x61lanceUpdates\"}\n\rBalanceUpdate\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\x0cR\x04\x61\x64\x64r\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\x0cR\x05\x64\x65nom\x12\x42\n\x03\x61mt\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x03\x61mtB\xbf\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0b\x45ventsProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') + +_globals = globals() +_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) +_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.events_pb2', _globals) +if not _descriptor._USE_C_DESCRIPTORS: + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\013EventsProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' + _globals['_BALANCEUPDATE'].fields_by_name['amt']._loaded_options = None + _globals['_BALANCEUPDATE'].fields_by_name['amt']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' + _globals['_EVENTSETBALANCES']._serialized_start=125 + _globals['_EVENTSETBALANCES']._serialized_end=220 + _globals['_BALANCEUPDATE']._serialized_start=222 + _globals['_BALANCEUPDATE']._serialized_end=347 +# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py index ec6558c5..1d5abb1a 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf9\x02\n\x0cGenesisState\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x39\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12q\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12@\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xb0\x01\n\x07\x42\x61lance\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12p\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/bank/v1beta1/genesis.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xaf\x03\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12\x43\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x1c.cosmos.bank.v1beta1.BalanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12y\n\x06supply\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12O\n\x0e\x64\x65nom_metadata\x18\x04 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdenomMetadata\x12N\n\x0csend_enabled\x18\x05 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0bsendEnabled\"\xc0\x01\n\x07\x42\x61lance\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12w\n\x05\x63oins\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x63oins:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xc0\x01\n\x17\x63om.cosmos.bank.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['balances']._loaded_options = None @@ -44,7 +54,7 @@ _globals['_BALANCE']._loaded_options = None _globals['_BALANCE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=191 - _globals['_GENESISSTATE']._serialized_end=568 - _globals['_BALANCE']._serialized_start=571 - _globals['_BALANCE']._serialized_end=747 + _globals['_GENESISSTATE']._serialized_end=622 + _globals['_BALANCE']._serialized_start=625 + _globals['_BALANCE']._serialized_end=817 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py index d800c7eb..5c680753 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"Y\n\x13QueryBalanceRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"B\n\x14QueryBalanceResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"\xa1\x01\n\x17QueryAllBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x15\n\rresolve_denom\x18\x03 \x01(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcc\x01\n\x18QueryAllBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x90\x01\n\x1dQuerySpendableBalancesRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd2\x01\n\x1eQuerySpendableBalancesResponse\x12s\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"i\n#QuerySpendableBalanceByDenomRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"R\n$QuerySpendableBalanceByDenomResponse\x12*\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"_\n\x17QueryTotalSupplyRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n\x18QueryTotalSupplyResponse\x12q\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"%\n\x14QuerySupplyOfRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"M\n\x15QuerySupplyOfResponse\x12\x34\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"X\n\x1aQueryDenomsMetadataRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x97\x01\n\x1bQueryDenomsMetadataResponse\x12;\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"*\n\x19QueryDenomMetadataRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"X\n\x1aQueryDenomMetadataResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"7\n&QueryDenomMetadataByQueryStringRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"e\n\'QueryDenomMetadataByQueryStringResponse\x12:\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x17QueryDenomOwnersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"n\n\nDenomOwner\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8e\x01\n\x18QueryDenomOwnersResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"k\n\x1eQueryDenomOwnersByQueryRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x95\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x35\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwner\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"e\n\x17QuerySendEnabledRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\x12:\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x18QuerySendEnabledResponse\x12\x36\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12;\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/bank/v1beta1/query.proto\x12\x13\x63osmos.bank.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"i\n\x13QueryBalanceRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"K\n\x14QueryBalanceResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"\xc4\x01\n\x17QueryAllBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12#\n\rresolve_denom\x18\x03 \x01(\x08R\x0cresolveDenom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe2\x01\n\x18QueryAllBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xa5\x01\n\x1dQuerySpendableBalancesRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe8\x01\n\x1eQuerySpendableBalancesResponse\x12}\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x08\x62\x61lances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n#QuerySpendableBalanceByDenomRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"[\n$QuerySpendableBalanceByDenomResponse\x12\x33\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x07\x62\x61lance\"k\n\x17QueryTotalSupplyRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n\x18QueryTotalSupplyResponse\x12y\n\x06supply\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06supply\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x14QuerySupplyOfRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"U\n\x15QuerySupplyOfResponse\x12<\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"d\n\x1aQueryDenomsMetadataRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1bQueryDenomsMetadataResponse\x12\x46\n\tmetadatas\x18\x01 \x03(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tmetadatas\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"1\n\x19QueryDenomMetadataRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"b\n\x1aQueryDenomMetadataResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\">\n&QueryDenomMetadataByQueryStringRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"o\n\'QueryDenomMetadataByQueryStringResponse\x12\x44\n\x08metadata\x18\x01 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08metadata\"w\n\x17QueryDenomOwnersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x80\x01\n\nDenomOwner\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance\"\xa7\x01\n\x18QueryDenomOwnersResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1eQueryDenomOwnersByQueryRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xae\x01\n\x1fQueryDenomOwnersByQueryResponse\x12\x42\n\x0c\x64\x65nom_owners\x18\x01 \x03(\x0b\x32\x1f.cosmos.bank.v1beta1.DenomOwnerR\x0b\x64\x65nomOwners\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"y\n\x17QuerySendEnabledRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\x12\x46\n\npagination\x18\x63 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa8\x01\n\x18QuerySendEnabledResponse\x12\x43\n\x0csend_enabled\x18\x01 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12G\n\npagination\x18\x63 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xca\x11\n\x05Query\x12\x9d\x01\n\x07\x42\x61lance\x12(.cosmos.bank.v1beta1.QueryBalanceRequest\x1a).cosmos.bank.v1beta1.QueryBalanceResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/bank/v1beta1/balances/{address}/by_denom\x12\xa0\x01\n\x0b\x41llBalances\x12,.cosmos.bank.v1beta1.QueryAllBalancesRequest\x1a-.cosmos.bank.v1beta1.QueryAllBalancesResponse\"4\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02)\x12\'/cosmos/bank/v1beta1/balances/{address}\x12\xbc\x01\n\x11SpendableBalances\x12\x32.cosmos.bank.v1beta1.QuerySpendableBalancesRequest\x1a\x33.cosmos.bank.v1beta1.QuerySpendableBalancesResponse\">\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/bank/v1beta1/spendable_balances/{address}\x12\xd7\x01\n\x17SpendableBalanceByDenom\x12\x38.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomRequest\x1a\x39.cosmos.bank.v1beta1.QuerySpendableBalanceByDenomResponse\"G\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02<\x12:/cosmos/bank/v1beta1/spendable_balances/{address}/by_denom\x12\x94\x01\n\x0bTotalSupply\x12,.cosmos.bank.v1beta1.QueryTotalSupplyRequest\x1a-.cosmos.bank.v1beta1.QueryTotalSupplyResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/supply\x12\x94\x01\n\x08SupplyOf\x12).cosmos.bank.v1beta1.QuerySupplyOfRequest\x1a*.cosmos.bank.v1beta1.QuerySupplyOfResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/supply/by_denom\x12\x85\x01\n\x06Params\x12\'.cosmos.bank.v1beta1.QueryParamsRequest\x1a(.cosmos.bank.v1beta1.QueryParamsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/bank/v1beta1/params\x12\xab\x01\n\rDenomMetadata\x12..cosmos.bank.v1beta1.QueryDenomMetadataRequest\x1a/.cosmos.bank.v1beta1.QueryDenomMetadataResponse\"9\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02.\x12,/cosmos/bank/v1beta1/denoms_metadata/{denom}\x12\xda\x01\n\x1a\x44\x65nomMetadataByQueryString\x12;.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringRequest\x1a<.cosmos.bank.v1beta1.QueryDenomMetadataByQueryStringResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/bank/v1beta1/denoms_metadata_by_query_string\x12\xa6\x01\n\x0e\x44\x65nomsMetadata\x12/.cosmos.bank.v1beta1.QueryDenomsMetadataRequest\x1a\x30.cosmos.bank.v1beta1.QueryDenomsMetadataResponse\"1\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02&\x12$/cosmos/bank/v1beta1/denoms_metadata\x12\xa2\x01\n\x0b\x44\x65nomOwners\x12,.cosmos.bank.v1beta1.QueryDenomOwnersRequest\x1a-.cosmos.bank.v1beta1.QueryDenomOwnersResponse\"6\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02+\x12)/cosmos/bank/v1beta1/denom_owners/{denom}\x12\xb8\x01\n\x12\x44\x65nomOwnersByQuery\x12\x33.cosmos.bank.v1beta1.QueryDenomOwnersByQueryRequest\x1a\x34.cosmos.bank.v1beta1.QueryDenomOwnersByQueryResponse\"7\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02,\x12*/cosmos/bank/v1beta1/denom_owners_by_query\x12\x9a\x01\n\x0bSendEnabled\x12,.cosmos.bank.v1beta1.QuerySendEnabledRequest\x1a-.cosmos.bank.v1beta1.QuerySendEnabledResponse\".\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02#\x12!/cosmos/bank/v1beta1/send_enabledB\xbe\x01\n\x17\x63om.cosmos.bank.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYBALANCEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYBALANCEREQUEST']._loaded_options = None @@ -95,59 +105,59 @@ _globals['_QUERY'].methods_by_name['SendEnabled']._loaded_options = None _globals['_QUERY'].methods_by_name['SendEnabled']._serialized_options = b'\210\347\260*\001\202\323\344\223\002#\022!/cosmos/bank/v1beta1/send_enabled' _globals['_QUERYBALANCEREQUEST']._serialized_start=291 - _globals['_QUERYBALANCEREQUEST']._serialized_end=380 - _globals['_QUERYBALANCERESPONSE']._serialized_start=382 - _globals['_QUERYBALANCERESPONSE']._serialized_end=448 - _globals['_QUERYALLBALANCESREQUEST']._serialized_start=451 - _globals['_QUERYALLBALANCESREQUEST']._serialized_end=612 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=615 - _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=819 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=822 - _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=966 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=969 - _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1179 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1181 - _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1286 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1288 - _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1370 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1372 - _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1467 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1470 - _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1672 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1674 - _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1711 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1713 - _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1790 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1792 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1812 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1814 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1891 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=1893 - _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=1981 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=1984 - _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2135 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2137 - _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2179 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2181 - _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2269 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2271 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2326 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2328 - _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2429 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2431 - _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2531 - _globals['_DENOMOWNER']._serialized_start=2533 - _globals['_DENOMOWNER']._serialized_end=2643 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2646 - _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=2788 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=2790 - _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=2897 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=2900 - _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3049 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3051 - _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3152 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3155 - _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3298 - _globals['_QUERY']._serialized_start=3301 - _globals['_QUERY']._serialized_end=5551 + _globals['_QUERYBALANCEREQUEST']._serialized_end=396 + _globals['_QUERYBALANCERESPONSE']._serialized_start=398 + _globals['_QUERYBALANCERESPONSE']._serialized_end=473 + _globals['_QUERYALLBALANCESREQUEST']._serialized_start=476 + _globals['_QUERYALLBALANCESREQUEST']._serialized_end=672 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_start=675 + _globals['_QUERYALLBALANCESRESPONSE']._serialized_end=901 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_start=904 + _globals['_QUERYSPENDABLEBALANCESREQUEST']._serialized_end=1069 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_start=1072 + _globals['_QUERYSPENDABLEBALANCESRESPONSE']._serialized_end=1304 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_start=1306 + _globals['_QUERYSPENDABLEBALANCEBYDENOMREQUEST']._serialized_end=1427 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_start=1429 + _globals['_QUERYSPENDABLEBALANCEBYDENOMRESPONSE']._serialized_end=1520 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_start=1522 + _globals['_QUERYTOTALSUPPLYREQUEST']._serialized_end=1629 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_start=1632 + _globals['_QUERYTOTALSUPPLYRESPONSE']._serialized_end=1854 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_start=1856 + _globals['_QUERYSUPPLYOFREQUEST']._serialized_end=1900 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_start=1902 + _globals['_QUERYSUPPLYOFRESPONSE']._serialized_end=1987 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1989 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2009 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2011 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2096 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_start=2098 + _globals['_QUERYDENOMSMETADATAREQUEST']._serialized_end=2198 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_start=2201 + _globals['_QUERYDENOMSMETADATARESPONSE']._serialized_end=2375 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_start=2377 + _globals['_QUERYDENOMMETADATAREQUEST']._serialized_end=2426 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_start=2428 + _globals['_QUERYDENOMMETADATARESPONSE']._serialized_end=2526 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_start=2528 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGREQUEST']._serialized_end=2590 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_start=2592 + _globals['_QUERYDENOMMETADATABYQUERYSTRINGRESPONSE']._serialized_end=2703 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_start=2705 + _globals['_QUERYDENOMOWNERSREQUEST']._serialized_end=2824 + _globals['_DENOMOWNER']._serialized_start=2827 + _globals['_DENOMOWNER']._serialized_end=2955 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_start=2958 + _globals['_QUERYDENOMOWNERSRESPONSE']._serialized_end=3125 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_start=3127 + _globals['_QUERYDENOMOWNERSBYQUERYREQUEST']._serialized_end=3253 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_start=3256 + _globals['_QUERYDENOMOWNERSBYQUERYRESPONSE']._serialized_end=3430 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_start=3432 + _globals['_QUERYSENDENABLEDREQUEST']._serialized_end=3553 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_start=3556 + _globals['_QUERYSENDENABLEDRESPONSE']._serialized_end=3724 + _globals['_QUERY']._serialized_start=3727 + _globals['_QUERY']._serialized_end=5977 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py index ca3ac536..b9d6e8ac 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/bank/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/bank/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x8c\x02\n\x07MsgSend\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xab\x01\n\x0cMsgMultiSend\x12\x35\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x37\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xc2\x01\n\x11MsgSetSendEnabled\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabled\x12\x17\n\x0fuse_default_for\x18\x03 \x03(\t:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/bank/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/bank/v1beta1/tx.proto\x12\x13\x63osmos.bank.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xac\x02\n\x07MsgSend\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:0\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgSend\"\x11\n\x0fMsgSendResponse\"\xbc\x01\n\x0cMsgMultiSend\x12=\n\x06inputs\x18\x01 \x03(\x0b\x32\x1a.cosmos.bank.v1beta1.InputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06inputs\x12@\n\x07outputs\x18\x02 \x03(\x0b\x32\x1b.cosmos.bank.v1beta1.OutputB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07outputs:+\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06inputs\x8a\xe7\xb0*\x17\x63osmos-sdk/MsgMultiSend\"\x16\n\x14MsgMultiSendResponse\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.bank.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/bank/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe9\x01\n\x11MsgSetSendEnabled\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x0csend_enabled\x18\x02 \x03(\x0b\x32 .cosmos.bank.v1beta1.SendEnabledR\x0bsendEnabled\x12&\n\x0fuse_default_for\x18\x03 \x03(\tR\ruseDefaultFor:/\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSetSendEnabled\"\x1b\n\x19MsgSetSendEnabledResponse2\x81\x03\n\x03Msg\x12J\n\x04Send\x12\x1c.cosmos.bank.v1beta1.MsgSend\x1a$.cosmos.bank.v1beta1.MsgSendResponse\x12Y\n\tMultiSend\x12!.cosmos.bank.v1beta1.MsgMultiSend\x1a).cosmos.bank.v1beta1.MsgMultiSendResponse\x12\x62\n\x0cUpdateParams\x12$.cosmos.bank.v1beta1.MsgUpdateParams\x1a,.cosmos.bank.v1beta1.MsgUpdateParamsResponse\x12h\n\x0eSetSendEnabled\x12&.cosmos.bank.v1beta1.MsgSetSendEnabled\x1a..cosmos.bank.v1beta1.MsgSetSendEnabledResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.bank.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/bank/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Bank.V1beta1\xca\x02\x13\x43osmos\\Bank\\V1beta1\xe2\x02\x1f\x43osmos\\Bank\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Bank::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.bank.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/bank/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.bank.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/bank/types\242\002\003CBX\252\002\023Cosmos.Bank.V1beta1\312\002\023Cosmos\\Bank\\V1beta1\342\002\037Cosmos\\Bank\\V1beta1\\GPBMetadata\352\002\025Cosmos::Bank::V1beta1' _globals['_MSGSEND'].fields_by_name['from_address']._loaded_options = None _globals['_MSGSEND'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['to_address']._loaded_options = None @@ -55,21 +65,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=211 - _globals['_MSGSEND']._serialized_end=479 - _globals['_MSGSENDRESPONSE']._serialized_start=481 - _globals['_MSGSENDRESPONSE']._serialized_end=498 - _globals['_MSGMULTISEND']._serialized_start=501 - _globals['_MSGMULTISEND']._serialized_end=672 - _globals['_MSGMULTISENDRESPONSE']._serialized_start=674 - _globals['_MSGMULTISENDRESPONSE']._serialized_end=696 - _globals['_MSGUPDATEPARAMS']._serialized_start=699 - _globals['_MSGUPDATEPARAMS']._serialized_end=871 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=873 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=898 - _globals['_MSGSETSENDENABLED']._serialized_start=901 - _globals['_MSGSETSENDENABLED']._serialized_end=1095 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1097 - _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1124 - _globals['_MSG']._serialized_start=1127 - _globals['_MSG']._serialized_end=1512 + _globals['_MSGSEND']._serialized_end=511 + _globals['_MSGSENDRESPONSE']._serialized_start=513 + _globals['_MSGSENDRESPONSE']._serialized_end=530 + _globals['_MSGMULTISEND']._serialized_start=533 + _globals['_MSGMULTISEND']._serialized_end=721 + _globals['_MSGMULTISENDRESPONSE']._serialized_start=723 + _globals['_MSGMULTISENDRESPONSE']._serialized_end=745 + _globals['_MSGUPDATEPARAMS']._serialized_start=748 + _globals['_MSGUPDATEPARAMS']._serialized_end=939 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=941 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=966 + _globals['_MSGSETSENDENABLED']._serialized_start=969 + _globals['_MSGSETSENDENABLED']._serialized_end=1202 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_start=1204 + _globals['_MSGSETSENDENABLEDRESPONSE']._serialized_end=1231 + _globals['_MSG']._serialized_start=1234 + _globals['_MSG']._serialized_end=1619 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py index 3736a45f..962bd199 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/abci/v1beta1/abci.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/abci/v1beta1/abci.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xe6\x02\n\nTxResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x1a\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHash\x12\x11\n\tcodespace\x18\x03 \x01(\t\x12\x0c\n\x04\x63ode\x18\x04 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\t\x12\x0f\n\x07raw_log\x18\x06 \x01(\t\x12O\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogs\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x03\x12\x10\n\x08gas_used\x18\n \x01(\x03\x12 \n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\ttimestamp\x18\x0c \x01(\t\x12,\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"\x92\x01\n\x0e\x41\x42\x43IMessageLog\x12 \n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_index\x12\x0b\n\x03log\x18\x02 \x01(\t\x12K\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEvents:\x04\x80\xdc \x01\"`\n\x0bStringEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12=\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00:\x04\x80\xdc \x01\"\'\n\tAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\"/\n\x07GasInfo\x12\x12\n\ngas_wanted\x18\x01 \x01(\x04\x12\x10\n\x08gas_used\x18\x02 \x01(\x04\"\x88\x01\n\x06Result\x12\x10\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0b\n\x03log\x18\x02 \x01(\t\x12,\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00\x12+\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"\x85\x01\n\x12SimulationResponse\x12=\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"1\n\x07MsgData\x12\x10\n\x08msg_type\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c:\x06\x18\x01\x80\xdc \x01\"s\n\tTxMsgData\x12\x33\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01\x12+\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any:\x04\x80\xdc \x01\"\xa6\x01\n\x0fSearchTxsResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\x12\x13\n\x0bpage_number\x18\x03 \x01(\x04\x12\x12\n\npage_total\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\x31\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse:\x04\x80\xdc \x01\"\x9f\x01\n\x12SearchBlocksResult\x12\x13\n\x0btotal_count\x18\x01 \x01(\x03\x12\r\n\x05\x63ount\x18\x02 \x01(\x03\x12\x13\n\x0bpage_number\x18\x03 \x01(\x03\x12\x12\n\npage_total\x18\x04 \x01(\x03\x12\r\n\x05limit\x18\x05 \x01(\x03\x12\'\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.Block:\x04\x80\xdc \x01\x42(Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/base/abci/v1beta1/abci.proto\x12\x18\x63osmos.base.abci.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1btendermint/abci/types.proto\x1a\x1ctendermint/types/block.proto\x1a\x19google/protobuf/any.proto\"\xcc\x03\n\nTxResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\"\n\x06txhash\x18\x02 \x01(\tB\n\xe2\xde\x1f\x06TxHashR\x06txhash\x12\x1c\n\tcodespace\x18\x03 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x04 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\tR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x06 \x01(\tR\x06rawLog\x12U\n\x04logs\x18\x07 \x03(\x0b\x32(.cosmos.base.abci.v1beta1.ABCIMessageLogB\x17\xc8\xde\x1f\x00\xaa\xdf\x1f\x0f\x41\x42\x43IMessageLogsR\x04logs\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x03R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x03R\x07gasUsed\x12$\n\x02tx\x18\x0b \x01(\x0b\x32\x14.google.protobuf.AnyR\x02tx\x12\x1c\n\ttimestamp\x18\x0c \x01(\tR\ttimestamp\x12\x34\n\x06\x65vents\x18\r \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents:\x04\x88\xa0\x1f\x00\"\xa9\x01\n\x0e\x41\x42\x43IMessageLog\x12*\n\tmsg_index\x18\x01 \x01(\rB\r\xea\xde\x1f\tmsg_indexR\x08msgIndex\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12S\n\x06\x65vents\x18\x03 \x03(\x0b\x32%.cosmos.base.abci.v1beta1.StringEventB\x14\xc8\xde\x1f\x00\xaa\xdf\x1f\x0cStringEventsR\x06\x65vents:\x04\x80\xdc \x01\"r\n\x0bStringEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12I\n\nattributes\x18\x02 \x03(\x0b\x32#.cosmos.base.abci.v1beta1.AttributeB\x04\xc8\xde\x1f\x00R\nattributes:\x04\x80\xdc \x01\"3\n\tAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\"C\n\x07GasInfo\x12\x1d\n\ngas_wanted\x18\x01 \x01(\x04R\tgasWanted\x12\x19\n\x08gas_used\x18\x02 \x01(\x04R\x07gasUsed\"\xa9\x01\n\x06Result\x12\x16\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x04\x64\x61ta\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x34\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x16.tendermint.abci.EventB\x04\xc8\xde\x1f\x00R\x06\x65vents\x12\x39\n\rmsg_responses\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x88\xa0\x1f\x00\"\x96\x01\n\x12SimulationResponse\x12\x46\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoB\x08\xc8\xde\x1f\x00\xd0\xde\x1f\x01R\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"@\n\x07MsgData\x12\x19\n\x08msg_type\x18\x01 \x01(\tR\x07msgType\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta:\x06\x18\x01\x80\xdc \x01\"\x87\x01\n\tTxMsgData\x12\x39\n\x04\x64\x61ta\x18\x01 \x03(\x0b\x32!.cosmos.base.abci.v1beta1.MsgDataB\x02\x18\x01R\x04\x64\x61ta\x12\x39\n\rmsg_responses\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x0cmsgResponses:\x04\x80\xdc \x01\"\xdc\x01\n\x0fSearchTxsResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x04R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x04R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x04R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x36\n\x03txs\x18\x06 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x03txs:\x04\x80\xdc \x01\"\xd8\x01\n\x12SearchBlocksResult\x12\x1f\n\x0btotal_count\x18\x01 \x01(\x03R\ntotalCount\x12\x14\n\x05\x63ount\x18\x02 \x01(\x03R\x05\x63ount\x12\x1f\n\x0bpage_number\x18\x03 \x01(\x03R\npageNumber\x12\x1d\n\npage_total\x18\x04 \x01(\x03R\tpageTotal\x12\x14\n\x05limit\x18\x05 \x01(\x03R\x05limit\x12/\n\x06\x62locks\x18\x06 \x03(\x0b\x32\x17.tendermint.types.BlockR\x06\x62locks:\x04\x80\xdc \x01\x42\xd4\x01\n\x1c\x63om.cosmos.base.abci.v1beta1B\tAbciProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42\x41\xaa\x02\x18\x43osmos.Base.Abci.V1beta1\xca\x02\x18\x43osmos\\Base\\Abci\\V1beta1\xe2\x02$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Abci::V1beta1\xd8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.abci.v1beta1.abci_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.abci.v1beta1B\tAbciProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBA\252\002\030Cosmos.Base.Abci.V1beta1\312\002\030Cosmos\\Base\\Abci\\V1beta1\342\002$Cosmos\\Base\\Abci\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Abci::V1beta1\330\341\036\000' _globals['_TXRESPONSE'].fields_by_name['txhash']._loaded_options = None _globals['_TXRESPONSE'].fields_by_name['txhash']._serialized_options = b'\342\336\037\006TxHash' _globals['_TXRESPONSE'].fields_by_name['logs']._loaded_options = None @@ -63,25 +73,25 @@ _globals['_SEARCHBLOCKSRESULT']._loaded_options = None _globals['_SEARCHBLOCKSRESULT']._serialized_options = b'\200\334 \001' _globals['_TXRESPONSE']._serialized_start=174 - _globals['_TXRESPONSE']._serialized_end=532 - _globals['_ABCIMESSAGELOG']._serialized_start=535 - _globals['_ABCIMESSAGELOG']._serialized_end=681 - _globals['_STRINGEVENT']._serialized_start=683 - _globals['_STRINGEVENT']._serialized_end=779 - _globals['_ATTRIBUTE']._serialized_start=781 - _globals['_ATTRIBUTE']._serialized_end=820 - _globals['_GASINFO']._serialized_start=822 - _globals['_GASINFO']._serialized_end=869 - _globals['_RESULT']._serialized_start=872 - _globals['_RESULT']._serialized_end=1008 - _globals['_SIMULATIONRESPONSE']._serialized_start=1011 - _globals['_SIMULATIONRESPONSE']._serialized_end=1144 - _globals['_MSGDATA']._serialized_start=1146 - _globals['_MSGDATA']._serialized_end=1195 - _globals['_TXMSGDATA']._serialized_start=1197 - _globals['_TXMSGDATA']._serialized_end=1312 - _globals['_SEARCHTXSRESULT']._serialized_start=1315 - _globals['_SEARCHTXSRESULT']._serialized_end=1481 - _globals['_SEARCHBLOCKSRESULT']._serialized_start=1484 - _globals['_SEARCHBLOCKSRESULT']._serialized_end=1643 + _globals['_TXRESPONSE']._serialized_end=634 + _globals['_ABCIMESSAGELOG']._serialized_start=637 + _globals['_ABCIMESSAGELOG']._serialized_end=806 + _globals['_STRINGEVENT']._serialized_start=808 + _globals['_STRINGEVENT']._serialized_end=922 + _globals['_ATTRIBUTE']._serialized_start=924 + _globals['_ATTRIBUTE']._serialized_end=975 + _globals['_GASINFO']._serialized_start=977 + _globals['_GASINFO']._serialized_end=1044 + _globals['_RESULT']._serialized_start=1047 + _globals['_RESULT']._serialized_end=1216 + _globals['_SIMULATIONRESPONSE']._serialized_start=1219 + _globals['_SIMULATIONRESPONSE']._serialized_end=1369 + _globals['_MSGDATA']._serialized_start=1371 + _globals['_MSGDATA']._serialized_end=1435 + _globals['_TXMSGDATA']._serialized_start=1438 + _globals['_TXMSGDATA']._serialized_end=1573 + _globals['_SEARCHTXSRESULT']._serialized_start=1576 + _globals['_SEARCHTXSRESULT']._serialized_end=1796 + _globals['_SEARCHBLOCKSRESULT']._serialized_start=1799 + _globals['_SEARCHBLOCKSRESULT']._serialized_end=2015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py index 8e59bccc..21b31f2e 100644 --- a/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/base/node/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/node/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/node/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"w\n\x0e\x43onfigResponse\x12\x19\n\x11minimum_gas_price\x18\x01 \x01(\t\x12\x1b\n\x13pruning_keep_recent\x18\x02 \x01(\t\x12\x18\n\x10pruning_interval\x18\x03 \x01(\t\x12\x13\n\x0bhalt_height\x18\x04 \x01(\x04\"\x0f\n\rStatusRequest\"\x9e\x01\n\x0eStatusResponse\x12\x1d\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x33\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08\x61pp_hash\x18\x04 \x01(\x0c\x12\x16\n\x0evalidator_hash\x18\x05 \x01(\x0c\x32\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB/Z-github.com/cosmos/cosmos-sdk/client/grpc/nodeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/base/node/v1beta1/query.proto\x12\x18\x63osmos.base.node.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\x0f\n\rConfigRequest\"\xb8\x01\n\x0e\x43onfigResponse\x12*\n\x11minimum_gas_price\x18\x01 \x01(\tR\x0fminimumGasPrice\x12.\n\x13pruning_keep_recent\x18\x02 \x01(\tR\x11pruningKeepRecent\x12)\n\x10pruning_interval\x18\x03 \x01(\tR\x0fpruningInterval\x12\x1f\n\x0bhalt_height\x18\x04 \x01(\x04R\nhaltHeight\"\x0f\n\rStatusRequest\"\xde\x01\n\x0eStatusResponse\x12\x32\n\x15\x65\x61rliest_store_height\x18\x01 \x01(\x04R\x13\x65\x61rliestStoreHeight\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12>\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\ttimestamp\x12\x19\n\x08\x61pp_hash\x18\x04 \x01(\x0cR\x07\x61ppHash\x12%\n\x0evalidator_hash\x18\x05 \x01(\x0cR\rvalidatorHash2\x99\x02\n\x07Service\x12\x85\x01\n\x06\x43onfig\x12\'.cosmos.base.node.v1beta1.ConfigRequest\x1a(.cosmos.base.node.v1beta1.ConfigResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/config\x12\x85\x01\n\x06Status\x12\'.cosmos.base.node.v1beta1.StatusRequest\x1a(.cosmos.base.node.v1beta1.StatusResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/base/node/v1beta1/statusB\xdc\x01\n\x1c\x63om.cosmos.base.node.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/client/grpc/node\xa2\x02\x03\x43\x42N\xaa\x02\x18\x43osmos.Base.Node.V1beta1\xca\x02\x18\x43osmos\\Base\\Node\\V1beta1\xe2\x02$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\xea\x02\x1b\x43osmos::Base::Node::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.node.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/client/grpc/node' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.base.node.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/client/grpc/node\242\002\003CBN\252\002\030Cosmos.Base.Node.V1beta1\312\002\030Cosmos\\Base\\Node\\V1beta1\342\002$Cosmos\\Base\\Node\\V1beta1\\GPBMetadata\352\002\033Cosmos::Base::Node::V1beta1' _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._loaded_options = None _globals['_STATUSRESPONSE'].fields_by_name['timestamp']._serialized_options = b'\220\337\037\001' _globals['_SERVICE'].methods_by_name['Config']._loaded_options = None @@ -33,12 +43,12 @@ _globals['_SERVICE'].methods_by_name['Status']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/base/node/v1beta1/status' _globals['_CONFIGREQUEST']._serialized_start=151 _globals['_CONFIGREQUEST']._serialized_end=166 - _globals['_CONFIGRESPONSE']._serialized_start=168 - _globals['_CONFIGRESPONSE']._serialized_end=287 - _globals['_STATUSREQUEST']._serialized_start=289 - _globals['_STATUSREQUEST']._serialized_end=304 - _globals['_STATUSRESPONSE']._serialized_start=307 - _globals['_STATUSRESPONSE']._serialized_end=465 - _globals['_SERVICE']._serialized_start=468 - _globals['_SERVICE']._serialized_end=749 + _globals['_CONFIGRESPONSE']._serialized_start=169 + _globals['_CONFIGRESPONSE']._serialized_end=353 + _globals['_STATUSREQUEST']._serialized_start=355 + _globals['_STATUSREQUEST']._serialized_end=370 + _globals['_STATUSRESPONSE']._serialized_start=373 + _globals['_STATUSRESPONSE']._serialized_end=595 + _globals['_SERVICE']._serialized_start=598 + _globals['_SERVICE']._serialized_end=879 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py index d988376d..e6595278 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/query/v1beta1/pagination.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/query/v1beta1/pagination.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"_\n\x0bPageRequest\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x0e\n\x06offset\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x13\n\x0b\x63ount_total\x18\x04 \x01(\x08\x12\x0f\n\x07reverse\x18\x05 \x01(\x08\"/\n\x0cPageResponse\x12\x10\n\x08next_key\x18\x01 \x01(\x0c\x12\r\n\x05total\x18\x02 \x01(\x04\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/query/v1beta1/pagination.proto\x12\x19\x63osmos.base.query.v1beta1\"\x88\x01\n\x0bPageRequest\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x16\n\x06offset\x18\x02 \x01(\x04R\x06offset\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x1f\n\x0b\x63ount_total\x18\x04 \x01(\x08R\ncountTotal\x12\x18\n\x07reverse\x18\x05 \x01(\x08R\x07reverse\"?\n\x0cPageResponse\x12\x19\n\x08next_key\x18\x01 \x01(\x0cR\x07nextKey\x12\x14\n\x05total\x18\x02 \x01(\x04R\x05totalB\xe1\x01\n\x1d\x63om.cosmos.base.query.v1beta1B\x0fPaginationProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43\x42Q\xaa\x02\x19\x43osmos.Base.Query.V1beta1\xca\x02\x19\x43osmos\\Base\\Query\\V1beta1\xe2\x02%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Base::Query::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.query.v1beta1.pagination_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' - _globals['_PAGEREQUEST']._serialized_start=73 - _globals['_PAGEREQUEST']._serialized_end=168 - _globals['_PAGERESPONSE']._serialized_start=170 - _globals['_PAGERESPONSE']._serialized_end=217 + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.base.query.v1beta1B\017PaginationProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CBQ\252\002\031Cosmos.Base.Query.V1beta1\312\002\031Cosmos\\Base\\Query\\V1beta1\342\002%Cosmos\\Base\\Query\\V1beta1\\GPBMetadata\352\002\034Cosmos::Base::Query::V1beta1' + _globals['_PAGEREQUEST']._serialized_start=74 + _globals['_PAGEREQUEST']._serialized_end=210 + _globals['_PAGERESPONSE']._serialized_start=212 + _globals['_PAGERESPONSE']._serialized_end=275 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py index caffc681..6561ecd3 100644 --- a/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v1beta1/reflection_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v1beta1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/reflection/v1beta1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"4\n\x19ListAllInterfacesResponse\x12\x17\n\x0finterface_names\x18\x01 \x03(\t\"4\n\x1aListImplementationsRequest\x12\x16\n\x0einterface_name\x18\x01 \x01(\t\"C\n\x1bListImplementationsResponse\x12$\n\x1cimplementation_message_names\x18\x01 \x03(\t2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB5Z3github.com/cosmos/cosmos-sdk/client/grpc/reflectionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/cosmos/base/reflection/v1beta1/reflection.proto\x12\x1e\x63osmos.base.reflection.v1beta1\x1a\x1cgoogle/api/annotations.proto\"\x1a\n\x18ListAllInterfacesRequest\"D\n\x19ListAllInterfacesResponse\x12\'\n\x0finterface_names\x18\x01 \x03(\tR\x0einterfaceNames\"C\n\x1aListImplementationsRequest\x12%\n\x0einterface_name\x18\x01 \x01(\tR\rinterfaceName\"_\n\x1bListImplementationsResponse\x12@\n\x1cimplementation_message_names\x18\x01 \x03(\tR\x1aimplementationMessageNames2\xb8\x03\n\x11ReflectionService\x12\xbc\x01\n\x11ListAllInterfaces\x12\x38.cosmos.base.reflection.v1beta1.ListAllInterfacesRequest\x1a\x39.cosmos.base.reflection.v1beta1.ListAllInterfacesResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/reflection/v1beta1/interfaces\x12\xe3\x01\n\x13ListImplementations\x12:.cosmos.base.reflection.v1beta1.ListImplementationsRequest\x1a;.cosmos.base.reflection.v1beta1.ListImplementationsResponse\"S\x82\xd3\xe4\x93\x02M\x12K/cosmos/base/reflection/v1beta1/interfaces/{interface_name}/implementationsB\x85\x02\n\"com.cosmos.base.reflection.v1beta1B\x0fReflectionProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\xa2\x02\x03\x43\x42R\xaa\x02\x1e\x43osmos.Base.Reflection.V1beta1\xca\x02\x1e\x43osmos\\Base\\Reflection\\V1beta1\xe2\x02*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Reflection::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.reflection.v1beta1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.reflection.v1beta1B\017ReflectionProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/reflection\242\002\003CBR\252\002\036Cosmos.Base.Reflection.V1beta1\312\002\036Cosmos\\Base\\Reflection\\V1beta1\342\002*Cosmos\\Base\\Reflection\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Reflection::V1beta1' _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['ListAllInterfaces']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/reflection/v1beta1/interfaces' _globals['_REFLECTIONSERVICE'].methods_by_name['ListImplementations']._loaded_options = None @@ -30,11 +40,11 @@ _globals['_LISTALLINTERFACESREQUEST']._serialized_start=113 _globals['_LISTALLINTERFACESREQUEST']._serialized_end=139 _globals['_LISTALLINTERFACESRESPONSE']._serialized_start=141 - _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=193 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=195 - _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=247 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=249 - _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=316 - _globals['_REFLECTIONSERVICE']._serialized_start=319 - _globals['_REFLECTIONSERVICE']._serialized_end=759 + _globals['_LISTALLINTERFACESRESPONSE']._serialized_end=209 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_start=211 + _globals['_LISTIMPLEMENTATIONSREQUEST']._serialized_end=278 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_start=280 + _globals['_LISTIMPLEMENTATIONSRESPONSE']._serialized_end=375 + _globals['_REFLECTIONSERVICE']._serialized_start=378 + _globals['_REFLECTIONSERVICE']._serialized_end=818 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py index 6b07e5de..de74b429 100644 --- a/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/base/reflection/v2alpha1/reflection_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/reflection/v2alpha1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/reflection/v2alpha1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0cosmos/base/reflection/v2alpha1/reflection.proto\x12\x1f\x63osmos.base.reflection.v2alpha1\x1a\x1cgoogle/api/annotations.proto\"\xb0\x03\n\rAppDescriptor\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\x12?\n\x05\x63hain\x18\x02 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\x12?\n\x05\x63odec\x18\x03 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\x12O\n\rconfiguration\x18\x04 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\x12P\n\x0equery_services\x18\x05 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\x12\x39\n\x02tx\x18\x06 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"^\n\x0cTxDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12<\n\x04msgs\x18\x02 \x03(\x0b\x32..cosmos.base.reflection.v2alpha1.MsgDescriptor\"]\n\x0f\x41uthnDescriptor\x12J\n\nsign_modes\x18\x01 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.SigningModeDescriptor\"b\n\x15SigningModeDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06number\x18\x02 \x01(\x05\x12+\n#authn_info_provider_method_fullname\x18\x03 \x01(\t\"\x1d\n\x0f\x43hainDescriptor\x12\n\n\x02id\x18\x01 \x01(\t\"[\n\x0f\x43odecDescriptor\x12H\n\ninterfaces\x18\x01 \x03(\x0b\x32\x34.cosmos.base.reflection.v2alpha1.InterfaceDescriptor\"\xf4\x01\n\x13InterfaceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12j\n\x1cinterface_accepting_messages\x18\x02 \x03(\x0b\x32\x44.cosmos.base.reflection.v2alpha1.InterfaceAcceptingMessageDescriptor\x12_\n\x16interface_implementers\x18\x03 \x03(\x0b\x32?.cosmos.base.reflection.v2alpha1.InterfaceImplementerDescriptor\"D\n\x1eInterfaceImplementerDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x10\n\x08type_url\x18\x02 \x01(\t\"W\n#InterfaceAcceptingMessageDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x1e\n\x16\x66ield_descriptor_names\x18\x02 \x03(\t\"@\n\x17\x43onfigurationDescriptor\x12%\n\x1d\x62\x65\x63h32_account_address_prefix\x18\x01 \x01(\t\"%\n\rMsgDescriptor\x12\x14\n\x0cmsg_type_url\x18\x01 \x01(\t\"\x1b\n\x19GetAuthnDescriptorRequest\"]\n\x1aGetAuthnDescriptorResponse\x12?\n\x05\x61uthn\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.AuthnDescriptor\"\x1b\n\x19GetChainDescriptorRequest\"]\n\x1aGetChainDescriptorResponse\x12?\n\x05\x63hain\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.ChainDescriptor\"\x1b\n\x19GetCodecDescriptorRequest\"]\n\x1aGetCodecDescriptorResponse\x12?\n\x05\x63odec\x18\x01 \x01(\x0b\x32\x30.cosmos.base.reflection.v2alpha1.CodecDescriptor\"#\n!GetConfigurationDescriptorRequest\"n\n\"GetConfigurationDescriptorResponse\x12H\n\x06\x63onfig\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.ConfigurationDescriptor\"#\n!GetQueryServicesDescriptorRequest\"o\n\"GetQueryServicesDescriptorResponse\x12I\n\x07queries\x18\x01 \x01(\x0b\x32\x38.cosmos.base.reflection.v2alpha1.QueryServicesDescriptor\"\x18\n\x16GetTxDescriptorRequest\"T\n\x17GetTxDescriptorResponse\x12\x39\n\x02tx\x18\x01 \x01(\x0b\x32-.cosmos.base.reflection.v2alpha1.TxDescriptor\"j\n\x17QueryServicesDescriptor\x12O\n\x0equery_services\x18\x01 \x03(\x0b\x32\x37.cosmos.base.reflection.v2alpha1.QueryServiceDescriptor\"\x86\x01\n\x16QueryServiceDescriptor\x12\x10\n\x08\x66ullname\x18\x01 \x01(\t\x12\x11\n\tis_module\x18\x02 \x01(\x08\x12G\n\x07methods\x18\x03 \x03(\x0b\x32\x36.cosmos.base.reflection.v2alpha1.QueryMethodDescriptor\">\n\x15QueryMethodDescriptor\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x17\n\x0f\x66ull_query_path\x18\x02 \x01(\t2\xa7\n\n\x11ReflectionService\x12\xcb\x01\n\x12GetAuthnDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetAuthnDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/authn\x12\xcb\x01\n\x12GetChainDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetChainDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetChainDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/chain\x12\xcb\x01\n\x12GetCodecDescriptor\x12:.cosmos.base.reflection.v2alpha1.GetCodecDescriptorRequest\x1a;.cosmos.base.reflection.v2alpha1.GetCodecDescriptorResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/reflection/v1beta1/app_descriptor/codec\x12\xeb\x01\n\x1aGetConfigurationDescriptor\x12\x42.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorRequest\x1a\x43.cosmos.base.reflection.v2alpha1.GetConfigurationDescriptorResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12Z\x12\x12\022.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/query.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1atendermint/p2p/types.proto\x1a\x1ctendermint/types/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*cosmos/base/tendermint/v1beta1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1ctendermint/types/block.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x1eGetValidatorSetByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd8\x01\n\x1fGetValidatorSetByHeightResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"f\n\x1cGetLatestValidatorSetRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd6\x01\n\x1dGetLatestValidatorSetResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12I\n\nvalidators\x18\x02 \x03(\x0b\x32).cosmos.base.tendermint.v1beta1.ValidatorR\nvalidators\x12G\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n\tValidator\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"1\n\x17GetBlockByHeightRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"\xc3\x01\n\x18GetBlockByHeightResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x17\n\x15GetLatestBlockRequest\"\xc1\x01\n\x16GetLatestBlockResponse\x12\x34\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12\x42\n\tsdk_block\x18\x03 \x01(\x0b\x32%.cosmos.base.tendermint.v1beta1.BlockR\x08sdkBlock\"\x13\n\x11GetSyncingRequest\".\n\x12GetSyncingResponse\x12\x18\n\x07syncing\x18\x01 \x01(\x08R\x07syncing\"\x14\n\x12GetNodeInfoRequest\"\xc0\x01\n\x13GetNodeInfoResponse\x12K\n\x11\x64\x65\x66\x61ult_node_info\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.DefaultNodeInfoR\x0f\x64\x65\x66\x61ultNodeInfo\x12\\\n\x13\x61pplication_version\x18\x02 \x01(\x0b\x32+.cosmos.base.tendermint.v1beta1.VersionInfoR\x12\x61pplicationVersion\"\xa8\x02\n\x0bVersionInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x19\n\x08\x61pp_name\x18\x02 \x01(\tR\x07\x61ppName\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x1d\n\ngit_commit\x18\x04 \x01(\tR\tgitCommit\x12\x1d\n\nbuild_tags\x18\x05 \x01(\tR\tbuildTags\x12\x1d\n\ngo_version\x18\x06 \x01(\tR\tgoVersion\x12\x45\n\nbuild_deps\x18\x07 \x03(\x0b\x32&.cosmos.base.tendermint.v1beta1.ModuleR\tbuildDeps\x12,\n\x12\x63osmos_sdk_version\x18\x08 \x01(\tR\x10\x63osmosSdkVersion\"H\n\x06Module\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x10\n\x03sum\x18\x03 \x01(\tR\x03sum\"h\n\x10\x41\x42\x43IQueryRequest\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"\x8e\x02\n\x11\x41\x42\x43IQueryResponse\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x45\n\tproof_ops\x18\x08 \x01(\x0b\x32(.cosmos.base.tendermint.v1beta1.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespaceJ\x04\x08\x02\x10\x03\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"P\n\x08ProofOps\x12\x44\n\x03ops\x18\x01 \x03(\x0b\x32\'.cosmos.base.tendermint.v1beta1.ProofOpB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03ops2\xaf\n\n\x07Service\x12\xa9\x01\n\x0bGetNodeInfo\x12\x32.cosmos.base.tendermint.v1beta1.GetNodeInfoRequest\x1a\x33.cosmos.base.tendermint.v1beta1.GetNodeInfoResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/base/tendermint/v1beta1/node_info\x12\xa4\x01\n\nGetSyncing\x12\x31.cosmos.base.tendermint.v1beta1.GetSyncingRequest\x1a\x32.cosmos.base.tendermint.v1beta1.GetSyncingResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/base/tendermint/v1beta1/syncing\x12\xb6\x01\n\x0eGetLatestBlock\x12\x35.cosmos.base.tendermint.v1beta1.GetLatestBlockRequest\x1a\x36.cosmos.base.tendermint.v1beta1.GetLatestBlockResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/base/tendermint/v1beta1/blocks/latest\x12\xbe\x01\n\x10GetBlockByHeight\x12\x37.cosmos.base.tendermint.v1beta1.GetBlockByHeightRequest\x1a\x38.cosmos.base.tendermint.v1beta1.GetBlockByHeightResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/base/tendermint/v1beta1/blocks/{height}\x12\xd2\x01\n\x15GetLatestValidatorSet\x12<.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetRequest\x1a=.cosmos.base.tendermint.v1beta1.GetLatestValidatorSetResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/base/tendermint/v1beta1/validatorsets/latest\x12\xda\x01\n\x17GetValidatorSetByHeight\x12>.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightRequest\x1a?.cosmos.base.tendermint.v1beta1.GetValidatorSetByHeightResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/base/tendermint/v1beta1/validatorsets/{height}\x12\xa4\x01\n\tABCIQuery\x12\x30.cosmos.base.tendermint.v1beta1.ABCIQueryRequest\x1a\x31.cosmos.base.tendermint.v1beta1.ABCIQueryResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmos/base/tendermint/v1beta1/abci_queryB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nQueryProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' _globals['_VALIDATOR'].fields_by_name['address']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None @@ -50,44 +60,44 @@ _globals['_SERVICE'].methods_by_name['GetValidatorSetByHeight']._serialized_options = b'\202\323\344\223\0028\0226/cosmos/base/tendermint/v1beta1/validatorsets/{height}' _globals['_SERVICE'].methods_by_name['ABCIQuery']._loaded_options = None _globals['_SERVICE'].methods_by_name['ABCIQuery']._serialized_options = b'\202\323\344\223\002,\022*/cosmos/base/tendermint/v1beta1/abci_query' - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=379 - _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=487 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=490 - _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=669 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=671 - _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=761 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=764 - _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=941 - _globals['_VALIDATOR']._serialized_start=944 - _globals['_VALIDATOR']._serialized_end=1086 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1088 - _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1129 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1132 - _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1301 - _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1303 - _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1326 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1329 - _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1496 - _globals['_GETSYNCINGREQUEST']._serialized_start=1498 - _globals['_GETSYNCINGREQUEST']._serialized_end=1517 - _globals['_GETSYNCINGRESPONSE']._serialized_start=1519 - _globals['_GETSYNCINGRESPONSE']._serialized_end=1556 - _globals['_GETNODEINFOREQUEST']._serialized_start=1558 - _globals['_GETNODEINFOREQUEST']._serialized_end=1578 - _globals['_GETNODEINFORESPONSE']._serialized_start=1581 - _globals['_GETNODEINFORESPONSE']._serialized_end=1736 - _globals['_VERSIONINFO']._serialized_start=1739 - _globals['_VERSIONINFO']._serialized_end=1949 - _globals['_MODULE']._serialized_start=1951 - _globals['_MODULE']._serialized_end=2003 - _globals['_ABCIQUERYREQUEST']._serialized_start=2005 - _globals['_ABCIQUERYREQUEST']._serialized_end=2082 - _globals['_ABCIQUERYRESPONSE']._serialized_start=2085 - _globals['_ABCIQUERYRESPONSE']._serialized_end=2290 - _globals['_PROOFOP']._serialized_start=2292 - _globals['_PROOFOP']._serialized_end=2342 - _globals['_PROOFOPS']._serialized_start=2344 - _globals['_PROOFOPS']._serialized_end=2419 - _globals['_SERVICE']._serialized_start=2422 - _globals['_SERVICE']._serialized_end=3749 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_start=380 + _globals['_GETVALIDATORSETBYHEIGHTREQUEST']._serialized_end=508 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_start=511 + _globals['_GETVALIDATORSETBYHEIGHTRESPONSE']._serialized_end=727 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_start=729 + _globals['_GETLATESTVALIDATORSETREQUEST']._serialized_end=831 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_start=834 + _globals['_GETLATESTVALIDATORSETRESPONSE']._serialized_end=1048 + _globals['_VALIDATOR']._serialized_start=1051 + _globals['_VALIDATOR']._serialized_end=1241 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_start=1243 + _globals['_GETBLOCKBYHEIGHTREQUEST']._serialized_end=1292 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_start=1295 + _globals['_GETBLOCKBYHEIGHTRESPONSE']._serialized_end=1490 + _globals['_GETLATESTBLOCKREQUEST']._serialized_start=1492 + _globals['_GETLATESTBLOCKREQUEST']._serialized_end=1515 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_start=1518 + _globals['_GETLATESTBLOCKRESPONSE']._serialized_end=1711 + _globals['_GETSYNCINGREQUEST']._serialized_start=1713 + _globals['_GETSYNCINGREQUEST']._serialized_end=1732 + _globals['_GETSYNCINGRESPONSE']._serialized_start=1734 + _globals['_GETSYNCINGRESPONSE']._serialized_end=1780 + _globals['_GETNODEINFOREQUEST']._serialized_start=1782 + _globals['_GETNODEINFOREQUEST']._serialized_end=1802 + _globals['_GETNODEINFORESPONSE']._serialized_start=1805 + _globals['_GETNODEINFORESPONSE']._serialized_end=1997 + _globals['_VERSIONINFO']._serialized_start=2000 + _globals['_VERSIONINFO']._serialized_end=2296 + _globals['_MODULE']._serialized_start=2298 + _globals['_MODULE']._serialized_end=2370 + _globals['_ABCIQUERYREQUEST']._serialized_start=2372 + _globals['_ABCIQUERYREQUEST']._serialized_end=2476 + _globals['_ABCIQUERYRESPONSE']._serialized_start=2479 + _globals['_ABCIQUERYRESPONSE']._serialized_end=2749 + _globals['_PROOFOP']._serialized_start=2751 + _globals['_PROOFOP']._serialized_end=2818 + _globals['_PROOFOPS']._serialized_start=2820 + _globals['_PROOFOPS']._serialized_end=2900 + _globals['_SERVICE']._serialized_start=2903 + _globals['_SERVICE']._serialized_end=4230 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py index d4101985..b548ca73 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/tendermint/v1beta1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/tendermint/v1beta1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\xe7\x01\n\x05\x42lock\x12\x41\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12/\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.Commit\"\xc2\x03\n\x06Header\x12\x39\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x37\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12;\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\tB5Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/base/tendermint/v1beta1/types.proto\x12\x1e\x63osmos.base.tendermint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\x1a\x1etendermint/version/types.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x8b\x02\n\x05\x42lock\x12I\n\x06header\x18\x01 \x01(\x0b\x32&.cosmos.base.tendermint.v1beta1.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x35\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04\x64\x61ta\x12\x45\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommit\"\xf5\x04\n\x06Header\x12\x42\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12=\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12H\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\tR\x0fproposerAddressB\x80\x02\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\x01Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\xa2\x02\x03\x43\x42T\xaa\x02\x1e\x43osmos.Base.Tendermint.V1beta1\xca\x02\x1e\x43osmos\\Base\\Tendermint\\V1beta1\xe2\x02*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Base::Tendermint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.tendermint.v1beta1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.base.tendermint.v1beta1B\nTypesProtoP\001Z3github.com/cosmos/cosmos-sdk/client/grpc/cmtservice\242\002\003CBT\252\002\036Cosmos.Base.Tendermint.V1beta1\312\002\036Cosmos\\Base\\Tendermint\\V1beta1\342\002*Cosmos\\Base\\Tendermint\\V1beta1\\GPBMetadata\352\002!Cosmos::Base::Tendermint::V1beta1' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -43,7 +53,7 @@ _globals['_HEADER'].fields_by_name['last_block_id']._loaded_options = None _globals['_HEADER'].fields_by_name['last_block_id']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_BLOCK']._serialized_start=248 - _globals['_BLOCK']._serialized_end=479 - _globals['_HEADER']._serialized_start=482 - _globals['_HEADER']._serialized_end=932 + _globals['_BLOCK']._serialized_end=515 + _globals['_HEADER']._serialized_start=518 + _globals['_HEADER']._serialized_end=1147 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py index a1a647a8..ccd5f885 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/base/v1beta1/coin.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/base/v1beta1/coin.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"]\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12@\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"a\n\x07\x44\x65\x63\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x41\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x04\xe8\xa0\x1f\x01\"D\n\x08IntProto\x12\x38\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\"J\n\x08\x44\x65\x63Proto\x12>\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecB,Z\"github.com/cosmos/cosmos-sdk/types\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/base/v1beta1/coin.proto\x12\x13\x63osmos.base.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"l\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12H\n\x06\x61mount\x18\x02 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x06\x61mount:\x04\xe8\xa0\x1f\x01\"p\n\x07\x44\x65\x63\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x06\x61mount\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06\x61mount:\x04\xe8\xa0\x1f\x01\"I\n\x08IntProto\x12=\n\x03int\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03int\"O\n\x08\x44\x65\x63Proto\x12\x43\n\x03\x64\x65\x63\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x03\x64\x65\x63\x42\xbe\x01\n\x17\x63om.cosmos.base.v1beta1B\tCoinProtoP\x01Z\"github.com/cosmos/cosmos-sdk/types\xa2\x02\x03\x43\x42X\xaa\x02\x13\x43osmos.Base.V1beta1\xca\x02\x13\x43osmos\\Base\\V1beta1\xe2\x02\x1f\x43osmos\\Base\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Base::V1beta1\xd8\xe1\x1e\x00\x80\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.base.v1beta1.coin_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"github.com/cosmos/cosmos-sdk/types\330\341\036\000\200\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.base.v1beta1B\tCoinProtoP\001Z\"github.com/cosmos/cosmos-sdk/types\242\002\003CBX\252\002\023Cosmos.Base.V1beta1\312\002\023Cosmos\\Base\\V1beta1\342\002\037Cosmos\\Base\\V1beta1\\GPBMetadata\352\002\025Cosmos::Base::V1beta1\330\341\036\000\200\342\036\000' _globals['_COIN'].fields_by_name['amount']._loaded_options = None _globals['_COIN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int\322\264-\ncosmos.Int\250\347\260*\001' _globals['_COIN']._loaded_options = None @@ -38,11 +48,11 @@ _globals['_DECPROTO'].fields_by_name['dec']._loaded_options = None _globals['_DECPROTO'].fields_by_name['dec']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_COIN']._serialized_start=123 - _globals['_COIN']._serialized_end=216 - _globals['_DECCOIN']._serialized_start=218 - _globals['_DECCOIN']._serialized_end=315 - _globals['_INTPROTO']._serialized_start=317 - _globals['_INTPROTO']._serialized_end=385 - _globals['_DECPROTO']._serialized_start=387 - _globals['_DECPROTO']._serialized_end=461 + _globals['_COIN']._serialized_end=231 + _globals['_DECCOIN']._serialized_start=233 + _globals['_DECCOIN']._serialized_end=345 + _globals['_INTPROTO']._serialized_start=347 + _globals['_INTPROTO']._serialized_end=420 + _globals['_DECPROTO']._serialized_start=422 + _globals['_DECPROTO']._serialized_end=501 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py index 2f7dd65e..9baafd7c 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/circuit/module/v1/module.proto\x12\x18\x63osmos.circuit.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/circuitB\xae\x01\n\x1c\x63om.cosmos.circuit.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x18\x43osmos.Circuit.Module.V1\xca\x02\x18\x43osmos\\Circuit\\Module\\V1\xe2\x02$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Circuit::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.circuit.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\030Cosmos.Circuit.Module.V1\312\002\030Cosmos\\Circuit\\Module\\V1\342\002$Cosmos\\Circuit\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Circuit::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/circuit' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=171 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py index 8e7b1ab5..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py index 0a9ec565..dc14d131 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"&\n\x13QueryAccountRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"E\n\x0f\x41\x63\x63ountResponse\x12\x32\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"R\n\x14QueryAccountsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8f\x01\n\x10\x41\x63\x63ountsResponse\x12>\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x1a\n\x18QueryDisabledListRequest\"-\n\x14\x44isabledListResponse\x12\x15\n\rdisabled_list\x18\x01 \x03(\t2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/query.proto\x12\x11\x63osmos.circuit.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/query/v1/query.proto\"/\n\x13QueryAccountRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x0f\x41\x63\x63ountResponse\x12>\n\npermission\x18\x01 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\npermission\"^\n\x14QueryAccountsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa5\x01\n\x10\x41\x63\x63ountsResponse\x12H\n\x08\x61\x63\x63ounts\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x08\x61\x63\x63ounts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x1a\n\x18QueryDisabledListRequest\";\n\x14\x44isabledListResponse\x12#\n\rdisabled_list\x18\x01 \x03(\tR\x0c\x64isabledList2\xad\x03\n\x05Query\x12\x89\x01\n\x07\x41\x63\x63ount\x12&.cosmos.circuit.v1.QueryAccountRequest\x1a\".cosmos.circuit.v1.AccountResponse\"2\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\'\x12%/cosmos/circuit/v1/accounts/{address}\x12\x82\x01\n\x08\x41\x63\x63ounts\x12\'.cosmos.circuit.v1.QueryAccountsRequest\x1a#.cosmos.circuit.v1.AccountsResponse\"(\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/circuit/v1/accounts\x12\x92\x01\n\x0c\x44isabledList\x12+.cosmos.circuit.v1.QueryDisabledListRequest\x1a\'.cosmos.circuit.v1.DisabledListResponse\",\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/circuit/v1/disable_listB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nQueryProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_QUERY'].methods_by_name['Account']._loaded_options = None _globals['_QUERY'].methods_by_name['Account']._serialized_options = b'\210\347\260*\001\202\323\344\223\002\'\022%/cosmos/circuit/v1/accounts/{address}' _globals['_QUERY'].methods_by_name['Accounts']._loaded_options = None @@ -33,17 +43,17 @@ _globals['_QUERY'].methods_by_name['DisabledList']._loaded_options = None _globals['_QUERY'].methods_by_name['DisabledList']._serialized_options = b'\210\347\260*\001\202\323\344\223\002!\022\037/cosmos/circuit/v1/disable_list' _globals['_QUERYACCOUNTREQUEST']._serialized_start=186 - _globals['_QUERYACCOUNTREQUEST']._serialized_end=224 - _globals['_ACCOUNTRESPONSE']._serialized_start=226 - _globals['_ACCOUNTRESPONSE']._serialized_end=295 - _globals['_QUERYACCOUNTSREQUEST']._serialized_start=297 - _globals['_QUERYACCOUNTSREQUEST']._serialized_end=379 - _globals['_ACCOUNTSRESPONSE']._serialized_start=382 - _globals['_ACCOUNTSRESPONSE']._serialized_end=525 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=527 - _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=553 - _globals['_DISABLEDLISTRESPONSE']._serialized_start=555 - _globals['_DISABLEDLISTRESPONSE']._serialized_end=600 - _globals['_QUERY']._serialized_start=603 - _globals['_QUERY']._serialized_end=1032 + _globals['_QUERYACCOUNTREQUEST']._serialized_end=233 + _globals['_ACCOUNTRESPONSE']._serialized_start=235 + _globals['_ACCOUNTRESPONSE']._serialized_end=316 + _globals['_QUERYACCOUNTSREQUEST']._serialized_start=318 + _globals['_QUERYACCOUNTSREQUEST']._serialized_end=412 + _globals['_ACCOUNTSRESPONSE']._serialized_start=415 + _globals['_ACCOUNTSRESPONSE']._serialized_end=580 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_start=582 + _globals['_QUERYDISABLEDLISTREQUEST']._serialized_end=608 + _globals['_DISABLEDLISTRESPONSE']._serialized_start=610 + _globals['_DISABLEDLISTRESPONSE']._serialized_end=669 + _globals['_QUERY']._serialized_start=672 + _globals['_QUERY']._serialized_end=1101 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py index 178ccae2..677ccf27 100644 --- a/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.circuit.v1 import query_pb2 as cosmos_dot_circuit_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py index 42023b0a..d7a146b3 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.circuit.v1 import types_pb2 as cosmos_dot_circuit_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\x81\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\x12\x33\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions:\x0c\x82\xe7\xb0*\x07granter\"5\n\"MsgAuthorizeCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"Q\n\x15MsgTripCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x02 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"0\n\x1dMsgTripCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\"R\n\x16MsgResetCircuitBreaker\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x15\n\rmsg_type_urls\x18\x03 \x03(\t:\x0e\x82\xe7\xb0*\tauthority\"1\n\x1eMsgResetCircuitBreakerResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/circuit/v1/tx.proto\x12\x11\x63osmos.circuit.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1d\x63osmos/circuit/v1/types.proto\"\xa0\x01\n\x1aMsgAuthorizeCircuitBreaker\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\x12@\n\x0bpermissions\x18\x03 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions:\x0c\x82\xe7\xb0*\x07granter\">\n\"MsgAuthorizeCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"i\n\x15MsgTripCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x02 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\"9\n\x1dMsgTripCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success\"j\n\x16MsgResetCircuitBreaker\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\"\n\rmsg_type_urls\x18\x03 \x03(\tR\x0bmsgTypeUrls:\x0e\x82\xe7\xb0*\tauthority\":\n\x1eMsgResetCircuitBreakerResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\xf4\x02\n\x03Msg\x12\x7f\n\x17\x41uthorizeCircuitBreaker\x12-.cosmos.circuit.v1.MsgAuthorizeCircuitBreaker\x1a\x35.cosmos.circuit.v1.MsgAuthorizeCircuitBreakerResponse\x12p\n\x12TripCircuitBreaker\x12(.cosmos.circuit.v1.MsgTripCircuitBreaker\x1a\x30.cosmos.circuit.v1.MsgTripCircuitBreakerResponse\x12s\n\x13ResetCircuitBreaker\x12).cosmos.circuit.v1.MsgResetCircuitBreaker\x1a\x31.cosmos.circuit.v1.MsgResetCircuitBreakerResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa4\x01\n\x15\x63om.cosmos.circuit.v1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\007TxProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_MSGAUTHORIZECIRCUITBREAKER']._loaded_options = None _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_options = b'\202\347\260*\007granter' _globals['_MSGTRIPCIRCUITBREAKER']._loaded_options = None @@ -33,17 +43,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_start=106 - _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=235 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=237 - _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=290 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=292 - _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=373 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=375 - _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=423 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=425 - _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=507 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=509 - _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=558 - _globals['_MSG']._serialized_start=561 - _globals['_MSG']._serialized_end=933 + _globals['_MSGAUTHORIZECIRCUITBREAKER']._serialized_end=266 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_start=268 + _globals['_MSGAUTHORIZECIRCUITBREAKERRESPONSE']._serialized_end=330 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_start=332 + _globals['_MSGTRIPCIRCUITBREAKER']._serialized_end=437 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_start=439 + _globals['_MSGTRIPCIRCUITBREAKERRESPONSE']._serialized_end=496 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_start=498 + _globals['_MSGRESETCIRCUITBREAKER']._serialized_end=604 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_start=606 + _globals['_MSGRESETCIRCUITBREAKERRESPONSE']._serialized_end=664 + _globals['_MSG']._serialized_start=667 + _globals['_MSG']._serialized_end=1039 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py index 43c4099c..ab4dcc13 100644 --- a/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmos.circuit.v1 import tx_pb2 as cosmos_dot_circuit_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py index babef447..49649103 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/circuit/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/circuit/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,20 +24,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xc0\x01\n\x0bPermissions\x12\x33\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.Level\x12\x17\n\x0flimit_type_urls\x18\x02 \x03(\t\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"a\n\x19GenesisAccountPermissions\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x33\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.Permissions\"u\n\x0cGenesisState\x12I\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissions\x12\x1a\n\x12\x64isabled_type_urls\x18\x02 \x03(\tB\x1eZ\x1c\x63osmossdk.io/x/circuit/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/circuit/v1/types.proto\x12\x11\x63osmos.circuit.v1\"\xd6\x01\n\x0bPermissions\x12:\n\x05level\x18\x01 \x01(\x0e\x32$.cosmos.circuit.v1.Permissions.LevelR\x05level\x12&\n\x0flimit_type_urls\x18\x02 \x03(\tR\rlimitTypeUrls\"c\n\x05Level\x12\x1a\n\x16LEVEL_NONE_UNSPECIFIED\x10\x00\x12\x13\n\x0fLEVEL_SOME_MSGS\x10\x01\x12\x12\n\x0eLEVEL_ALL_MSGS\x10\x02\x12\x15\n\x11LEVEL_SUPER_ADMIN\x10\x03\"w\n\x19GenesisAccountPermissions\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x0bpermissions\x18\x02 \x01(\x0b\x32\x1e.cosmos.circuit.v1.PermissionsR\x0bpermissions\"\x9b\x01\n\x0cGenesisState\x12]\n\x13\x61\x63\x63ount_permissions\x18\x01 \x03(\x0b\x32,.cosmos.circuit.v1.GenesisAccountPermissionsR\x12\x61\x63\x63ountPermissions\x12,\n\x12\x64isabled_type_urls\x18\x02 \x03(\tR\x10\x64isabledTypeUrlsB\xa7\x01\n\x15\x63om.cosmos.circuit.v1B\nTypesProtoP\x01Z\x1c\x63osmossdk.io/x/circuit/types\xa2\x02\x03\x43\x43X\xaa\x02\x11\x43osmos.Circuit.V1\xca\x02\x11\x43osmos\\Circuit\\V1\xe2\x02\x1d\x43osmos\\Circuit\\V1\\GPBMetadata\xea\x02\x13\x43osmos::Circuit::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.circuit.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/circuit/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.circuit.v1B\nTypesProtoP\001Z\034cosmossdk.io/x/circuit/types\242\002\003CCX\252\002\021Cosmos.Circuit.V1\312\002\021Cosmos\\Circuit\\V1\342\002\035Cosmos\\Circuit\\V1\\GPBMetadata\352\002\023Cosmos::Circuit::V1' _globals['_PERMISSIONS']._serialized_start=53 - _globals['_PERMISSIONS']._serialized_end=245 - _globals['_PERMISSIONS_LEVEL']._serialized_start=146 - _globals['_PERMISSIONS_LEVEL']._serialized_end=245 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=247 - _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=344 - _globals['_GENESISSTATE']._serialized_start=346 - _globals['_GENESISSTATE']._serialized_end=463 + _globals['_PERMISSIONS']._serialized_end=267 + _globals['_PERMISSIONS_LEVEL']._serialized_start=168 + _globals['_PERMISSIONS_LEVEL']._serialized_end=267 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_start=269 + _globals['_GENESISACCOUNTPERMISSIONS']._serialized_end=388 + _globals['_GENESISSTATE']._serialized_start=391 + _globals['_GENESISSTATE']._serialized_end=546 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py index b59ca76f..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/circuit/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py index 59e5a13f..ff0a26c0 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"M\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/consensus/module/v1/module.proto\x12\x1a\x63osmos.consensus.module.v1\x1a cosmos/app/v1alpha1/module.proto\"X\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:0\xba\xc0\x96\xda\x01*\n(github.com/cosmos/cosmos-sdk/x/consensusB\xb8\x01\n\x1e\x63om.cosmos.consensus.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x1a\x43osmos.Consensus.Module.V1\xca\x02\x1a\x43osmos\\Consensus\\Module\\V1\xe2\x02&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\xea\x02\x1d\x43osmos::Consensus::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.consensus.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\032Cosmos.Consensus.Module.V1\312\002\032Cosmos\\Consensus\\Module\\V1\342\002&Cosmos\\Consensus\\Module\\V1\\GPBMetadata\352\002\035Cosmos::Consensus::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001*\n(github.com/cosmos/cosmos-sdk/x/consensus' _globals['_MODULE']._serialized_start=105 - _globals['_MODULE']._serialized_end=182 + _globals['_MODULE']._serialized_end=193 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py index a7d1e0c0..f02228b1 100644 --- a/pyinjective/proto/cosmos/consensus/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"H\n\x13QueryParamsResponse\x12\x31\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB0Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/consensus/v1/query.proto\x12\x13\x63osmos.consensus.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1dtendermint/types/params.proto\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x06params2\x8a\x01\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.consensus.v1.QueryParamsRequest\x1a(.cosmos.consensus.v1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/consensus/v1/paramsB\xc3\x01\n\x17\x63om.cosmos.consensus.v1B\nQueryProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\nQueryProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/consensus/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=117 _globals['_QUERYPARAMSREQUEST']._serialized_end=137 _globals['_QUERYPARAMSRESPONSE']._serialized_start=139 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=211 - _globals['_QUERY']._serialized_start=214 - _globals['_QUERY']._serialized_end=352 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=219 + _globals['_QUERY']._serialized_start=222 + _globals['_QUERY']._serialized_end=360 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py index a1d1452c..e7a4b451 100644 --- a/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/consensus/v1/tx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/consensus/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/consensus/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xbd\x02\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x30Z.github.com/cosmos/cosmos-sdk/x/consensus/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/consensus/v1/tx.proto\x12\x13\x63osmos.consensus.v1\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1dtendermint/types/params.proto\"\xea\x02\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x33\n\x05\x62lock\x18\x02 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x03 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x04 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/x/consensus/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.consensus.v1.MsgUpdateParams\x1a,.cosmos.consensus.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc0\x01\n\x17\x63om.cosmos.consensus.v1B\x07TxProtoP\x01Z.github.com/cosmos/cosmos-sdk/x/consensus/types\xa2\x02\x03\x43\x43X\xaa\x02\x13\x43osmos.Consensus.V1\xca\x02\x13\x43osmos\\Consensus\\V1\xe2\x02\x1f\x43osmos\\Consensus\\V1\\GPBMetadata\xea\x02\x15\x43osmos::Consensus::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.consensus.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/cosmos-sdk/x/consensus/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.consensus.v1B\007TxProtoP\001Z.github.com/cosmos/cosmos-sdk/x/consensus/types\242\002\003CCX\252\002\023Cosmos.Consensus.V1\312\002\023Cosmos\\Consensus\\V1\342\002\037Cosmos\\Consensus\\V1\\GPBMetadata\352\002\025Cosmos::Consensus::V1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=156 - _globals['_MSGUPDATEPARAMS']._serialized_end=473 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=475 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=500 - _globals['_MSG']._serialized_start=502 - _globals['_MSG']._serialized_end=614 + _globals['_MSGUPDATEPARAMS']._serialized_end=518 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=520 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=545 + _globals['_MSG']._serialized_start=547 + _globals['_MSG']._serialized_end=659 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py index 969636d7..0bb8e588 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"f\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/crisis/module/v1/module.proto\x12\x17\x63osmos.crisis.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x83\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/crisisB\xa9\x01\n\x1b\x63om.cosmos.crisis.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x43M\xaa\x02\x17\x43osmos.Crisis.Module.V1\xca\x02\x17\x43osmos\\Crisis\\Module\\V1\xe2\x02#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Crisis::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crisis.module.v1B\013ModuleProtoP\001\242\002\003CCM\252\002\027Cosmos.Crisis.Module.V1\312\002\027Cosmos\\Crisis\\Module\\V1\342\002#Cosmos\\Crisis\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Crisis::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/crisis' - _globals['_MODULE']._serialized_start=99 - _globals['_MODULE']._serialized_end=201 + _globals['_MODULE']._serialized_start=100 + _globals['_MODULE']._serialized_end=231 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py index 17999c69..86e8cc40 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"J\n\x0cGenesisState\x12:\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/crisis/v1beta1/genesis.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x0c\x63onstant_fee\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFeeB\xcc\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' _globals['_GENESISSTATE'].fields_by_name['constant_fee']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['constant_fee']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=135 - _globals['_GENESISSTATE']._serialized_end=209 + _globals['_GENESISSTATE']._serialized_end=222 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py index 07b352a9..945df17b 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crisis/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crisis/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xad\x01\n\x12MsgVerifyInvariant\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1d\n\x15invariant_module_name\x18\x02 \x01(\t\x12\x17\n\x0finvariant_route\x18\x03 \x01(\t:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/crisis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/crisis/v1beta1/tx.proto\x12\x15\x63osmos.crisis.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xda\x01\n\x12MsgVerifyInvariant\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x32\n\x15invariant_module_name\x18\x02 \x01(\tR\x13invariantModuleName\x12\'\n\x0finvariant_route\x18\x03 \x01(\tR\x0einvariantRoute:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgVerifyInvariant\"\x1c\n\x1aMsgVerifyInvariantResponse\"\xca\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12G\n\x0c\x63onstant_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x63onstantFee:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/crisis/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xe5\x01\n\x03Msg\x12o\n\x0fVerifyInvariant\x12).cosmos.crisis.v1beta1.MsgVerifyInvariant\x1a\x31.cosmos.crisis.v1beta1.MsgVerifyInvariantResponse\x12\x66\n\x0cUpdateParams\x12&.cosmos.crisis.v1beta1.MsgUpdateParams\x1a..cosmos.crisis.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x19\x63om.cosmos.crisis.v1beta1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/crisis/types\xa2\x02\x03\x43\x43X\xaa\x02\x15\x43osmos.Crisis.V1beta1\xca\x02\x15\x43osmos\\Crisis\\V1beta1\xe2\x02!Cosmos\\Crisis\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Crisis::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crisis.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/crisis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crisis.v1beta1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/crisis/types\242\002\003CCX\252\002\025Cosmos.Crisis.V1beta1\312\002\025Cosmos\\Crisis\\V1beta1\342\002!Cosmos\\Crisis\\V1beta1\\GPBMetadata\352\002\027Cosmos::Crisis::V1beta1' _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._loaded_options = None _globals['_MSGVERIFYINVARIANT'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGVERIFYINVARIANT']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGVERIFYINVARIANT']._serialized_start=183 - _globals['_MSGVERIFYINVARIANT']._serialized_end=356 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=358 - _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=386 - _globals['_MSGUPDATEPARAMS']._serialized_start=389 - _globals['_MSGUPDATEPARAMS']._serialized_end=567 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=569 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=594 - _globals['_MSG']._serialized_start=597 - _globals['_MSG']._serialized_end=826 + _globals['_MSGVERIFYINVARIANT']._serialized_end=401 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_start=403 + _globals['_MSGVERIFYINVARIANTRESPONSE']._serialized_end=431 + _globals['_MSGUPDATEPARAMS']._serialized_start=434 + _globals['_MSGUPDATEPARAMS']._serialized_end=636 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=638 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=663 + _globals['_MSG']._serialized_start=666 + _globals['_MSG']._serialized_end=895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py index f249dd29..7e0c1e81 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/ed25519/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/ed25519/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"d\n\x06PubKey\x12)\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKey:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"c\n\x07PrivKey\x12*\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKey:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB2Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/crypto/ed25519/keys.proto\x12\x15\x63osmos.crypto.ed25519\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"i\n\x06PubKey\x12.\n\x03key\x18\x01 \x01(\x0c\x42\x1c\xfa\xde\x1f\x18\x63rypto/ed25519.PublicKeyR\x03key:/\x98\xa0\x1f\x00\x8a\xe7\xb0*\x18tendermint/PubKeyEd25519\x92\xe7\xb0*\tkey_field\"h\n\x07PrivKey\x12/\n\x03key\x18\x01 \x01(\x0c\x42\x1d\xfa\xde\x1f\x19\x63rypto/ed25519.PrivateKeyR\x03key:,\x8a\xe7\xb0*\x19tendermint/PrivKeyEd25519\x92\xe7\xb0*\tkey_fieldB\xce\x01\n\x19\x63om.cosmos.crypto.ed25519B\tKeysProtoP\x01Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\xa2\x02\x03\x43\x43\x45\xaa\x02\x15\x43osmos.Crypto.Ed25519\xca\x02\x15\x43osmos\\Crypto\\Ed25519\xe2\x02!Cosmos\\Crypto\\Ed25519\\GPBMetadata\xea\x02\x17\x43osmos::Crypto::Ed25519b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.ed25519.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.crypto.ed25519B\tKeysProtoP\001Z0github.com/cosmos/cosmos-sdk/crypto/keys/ed25519\242\002\003CCE\252\002\025Cosmos.Crypto.Ed25519\312\002\025Cosmos\\Crypto\\Ed25519\342\002!Cosmos\\Crypto\\Ed25519\\GPBMetadata\352\002\027Cosmos::Crypto::Ed25519' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\372\336\037\030crypto/ed25519.PublicKey' _globals['_PUBKEY']._loaded_options = None @@ -33,7 +43,7 @@ _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\031tendermint/PrivKeyEd25519\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=100 - _globals['_PUBKEY']._serialized_end=200 - _globals['_PRIVKEY']._serialized_start=202 - _globals['_PRIVKEY']._serialized_end=301 + _globals['_PUBKEY']._serialized_end=205 + _globals['_PRIVKEY']._serialized_start=207 + _globals['_PRIVKEY']._serialized_end=311 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py index 688dfe8c..57b80472 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/hd/v1/hd.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/hd/v1/hd.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\x8e\x01\n\x0b\x42IP44Params\x12\x0f\n\x07purpose\x18\x01 \x01(\r\x12\x11\n\tcoin_type\x18\x02 \x01(\r\x12\x0f\n\x07\x61\x63\x63ount\x18\x03 \x01(\r\x12\x0e\n\x06\x63hange\x18\x04 \x01(\x08\x12\x15\n\raddress_index\x18\x05 \x01(\r:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB,Z&github.com/cosmos/cosmos-sdk/crypto/hd\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/crypto/hd/v1/hd.proto\x12\x13\x63osmos.crypto.hd.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"\xc0\x01\n\x0b\x42IP44Params\x12\x18\n\x07purpose\x18\x01 \x01(\rR\x07purpose\x12\x1b\n\tcoin_type\x18\x02 \x01(\rR\x08\x63oinType\x12\x18\n\x07\x61\x63\x63ount\x18\x03 \x01(\rR\x07\x61\x63\x63ount\x12\x16\n\x06\x63hange\x18\x04 \x01(\x08R\x06\x63hange\x12#\n\raddress_index\x18\x05 \x01(\rR\x0c\x61\x64\x64ressIndex:#\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1a\x63rypto/keys/hd/BIP44ParamsB\xbd\x01\n\x17\x63om.cosmos.crypto.hd.v1B\x07HdProtoP\x01Z&github.com/cosmos/cosmos-sdk/crypto/hd\xa2\x02\x03\x43\x43H\xaa\x02\x13\x43osmos.Crypto.Hd.V1\xca\x02\x13\x43osmos\\Crypto\\Hd\\V1\xe2\x02\x1f\x43osmos\\Crypto\\Hd\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Crypto::Hd::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.hd.v1.hd_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/cosmos/cosmos-sdk/crypto/hd\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.crypto.hd.v1B\007HdProtoP\001Z&github.com/cosmos/cosmos-sdk/crypto/hd\242\002\003CCH\252\002\023Cosmos.Crypto.Hd.V1\312\002\023Cosmos\\Crypto\\Hd\\V1\342\002\037Cosmos\\Crypto\\Hd\\V1\\GPBMetadata\352\002\026Cosmos::Crypto::Hd::V1\310\341\036\000' _globals['_BIP44PARAMS']._loaded_options = None _globals['_BIP44PARAMS']._serialized_options = b'\230\240\037\000\212\347\260*\032crypto/keys/hd/BIP44Params' _globals['_BIP44PARAMS']._serialized_start=95 - _globals['_BIP44PARAMS']._serialized_end=237 + _globals['_BIP44PARAMS']._serialized_end=287 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py index babc9619..c1b8a4a2 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2.py @@ -1,38 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/keyring/v1/record.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/keyring/v1/record.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 +from pyinjective.proto.cosmos.crypto.hd.v1 import hd_pb2 as cosmos_dot_crypto_dot_hd_dot_v1_dot_hd__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xae\x03\n\x06Record\x12\x0c\n\x04name\x18\x01 \x01(\t\x12%\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x37\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00\x12\x39\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00\x12\x37\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00\x12;\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00\x1a/\n\x05Local\x12&\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x1a\x38\n\x06Ledger\x12.\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44Params\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB5Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/crypto/keyring/v1/record.proto\x12\x18\x63osmos.crypto.keyring.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1c\x63osmos/crypto/hd/v1/hd.proto\"\xea\x03\n\x06Record\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12-\n\x07pub_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06pubKey\x12>\n\x05local\x18\x03 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.LocalH\x00R\x05local\x12\x41\n\x06ledger\x18\x04 \x01(\x0b\x32\'.cosmos.crypto.keyring.v1.Record.LedgerH\x00R\x06ledger\x12>\n\x05multi\x18\x05 \x01(\x0b\x32&.cosmos.crypto.keyring.v1.Record.MultiH\x00R\x05multi\x12\x44\n\x07offline\x18\x06 \x01(\x0b\x32(.cosmos.crypto.keyring.v1.Record.OfflineH\x00R\x07offline\x1a\x38\n\x05Local\x12/\n\x08priv_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07privKey\x1a>\n\x06Ledger\x12\x34\n\x04path\x18\x01 \x01(\x0b\x32 .cosmos.crypto.hd.v1.BIP44ParamsR\x04path\x1a\x07\n\x05Multi\x1a\t\n\x07OfflineB\x06\n\x04itemB\xe3\x01\n\x1c\x63om.cosmos.crypto.keyring.v1B\x0bRecordProtoP\x01Z+github.com/cosmos/cosmos-sdk/crypto/keyring\xa2\x02\x03\x43\x43K\xaa\x02\x18\x43osmos.Crypto.Keyring.V1\xca\x02\x18\x43osmos\\Crypto\\Keyring\\V1\xe2\x02$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Crypto::Keyring::V1\xc8\xe1\x1e\x00\x98\xe3\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.keyring.v1.record_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/crypto/keyring\310\341\036\000\230\343\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.crypto.keyring.v1B\013RecordProtoP\001Z+github.com/cosmos/cosmos-sdk/crypto/keyring\242\002\003CCK\252\002\030Cosmos.Crypto.Keyring.V1\312\002\030Cosmos\\Crypto\\Keyring\\V1\342\002$Cosmos\\Crypto\\Keyring\\V1\\GPBMetadata\352\002\033Cosmos::Crypto::Keyring::V1\310\341\036\000\230\343\036\000' _globals['_RECORD']._serialized_start=147 - _globals['_RECORD']._serialized_end=577 - _globals['_RECORD_LOCAL']._serialized_start=444 - _globals['_RECORD_LOCAL']._serialized_end=491 - _globals['_RECORD_LEDGER']._serialized_start=493 - _globals['_RECORD_LEDGER']._serialized_end=549 - _globals['_RECORD_MULTI']._serialized_start=551 - _globals['_RECORD_MULTI']._serialized_end=558 - _globals['_RECORD_OFFLINE']._serialized_start=560 - _globals['_RECORD_OFFLINE']._serialized_end=569 + _globals['_RECORD']._serialized_end=637 + _globals['_RECORD_LOCAL']._serialized_start=489 + _globals['_RECORD_LOCAL']._serialized_end=545 + _globals['_RECORD_LEDGER']._serialized_start=547 + _globals['_RECORD_LEDGER']._serialized_end=609 + _globals['_RECORD_MULTI']._serialized_start=611 + _globals['_RECORD_MULTI']._serialized_end=618 + _globals['_RECORD_OFFLINE']._serialized_start=620 + _globals['_RECORD_OFFLINE']._serialized_end=629 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py index 2ca3b5ec..3d93637a 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/multisig/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n\x11LegacyAminoPubKey\x12\x11\n\tthreshold\x18\x01 \x01(\r\x12\x42\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB3Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisigb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/crypto/multisig/keys.proto\x12\x16\x63osmos.crypto.multisig\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xc3\x01\n\x11LegacyAminoPubKey\x12\x1c\n\tthreshold\x18\x01 \x01(\rR\tthreshold\x12N\n\x0bpublic_keys\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyB\x17\xe2\xde\x1f\x07PubKeys\xa2\xe7\xb0*\x07pubkeysR\npublicKeys:@\x88\xa0\x1f\x00\x8a\xe7\xb0*\"tendermint/PubKeyMultisigThreshold\x92\xe7\xb0*\x10threshold_stringB\xd4\x01\n\x1a\x63om.cosmos.crypto.multisigB\tKeysProtoP\x01Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\xa2\x02\x03\x43\x43M\xaa\x02\x16\x43osmos.Crypto.Multisig\xca\x02\x16\x43osmos\\Crypto\\Multisig\xe2\x02\"Cosmos\\Crypto\\Multisig\\GPBMetadata\xea\x02\x18\x43osmos::Crypto::Multisigb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.crypto.multisigB\tKeysProtoP\001Z1github.com/cosmos/cosmos-sdk/crypto/keys/multisig\242\002\003CCM\252\002\026Cosmos.Crypto.Multisig\312\002\026Cosmos\\Crypto\\Multisig\342\002\"Cosmos\\Crypto\\Multisig\\GPBMetadata\352\002\030Cosmos::Crypto::Multisig' _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._loaded_options = None _globals['_LEGACYAMINOPUBKEY'].fields_by_name['public_keys']._serialized_options = b'\342\336\037\007PubKeys\242\347\260*\007pubkeys' _globals['_LEGACYAMINOPUBKEY']._loaded_options = None _globals['_LEGACYAMINOPUBKEY']._serialized_options = b'\210\240\037\000\212\347\260*\"tendermint/PubKeyMultisigThreshold\222\347\260*\020threshold_string' _globals['_LEGACYAMINOPUBKEY']._serialized_start=130 - _globals['_LEGACYAMINOPUBKEY']._serialized_end=302 + _globals['_LEGACYAMINOPUBKEY']._serialized_end=325 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py index b72934ef..2963ad03 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/multisig/v1beta1/multisig.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/multisig/v1beta1/multisig.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"*\n\x0eMultiSignature\x12\x12\n\nsignatures\x18\x01 \x03(\x0c:\x04\xd0\xa1\x1f\x01\"A\n\x0f\x43ompactBitArray\x12\x19\n\x11\x65xtra_bits_stored\x18\x01 \x01(\r\x12\r\n\x05\x65lems\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42+Z)github.com/cosmos/cosmos-sdk/crypto/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-cosmos/crypto/multisig/v1beta1/multisig.proto\x12\x1e\x63osmos.crypto.multisig.v1beta1\x1a\x14gogoproto/gogo.proto\"6\n\x0eMultiSignature\x12\x1e\n\nsignatures\x18\x01 \x03(\x0cR\nsignatures:\x04\xd0\xa1\x1f\x01\"Y\n\x0f\x43ompactBitArray\x12*\n\x11\x65xtra_bits_stored\x18\x01 \x01(\rR\x0f\x65xtraBitsStored\x12\x14\n\x05\x65lems\x18\x02 \x01(\x0cR\x05\x65lems:\x04\x98\xa0\x1f\x00\x42\xf9\x01\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\x01Z)github.com/cosmos/cosmos-sdk/crypto/types\xa2\x02\x03\x43\x43M\xaa\x02\x1e\x43osmos.Crypto.Multisig.V1beta1\xca\x02\x1e\x43osmos\\Crypto\\Multisig\\V1beta1\xe2\x02*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\xea\x02!Cosmos::Crypto::Multisig::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.multisig.v1beta1.multisig_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/crypto/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.cosmos.crypto.multisig.v1beta1B\rMultisigProtoP\001Z)github.com/cosmos/cosmos-sdk/crypto/types\242\002\003CCM\252\002\036Cosmos.Crypto.Multisig.V1beta1\312\002\036Cosmos\\Crypto\\Multisig\\V1beta1\342\002*Cosmos\\Crypto\\Multisig\\V1beta1\\GPBMetadata\352\002!Cosmos::Crypto::Multisig::V1beta1' _globals['_MULTISIGNATURE']._loaded_options = None _globals['_MULTISIGNATURE']._serialized_options = b'\320\241\037\001' _globals['_COMPACTBITARRAY']._loaded_options = None _globals['_COMPACTBITARRAY']._serialized_options = b'\230\240\037\000' _globals['_MULTISIGNATURE']._serialized_start=103 - _globals['_MULTISIGNATURE']._serialized_end=145 - _globals['_COMPACTBITARRAY']._serialized_start=147 - _globals['_COMPACTBITARRAY']._serialized_end=212 + _globals['_MULTISIGNATURE']._serialized_end=157 + _globals['_COMPACTBITARRAY']._serialized_start=159 + _globals['_COMPACTBITARRAY']._serialized_end=248 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py index c30bce63..06e7d31b 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256k1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/secp256k1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"H\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"F\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB4Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256k1/keys.proto\x12\x17\x63osmos.crypto.secp256k1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\"M\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:1\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1atendermint/PubKeySecp256k1\x92\xe7\xb0*\tkey_field\"K\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:.\x8a\xe7\xb0*\x1btendermint/PrivKeySecp256k1\x92\xe7\xb0*\tkey_fieldB\xda\x01\n\x1b\x63om.cosmos.crypto.secp256k1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256k1\xca\x02\x17\x43osmos\\Crypto\\Secp256k1\xe2\x02#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256k1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256k1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256k1\312\002\027Cosmos\\Crypto\\Secp256k1\342\002#Cosmos\\Crypto\\Secp256k1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\032tendermint/PubKeySecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\033tendermint/PrivKeySecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=104 - _globals['_PUBKEY']._serialized_end=176 - _globals['_PRIVKEY']._serialized_start=178 - _globals['_PRIVKEY']._serialized_end=248 + _globals['_PUBKEY']._serialized_end=181 + _globals['_PRIVKEY']._serialized_start=183 + _globals['_PRIVKEY']._serialized_end=258 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py index 6637cd26..6cecc3ba 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/crypto/secp256r1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/crypto/secp256r1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\"\n\x06PubKey\x12\x18\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPK\"&\n\x07PrivKey\x12\x1b\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKB@Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/crypto/secp256r1/keys.proto\x12\x17\x63osmos.crypto.secp256r1\x1a\x14gogoproto/gogo.proto\"\'\n\x06PubKey\x12\x1d\n\x03key\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saPKR\x03key\".\n\x07PrivKey\x12#\n\x06secret\x18\x01 \x01(\x0c\x42\x0b\xda\xde\x1f\x07\x65\x63\x64saSKR\x06secretB\xe6\x01\n\x1b\x63om.cosmos.crypto.secp256r1B\tKeysProtoP\x01Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\xa2\x02\x03\x43\x43S\xaa\x02\x17\x43osmos.Crypto.Secp256r1\xca\x02\x17\x43osmos\\Crypto\\Secp256r1\xe2\x02#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\xea\x02\x19\x43osmos::Crypto::Secp256r1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xc8\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.crypto.secp256r1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.crypto.secp256r1B\tKeysProtoP\001Z2github.com/cosmos/cosmos-sdk/crypto/keys/secp256r1\242\002\003CCS\252\002\027Cosmos.Crypto.Secp256r1\312\002\027Cosmos\\Crypto\\Secp256r1\342\002#Cosmos\\Crypto\\Secp256r1\\GPBMetadata\352\002\031Cosmos::Crypto::Secp256r1\310\341\036\000\330\341\036\000\310\343\036\001' _globals['_PUBKEY'].fields_by_name['key']._loaded_options = None _globals['_PUBKEY'].fields_by_name['key']._serialized_options = b'\332\336\037\007ecdsaPK' _globals['_PRIVKEY'].fields_by_name['secret']._loaded_options = None _globals['_PRIVKEY'].fields_by_name['secret']._serialized_options = b'\332\336\037\007ecdsaSK' _globals['_PUBKEY']._serialized_start=85 - _globals['_PUBKEY']._serialized_end=119 - _globals['_PRIVKEY']._serialized_start=121 - _globals['_PRIVKEY']._serialized_end=159 + _globals['_PUBKEY']._serialized_end=124 + _globals['_PRIVKEY']._serialized_start=126 + _globals['_PRIVKEY']._serialized_end=172 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py index e41ea2eb..c02c6ad2 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"l\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*cosmos/distribution/module/v1/module.proto\x12\x1d\x63osmos.distribution.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x89\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/distributionB\xc7\x01\n!com.cosmos.distribution.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x44M\xaa\x02\x1d\x43osmos.Distribution.Module.V1\xca\x02\x1d\x43osmos\\Distribution\\Module\\V1\xe2\x02)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\xea\x02 Cosmos::Distribution::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n!com.cosmos.distribution.module.v1B\013ModuleProtoP\001\242\002\003CDM\252\002\035Cosmos.Distribution.Module.V1\312\002\035Cosmos\\Distribution\\Module\\V1\342\002)Cosmos\\Distribution\\Module\\V1\\GPBMetadata\352\002 Cosmos::Distribution::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/distribution' - _globals['_MODULE']._serialized_start=111 - _globals['_MODULE']._serialized_end=219 + _globals['_MODULE']._serialized_start=112 + _globals['_MODULE']._serialized_end=249 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py index f1fd9d52..9d3d74fe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/distribution.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/distribution.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x06Params\x12M\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12V\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x1d\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xae\x01\n\x1aValidatorHistoricalRewards\x12w\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x17\n\x0freference_count\x18\x02 \x01(\r\"\x92\x01\n\x17ValidatorCurrentRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x0e\n\x06period\x18\x02 \x01(\x04\"\x8c\x01\n\x1eValidatorAccumulatedCommission\x12j\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\x86\x01\n\x1bValidatorOutstandingRewards\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"t\n\x13ValidatorSlashEvent\x12\x18\n\x10validator_period\x18\x01 \x01(\x04\x12\x43\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"s\n\x14ValidatorSlashEvents\x12[\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"y\n\x07\x46\x65\x65Pool\x12n\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"\xf0\x01\n\x1a\x43ommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12q\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb5\x01\n\x15\x44\x65legatorStartingInfo\x12\x17\n\x0fprevious_period\x18\x01 \x01(\x04\x12\x45\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12<\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01\"\xc7\x01\n\x19\x44\x65legationDelegatorReward\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x66\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x04\x88\xa0\x1f\x00\"\xa3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\trecipient\x18\x03 \x01(\t\x12\x0e\n\x06\x61mount\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65posit\x18\x05 \x01(\t:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB7Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n.cosmos/distribution/v1beta1/distribution.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9a\x03\n\x06Params\x12[\n\rcommunity_tax\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0c\x63ommunityTax\x12j\n\x14\x62\x61se_proposer_reward\x18\x02 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12\x62\x61seProposerReward\x12l\n\x15\x62onus_proposer_reward\x18\x03 \x01(\tB8\x18\x01\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13\x62onusProposerReward\x12\x32\n\x15withdraw_addr_enabled\x18\x04 \x01(\x08R\x13withdrawAddrEnabled:%\x8a\xe7\xb0* cosmos-sdk/x/distribution/Params\"\xd6\x01\n\x1aValidatorHistoricalRewards\x12\x8e\x01\n\x17\x63umulative_reward_ratio\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x15\x63umulativeRewardRatio\x12\'\n\x0freference_count\x18\x02 \x01(\rR\x0ereferenceCount\"\xa3\x01\n\x17ValidatorCurrentRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\"\x98\x01\n\x1eValidatorAccumulatedCommission\x12v\n\ncommission\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\ncommission\"\x8f\x01\n\x1bValidatorOutstandingRewards\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"\x8f\x01\n\x13ValidatorSlashEvent\x12)\n\x10validator_period\x18\x01 \x01(\x04R\x0fvalidatorPeriod\x12M\n\x08\x66raction\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x08\x66raction\"\x89\x01\n\x14ValidatorSlashEvents\x12q\n\x16validator_slash_events\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents\"\x88\x01\n\x07\x46\x65\x65Pool\x12}\n\x0e\x63ommunity_pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\rcommunityPool\"\x97\x02\n\x1a\x43ommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:(\x18\x01\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xd4\x01\n\x15\x44\x65legatorStartingInfo\x12\'\n\x0fprevious_period\x18\x01 \x01(\x04R\x0epreviousPeriod\x12L\n\x05stake\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x05stake\x12\x44\n\x06height\x18\x03 \x01(\x04\x42,\xea\xde\x1f\x0f\x63reation_height\xa2\xe7\xb0*\x0f\x63reation_height\xa8\xe7\xb0*\x01R\x06height\"\xe1\x01\n\x19\x44\x65legationDelegatorReward\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12n\n\x06reward\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x06reward:\x04\x88\xa0\x1f\x00\"\xd3\x01\n%CommunityPoolSpendProposalWithDeposit\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\trecipient\x18\x03 \x01(\tR\trecipient\x12\x16\n\x06\x61mount\x18\x04 \x01(\tR\x06\x61mount\x12\x18\n\x07\x64\x65posit\x18\x05 \x01(\tR\x07\x64\x65posit:\"\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xf9\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x11\x44istributionProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.distribution_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\021DistributionProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_PARAMS'].fields_by_name['community_tax']._loaded_options = None _globals['_PARAMS'].fields_by_name['community_tax']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec\250\347\260*\001' _globals['_PARAMS'].fields_by_name['base_proposer_reward']._loaded_options = None @@ -65,27 +75,27 @@ _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._loaded_options = None _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' _globals['_PARAMS']._serialized_start=180 - _globals['_PARAMS']._serialized_end=514 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=517 - _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=691 - _globals['_VALIDATORCURRENTREWARDS']._serialized_start=694 - _globals['_VALIDATORCURRENTREWARDS']._serialized_end=840 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=843 - _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=983 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=986 - _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1120 - _globals['_VALIDATORSLASHEVENT']._serialized_start=1122 - _globals['_VALIDATORSLASHEVENT']._serialized_end=1238 - _globals['_VALIDATORSLASHEVENTS']._serialized_start=1240 - _globals['_VALIDATORSLASHEVENTS']._serialized_end=1355 - _globals['_FEEPOOL']._serialized_start=1357 - _globals['_FEEPOOL']._serialized_end=1478 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1481 - _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1721 - _globals['_DELEGATORSTARTINGINFO']._serialized_start=1724 - _globals['_DELEGATORSTARTINGINFO']._serialized_end=1905 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=1908 - _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2107 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2110 - _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2273 + _globals['_PARAMS']._serialized_end=590 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_start=593 + _globals['_VALIDATORHISTORICALREWARDS']._serialized_end=807 + _globals['_VALIDATORCURRENTREWARDS']._serialized_start=810 + _globals['_VALIDATORCURRENTREWARDS']._serialized_end=973 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_start=976 + _globals['_VALIDATORACCUMULATEDCOMMISSION']._serialized_end=1128 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_start=1131 + _globals['_VALIDATOROUTSTANDINGREWARDS']._serialized_end=1274 + _globals['_VALIDATORSLASHEVENT']._serialized_start=1277 + _globals['_VALIDATORSLASHEVENT']._serialized_end=1420 + _globals['_VALIDATORSLASHEVENTS']._serialized_start=1423 + _globals['_VALIDATORSLASHEVENTS']._serialized_end=1560 + _globals['_FEEPOOL']._serialized_start=1563 + _globals['_FEEPOOL']._serialized_end=1699 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_start=1702 + _globals['_COMMUNITYPOOLSPENDPROPOSAL']._serialized_end=1981 + _globals['_DELEGATORSTARTINGINFO']._serialized_start=1984 + _globals['_DELEGATORSTARTINGINFO']._serialized_end=2196 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_start=2199 + _globals['_DELEGATIONDELEGATORREWARD']._serialized_end=2424 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_start=2427 + _globals['_COMMUNITYPOOLSPENDPROPOSALWITHDEPOSIT']._serialized_end=2638 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py index 41ad684f..844e3704 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8a\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n!ValidatorOutstandingRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12s\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcb\x01\n$ValidatorAccumulatedCommissionRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12[\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xcf\x01\n ValidatorHistoricalRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06period\x18\x02 \x01(\x04\x12S\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n\x1dValidatorCurrentRewardsRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12P\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n\x1b\x44\x65legatorStartingInfoRecord\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12T\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xdf\x01\n\x19ValidatorSlashEventRecord\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0e\n\x06period\x18\x03 \x01(\x04\x12Z\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb6\x07\n\x0cGenesisState\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12_\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x33\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x66\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12w\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12n\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12h\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x61\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/distribution/v1beta1/genesis.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x15\x44\x65legatorWithdrawInfo\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x02\n!ValidatorOutstandingRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x87\x01\n\x13outstanding_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x12outstandingRewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xea\x01\n$ValidatorAccumulatedCommissionRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12h\n\x0b\x61\x63\x63umulated\x18\x02 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x61\x63\x63umulated:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x01\n ValidatorHistoricalRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06period\x18\x02 \x01(\x04R\x06period\x12\\\n\x07rewards\x18\x03 \x01(\x0b\x32\x37.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd4\x01\n\x1dValidatorCurrentRewardsRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12Y\n\x07rewards\x18\x02 \x01(\x0b\x32\x34.cosmos.distribution.v1beta1.ValidatorCurrentRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x02\n\x1b\x44\x65legatorStartingInfoRecord\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x62\n\rstarting_info\x18\x03 \x01(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorStartingInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cstartingInfo:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x96\x02\n\x19ValidatorSlashEventRecord\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x16\n\x06period\x18\x03 \x01(\x04R\x06period\x12o\n\x15validator_slash_event\x18\x04 \x01(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13validatorSlashEvent:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8c\t\n\x0cGenesisState\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x08\x66\x65\x65_pool\x18\x02 \x01(\x0b\x32$.cosmos.distribution.v1beta1.FeePoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x66\x65\x65Pool\x12w\n\x18\x64\x65legator_withdraw_infos\x18\x03 \x03(\x0b\x32\x32.cosmos.distribution.v1beta1.DelegatorWithdrawInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorWithdrawInfos\x12\x45\n\x11previous_proposer\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10previousProposer\x12z\n\x13outstanding_rewards\x18\x05 \x03(\x0b\x32>.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12outstandingRewards\x12\x98\x01\n!validator_accumulated_commissions\x18\x06 \x03(\x0b\x32\x41.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1fvalidatorAccumulatedCommissions\x12\x8a\x01\n\x1cvalidator_historical_rewards\x18\x07 \x03(\x0b\x32=.cosmos.distribution.v1beta1.ValidatorHistoricalRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x1avalidatorHistoricalRewards\x12\x81\x01\n\x19validator_current_rewards\x18\x08 \x03(\x0b\x32:.cosmos.distribution.v1beta1.ValidatorCurrentRewardsRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x17validatorCurrentRewards\x12}\n\x18\x64\x65legator_starting_infos\x18\t \x03(\x0b\x32\x38.cosmos.distribution.v1beta1.DelegatorStartingInfoRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x16\x64\x65legatorStartingInfos\x12w\n\x16validator_slash_events\x18\n \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.ValidatorSlashEventRecordB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSlashEvents:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xf4\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x0cGenesisProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\014GenesisProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._loaded_options = None _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_DELEGATORWITHDRAWINFO'].fields_by_name['withdraw_address']._loaded_options = None @@ -94,19 +104,19 @@ _globals['_GENESISSTATE']._loaded_options = None _globals['_GENESISSTATE']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_DELEGATORWITHDRAWINFO']._serialized_start=223 - _globals['_DELEGATORWITHDRAWINFO']._serialized_end=361 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=364 - _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=588 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=591 - _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=794 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=797 - _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1004 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1007 - _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1192 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1195 - _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1435 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1438 - _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1661 - _globals['_GENESISSTATE']._serialized_start=1664 - _globals['_GENESISSTATE']._serialized_end=2614 + _globals['_DELEGATORWITHDRAWINFO']._serialized_end=396 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_start=399 + _globals['_VALIDATOROUTSTANDINGREWARDSRECORD']._serialized_end=662 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_start=665 + _globals['_VALIDATORACCUMULATEDCOMMISSIONRECORD']._serialized_end=899 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_start=902 + _globals['_VALIDATORHISTORICALREWARDSRECORD']._serialized_end=1144 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_start=1147 + _globals['_VALIDATORCURRENTREWARDSRECORD']._serialized_end=1359 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_start=1362 + _globals['_DELEGATORSTARTINGINFORECORD']._serialized_end=1652 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_start=1655 + _globals['_VALIDATORSLASHEVENTRECORD']._serialized_end=1933 + _globals['_GENESISSTATE']._serialized_start=1936 + _globals['_GENESISSTATE']._serialized_end=3100 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py index 469f5712..d56a1f10 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"e\n%QueryValidatorDistributionInfoRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\xbf\x02\n&QueryValidatorDistributionInfoResponse\x12;\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x12\x65\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\"g\n\'QueryValidatorOutstandingRewardsRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"\x80\x01\n(QueryValidatorOutstandingRewardsResponse\x12T\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"_\n\x1fQueryValidatorCommissionRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"~\n QueryValidatorCommissionResponse\x12Z\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xce\x01\n\x1cQueryValidatorSlashesRequest\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x17\n\x0fstarting_height\x18\x02 \x01(\x04\x12\x15\n\rending_height\x18\x03 \x01(\x04\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x04\x88\xa0\x1f\x00\"\xaa\x01\n\x1dQueryValidatorSlashesResponse\x12L\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x9c\x01\n\x1dQueryDelegationRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x89\x01\n\x1eQueryDelegationRewardsResponse\x12g\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"c\n\"QueryDelegationTotalRewardsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n#QueryDelegationTotalRewardsResponse\x12R\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x65\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\"`\n\x1fQueryDelegatorValidatorsRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"@\n QueryDelegatorValidatorsResponse\x12\x12\n\nvalidators\x18\x01 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n$QueryDelegatorWithdrawAddressRequest\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"e\n%QueryDelegatorWithdrawAddressResponse\x12\x32\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x82\x01\n\x1aQueryCommunityPoolResponse\x12\x64\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01\x32\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB3Z1github.com/cosmos/cosmos-sdk/x/distribution/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/distribution/v1beta1/query.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"]\n\x13QueryParamsResponse\x12\x46\n\x06params\x18\x01 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"w\n%QueryValidatorDistributionInfoRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\xee\x02\n&QueryValidatorDistributionInfoResponse\x12L\n\x10operator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x0foperatorAddress\x12\x82\x01\n\x11self_bond_rewards\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x0fselfBondRewards\x12q\n\ncommission\x18\x03 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB3\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoinsR\ncommission\"y\n\'QueryValidatorOutstandingRewardsRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x89\x01\n(QueryValidatorOutstandingRewardsResponse\x12]\n\x07rewards\x18\x01 \x01(\x0b\x32\x38.cosmos.distribution.v1beta1.ValidatorOutstandingRewardsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\"q\n\x1fQueryValidatorCommissionRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\"\x8a\x01\n QueryValidatorCommissionResponse\x12\x66\n\ncommission\x18\x01 \x01(\x0b\x32;.cosmos.distribution.v1beta1.ValidatorAccumulatedCommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\"\x8a\x02\n\x1cQueryValidatorSlashesRequest\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\'\n\x0fstarting_height\x18\x02 \x01(\x04R\x0estartingHeight\x12#\n\rending_height\x18\x03 \x01(\x04R\x0c\x65ndingHeight\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x04\x88\xa0\x1f\x00\"\xbf\x01\n\x1dQueryValidatorSlashesResponse\x12U\n\x07slashes\x18\x01 \x03(\x0b\x32\x30.cosmos.distribution.v1beta1.ValidatorSlashEventB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07slashes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xc0\x01\n\x1dQueryDelegationRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x92\x01\n\x1eQueryDelegationRewardsResponse\x12p\n\x07rewards\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x07rewards\"u\n\"QueryDelegationTotalRewardsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x01\n#QueryDelegationTotalRewardsResponse\x12[\n\x07rewards\x18\x01 \x03(\x0b\x32\x36.cosmos.distribution.v1beta1.DelegationDelegatorRewardB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07rewards\x12l\n\x05total\x18\x02 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x05total\"r\n\x1fQueryDelegatorValidatorsRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n QueryDelegatorValidatorsResponse\x12\x1e\n\nvalidators\x18\x01 \x03(\tR\nvalidators:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"w\n$QueryDelegatorWithdrawAddressRequest\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n%QueryDelegatorWithdrawAddressResponse\x12\x43\n\x10withdraw_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x1b\n\x19QueryCommunityPoolRequest\"\x88\x01\n\x1aQueryCommunityPoolResponse\x12j\n\x04pool\x18\x01 \x03(\x0b\x32\x1c.cosmos.base.v1beta1.DecCoinB8\xc8\xde\x1f\x00\xaa\xdf\x1f+github.com/cosmos/cosmos-sdk/types.DecCoins\xa8\xe7\xb0*\x01R\x04pool2\xc4\x11\n\x05Query\x12\x98\x01\n\x06Params\x12/.cosmos.distribution.v1beta1.QueryParamsRequest\x1a\x30.cosmos.distribution.v1beta1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/distribution/v1beta1/params\x12\xe9\x01\n\x19ValidatorDistributionInfo\x12\x42.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoRequest\x1a\x43.cosmos.distribution.v1beta1.QueryValidatorDistributionInfoResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/distribution/v1beta1/validators/{validator_address}\x12\x83\x02\n\x1bValidatorOutstandingRewards\x12\x44.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsRequest\x1a\x45.cosmos.distribution.v1beta1.QueryValidatorOutstandingRewardsResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/cosmos/distribution/v1beta1/validators/{validator_address}/outstanding_rewards\x12\xe2\x01\n\x13ValidatorCommission\x12<.cosmos.distribution.v1beta1.QueryValidatorCommissionRequest\x1a=.cosmos.distribution.v1beta1.QueryValidatorCommissionResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/validators/{validator_address}/commission\x12\xd6\x01\n\x10ValidatorSlashes\x12\x39.cosmos.distribution.v1beta1.QueryValidatorSlashesRequest\x1a:.cosmos.distribution.v1beta1.QueryValidatorSlashesResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/validators/{validator_address}/slashes\x12\xed\x01\n\x11\x44\x65legationRewards\x12:.cosmos.distribution.v1beta1.QueryDelegationRewardsRequest\x1a;.cosmos.distribution.v1beta1.QueryDelegationRewardsResponse\"_\x82\xd3\xe4\x93\x02Y\x12W/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards/{validator_address}\x12\xe8\x01\n\x16\x44\x65legationTotalRewards\x12?.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsRequest\x1a@.cosmos.distribution.v1beta1.QueryDelegationTotalRewardsResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/cosmos/distribution/v1beta1/delegators/{delegator_address}/rewards\x12\xe2\x01\n\x13\x44\x65legatorValidators\x12<.cosmos.distribution.v1beta1.QueryDelegatorValidatorsRequest\x1a=.cosmos.distribution.v1beta1.QueryDelegatorValidatorsResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/cosmos/distribution/v1beta1/delegators/{delegator_address}/validators\x12\xf7\x01\n\x18\x44\x65legatorWithdrawAddress\x12\x41.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressRequest\x1a\x42.cosmos.distribution.v1beta1.QueryDelegatorWithdrawAddressResponse\"T\x82\xd3\xe4\x93\x02N\x12L/cosmos/distribution/v1beta1/delegators/{delegator_address}/withdraw_address\x12\xb5\x01\n\rCommunityPool\x12\x36.cosmos.distribution.v1beta1.QueryCommunityPoolRequest\x1a\x37.cosmos.distribution.v1beta1.QueryCommunityPoolResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/distribution/v1beta1/community_poolB\xee\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\nQueryProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\nQueryProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST'].fields_by_name['validator_address']._loaded_options = None @@ -108,43 +118,43 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=294 _globals['_QUERYPARAMSREQUEST']._serialized_end=314 _globals['_QUERYPARAMSRESPONSE']._serialized_start=316 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=401 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=403 - _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=504 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=507 - _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=826 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=828 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=931 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=934 - _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1062 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1064 - _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1159 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1161 - _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1287 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1290 - _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1496 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1499 - _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1669 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1672 - _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=1828 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=1831 - _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=1968 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=1970 - _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2069 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2072 - _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2296 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2298 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2394 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2396 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2460 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2462 - _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2563 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2565 - _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=2666 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=2668 - _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=2695 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=2698 - _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=2828 - _globals['_QUERY']._serialized_start=2831 - _globals['_QUERY']._serialized_end=5075 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=409 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_start=411 + _globals['_QUERYVALIDATORDISTRIBUTIONINFOREQUEST']._serialized_end=530 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_start=533 + _globals['_QUERYVALIDATORDISTRIBUTIONINFORESPONSE']._serialized_end=899 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_start=901 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSREQUEST']._serialized_end=1022 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_start=1025 + _globals['_QUERYVALIDATOROUTSTANDINGREWARDSRESPONSE']._serialized_end=1162 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_start=1164 + _globals['_QUERYVALIDATORCOMMISSIONREQUEST']._serialized_end=1277 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_start=1280 + _globals['_QUERYVALIDATORCOMMISSIONRESPONSE']._serialized_end=1418 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_start=1421 + _globals['_QUERYVALIDATORSLASHESREQUEST']._serialized_end=1687 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_start=1690 + _globals['_QUERYVALIDATORSLASHESRESPONSE']._serialized_end=1881 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_start=1884 + _globals['_QUERYDELEGATIONREWARDSREQUEST']._serialized_end=2076 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_start=2079 + _globals['_QUERYDELEGATIONREWARDSRESPONSE']._serialized_end=2225 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_start=2227 + _globals['_QUERYDELEGATIONTOTALREWARDSREQUEST']._serialized_end=2344 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_start=2347 + _globals['_QUERYDELEGATIONTOTALREWARDSRESPONSE']._serialized_end=2587 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=2589 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=2703 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=2705 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=2781 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_start=2783 + _globals['_QUERYDELEGATORWITHDRAWADDRESSREQUEST']._serialized_end=2902 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_start=2904 + _globals['_QUERYDELEGATORWITHDRAWADDRESSRESPONSE']._serialized_end=3022 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_start=3024 + _globals['_QUERYCOMMUNITYPOOLREQUEST']._serialized_end=3051 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_start=3054 + _globals['_QUERYCOMMUNITYPOOLRESPONSE']._serialized_end=3190 + _globals['_QUERY']._serialized_start=3193 + _globals['_QUERY']._serialized_end=5437 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py index dd94e8bc..fd76fc3e 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/distribution/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/distribution/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xc8\x01\n\x15MsgSetWithdrawAddress\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xda\x01\n\x1aMsgWithdrawDelegatorReward\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x97\x01\n\"MsgWithdrawDelegatorRewardResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xa6\x01\n\x1eMsgWithdrawValidatorCommission\x12<\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\x9b\x01\n&MsgWithdrawValidatorCommissionResponse\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xf2\x01\n\x14MsgFundCommunityPool\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xba\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x85\x02\n\x15MsgCommunityPoolSpend\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\trecipient\x18\x02 \x01(\t\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xc0\x02\n\x1eMsgDepositValidatorRewardsPool\x12+\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/distribution/v1beta1/tx.proto\x12\x1b\x63osmos.distribution.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\"\xeb\x01\n\x15MsgSetWithdrawAddress\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12\x43\n\x10withdraw_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0fwithdrawAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*#cosmos-sdk/MsgModifyWithdrawAddress\"\x1f\n\x1dMsgSetWithdrawAddressResponse\"\xfe\x01\n\x1aMsgWithdrawDelegatorReward\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:I\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*&cosmos-sdk/MsgWithdrawDelegationReward\"\x9f\x01\n\"MsgWithdrawDelegatorRewardResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\xb8\x01\n\x1eMsgWithdrawValidatorCommission\x12N\n\x11validator_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:F\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*#cosmos-sdk/MsgWithdrawValCommission\"\xa3\x01\n&MsgWithdrawValidatorCommissionResponse\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x85\x02\n\x14MsgFundCommunityPool\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor::\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgFundCommunityPool\"\x1e\n\x1cMsgFundCommunityPoolResponse\"\xcd\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x46\n\x06params\x18\x02 \x01(\x0b\x32#.cosmos.distribution.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'cosmos-sdk/distribution/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xa3\x02\n\x15MsgCommunityPoolSpend\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:9\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*&cosmos-sdk/distr/MsgCommunityPoolSpend\"\x1f\n\x1dMsgCommunityPoolSpendResponse\"\xe5\x02\n\x1eMsgDepositValidatorRewardsPool\x12\x36\n\tdepositor\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*%cosmos-sdk/distr/MsgDepositValRewards\"(\n&MsgDepositValidatorRewardsPoolResponse2\xec\x07\n\x03Msg\x12\x84\x01\n\x12SetWithdrawAddress\x12\x32.cosmos.distribution.v1beta1.MsgSetWithdrawAddress\x1a:.cosmos.distribution.v1beta1.MsgSetWithdrawAddressResponse\x12\x93\x01\n\x17WithdrawDelegatorReward\x12\x37.cosmos.distribution.v1beta1.MsgWithdrawDelegatorReward\x1a?.cosmos.distribution.v1beta1.MsgWithdrawDelegatorRewardResponse\x12\x9f\x01\n\x1bWithdrawValidatorCommission\x12;.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommission\x1a\x43.cosmos.distribution.v1beta1.MsgWithdrawValidatorCommissionResponse\x12\x81\x01\n\x11\x46undCommunityPool\x12\x31.cosmos.distribution.v1beta1.MsgFundCommunityPool\x1a\x39.cosmos.distribution.v1beta1.MsgFundCommunityPoolResponse\x12r\n\x0cUpdateParams\x12,.cosmos.distribution.v1beta1.MsgUpdateParams\x1a\x34.cosmos.distribution.v1beta1.MsgUpdateParamsResponse\x12\x84\x01\n\x12\x43ommunityPoolSpend\x12\x32.cosmos.distribution.v1beta1.MsgCommunityPoolSpend\x1a:.cosmos.distribution.v1beta1.MsgCommunityPoolSpendResponse\x12\x9f\x01\n\x1b\x44\x65positValidatorRewardsPool\x12;.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPool\x1a\x43.cosmos.distribution.v1beta1.MsgDepositValidatorRewardsPoolResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xef\x01\n\x1f\x63om.cosmos.distribution.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/distribution/types\xa2\x02\x03\x43\x44X\xaa\x02\x1b\x43osmos.Distribution.V1beta1\xca\x02\x1b\x43osmos\\Distribution\\V1beta1\xe2\x02\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\xea\x02\x1d\x43osmos::Distribution::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.distribution.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/distribution/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.distribution.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/distribution/types\242\002\003CDX\252\002\033Cosmos.Distribution.V1beta1\312\002\033Cosmos\\Distribution\\V1beta1\342\002\'Cosmos\\Distribution\\V1beta1\\GPBMetadata\352\002\035Cosmos::Distribution::V1beta1\250\342\036\001' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._loaded_options = None _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['delegator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSETWITHDRAWADDRESS'].fields_by_name['withdraw_address']._loaded_options = None @@ -77,33 +87,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSETWITHDRAWADDRESS']._serialized_start=243 - _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=443 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=445 - _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=476 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=479 - _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=697 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=700 - _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=851 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=854 - _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1020 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1023 - _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1178 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1181 - _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1423 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1425 - _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1455 - _globals['_MSGUPDATEPARAMS']._serialized_start=1458 - _globals['_MSGUPDATEPARAMS']._serialized_end=1644 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1646 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1671 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1674 - _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=1935 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=1937 - _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=1968 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=1971 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2291 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2293 - _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2333 - _globals['_MSG']._serialized_start=2336 - _globals['_MSG']._serialized_end=3340 + _globals['_MSGSETWITHDRAWADDRESS']._serialized_end=478 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_start=480 + _globals['_MSGSETWITHDRAWADDRESSRESPONSE']._serialized_end=511 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_start=514 + _globals['_MSGWITHDRAWDELEGATORREWARD']._serialized_end=768 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_start=771 + _globals['_MSGWITHDRAWDELEGATORREWARDRESPONSE']._serialized_end=930 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_start=933 + _globals['_MSGWITHDRAWVALIDATORCOMMISSION']._serialized_end=1117 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_start=1120 + _globals['_MSGWITHDRAWVALIDATORCOMMISSIONRESPONSE']._serialized_end=1283 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_start=1286 + _globals['_MSGFUNDCOMMUNITYPOOL']._serialized_end=1547 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_start=1549 + _globals['_MSGFUNDCOMMUNITYPOOLRESPONSE']._serialized_end=1579 + _globals['_MSGUPDATEPARAMS']._serialized_start=1582 + _globals['_MSGUPDATEPARAMS']._serialized_end=1787 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1789 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1814 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_start=1817 + _globals['_MSGCOMMUNITYPOOLSPEND']._serialized_end=2108 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_start=2110 + _globals['_MSGCOMMUNITYPOOLSPENDRESPONSE']._serialized_end=2141 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_start=2144 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOL']._serialized_end=2501 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_start=2503 + _globals['_MSGDEPOSITVALIDATORREWARDSPOOLRESPONSE']._serialized_end=2543 + _globals['_MSG']._serialized_start=2546 + _globals['_MSG']._serialized_end=3550 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py index ff70c9fe..dce0bbfc 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/module/v1/module.proto\x12\x19\x63osmos.evidence.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/evidenceB\xb3\x01\n\x1d\x63om.cosmos.evidence.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x45M\xaa\x02\x19\x43osmos.Evidence.Module.V1\xca\x02\x19\x43osmos\\Evidence\\Module\\V1\xe2\x02%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Evidence::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.evidence.module.v1B\013ModuleProtoP\001\242\002\003CEM\252\002\031Cosmos.Evidence.Module.V1\312\002\031Cosmos\\Evidence\\Module\\V1\342\002%Cosmos\\Evidence\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Evidence::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/evidence' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py index 504515c5..7e4f86fa 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/evidence.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/evidence.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xc1\x01\n\x0c\x45quivocation\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\x37\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\r\n\x05power\x18\x03 \x01(\x03\x12\x33\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/evidence/v1beta1/evidence.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xe8\x01\n\x0c\x45quivocation\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12=\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\x12\x45\n\x11\x63onsensus_address\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x63onsensusAddress:$\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x17\x63osmos-sdk/EquivocationB\xcd\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\rEvidenceProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\rEvidenceProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' _globals['_EQUIVOCATION'].fields_by_name['time']._loaded_options = None _globals['_EQUIVOCATION'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_EQUIVOCATION'].fields_by_name['consensus_address']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_EQUIVOCATION']._loaded_options = None _globals['_EQUIVOCATION']._serialized_options = b'\210\240\037\000\350\240\037\000\212\347\260*\027cosmos-sdk/Equivocation' _globals['_EQUIVOCATION']._serialized_start=169 - _globals['_EQUIVOCATION']._serialized_end=362 + _globals['_EQUIVOCATION']._serialized_end=401 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py index 73a37669..5fd0a437 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,14 +25,14 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"6\n\x0cGenesisState\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/evidence/v1beta1/genesis.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x19google/protobuf/any.proto\"@\n\x0cGenesisState\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65videnceB\xc8\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x0cGenesisProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\014GenesisProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' _globals['_GENESISSTATE']._serialized_start=93 - _globals['_GENESISSTATE']._serialized_end=147 + _globals['_GENESISSTATE']._serialized_end=157 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py index 00b15add..6e6d9714 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"?\n\x14QueryEvidenceRequest\x12\x19\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01\x12\x0c\n\x04hash\x18\x02 \x01(\t\"?\n\x15QueryEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"U\n\x17QueryAllEvidenceRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x18QueryAllEvidenceResponse\x12&\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\x1fZ\x1d\x63osmossdk.io/x/evidence/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/evidence/v1beta1/query.proto\x12\x17\x63osmos.evidence.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\"S\n\x14QueryEvidenceRequest\x12\'\n\revidence_hash\x18\x01 \x01(\x0c\x42\x02\x18\x01R\x0c\x65videnceHash\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"I\n\x15QueryEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\"a\n\x17QueryAllEvidenceRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x95\x01\n\x18QueryAllEvidenceResponse\x12\x30\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08\x65vidence\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xc5\x02\n\x05Query\x12\x9b\x01\n\x08\x45vidence\x12-.cosmos.evidence.v1beta1.QueryEvidenceRequest\x1a..cosmos.evidence.v1beta1.QueryEvidenceResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/evidence/v1beta1/evidence/{hash}\x12\x9d\x01\n\x0b\x41llEvidence\x12\x30.cosmos.evidence.v1beta1.QueryAllEvidenceRequest\x1a\x31.cosmos.evidence.v1beta1.QueryAllEvidenceResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/evidence/v1beta1/evidenceB\xc6\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\nQueryProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\nQueryProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1' _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._loaded_options = None _globals['_QUERYEVIDENCEREQUEST'].fields_by_name['evidence_hash']._serialized_options = b'\030\001' _globals['_QUERY'].methods_by_name['Evidence']._loaded_options = None @@ -32,13 +42,13 @@ _globals['_QUERY'].methods_by_name['AllEvidence']._loaded_options = None _globals['_QUERY'].methods_by_name['AllEvidence']._serialized_options = b'\202\323\344\223\002#\022!/cosmos/evidence/v1beta1/evidence' _globals['_QUERYEVIDENCEREQUEST']._serialized_start=165 - _globals['_QUERYEVIDENCEREQUEST']._serialized_end=228 - _globals['_QUERYEVIDENCERESPONSE']._serialized_start=230 - _globals['_QUERYEVIDENCERESPONSE']._serialized_end=293 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=295 - _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=380 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=382 - _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=509 - _globals['_QUERY']._serialized_start=512 - _globals['_QUERY']._serialized_end=837 + _globals['_QUERYEVIDENCEREQUEST']._serialized_end=248 + _globals['_QUERYEVIDENCERESPONSE']._serialized_start=250 + _globals['_QUERYEVIDENCERESPONSE']._serialized_end=323 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_start=325 + _globals['_QUERYALLEVIDENCEREQUEST']._serialized_end=422 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_start=425 + _globals['_QUERYALLEVIDENCERESPONSE']._serialized_end=574 + _globals['_QUERY']._serialized_start=577 + _globals['_QUERY']._serialized_end=902 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py index fc71365d..1f547b3b 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/evidence/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/evidence/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xc7\x01\n\x11MsgSubmitEvidence\x12+\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12L\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.Evidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\")\n\x19MsgSubmitEvidenceResponse\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x32~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42#Z\x1d\x63osmossdk.io/x/evidence/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/evidence/v1beta1/tx.proto\x12\x17\x63osmos.evidence.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xdc\x01\n\x11MsgSubmitEvidence\x12\x36\n\tsubmitter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tsubmitter\x12V\n\x08\x65vidence\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB$\xca\xb4- cosmos.evidence.v1beta1.EvidenceR\x08\x65vidence:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\tsubmitter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitEvidence\"/\n\x19MsgSubmitEvidenceResponse\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash2~\n\x03Msg\x12p\n\x0eSubmitEvidence\x12*.cosmos.evidence.v1beta1.MsgSubmitEvidence\x1a\x32.cosmos.evidence.v1beta1.MsgSubmitEvidenceResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc7\x01\n\x1b\x63om.cosmos.evidence.v1beta1B\x07TxProtoP\x01Z\x1d\x63osmossdk.io/x/evidence/types\xa2\x02\x03\x43\x45X\xaa\x02\x17\x43osmos.Evidence.V1beta1\xca\x02\x17\x43osmos\\Evidence\\V1beta1\xe2\x02#Cosmos\\Evidence\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Evidence::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.evidence.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\035cosmossdk.io/x/evidence/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.evidence.v1beta1B\007TxProtoP\001Z\035cosmossdk.io/x/evidence/types\242\002\003CEX\252\002\027Cosmos.Evidence.V1beta1\312\002\027Cosmos\\Evidence\\V1beta1\342\002#Cosmos\\Evidence\\V1beta1\\GPBMetadata\352\002\031Cosmos::Evidence::V1beta1\250\342\036\001' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._loaded_options = None _globals['_MSGSUBMITEVIDENCE'].fields_by_name['submitter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUBMITEVIDENCE'].fields_by_name['evidence']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITEVIDENCE']._serialized_start=182 - _globals['_MSGSUBMITEVIDENCE']._serialized_end=381 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=383 - _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=424 - _globals['_MSG']._serialized_start=426 - _globals['_MSG']._serialized_end=552 + _globals['_MSGSUBMITEVIDENCE']._serialized_end=402 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_start=404 + _globals['_MSGSUBMITEVIDENCERESPONSE']._serialized_end=451 + _globals['_MSG']._serialized_start=453 + _globals['_MSG']._serialized_end=579 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py index 76e9e6a0..d765557d 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/module/v1/module.proto\x12\x19\x63osmos.feegrant.module.v1\x1a cosmos/app/v1alpha1/module.proto\")\n\x06Module:\x1f\xba\xc0\x96\xda\x01\x19\n\x17\x63osmossdk.io/x/feegrantB\xb3\x01\n\x1d\x63om.cosmos.feegrant.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43\x46M\xaa\x02\x19\x43osmos.Feegrant.Module.V1\xca\x02\x19\x43osmos\\Feegrant\\Module\\V1\xe2\x02%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Feegrant::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.feegrant.module.v1B\013ModuleProtoP\001\242\002\003CFM\252\002\031Cosmos.Feegrant.Module.V1\312\002\031Cosmos\\Feegrant\\Module\\V1\342\002%Cosmos\\Feegrant\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Feegrant::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\031\n\027cosmossdk.io/x/feegrant' _globals['_MODULE']._serialized_start=103 diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py index 62877c10..6cf5161d 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/feegrant.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/feegrant.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0e\x42\x61sicAllowance\x12v\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x34\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\x99\x04\n\x11PeriodicAllowance\x12\x41\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x38\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12}\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12{\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12?\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xd5\x01\n\x13\x41llowedMsgAllowance\x12R\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x12\x18\n\x10\x61llowed_messages\x18\x02 \x03(\t:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xb1\x01\n\x05Grant\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIB\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/feegrant/v1beta1/feegrant.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\"\xa0\x02\n\x0e\x42\x61sicAllowance\x12\x82\x01\n\x0bspend_limit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\nspendLimit\x12@\n\nexpiration\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nexpiration:G\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x19\x63osmos-sdk/BasicAllowance\"\xd9\x04\n\x11PeriodicAllowance\x12H\n\x05\x62\x61sic\x18\x01 \x01(\x0b\x32\'.cosmos.feegrant.v1beta1.BasicAllowanceB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05\x62\x61sic\x12@\n\x06period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x06period\x12\x8f\x01\n\x12period_spend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10periodSpendLimit\x12\x8b\x01\n\x10period_can_spend\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0eperiodCanSpend\x12L\n\x0cperiod_reset\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bperiodReset:J\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1c\x63osmos-sdk/PeriodicAllowance\"\xf1\x01\n\x13\x41llowedMsgAllowance\x12]\n\tallowance\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance\x12)\n\x10\x61llowed_messages\x18\x02 \x03(\tR\x0f\x61llowedMessages:P\x88\xa0\x1f\x00\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI\x8a\xe7\xb0*\x1e\x63osmos-sdk/AllowedMsgAllowance\"\xce\x01\n\x05Grant\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowanceB\xc3\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\rFeegrantProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.feegrant_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\rFeegrantProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._loaded_options = None _globals['_BASICALLOWANCE'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_BASICALLOWANCE'].fields_by_name['expiration']._loaded_options = None @@ -58,11 +68,11 @@ _globals['_GRANT'].fields_by_name['allowance']._loaded_options = None _globals['_GRANT'].fields_by_name['allowance']._serialized_options = b'\312\264-%cosmos.feegrant.v1beta1.FeeAllowanceI' _globals['_BASICALLOWANCE']._serialized_start=260 - _globals['_BASICALLOWANCE']._serialized_end=523 - _globals['_PERIODICALLOWANCE']._serialized_start=526 - _globals['_PERIODICALLOWANCE']._serialized_end=1063 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1066 - _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1279 - _globals['_GRANT']._serialized_start=1282 - _globals['_GRANT']._serialized_end=1459 + _globals['_BASICALLOWANCE']._serialized_end=548 + _globals['_PERIODICALLOWANCE']._serialized_start=551 + _globals['_PERIODICALLOWANCE']._serialized_end=1152 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_start=1155 + _globals['_ALLOWEDMSGALLOWANCE']._serialized_end=1396 + _globals['_GRANT']._serialized_start=1399 + _globals['_GRANT']._serialized_end=1605 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py index 7d1d4cb1..2f43b1fc 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"M\n\x0cGenesisState\x12=\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/feegrant/v1beta1/genesis.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a\x11\x61mino/amino.proto\"Y\n\x0cGenesisState\x12I\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nallowancesB\xc2\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x0cGenesisProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\014GenesisProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_GENESISSTATE'].fields_by_name['allowances']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['allowances']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=147 - _globals['_GENESISSTATE']._serialized_end=224 + _globals['_GENESISSTATE']._serialized_end=236 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py index 010c4e43..f2866373 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.feegrant.v1beta1 import feegrant_pb2 as cosmos_dot_feegrant_dot_v1beta1_dot_feegrant__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"m\n\x15QueryAllowanceRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"K\n\x16QueryAllowanceResponse\x12\x31\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\"\x7f\n\x16QueryAllowancesRequest\x12)\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8a\x01\n\x17QueryAllowancesResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x88\x01\n\x1fQueryAllowancesByGranterRequest\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x93\x01\n QueryAllowancesByGranterResponse\x12\x32\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.Grant\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/feegrant/v1beta1/query.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a&cosmos/feegrant/v1beta1/feegrant.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x7f\n\x15QueryAllowanceRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\"V\n\x16QueryAllowanceResponse\x12<\n\tallowance\x18\x01 \x01(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\tallowance\"\x94\x01\n\x16QueryAllowancesRequest\x12\x32\n\x07grantee\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa2\x01\n\x17QueryAllowancesResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9d\x01\n\x1fQueryAllowancesByGranterRequest\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n QueryAllowancesByGranterResponse\x12>\n\nallowances\x18\x01 \x03(\x0b\x32\x1e.cosmos.feegrant.v1beta1.GrantR\nallowances\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\x9f\x04\n\x05Query\x12\xac\x01\n\tAllowance\x12..cosmos.feegrant.v1beta1.QueryAllowanceRequest\x1a/.cosmos.feegrant.v1beta1.QueryAllowanceResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/cosmos/feegrant/v1beta1/allowance/{granter}/{grantee}\x12\xa6\x01\n\nAllowances\x12/.cosmos.feegrant.v1beta1.QueryAllowancesRequest\x1a\x30.cosmos.feegrant.v1beta1.QueryAllowancesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/cosmos/feegrant/v1beta1/allowances/{grantee}\x12\xbd\x01\n\x13\x41llowancesByGranter\x12\x38.cosmos.feegrant.v1beta1.QueryAllowancesByGranterRequest\x1a\x39.cosmos.feegrant.v1beta1.QueryAllowancesByGranterResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/feegrant/v1beta1/issued/{granter}B\xc0\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\nQueryProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\nQueryProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._loaded_options = None _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYALLOWANCEREQUEST'].fields_by_name['grantee']._loaded_options = None @@ -41,17 +51,17 @@ _globals['_QUERY'].methods_by_name['AllowancesByGranter']._loaded_options = None _globals['_QUERY'].methods_by_name['AllowancesByGranter']._serialized_options = b'\202\323\344\223\002+\022)/cosmos/feegrant/v1beta1/issued/{granter}' _globals['_QUERYALLOWANCEREQUEST']._serialized_start=205 - _globals['_QUERYALLOWANCEREQUEST']._serialized_end=314 - _globals['_QUERYALLOWANCERESPONSE']._serialized_start=316 - _globals['_QUERYALLOWANCERESPONSE']._serialized_end=391 - _globals['_QUERYALLOWANCESREQUEST']._serialized_start=393 - _globals['_QUERYALLOWANCESREQUEST']._serialized_end=520 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=523 - _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=661 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=664 - _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=800 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=803 - _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=950 - _globals['_QUERY']._serialized_start=953 - _globals['_QUERY']._serialized_end=1496 + _globals['_QUERYALLOWANCEREQUEST']._serialized_end=332 + _globals['_QUERYALLOWANCERESPONSE']._serialized_start=334 + _globals['_QUERYALLOWANCERESPONSE']._serialized_end=420 + _globals['_QUERYALLOWANCESREQUEST']._serialized_start=423 + _globals['_QUERYALLOWANCESREQUEST']._serialized_end=571 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_start=574 + _globals['_QUERYALLOWANCESRESPONSE']._serialized_end=736 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_start=739 + _globals['_QUERYALLOWANCESBYGRANTERREQUEST']._serialized_end=896 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_start=899 + _globals['_QUERYALLOWANCESBYGRANTERRESPONSE']._serialized_end=1070 + _globals['_QUERY']._serialized_start=1073 + _globals['_QUERY']._serialized_end=1616 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py index 306af9c3..9696a2a3 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/tx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/feegrant/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/feegrant/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xec\x01\n\x11MsgGrantAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12R\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceI:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\x9a\x01\n\x12MsgRevokeAllowance\x12)\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"K\n\x12MsgPruneAllowances\x12(\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x19Z\x17\x63osmossdk.io/x/feegrantb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/feegrant/v1beta1/tx.proto\x12\x17\x63osmos.feegrant.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x89\x02\n\x11MsgGrantAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee\x12]\n\tallowance\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmos.feegrant.v1beta1.FeeAllowanceIR\tallowance:-\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgGrantAllowance\"\x1b\n\x19MsgGrantAllowanceResponse\"\xac\x01\n\x12MsgRevokeAllowance\x12\x32\n\x07granter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\x12\x32\n\x07grantee\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07grantee:.\x82\xe7\xb0*\x07granter\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgRevokeAllowance\"\x1c\n\x1aMsgRevokeAllowanceResponse\"S\n\x12MsgPruneAllowances\x12\x30\n\x06pruner\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06pruner:\x0b\x82\xe7\xb0*\x06pruner\"\x1c\n\x1aMsgPruneAllowancesResponse2\xe8\x02\n\x03Msg\x12p\n\x0eGrantAllowance\x12*.cosmos.feegrant.v1beta1.MsgGrantAllowance\x1a\x32.cosmos.feegrant.v1beta1.MsgGrantAllowanceResponse\x12s\n\x0fRevokeAllowance\x12+.cosmos.feegrant.v1beta1.MsgRevokeAllowance\x1a\x33.cosmos.feegrant.v1beta1.MsgRevokeAllowanceResponse\x12s\n\x0fPruneAllowances\x12+.cosmos.feegrant.v1beta1.MsgPruneAllowances\x1a\x33.cosmos.feegrant.v1beta1.MsgPruneAllowancesResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1b\x63om.cosmos.feegrant.v1beta1B\x07TxProtoP\x01Z\x17\x63osmossdk.io/x/feegrant\xa2\x02\x03\x43\x46X\xaa\x02\x17\x43osmos.Feegrant.V1beta1\xca\x02\x17\x43osmos\\Feegrant\\V1beta1\xe2\x02#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Feegrant::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.feegrant.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027cosmossdk.io/x/feegrant' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.feegrant.v1beta1B\007TxProtoP\001Z\027cosmossdk.io/x/feegrant\242\002\003CFX\252\002\027Cosmos.Feegrant.V1beta1\312\002\027Cosmos\\Feegrant\\V1beta1\342\002#Cosmos\\Feegrant\\V1beta1\\GPBMetadata\352\002\031Cosmos::Feegrant::V1beta1' _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._loaded_options = None _globals['_MSGGRANTALLOWANCE'].fields_by_name['granter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGGRANTALLOWANCE'].fields_by_name['grantee']._loaded_options = None @@ -47,17 +57,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGGRANTALLOWANCE']._serialized_start=160 - _globals['_MSGGRANTALLOWANCE']._serialized_end=396 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=398 - _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=425 - _globals['_MSGREVOKEALLOWANCE']._serialized_start=428 - _globals['_MSGREVOKEALLOWANCE']._serialized_end=582 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=584 - _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=612 - _globals['_MSGPRUNEALLOWANCES']._serialized_start=614 - _globals['_MSGPRUNEALLOWANCES']._serialized_end=689 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=691 - _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=719 - _globals['_MSG']._serialized_start=722 - _globals['_MSG']._serialized_end=1082 + _globals['_MSGGRANTALLOWANCE']._serialized_end=425 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_start=427 + _globals['_MSGGRANTALLOWANCERESPONSE']._serialized_end=454 + _globals['_MSGREVOKEALLOWANCE']._serialized_start=457 + _globals['_MSGREVOKEALLOWANCE']._serialized_end=629 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_start=631 + _globals['_MSGREVOKEALLOWANCERESPONSE']._serialized_end=659 + _globals['_MSGPRUNEALLOWANCES']._serialized_start=661 + _globals['_MSGPRUNEALLOWANCES']._serialized_end=744 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_start=746 + _globals['_MSGPRUNEALLOWANCESRESPONSE']._serialized_end=774 + _globals['_MSG']._serialized_start=777 + _globals['_MSG']._serialized_end=1137 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py index 3e8cdee9..91b72910 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/genutil/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/genutil/module/v1/module.proto\x12\x18\x63osmos.genutil.module.v1\x1a cosmos/app/v1alpha1/module.proto\"8\n\x06Module:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/genutilB\xae\x01\n\x1c\x63om.cosmos.genutil.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x18\x43osmos.Genutil.Module.V1\xca\x02\x18\x43osmos\\Genutil\\Module\\V1\xe2\x02$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Genutil::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.genutil.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\030Cosmos.Genutil.Module.V1\312\002\030Cosmos\\Genutil\\Module\\V1\342\002$Cosmos\\Genutil\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Genutil::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/genutil' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py index 36cc38d2..fe6ce1f3 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/genutil/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/genutil/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"W\n\x0cGenesisState\x12G\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/genutil/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/genutil/v1beta1/genesis.proto\x12\x16\x63osmos.genutil.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"_\n\x0cGenesisState\x12O\n\x07gen_txs\x18\x01 \x03(\x0c\x42\x36\xea\xde\x1f\x06gentxs\xfa\xde\x1f\x18\x65ncoding/json.RawMessage\xa2\xe7\xb0*\x06gentxs\xa8\xe7\xb0*\x01R\x06genTxsB\xd2\x01\n\x1a\x63om.cosmos.genutil.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/genutil/types\xa2\x02\x03\x43GX\xaa\x02\x16\x43osmos.Genutil.V1beta1\xca\x02\x16\x43osmos\\Genutil\\V1beta1\xe2\x02\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Genutil::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.genutil.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/genutil/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.genutil.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/genutil/types\242\002\003CGX\252\002\026Cosmos.Genutil.V1beta1\312\002\026Cosmos\\Genutil\\V1beta1\342\002\"Cosmos\\Genutil\\V1beta1\\GPBMetadata\352\002\030Cosmos::Genutil::V1beta1' _globals['_GENESISSTATE'].fields_by_name['gen_txs']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['gen_txs']._serialized_options = b'\352\336\037\006gentxs\372\336\037\030encoding/json.RawMessage\242\347\260*\006gentxs\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=105 - _globals['_GENESISSTATE']._serialized_end=192 + _globals['_GENESISSTATE']._serialized_end=200 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py index b1343d35..a55065e7 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"a\n\x06Module\x12\x18\n\x10max_metadata_len\x18\x01 \x01(\x04\x12\x11\n\tauthority\x18\x02 \x01(\t:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/gov/module/v1/module.proto\x12\x14\x63osmos.gov.module.v1\x1a cosmos/app/v1alpha1/module.proto\"|\n\x06Module\x12(\n\x10max_metadata_len\x18\x01 \x01(\x04R\x0emaxMetadataLen\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:*\xba\xc0\x96\xda\x01$\n\"github.com/cosmos/cosmos-sdk/x/govB\x9a\x01\n\x18\x63om.cosmos.gov.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x14\x43osmos.Gov.Module.V1\xca\x02\x14\x43osmos\\Gov\\Module\\V1\xe2\x02 Cosmos\\Gov\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Gov::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.gov.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\024Cosmos.Gov.Module.V1\312\002\024Cosmos\\Gov\\Module\\V1\342\002 Cosmos\\Gov\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Gov::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001$\n\"github.com/cosmos/cosmos-sdk/x/gov' _globals['_MODULE']._serialized_start=93 - _globals['_MODULE']._serialized_end=190 + _globals['_MODULE']._serialized_end=217 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py index 5bf72a99..407cadf9 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\x8b\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12(\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12\"\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12*\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12\x38\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x36\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\x12\x14\n\x0c\x63onstitution\x18\t \x01(\tB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1/genesis.proto\x12\rcosmos.gov.v1\x1a\x17\x63osmos/gov/v1/gov.proto\"\xfb\x03\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12\x32\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12)\n\x05votes\x18\x03 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12\x35\n\tproposals\x18\x04 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x44\n\rvoting_params\x18\x06 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12\x41\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x08 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\x12\"\n\x0c\x63onstitution\x18\t \x01(\tR\x0c\x63onstitutionB\xa4\x01\n\x11\x63om.cosmos.gov.v1B\x0cGenesisProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\014GenesisProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_GENESISSTATE'].fields_by_name['deposit_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposit_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE'].fields_by_name['voting_params']._loaded_options = None @@ -30,5 +40,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\030\001' _globals['_GENESISSTATE']._serialized_start=72 - _globals['_GENESISSTATE']._serialized_end=467 + _globals['_GENESISSTATE']._serialized_end=579 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py index ecf8a88e..1e7b0a24 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/gov.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/gov.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"_\n\x12WeightedVoteOption\x12)\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x1e\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\"\x81\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xd5\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12&\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.Any\x12-\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\x36\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult\x12\x35\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12:\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12;\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x39\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01\x12\x10\n\x08metadata\x18\n \x01(\t\x12\r\n\x05title\x18\x0b \x01(\t\x12\x0f\n\x07summary\x18\x0c \x01(\t\x12*\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\texpedited\x18\x0e \x01(\x08\x12\x15\n\rfailed_reason\x18\x0f \x01(\t\"\xa5\x01\n\x0bTallyResult\x12!\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12%\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12 \n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\x12*\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Int\"\x90\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x05 \x01(\tJ\x04\x08\x03\x10\x04\"\xbf\x01\n\rDepositParams\x12M\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\x12[\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01:\x02\x18\x01\"J\n\x0cVotingParams\x12\x36\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01:\x02\x18\x01\"|\n\x0bTallyParams\x12\x1e\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec:\x02\x18\x01\"\xf5\x05\n\x06Params\x12\x39\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x36\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12\x1e\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12!\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12&\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x31\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12-\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x36\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01\x12+\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec\x12\x43\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10\x62urn_vote_quorum\x18\r \x01(\x08\x12%\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08\x12\x16\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08\x12)\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.Dec*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/gov/v1/gov.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"o\n\x12WeightedVoteOption\x12\x31\n\x06option\x18\x01 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12&\n\x06weight\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06weight\"\xa0\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\x84\x06\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x30\n\x08messages\x18\x02 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x35\n\x06status\x18\x03 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x06status\x12H\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x10\x66inalTallyResult\x12\x41\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\nsubmitTime\x12J\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0e\x64\x65positEndTime\x12I\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12L\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\x0fvotingStartTime\x12H\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x04\x90\xdf\x1f\x01R\rvotingEndTime\x12\x1a\n\x08metadata\x18\n \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x0b \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0c \x01(\tR\x07summary\x12\x34\n\x08proposer\x18\r \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1c\n\texpedited\x18\x0e \x01(\x08R\texpedited\x12#\n\rfailed_reason\x18\x0f \x01(\tR\x0c\x66\x61iledReason\"\xd7\x01\n\x0bTallyResult\x12+\n\tyes_count\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x08yesCount\x12\x33\n\rabstain_count\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0c\x61\x62stainCount\x12)\n\x08no_count\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x07noCount\x12;\n\x12no_with_veto_count\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.IntR\x0fnoWithVetoCount\"\xb6\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x04 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x05 \x01(\tR\x08metadataJ\x04\x08\x03\x10\x04\"\xdd\x01\n\rDepositParams\x12Y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x1d\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitemptyR\nminDeposit\x12m\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB$\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod:\x02\x18\x01\"X\n\x0cVotingParams\x12\x44\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod:\x02\x18\x01\"\x9e\x01\n\x0bTallyParams\x12&\n\x06quorum\x18\x01 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x02 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x03 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold:\x02\x18\x01\"\x8f\x08\n\x06Params\x12\x45\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nminDeposit\x12M\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x10maxDepositPeriod\x12\x44\n\rvoting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x0cvotingPeriod\x12&\n\x06quorum\x18\x04 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x06quorum\x12,\n\tthreshold\x18\x05 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\tthreshold\x12\x35\n\x0eveto_threshold\x18\x06 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\rvetoThreshold\x12I\n\x19min_initial_deposit_ratio\x18\x07 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x16minInitialDepositRatio\x12\x42\n\x15proposal_cancel_ratio\x18\x08 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x13proposalCancelRatio\x12J\n\x14proposal_cancel_dest\x18\t \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12proposalCancelDest\x12W\n\x17\x65xpedited_voting_period\x18\n \x01(\x0b\x32\x19.google.protobuf.DurationB\x04\x98\xdf\x1f\x01R\x15\x65xpeditedVotingPeriod\x12?\n\x13\x65xpedited_threshold\x18\x0b \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x12\x65xpeditedThreshold\x12X\n\x15\x65xpedited_min_deposit\x18\x0c \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x65xpeditedMinDeposit\x12(\n\x10\x62urn_vote_quorum\x18\r \x01(\x08R\x0e\x62urnVoteQuorum\x12\x41\n\x1d\x62urn_proposal_deposit_prevote\x18\x0e \x01(\x08R\x1a\x62urnProposalDepositPrevote\x12$\n\x0e\x62urn_vote_veto\x18\x0f \x01(\x08R\x0c\x62urnVoteVeto\x12:\n\x11min_deposit_ratio\x18\x10 \x01(\tB\x0e\xd2\xb4-\ncosmos.DecR\x0fminDepositRatio*\x89\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\"\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x12!\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x12\x1a\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x12\x1a\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x42\xa0\x01\n\x11\x63om.cosmos.gov.v1B\x08GovProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\010GovProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._loaded_options = None _globals['_WEIGHTEDVOTEOPTION'].fields_by_name['weight']._serialized_options = b'\322\264-\ncosmos.Dec' _globals['_DEPOSIT'].fields_by_name['depositor']._loaded_options = None @@ -101,26 +111,26 @@ _globals['_PARAMS'].fields_by_name['expedited_min_deposit']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_deposit_ratio']._serialized_options = b'\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2535 - _globals['_VOTEOPTION']._serialized_end=2672 - _globals['_PROPOSALSTATUS']._serialized_start=2675 - _globals['_PROPOSALSTATUS']._serialized_end=2881 + _globals['_VOTEOPTION']._serialized_start=3206 + _globals['_VOTEOPTION']._serialized_end=3343 + _globals['_PROPOSALSTATUS']._serialized_start=3346 + _globals['_PROPOSALSTATUS']._serialized_end=3552 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=234 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=329 - _globals['_DEPOSIT']._serialized_start=332 - _globals['_DEPOSIT']._serialized_end=461 - _globals['_PROPOSAL']._serialized_start=464 - _globals['_PROPOSAL']._serialized_end=1061 - _globals['_TALLYRESULT']._serialized_start=1064 - _globals['_TALLYRESULT']._serialized_end=1229 - _globals['_VOTE']._serialized_start=1232 - _globals['_VOTE']._serialized_end=1376 - _globals['_DEPOSITPARAMS']._serialized_start=1379 - _globals['_DEPOSITPARAMS']._serialized_end=1570 - _globals['_VOTINGPARAMS']._serialized_start=1572 - _globals['_VOTINGPARAMS']._serialized_end=1646 - _globals['_TALLYPARAMS']._serialized_start=1648 - _globals['_TALLYPARAMS']._serialized_end=1772 - _globals['_PARAMS']._serialized_start=1775 - _globals['_PARAMS']._serialized_end=2532 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=345 + _globals['_DEPOSIT']._serialized_start=348 + _globals['_DEPOSIT']._serialized_end=508 + _globals['_PROPOSAL']._serialized_start=511 + _globals['_PROPOSAL']._serialized_end=1283 + _globals['_TALLYRESULT']._serialized_start=1286 + _globals['_TALLYRESULT']._serialized_end=1501 + _globals['_VOTE']._serialized_start=1504 + _globals['_VOTE']._serialized_end=1686 + _globals['_DEPOSITPARAMS']._serialized_start=1689 + _globals['_DEPOSITPARAMS']._serialized_end=1910 + _globals['_VOTINGPARAMS']._serialized_start=1912 + _globals['_VOTINGPARAMS']._serialized_end=2000 + _globals['_TALLYPARAMS']._serialized_start=2003 + _globals['_TALLYPARAMS']._serialized_end=2161 + _globals['_PARAMS']._serialized_start=2164 + _globals['_PARAMS']._serialized_end=3203 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1/query_pb2.py index f6b63e25..691957f7 100644 --- a/pyinjective/proto/cosmos/gov/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"1\n\x19QueryConstitutionResponse\x12\x14\n\x0c\x63onstitution\x18\x01 \x01(\t\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"B\n\x15QueryProposalResponse\x12)\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.Proposal\"\xe1\x01\n\x15QueryProposalsRequest\x12\x36\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x16QueryProposalsResponse\x12*\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"P\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"6\n\x11QueryVoteResponse\x12!\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.Vote\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"u\n\x12QueryVotesResponse\x12\"\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe4\x01\n\x13QueryParamsResponse\x12\x36\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01\x12\x38\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01\x12\x34\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01\x12%\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.Params\"W\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"?\n\x14QueryDepositResponse\x12\'\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.Deposit\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x15QueryDepositsResponse\x12(\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.Deposit\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"E\n\x18QueryTallyResultResponse\x12)\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResult2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmos/gov/v1/query.proto\x12\rcosmos.gov.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x1a\n\x18QueryConstitutionRequest\"?\n\x19QueryConstitutionResponse\x12\"\n\x0c\x63onstitution\x18\x01 \x01(\tR\x0c\x63onstitution\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x15QueryProposalResponse\x12\x33\n\x08proposal\x18\x01 \x01(\x0b\x32\x17.cosmos.gov.v1.ProposalR\x08proposal\"\x8f\x02\n\x15QueryProposalsRequest\x12\x46\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\x1d.cosmos.gov.v1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x16QueryProposalsResponse\x12\x35\n\tproposals\x18\x01 \x03(\x0b\x32\x17.cosmos.gov.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"c\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"<\n\x11QueryVoteResponse\x12\'\n\x04vote\x18\x01 \x01(\x0b\x32\x13.cosmos.gov.v1.VoteR\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x88\x01\n\x12QueryVotesResponse\x12)\n\x05votes\x18\x01 \x03(\x0b\x32\x13.cosmos.gov.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x96\x02\n\x13QueryParamsResponse\x12\x44\n\rvoting_params\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1.VotingParamsB\x02\x18\x01R\x0cvotingParams\x12G\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32\x1c.cosmos.gov.v1.DepositParamsB\x02\x18\x01R\rdepositParams\x12\x41\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyParamsB\x02\x18\x01R\x0btallyParams\x12-\n\x06params\x18\x04 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsR\x06params\"n\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\"H\n\x14QueryDepositResponse\x12\x30\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x16.cosmos.gov.v1.DepositR\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x15QueryDepositsResponse\x12\x32\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x16.cosmos.gov.v1.DepositR\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"L\n\x18QueryTallyResultResponse\x12\x30\n\x05tally\x18\x01 \x01(\x0b\x32\x1a.cosmos.gov.v1.TallyResultR\x05tally2\xe3\t\n\x05Query\x12\x86\x01\n\x0c\x43onstitution\x12\'.cosmos.gov.v1.QueryConstitutionRequest\x1a(.cosmos.gov.v1.QueryConstitutionResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/gov/v1/constitution\x12\x85\x01\n\x08Proposal\x12#.cosmos.gov.v1.QueryProposalRequest\x1a$.cosmos.gov.v1.QueryProposalResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/gov/v1/proposals/{proposal_id}\x12z\n\tProposals\x12$.cosmos.gov.v1.QueryProposalsRequest\x1a%.cosmos.gov.v1.QueryProposalsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/gov/v1/proposals\x12\x87\x01\n\x04Vote\x12\x1f.cosmos.gov.v1.QueryVoteRequest\x1a .cosmos.gov.v1.QueryVoteResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1/proposals/{proposal_id}/votes/{voter}\x12\x82\x01\n\x05Votes\x12 .cosmos.gov.v1.QueryVotesRequest\x1a!.cosmos.gov.v1.QueryVotesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/votes\x12|\n\x06Params\x12!.cosmos.gov.v1.QueryParamsRequest\x1a\".cosmos.gov.v1.QueryParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/cosmos/gov/v1/params/{params_type}\x12\x97\x01\n\x07\x44\x65posit\x12\".cosmos.gov.v1.QueryDepositRequest\x1a#.cosmos.gov.v1.QueryDepositResponse\"C\x82\xd3\xe4\x93\x02=\x12;/cosmos/gov/v1/proposals/{proposal_id}/deposits/{depositor}\x12\x8e\x01\n\x08\x44\x65posits\x12#.cosmos.gov.v1.QueryDepositsRequest\x1a$.cosmos.gov.v1.QueryDepositsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//cosmos/gov/v1/proposals/{proposal_id}/deposits\x12\x94\x01\n\x0bTallyResult\x12&.cosmos.gov.v1.QueryTallyResultRequest\x1a\'.cosmos.gov.v1.QueryTallyResultResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/gov/v1/proposals/{proposal_id}/tallyB\xa2\x01\n\x11\x63om.cosmos.gov.v1B\nQueryProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\nQueryProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['depositor']._loaded_options = None @@ -61,39 +71,39 @@ _globals['_QUERYCONSTITUTIONREQUEST']._serialized_start=170 _globals['_QUERYCONSTITUTIONREQUEST']._serialized_end=196 _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_start=198 - _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=247 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=249 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=292 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=294 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=360 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=363 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=588 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=591 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=720 - _globals['_QUERYVOTEREQUEST']._serialized_start=722 - _globals['_QUERYVOTEREQUEST']._serialized_end=802 - _globals['_QUERYVOTERESPONSE']._serialized_start=804 - _globals['_QUERYVOTERESPONSE']._serialized_end=858 - _globals['_QUERYVOTESREQUEST']._serialized_start=860 - _globals['_QUERYVOTESREQUEST']._serialized_end=960 - _globals['_QUERYVOTESRESPONSE']._serialized_start=962 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1079 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1081 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1122 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1125 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1353 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1355 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1442 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1444 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1507 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1509 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1612 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1614 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1740 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1742 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1788 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1790 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1859 - _globals['_QUERY']._serialized_start=1862 - _globals['_QUERY']._serialized_end=3113 + _globals['_QUERYCONSTITUTIONRESPONSE']._serialized_end=261 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=263 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=318 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=320 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=396 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=399 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=670 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=673 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=825 + _globals['_QUERYVOTEREQUEST']._serialized_start=827 + _globals['_QUERYVOTEREQUEST']._serialized_end=926 + _globals['_QUERYVOTERESPONSE']._serialized_start=928 + _globals['_QUERYVOTERESPONSE']._serialized_end=988 + _globals['_QUERYVOTESREQUEST']._serialized_start=990 + _globals['_QUERYVOTESREQUEST']._serialized_end=1114 + _globals['_QUERYVOTESRESPONSE']._serialized_start=1117 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1253 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1255 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1308 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1311 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1589 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1591 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1701 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1703 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1775 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1777 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1904 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1907 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2055 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2057 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2115 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2117 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2193 + _globals['_QUERY']._serialized_start=2196 + _globals['_QUERY']._serialized_end=3447 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py index 4c14e562..be5fce64 100644 --- a/pyinjective/proto/cosmos/gov/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1 import gov_pb2 as cosmos_dot_gov_dot_v1_dot_gov__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xdb\x02\n\x11MsgSubmitProposal\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\r\n\x05title\x18\x05 \x01(\t\x12\x0f\n\x07summary\x18\x06 \x01(\t\x12\x11\n\texpedited\x18\x07 \x01(\x08:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\xa7\x01\n\x14MsgExecLegacyContent\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x11\n\tauthority\x18\x02 \x01(\t:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xc0\x01\n\x07MsgVote\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xd9\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xc7\x01\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xa8\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"t\n\x11MsgCancelProposal\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12*\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\r\x82\xe7\xb0*\x08proposer\"\x97\x01\n\x19MsgCancelProposalResponse\x12$\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_id\x12;\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x17\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04\x32\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42-Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x16\x63osmos/gov/v1/tx.proto\x12\rcosmos.gov.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/gov/v1/gov.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xa5\x03\n\x11MsgSubmitProposal\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x14\n\x05title\x18\x05 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x06 \x01(\tR\x07summary\x12\x1c\n\texpedited\x18\x07 \x01(\x08R\texpedited:1\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1f\x63osmos-sdk/v1/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xbb\x01\n\x14MsgExecLegacyContent\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:5\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\"cosmos-sdk/v1/MsgExecLegacyContent\"\x1e\n\x1cMsgExecLegacyContentResponse\"\xe5\x01\n\x07MsgVote\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x31\n\x06option\x18\x03 \x01(\x0e\x32\x19.cosmos.gov.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:$\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x15\x63osmos-sdk/v1/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xff\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12;\n\x07options\x18\x03 \x03(\x0b\x32!.cosmos.gov.v1.WeightedVoteOptionR\x07options\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata:,\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1d\x63osmos-sdk/v1/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xe6\x01\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12<\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:+\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x18\x63osmos-sdk/v1/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xbb\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x15.cosmos.gov.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#cosmos-sdk/x/gov/v1/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x8a\x01\n\x11MsgCancelProposal\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12\x34\n\x08proposer\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:\r\x82\xe7\xb0*\x08proposer\"\xc1\x01\n\x19MsgCancelProposalResponse\x12\x30\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x0f\xea\xde\x1f\x0bproposal_idR\nproposalId\x12I\n\rcanceled_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x0c\x63\x61nceledTime\x12\'\n\x0f\x63\x61nceled_height\x18\x03 \x01(\x04R\x0e\x63\x61nceledHeight2\xe8\x04\n\x03Msg\x12\\\n\x0eSubmitProposal\x12 .cosmos.gov.v1.MsgSubmitProposal\x1a(.cosmos.gov.v1.MsgSubmitProposalResponse\x12\x65\n\x11\x45xecLegacyContent\x12#.cosmos.gov.v1.MsgExecLegacyContent\x1a+.cosmos.gov.v1.MsgExecLegacyContentResponse\x12>\n\x04Vote\x12\x16.cosmos.gov.v1.MsgVote\x1a\x1e.cosmos.gov.v1.MsgVoteResponse\x12V\n\x0cVoteWeighted\x12\x1e.cosmos.gov.v1.MsgVoteWeighted\x1a&.cosmos.gov.v1.MsgVoteWeightedResponse\x12G\n\x07\x44\x65posit\x12\x19.cosmos.gov.v1.MsgDeposit\x1a!.cosmos.gov.v1.MsgDepositResponse\x12V\n\x0cUpdateParams\x12\x1e.cosmos.gov.v1.MsgUpdateParams\x1a&.cosmos.gov.v1.MsgUpdateParamsResponse\x12\\\n\x0e\x43\x61ncelProposal\x12 .cosmos.gov.v1.MsgCancelProposal\x1a(.cosmos.gov.v1.MsgCancelProposalResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x11\x63om.cosmos.gov.v1B\x07TxProtoP\x01Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\xa2\x02\x03\x43GX\xaa\x02\rCosmos.Gov.V1\xca\x02\rCosmos\\Gov\\V1\xe2\x02\x19\x43osmos\\Gov\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Gov::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.gov.v1B\007TxProtoP\001Z+github.com/cosmos/cosmos-sdk/x/gov/types/v1\242\002\003CGX\252\002\rCosmos.Gov.V1\312\002\rCosmos\\Gov\\V1\342\002\031Cosmos\\Gov\\V1\\GPBMetadata\352\002\017Cosmos::Gov::V1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['proposer']._loaded_options = None @@ -79,33 +89,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=252 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=599 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=601 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=649 - _globals['_MSGEXECLEGACYCONTENT']._serialized_start=652 - _globals['_MSGEXECLEGACYCONTENT']._serialized_end=819 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=821 - _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=851 - _globals['_MSGVOTE']._serialized_start=854 - _globals['_MSGVOTE']._serialized_end=1046 - _globals['_MSGVOTERESPONSE']._serialized_start=1048 - _globals['_MSGVOTERESPONSE']._serialized_end=1065 - _globals['_MSGVOTEWEIGHTED']._serialized_start=1068 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1285 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1287 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1312 - _globals['_MSGDEPOSIT']._serialized_start=1315 - _globals['_MSGDEPOSIT']._serialized_end=1514 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1516 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1536 - _globals['_MSGUPDATEPARAMS']._serialized_start=1539 - _globals['_MSGUPDATEPARAMS']._serialized_end=1707 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1709 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1734 - _globals['_MSGCANCELPROPOSAL']._serialized_start=1736 - _globals['_MSGCANCELPROPOSAL']._serialized_end=1852 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=1855 - _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2006 - _globals['_MSG']._serialized_start=2009 - _globals['_MSG']._serialized_end=2625 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=673 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=675 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=735 + _globals['_MSGEXECLEGACYCONTENT']._serialized_start=738 + _globals['_MSGEXECLEGACYCONTENT']._serialized_end=925 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_start=927 + _globals['_MSGEXECLEGACYCONTENTRESPONSE']._serialized_end=957 + _globals['_MSGVOTE']._serialized_start=960 + _globals['_MSGVOTE']._serialized_end=1189 + _globals['_MSGVOTERESPONSE']._serialized_start=1191 + _globals['_MSGVOTERESPONSE']._serialized_end=1208 + _globals['_MSGVOTEWEIGHTED']._serialized_start=1211 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1466 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1468 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1493 + _globals['_MSGDEPOSIT']._serialized_start=1496 + _globals['_MSGDEPOSIT']._serialized_end=1726 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1728 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1748 + _globals['_MSGUPDATEPARAMS']._serialized_start=1751 + _globals['_MSGUPDATEPARAMS']._serialized_end=1938 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1940 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1965 + _globals['_MSGCANCELPROPOSAL']._serialized_start=1968 + _globals['_MSGCANCELPROPOSAL']._serialized_end=2106 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_start=2109 + _globals['_MSGCANCELPROPOSALRESPONSE']._serialized_end=2302 + _globals['_MSG']._serialized_start=2305 + _globals['_MSG']._serialized_end=2921 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py index 73aa2466..9107f741 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\xc4\x03\n\x0cGenesisState\x12\x1c\n\x14starting_proposal_id\x18\x01 \x01(\x04\x12\x44\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01\x12;\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01\x12G\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/gov/v1beta1/genesis.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x11\x61mino/amino.proto\"\x9e\x04\n\x0cGenesisState\x12\x30\n\x14starting_proposal_id\x18\x01 \x01(\x04R\x12startingProposalId\x12N\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\x15\xc8\xde\x1f\x00\xaa\xdf\x1f\x08\x44\x65posits\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12\x42\n\x05votes\x18\x03 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\x12\xc8\xde\x1f\x00\xaa\xdf\x1f\x05Votes\xa8\xe7\xb0*\x01R\x05votes\x12R\n\tproposals\x18\x04 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\x16\xc8\xde\x1f\x00\xaa\xdf\x1f\tProposals\xa8\xe7\xb0*\x01R\tproposals\x12S\n\x0e\x64\x65posit_params\x18\x05 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12P\n\rvoting_params\x18\x06 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12M\n\x0ctally_params\x18\x07 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParamsB\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x0cGenesisProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\014GenesisProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_GENESISSTATE'].fields_by_name['deposits']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['deposits']._serialized_options = b'\310\336\037\000\252\337\037\010Deposits\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['votes']._loaded_options = None @@ -38,5 +48,5 @@ _globals['_GENESISSTATE'].fields_by_name['tally_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['tally_params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=128 - _globals['_GENESISSTATE']._serialized_end=580 + _globals['_GENESISSTATE']._serialized_end=670 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py index 63b30b1a..a1fadb6e 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/gov.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/gov.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8c\x01\n\x12WeightedVoteOption\x12.\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption\x12\x46\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"r\n\x0cTextProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xb7\x01\n\x07\x44\x65posit\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12`\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x04\n\x08Proposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x45\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12\x32\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\x46\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x43\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12g\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x42\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x87\x02\n\x0bTallyResult\x12\x38\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x37\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x41\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xd6\x01\n\x04Vote\x12\'\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x32\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01\x12\x42\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\rDepositParams\x12y\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12_\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01\"e\n\x0cVotingParams\x12U\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01\"\xa8\x02\n\x0bTallyParams\x12U\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.Dec\x12[\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.Dec\x12\x65\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.Dec*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\x36Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/gov/v1beta1/gov.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x12WeightedVoteOption\x12\x36\n\x06option\x18\x01 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option\x12N\n\x06weight\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x06weight\"\x86\x01\n\x0cTextProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:>\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17\x63osmos-sdk/TextProposal\"\xd6\x01\n\x07\x44\x65posit\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12h\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x06\x61mount:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd9\x05\n\x08Proposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12N\n\x07\x63ontent\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12:\n\x06status\x18\x03 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x06status\x12X\n\x12\x66inal_tally_result\x18\x04 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12S\n\x10\x64\x65posit_end_time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x64\x65positEndTime\x12u\n\rtotal_deposit\x18\x07 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01R\x0ctotalDeposit\x12U\n\x11voting_start_time\x18\x08 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingStartTime\x12Q\n\x0fvoting_end_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\rvotingEndTime:\x04\xe8\xa0\x1f\x01\"\xa5\x02\n\x0bTallyResult\x12=\n\x03yes\x18\x01 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x03yes\x12\x45\n\x07\x61\x62stain\x18\x02 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x61\x62stain\x12;\n\x02no\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x02no\x12M\n\x0cno_with_veto\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\nnoWithVeto:\x04\xe8\xa0\x1f\x01\"\xfa\x01\n\x04Vote\x12\x33\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x12\xea\xde\x1f\x02id\xa2\xe7\xb0*\x02id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12:\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionB\x02\x18\x01R\x06option\x12K\n\x07options\x18\x04 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:\x04\xe8\xa0\x1f\x00\"\x8a\x02\n\rDepositParams\x12\x85\x01\n\x0bmin_deposit\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBI\xc8\xde\x1f\x00\xea\xde\x1f\x15min_deposit,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nminDeposit\x12q\n\x12max_deposit_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB(\xc8\xde\x1f\x00\xea\xde\x1f\x1cmax_deposit_period,omitempty\x98\xdf\x1f\x01R\x10maxDepositPeriod\"s\n\x0cVotingParams\x12\x63\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB#\xc8\xde\x1f\x00\xea\xde\x1f\x17voting_period,omitempty\x98\xdf\x1f\x01R\x0cvotingPeriod\"\xca\x02\n\x0bTallyParams\x12]\n\x06quorum\x18\x01 \x01(\x0c\x42\x45\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x10quorum,omitempty\xd2\xb4-\ncosmos.DecR\x06quorum\x12\x66\n\tthreshold\x18\x02 \x01(\x0c\x42H\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x13threshold,omitempty\xd2\xb4-\ncosmos.DecR\tthreshold\x12t\n\x0eveto_threshold\x18\x03 \x01(\x0c\x42M\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xea\xde\x1f\x18veto_threshold,omitempty\xd2\xb4-\ncosmos.DecR\rvetoThreshold*\xe6\x01\n\nVoteOption\x12,\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bOptionEmpty\x12\"\n\x0fVOTE_OPTION_YES\x10\x01\x1a\r\x8a\x9d \tOptionYes\x12*\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x1a\x11\x8a\x9d \rOptionAbstain\x12 \n\x0eVOTE_OPTION_NO\x10\x03\x1a\x0c\x8a\x9d \x08OptionNo\x12\x32\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x14\x8a\x9d \x10OptionNoWithVeto\x1a\x04\x88\xa3\x1e\x00*\xcc\x02\n\x0eProposalStatus\x12.\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x1a\r\x8a\x9d \tStatusNil\x12;\n\x1ePROPOSAL_STATUS_DEPOSIT_PERIOD\x10\x01\x1a\x17\x8a\x9d \x13StatusDepositPeriod\x12\x39\n\x1dPROPOSAL_STATUS_VOTING_PERIOD\x10\x02\x1a\x16\x8a\x9d \x12StatusVotingPeriod\x12,\n\x16PROPOSAL_STATUS_PASSED\x10\x03\x1a\x10\x8a\x9d \x0cStatusPassed\x12\x30\n\x18PROPOSAL_STATUS_REJECTED\x10\x04\x1a\x12\x8a\x9d \x0eStatusRejected\x12,\n\x16PROPOSAL_STATUS_FAILED\x10\x05\x1a\x10\x8a\x9d \x0cStatusFailed\x1a\x04\x88\xa3\x1e\x00\x42\xc2\x01\n\x16\x63om.cosmos.gov.v1beta1B\x08GovProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.gov_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\010GovProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1\310\341\036\000' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_VOTEOPTION'].values_by_name["VOTE_OPTION_UNSPECIFIED"]._loaded_options = None @@ -113,26 +123,26 @@ _globals['_TALLYPARAMS'].fields_by_name['threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\023threshold,omitempty\322\264-\ncosmos.Dec' _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._loaded_options = None _globals['_TALLYPARAMS'].fields_by_name['veto_threshold']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\352\336\037\030veto_threshold,omitempty\322\264-\ncosmos.Dec' - _globals['_VOTEOPTION']._serialized_start=2424 - _globals['_VOTEOPTION']._serialized_end=2654 - _globals['_PROPOSALSTATUS']._serialized_start=2657 - _globals['_PROPOSALSTATUS']._serialized_end=2989 + _globals['_VOTEOPTION']._serialized_start=2758 + _globals['_VOTEOPTION']._serialized_end=2988 + _globals['_PROPOSALSTATUS']._serialized_start=2991 + _globals['_PROPOSALSTATUS']._serialized_end=3323 _globals['_WEIGHTEDVOTEOPTION']._serialized_start=245 - _globals['_WEIGHTEDVOTEOPTION']._serialized_end=385 - _globals['_TEXTPROPOSAL']._serialized_start=387 - _globals['_TEXTPROPOSAL']._serialized_end=501 - _globals['_DEPOSIT']._serialized_start=504 - _globals['_DEPOSIT']._serialized_end=687 - _globals['_PROPOSAL']._serialized_start=690 - _globals['_PROPOSAL']._serialized_end=1298 - _globals['_TALLYRESULT']._serialized_start=1301 - _globals['_TALLYRESULT']._serialized_end=1564 - _globals['_VOTE']._serialized_start=1567 - _globals['_VOTE']._serialized_end=1781 - _globals['_DEPOSITPARAMS']._serialized_start=1784 - _globals['_DEPOSITPARAMS']._serialized_end=2019 - _globals['_VOTINGPARAMS']._serialized_start=2021 - _globals['_VOTINGPARAMS']._serialized_end=2122 - _globals['_TALLYPARAMS']._serialized_start=2125 - _globals['_TALLYPARAMS']._serialized_end=2421 + _globals['_WEIGHTEDVOTEOPTION']._serialized_end=401 + _globals['_TEXTPROPOSAL']._serialized_start=404 + _globals['_TEXTPROPOSAL']._serialized_end=538 + _globals['_DEPOSIT']._serialized_start=541 + _globals['_DEPOSIT']._serialized_end=755 + _globals['_PROPOSAL']._serialized_start=758 + _globals['_PROPOSAL']._serialized_end=1487 + _globals['_TALLYRESULT']._serialized_start=1490 + _globals['_TALLYRESULT']._serialized_end=1783 + _globals['_VOTE']._serialized_start=1786 + _globals['_VOTE']._serialized_end=2036 + _globals['_DEPOSITPARAMS']._serialized_start=2039 + _globals['_DEPOSITPARAMS']._serialized_end=2305 + _globals['_VOTINGPARAMS']._serialized_start=2307 + _globals['_VOTINGPARAMS']._serialized_end=2422 + _globals['_TALLYPARAMS']._serialized_start=2425 + _globals['_TALLYPARAMS']._serialized_end=2755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py index 465099d0..5c3bcdea 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x15QueryProposalResponse\x12\x39\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf0\x01\n\x15QueryProposalsRequest\x12;\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatus\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x16QueryProposalsResponse\x12:\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"Z\n\x10QueryVoteRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x11QueryVoteResponse\x12\x31\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"d\n\x11QueryVotesRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x12QueryVotesResponse\x12\x32\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\")\n\x12QueryParamsRequest\x12\x13\n\x0bparams_type\x18\x01 \x01(\t\"\xe1\x01\n\x13QueryParamsResponse\x12\x42\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"a\n\x13QueryDepositRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"O\n\x14QueryDepositResponse\x12\x37\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"g\n\x14QueryDepositsRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x8e\x01\n\x15QueryDepositsResponse\x12\x38\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"U\n\x18QueryTallyResultResponse\x12\x39\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB2Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/gov/v1beta1/query.proto\x12\x12\x63osmos.gov.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x15QueryProposalResponse\x12\x43\n\x08proposal\x18\x01 \x01(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08proposal\"\x9e\x02\n\x15QueryProposalsRequest\x12K\n\x0fproposal_status\x18\x01 \x01(\x0e\x32\".cosmos.gov.v1beta1.ProposalStatusR\x0eproposalStatus\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\tdepositor\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa8\x01\n\x16QueryProposalsResponse\x12\x45\n\tproposals\x18\x01 \x03(\x0b\x32\x1c.cosmos.gov.v1beta1.ProposalB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"m\n\x10QueryVoteRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"L\n\x11QueryVoteResponse\x12\x37\n\x04vote\x18\x01 \x01(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04vote\"|\n\x11QueryVotesRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x98\x01\n\x12QueryVotesResponse\x12\x39\n\x05votes\x18\x01 \x03(\x0b\x32\x18.cosmos.gov.v1beta1.VoteB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"5\n\x12QueryParamsRequest\x12\x1f\n\x0bparams_type\x18\x01 \x01(\tR\nparamsType\"\x8b\x02\n\x13QueryParamsResponse\x12P\n\rvoting_params\x18\x01 \x01(\x0b\x32 .cosmos.gov.v1beta1.VotingParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cvotingParams\x12S\n\x0e\x64\x65posit_params\x18\x02 \x01(\x0b\x32!.cosmos.gov.v1beta1.DepositParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rdepositParams\x12M\n\x0ctally_params\x18\x03 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0btallyParams\"x\n\x13QueryDepositRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x14QueryDepositResponse\x12@\n\x07\x64\x65posit\x18\x01 \x01(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x64\x65posit\"\x7f\n\x14QueryDepositsRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x15QueryDepositsResponse\x12\x42\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32\x1b.cosmos.gov.v1beta1.DepositB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x64\x65posits\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\\\n\x18QueryTallyResultResponse\x12@\n\x05tally\x18\x01 \x01(\x0b\x32\x1f.cosmos.gov.v1beta1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally2\xd4\t\n\x05Query\x12\x94\x01\n\x08Proposal\x12(.cosmos.gov.v1beta1.QueryProposalRequest\x1a).cosmos.gov.v1beta1.QueryProposalResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/gov/v1beta1/proposals/{proposal_id}\x12\x89\x01\n\tProposals\x12).cosmos.gov.v1beta1.QueryProposalsRequest\x1a*.cosmos.gov.v1beta1.QueryProposalsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/gov/v1beta1/proposals\x12\x96\x01\n\x04Vote\x12$.cosmos.gov.v1beta1.QueryVoteRequest\x1a%.cosmos.gov.v1beta1.QueryVoteResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/cosmos/gov/v1beta1/proposals/{proposal_id}/votes/{voter}\x12\x91\x01\n\x05Votes\x12%.cosmos.gov.v1beta1.QueryVotesRequest\x1a&.cosmos.gov.v1beta1.QueryVotesResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/votes\x12\x8b\x01\n\x06Params\x12&.cosmos.gov.v1beta1.QueryParamsRequest\x1a\'.cosmos.gov.v1beta1.QueryParamsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/gov/v1beta1/params/{params_type}\x12\xa6\x01\n\x07\x44\x65posit\x12\'.cosmos.gov.v1beta1.QueryDepositRequest\x1a(.cosmos.gov.v1beta1.QueryDepositResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits/{depositor}\x12\x9d\x01\n\x08\x44\x65posits\x12(.cosmos.gov.v1beta1.QueryDepositsRequest\x1a).cosmos.gov.v1beta1.QueryDepositsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/gov/v1beta1/proposals/{proposal_id}/deposits\x12\xa3\x01\n\x0bTallyResult\x12+.cosmos.gov.v1beta1.QueryTallyResultRequest\x1a,.cosmos.gov.v1beta1.QueryTallyResultResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/cosmos/gov/v1beta1/proposals/{proposal_id}/tallyB\xc0\x01\n\x16\x63om.cosmos.gov.v1beta1B\nQueryProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\nQueryProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._loaded_options = None _globals['_QUERYPROPOSALRESPONSE'].fields_by_name['proposal']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYPROPOSALSREQUEST'].fields_by_name['voter']._loaded_options = None @@ -79,37 +89,37 @@ _globals['_QUERY'].methods_by_name['TallyResult']._loaded_options = None _globals['_QUERY'].methods_by_name['TallyResult']._serialized_options = b'\202\323\344\223\0023\0221/cosmos/gov/v1beta1/proposals/{proposal_id}/tally' _globals['_QUERYPROPOSALREQUEST']._serialized_start=226 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=269 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=271 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=353 - _globals['_QUERYPROPOSALSREQUEST']._serialized_start=356 - _globals['_QUERYPROPOSALSREQUEST']._serialized_end=596 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=599 - _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=744 - _globals['_QUERYVOTEREQUEST']._serialized_start=746 - _globals['_QUERYVOTEREQUEST']._serialized_end=836 - _globals['_QUERYVOTERESPONSE']._serialized_start=838 - _globals['_QUERYVOTERESPONSE']._serialized_end=908 - _globals['_QUERYVOTESREQUEST']._serialized_start=910 - _globals['_QUERYVOTESREQUEST']._serialized_end=1010 - _globals['_QUERYVOTESRESPONSE']._serialized_start=1013 - _globals['_QUERYVOTESRESPONSE']._serialized_end=1146 - _globals['_QUERYPARAMSREQUEST']._serialized_start=1148 - _globals['_QUERYPARAMSREQUEST']._serialized_end=1189 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=1192 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=1417 - _globals['_QUERYDEPOSITREQUEST']._serialized_start=1419 - _globals['_QUERYDEPOSITREQUEST']._serialized_end=1516 - _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1518 - _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1597 - _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1599 - _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1702 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1705 - _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=1847 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=1849 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=1895 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=1897 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=1982 - _globals['_QUERY']._serialized_start=1985 - _globals['_QUERY']._serialized_end=3221 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=281 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=283 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=375 + _globals['_QUERYPROPOSALSREQUEST']._serialized_start=378 + _globals['_QUERYPROPOSALSREQUEST']._serialized_end=664 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_start=667 + _globals['_QUERYPROPOSALSRESPONSE']._serialized_end=835 + _globals['_QUERYVOTEREQUEST']._serialized_start=837 + _globals['_QUERYVOTEREQUEST']._serialized_end=946 + _globals['_QUERYVOTERESPONSE']._serialized_start=948 + _globals['_QUERYVOTERESPONSE']._serialized_end=1024 + _globals['_QUERYVOTESREQUEST']._serialized_start=1026 + _globals['_QUERYVOTESREQUEST']._serialized_end=1150 + _globals['_QUERYVOTESRESPONSE']._serialized_start=1153 + _globals['_QUERYVOTESRESPONSE']._serialized_end=1305 + _globals['_QUERYPARAMSREQUEST']._serialized_start=1307 + _globals['_QUERYPARAMSREQUEST']._serialized_end=1360 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=1363 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=1630 + _globals['_QUERYDEPOSITREQUEST']._serialized_start=1632 + _globals['_QUERYDEPOSITREQUEST']._serialized_end=1752 + _globals['_QUERYDEPOSITRESPONSE']._serialized_start=1754 + _globals['_QUERYDEPOSITRESPONSE']._serialized_end=1842 + _globals['_QUERYDEPOSITSREQUEST']._serialized_start=1844 + _globals['_QUERYDEPOSITSREQUEST']._serialized_end=1971 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_start=1974 + _globals['_QUERYDEPOSITSRESPONSE']._serialized_end=2138 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2140 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2198 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2200 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=2292 + _globals['_QUERY']._serialized_start=2295 + _globals['_QUERY']._serialized_end=3531 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py index 64bc3513..8d394d98 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/gov/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/gov/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.gov.v1beta1 import gov_pb2 as cosmos_dot_gov_dot_v1beta1_dot_gov__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xba\x02\n\x11MsgSubmitProposal\x12\x45\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x12z\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12*\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"F\n\x19MsgSubmitProposalResponse\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\"\xa2\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12.\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOption:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xdc\x01\n\x0fMsgVoteWeighted\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x42\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\x8d\x02\n\nMsgDeposit\x12)\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01\x12+\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x32Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/gov/v1beta1/tx.proto\x12\x12\x63osmos.gov.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmos/gov/v1beta1/gov.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xde\x02\n\x11MsgSubmitProposal\x12N\n\x07\x63ontent\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyB\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentR\x07\x63ontent\x12\x8a\x01\n\x0finitial_deposit\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0einitialDeposit\x12\x34\n\x08proposer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08proposer:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x08proposer\x8a\xe7\xb0*\x1c\x63osmos-sdk/MsgSubmitProposal\"R\n\x19MsgSubmitProposalResponse\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\"\xbd\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x36\n\x06option\x18\x03 \x01(\x0e\x32\x1e.cosmos.gov.v1beta1.VoteOptionR\x06option:)\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x12\x63osmos-sdk/MsgVote\"\x11\n\x0fMsgVoteResponse\"\xf8\x01\n\x0fMsgVoteWeighted\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12K\n\x07options\x18\x03 \x03(\x0b\x32&.cosmos.gov.v1beta1.WeightedVoteOptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07options:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgVoteWeighted\"\x19\n\x17MsgVoteWeightedResponse\"\xac\x02\n\nMsgDeposit\x12\x35\n\x0bproposal_id\x18\x01 \x01(\x04\x42\x14\xea\xde\x1f\x0bproposal_id\xa8\xe7\xb0*\x01R\nproposalId\x12\x36\n\tdepositor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tdepositor\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:4\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x80\xdc \x00\x82\xe7\xb0*\tdepositor\x8a\xe7\xb0*\x15\x63osmos-sdk/MsgDeposit\"\x14\n\x12MsgDepositResponse2\xf3\x02\n\x03Msg\x12\x66\n\x0eSubmitProposal\x12%.cosmos.gov.v1beta1.MsgSubmitProposal\x1a-.cosmos.gov.v1beta1.MsgSubmitProposalResponse\x12H\n\x04Vote\x12\x1b.cosmos.gov.v1beta1.MsgVote\x1a#.cosmos.gov.v1beta1.MsgVoteResponse\x12`\n\x0cVoteWeighted\x12#.cosmos.gov.v1beta1.MsgVoteWeighted\x1a+.cosmos.gov.v1beta1.MsgVoteWeightedResponse\x12Q\n\x07\x44\x65posit\x12\x1e.cosmos.gov.v1beta1.MsgDeposit\x1a&.cosmos.gov.v1beta1.MsgDepositResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x16\x63om.cosmos.gov.v1beta1B\x07TxProtoP\x01Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\xa2\x02\x03\x43GX\xaa\x02\x12\x43osmos.Gov.V1beta1\xca\x02\x12\x43osmos\\Gov\\V1beta1\xe2\x02\x1e\x43osmos\\Gov\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Gov::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.gov.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.gov.v1beta1B\007TxProtoP\001Z0github.com/cosmos/cosmos-sdk/x/gov/types/v1beta1\242\002\003CGX\252\002\022Cosmos.Gov.V1beta1\312\002\022Cosmos\\Gov\\V1beta1\342\002\036Cosmos\\Gov\\V1beta1\\GPBMetadata\352\002\024Cosmos::Gov::V1beta1' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._loaded_options = None _globals['_MSGSUBMITPROPOSAL'].fields_by_name['content']._serialized_options = b'\312\264-\032cosmos.gov.v1beta1.Content' _globals['_MSGSUBMITPROPOSAL'].fields_by_name['initial_deposit']._loaded_options = None @@ -62,21 +72,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSUBMITPROPOSAL']._serialized_start=234 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=548 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=550 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=620 - _globals['_MSGVOTE']._serialized_start=623 - _globals['_MSGVOTE']._serialized_end=785 - _globals['_MSGVOTERESPONSE']._serialized_start=787 - _globals['_MSGVOTERESPONSE']._serialized_end=804 - _globals['_MSGVOTEWEIGHTED']._serialized_start=807 - _globals['_MSGVOTEWEIGHTED']._serialized_end=1027 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1029 - _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1054 - _globals['_MSGDEPOSIT']._serialized_start=1057 - _globals['_MSGDEPOSIT']._serialized_end=1326 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1328 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1348 - _globals['_MSG']._serialized_start=1351 - _globals['_MSG']._serialized_end=1722 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=584 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=586 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=668 + _globals['_MSGVOTE']._serialized_start=671 + _globals['_MSGVOTE']._serialized_end=860 + _globals['_MSGVOTERESPONSE']._serialized_start=862 + _globals['_MSGVOTERESPONSE']._serialized_end=879 + _globals['_MSGVOTEWEIGHTED']._serialized_start=882 + _globals['_MSGVOTEWEIGHTED']._serialized_end=1130 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_start=1132 + _globals['_MSGVOTEWEIGHTEDRESPONSE']._serialized_end=1157 + _globals['_MSGDEPOSIT']._serialized_start=1160 + _globals['_MSGDEPOSIT']._serialized_end=1460 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1462 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1482 + _globals['_MSG']._serialized_start=1485 + _globals['_MSG']._serialized_end=1856 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py index e735d56d..fc34209d 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2.py @@ -1,34 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x06Module\x12\x46\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x18\n\x10max_metadata_len\x18\x02 \x01(\x04:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/group/module/v1/module.proto\x12\x16\x63osmos.group.module.v1\x1a cosmos/app/v1alpha1/module.proto\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x11\x61mino/amino.proto\"\xbc\x01\n\x06Module\x12Z\n\x14max_execution_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12maxExecutionPeriod\x12(\n\x10max_metadata_len\x18\x02 \x01(\x04R\x0emaxMetadataLen:,\xba\xc0\x96\xda\x01&\n$github.com/cosmos/cosmos-sdk/x/groupB\xa4\x01\n\x1a\x63om.cosmos.group.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43GM\xaa\x02\x16\x43osmos.Group.Module.V1\xca\x02\x16\x43osmos\\Group\\Module\\V1\xe2\x02\"Cosmos\\Group\\Module\\V1\\GPBMetadata\xea\x02\x19\x43osmos::Group::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.group.module.v1B\013ModuleProtoP\001\242\002\003CGM\252\002\026Cosmos.Group.Module.V1\312\002\026Cosmos\\Group\\Module\\V1\342\002\"Cosmos\\Group\\Module\\V1\\GPBMetadata\352\002\031Cosmos::Group::Module::V1' _globals['_MODULE'].fields_by_name['max_execution_period']._loaded_options = None _globals['_MODULE'].fields_by_name['max_execution_period']._serialized_options = b'\310\336\037\000\230\337\037\001\250\347\260*\001' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001&\n$github.com/cosmos/cosmos-sdk/x/group' _globals['_MODULE']._serialized_start=171 - _globals['_MODULE']._serialized_end=323 + _globals['_MODULE']._serialized_end=359 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2.py b/pyinjective/proto/cosmos/group/v1/events_pb2.py index 1c3d7028..bd6945b0 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"$\n\x10\x45ventCreateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"$\n\x10\x45ventUpdateGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"C\n\x16\x45ventCreateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"C\n\x16\x45ventUpdateGroupPolicy\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"*\n\x13\x45ventSubmitProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\",\n\x15\x45ventWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\" \n\tEventVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"g\n\tEventExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12\x0c\n\x04logs\x18\x03 \x01(\t\"N\n\x0f\x45ventLeaveGroup\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x8f\x01\n\x13\x45ventProposalPruned\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12/\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x32\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/group/v1/events.proto\x12\x0f\x63osmos.group.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/group/v1/types.proto\"-\n\x10\x45ventCreateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"-\n\x10\x45ventUpdateGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"L\n\x16\x45ventCreateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"L\n\x16\x45ventUpdateGroupPolicy\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"6\n\x13\x45ventSubmitProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"8\n\x15\x45ventWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\",\n\tEventVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\x81\x01\n\tEventExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\x12\x12\n\x04logs\x18\x03 \x01(\tR\x04logs\"`\n\x0f\x45ventLeaveGroup\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xb0\x01\n\x13\x45ventProposalPruned\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x37\n\x06status\x18\x02 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12?\n\x0ctally_result\x18\x03 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultR\x0btallyResultB\xa6\x01\n\x13\x63om.cosmos.group.v1B\x0b\x45ventsProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\013EventsProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None _globals['_EVENTCREATEGROUPPOLICY'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTUPDATEGROUPPOLICY'].fields_by_name['address']._loaded_options = None @@ -31,23 +41,23 @@ _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._loaded_options = None _globals['_EVENTLEAVEGROUP'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EVENTCREATEGROUP']._serialized_start=105 - _globals['_EVENTCREATEGROUP']._serialized_end=141 - _globals['_EVENTUPDATEGROUP']._serialized_start=143 - _globals['_EVENTUPDATEGROUP']._serialized_end=179 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=181 - _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=248 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=250 - _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=317 - _globals['_EVENTSUBMITPROPOSAL']._serialized_start=319 - _globals['_EVENTSUBMITPROPOSAL']._serialized_end=361 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=363 - _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=407 - _globals['_EVENTVOTE']._serialized_start=409 - _globals['_EVENTVOTE']._serialized_end=441 - _globals['_EVENTEXEC']._serialized_start=443 - _globals['_EVENTEXEC']._serialized_end=546 - _globals['_EVENTLEAVEGROUP']._serialized_start=548 - _globals['_EVENTLEAVEGROUP']._serialized_end=626 - _globals['_EVENTPROPOSALPRUNED']._serialized_start=629 - _globals['_EVENTPROPOSALPRUNED']._serialized_end=772 + _globals['_EVENTCREATEGROUP']._serialized_end=150 + _globals['_EVENTUPDATEGROUP']._serialized_start=152 + _globals['_EVENTUPDATEGROUP']._serialized_end=197 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_start=199 + _globals['_EVENTCREATEGROUPPOLICY']._serialized_end=275 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_start=277 + _globals['_EVENTUPDATEGROUPPOLICY']._serialized_end=353 + _globals['_EVENTSUBMITPROPOSAL']._serialized_start=355 + _globals['_EVENTSUBMITPROPOSAL']._serialized_end=409 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_start=411 + _globals['_EVENTWITHDRAWPROPOSAL']._serialized_end=467 + _globals['_EVENTVOTE']._serialized_start=469 + _globals['_EVENTVOTE']._serialized_end=513 + _globals['_EVENTEXEC']._serialized_start=516 + _globals['_EVENTEXEC']._serialized_end=645 + _globals['_EVENTLEAVEGROUP']._serialized_start=647 + _globals['_EVENTLEAVEGROUP']._serialized_end=743 + _globals['_EVENTPROPOSALPRUNED']._serialized_start=746 + _globals['_EVENTPROPOSALPRUNED']._serialized_end=922 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py index 78748ede..d688d4cc 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\xc0\x02\n\x0cGenesisState\x12\x11\n\tgroup_seq\x18\x01 \x01(\x04\x12*\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12\x33\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12\x18\n\x10group_policy_seq\x18\x04 \x01(\x04\x12\x38\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12\x14\n\x0cproposal_seq\x18\x06 \x01(\x04\x12,\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12$\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1d\x63osmos/group/v1/genesis.proto\x12\x0f\x63osmos.group.v1\x1a\x1b\x63osmos/group/v1/types.proto\"\x9e\x03\n\x0cGenesisState\x12\x1b\n\tgroup_seq\x18\x01 \x01(\x04R\x08groupSeq\x12\x32\n\x06groups\x18\x02 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12\x41\n\rgroup_members\x18\x03 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x0cgroupMembers\x12(\n\x10group_policy_seq\x18\x04 \x01(\x04R\x0egroupPolicySeq\x12G\n\x0egroup_policies\x18\x05 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12!\n\x0cproposal_seq\x18\x06 \x01(\x04R\x0bproposalSeq\x12\x37\n\tproposals\x18\x07 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12+\n\x05votes\x18\x08 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votesB\xa7\x01\n\x13\x63om.cosmos.group.v1B\x0cGenesisProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\014GenesisProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_GENESISSTATE']._serialized_start=80 - _globals['_GENESISSTATE']._serialized_end=400 + _globals['_GENESISSTATE']._serialized_end=494 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/query_pb2.py b/pyinjective/proto/cosmos/group/v1/query_pb2.py index f6398b5e..92ab48cc 100644 --- a/pyinjective/proto/cosmos/group/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\")\n\x15QueryGroupInfoRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"B\n\x16QueryGroupInfoResponse\x12(\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\"H\n\x1bQueryGroupPolicyInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"N\n\x1cQueryGroupPolicyInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\"h\n\x18QueryGroupMembersRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x87\x01\n\x19QueryGroupMembersResponse\x12-\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMember\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x80\x01\n\x19QueryGroupsByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x85\x01\n\x1aQueryGroupsByAdminResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"p\n QueryGroupPoliciesByGroupRequest\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByGroupResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x87\x01\n QueryGroupPoliciesByAdminRequest\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x9a\x01\n!QueryGroupPoliciesByAdminResponse\x12\x38\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"+\n\x14QueryProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"D\n\x15QueryProposalResponse\x12+\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.Proposal\"\x8b\x01\n\"QueryProposalsByGroupPolicyRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n#QueryProposalsByGroupPolicyResponse\x12,\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.Proposal\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"_\n\x1fQueryVoteByProposalVoterRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"G\n QueryVoteByProposalVoterResponse\x12#\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.Vote\"n\n\x1bQueryVotesByProposalRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x81\x01\n\x1cQueryVotesByProposalResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x7f\n\x18QueryVotesByVoterRequest\x12\'\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x19QueryVotesByVoterResponse\x12$\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.Vote\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x83\x01\n\x1aQueryGroupsByMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x86\x01\n\x1bQueryGroupsByMemberResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\".\n\x17QueryTallyResultRequest\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"R\n\x18QueryTallyResultResponse\x12\x36\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"P\n\x12QueryGroupsRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"~\n\x13QueryGroupsResponse\x12*\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfo\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/query.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"2\n\x15QueryGroupInfoRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"H\n\x16QueryGroupInfoResponse\x12.\n\x04info\x18\x01 \x01(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x04info\"Q\n\x1bQueryGroupPolicyInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"T\n\x1cQueryGroupPolicyInfoResponse\x12\x34\n\x04info\x18\x01 \x01(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\x04info\"}\n\x18QueryGroupMembersRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9c\x01\n\x19QueryGroupMembersResponse\x12\x36\n\x07members\x18\x01 \x03(\x0b\x32\x1c.cosmos.group.v1.GroupMemberR\x07members\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x93\x01\n\x19QueryGroupsByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x99\x01\n\x1aQueryGroupsByAdminResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n QueryGroupPoliciesByGroupRequest\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByGroupResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n QueryGroupPoliciesByAdminRequest\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb5\x01\n!QueryGroupPoliciesByAdminResponse\x12G\n\x0egroup_policies\x18\x01 \x03(\x0b\x32 .cosmos.group.v1.GroupPolicyInfoR\rgroupPolicies\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x14QueryProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"N\n\x15QueryProposalResponse\x12\x35\n\x08proposal\x18\x01 \x01(\x0b\x32\x19.cosmos.group.v1.ProposalR\x08proposal\"\xa0\x01\n\"QueryProposalsByGroupPolicyRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa7\x01\n#QueryProposalsByGroupPolicyResponse\x12\x37\n\tproposals\x18\x01 \x03(\x0b\x32\x19.cosmos.group.v1.ProposalR\tproposals\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"r\n\x1fQueryVoteByProposalVoterRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\"M\n QueryVoteByProposalVoterResponse\x12)\n\x04vote\x18\x01 \x01(\x0b\x32\x15.cosmos.group.v1.VoteR\x04vote\"\x86\x01\n\x1bQueryVotesByProposalRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x1cQueryVotesByProposalResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x92\x01\n\x18QueryVotesByVoterRequest\x12.\n\x05voter\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x91\x01\n\x19QueryVotesByVoterResponse\x12+\n\x05votes\x18\x01 \x03(\x0b\x32\x15.cosmos.group.v1.VoteR\x05votes\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x98\x01\n\x1aQueryGroupsByMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9a\x01\n\x1bQueryGroupsByMemberResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\":\n\x17QueryTallyResultRequest\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"Y\n\x18QueryTallyResultResponse\x12=\n\x05tally\x18\x01 \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05tally\"\\\n\x12QueryGroupsRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x92\x01\n\x13QueryGroupsResponse\x12\x32\n\x06groups\x18\x01 \x03(\x0b\x32\x1a.cosmos.group.v1.GroupInfoR\x06groups\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xfb\x11\n\x05Query\x12\x8c\x01\n\tGroupInfo\x12&.cosmos.group.v1.QueryGroupInfoRequest\x1a\'.cosmos.group.v1.QueryGroupInfoResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/group/v1/group_info/{group_id}\x12\xa4\x01\n\x0fGroupPolicyInfo\x12,.cosmos.group.v1.QueryGroupPolicyInfoRequest\x1a-.cosmos.group.v1.QueryGroupPolicyInfoResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmos/group/v1/group_policy_info/{address}\x12\x98\x01\n\x0cGroupMembers\x12).cosmos.group.v1.QueryGroupMembersRequest\x1a*.cosmos.group.v1.QueryGroupMembersResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/group/v1/group_members/{group_id}\x12\x9a\x01\n\rGroupsByAdmin\x12*.cosmos.group.v1.QueryGroupsByAdminRequest\x1a+.cosmos.group.v1.QueryGroupsByAdminResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/group/v1/groups_by_admin/{admin}\x12\xba\x01\n\x14GroupPoliciesByGroup\x12\x31.cosmos.group.v1.QueryGroupPoliciesByGroupRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByGroupResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/group/v1/group_policies_by_group/{group_id}\x12\xb7\x01\n\x14GroupPoliciesByAdmin\x12\x31.cosmos.group.v1.QueryGroupPoliciesByAdminRequest\x1a\x32.cosmos.group.v1.QueryGroupPoliciesByAdminResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/group_policies_by_admin/{admin}\x12\x8a\x01\n\x08Proposal\x12%.cosmos.group.v1.QueryProposalRequest\x1a&.cosmos.group.v1.QueryProposalResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/proposal/{proposal_id}\x12\xc1\x01\n\x16ProposalsByGroupPolicy\x12\x33.cosmos.group.v1.QueryProposalsByGroupPolicyRequest\x1a\x34.cosmos.group.v1.QueryProposalsByGroupPolicyResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/group/v1/proposals_by_group_policy/{address}\x12\xc1\x01\n\x13VoteByProposalVoter\x12\x30.cosmos.group.v1.QueryVoteByProposalVoterRequest\x1a\x31.cosmos.group.v1.QueryVoteByProposalVoterResponse\"E\x82\xd3\xe4\x93\x02?\x12=/cosmos/group/v1/vote_by_proposal_voter/{proposal_id}/{voter}\x12\xa8\x01\n\x0fVotesByProposal\x12,.cosmos.group.v1.QueryVotesByProposalRequest\x1a-.cosmos.group.v1.QueryVotesByProposalResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/group/v1/votes_by_proposal/{proposal_id}\x12\x96\x01\n\x0cVotesByVoter\x12).cosmos.group.v1.QueryVotesByVoterRequest\x1a*.cosmos.group.v1.QueryVotesByVoterResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/group/v1/votes_by_voter/{voter}\x12\xa0\x01\n\x0eGroupsByMember\x12+.cosmos.group.v1.QueryGroupsByMemberRequest\x1a,.cosmos.group.v1.QueryGroupsByMemberResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/group/v1/groups_by_member/{address}\x12\x9a\x01\n\x0bTallyResult\x12(.cosmos.group.v1.QueryTallyResultRequest\x1a).cosmos.group.v1.QueryTallyResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/group/v1/proposals/{proposal_id}/tally\x12t\n\x06Groups\x12#.cosmos.group.v1.QueryGroupsRequest\x1a$.cosmos.group.v1.QueryGroupsResponse\"\x1f\x82\xd3\xe4\x93\x02\x19\x12\x17/cosmos/group/v1/groupsB\xa5\x01\n\x13\x63om.cosmos.group.v1B\nQueryProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nQueryProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYGROUPPOLICYINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYGROUPSBYADMINREQUEST'].fields_by_name['admin']._loaded_options = None @@ -73,61 +83,61 @@ _globals['_QUERY'].methods_by_name['Groups']._loaded_options = None _globals['_QUERY'].methods_by_name['Groups']._serialized_options = b'\202\323\344\223\002\031\022\027/cosmos/group/v1/groups' _globals['_QUERYGROUPINFOREQUEST']._serialized_start=219 - _globals['_QUERYGROUPINFOREQUEST']._serialized_end=260 - _globals['_QUERYGROUPINFORESPONSE']._serialized_start=262 - _globals['_QUERYGROUPINFORESPONSE']._serialized_end=328 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=330 - _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=402 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=404 - _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=482 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=484 - _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=588 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=591 - _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=726 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=729 - _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=857 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=860 - _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=993 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=995 - _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1107 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1110 - _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1264 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1267 - _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1402 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1405 - _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1559 - _globals['_QUERYPROPOSALREQUEST']._serialized_start=1561 - _globals['_QUERYPROPOSALREQUEST']._serialized_end=1604 - _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1606 - _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1674 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1677 - _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=1816 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=1819 - _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=1963 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=1965 - _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2060 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2062 - _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2133 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2135 - _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2245 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2248 - _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2377 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2379 - _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2506 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2508 - _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=2634 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=2637 - _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=2768 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=2771 - _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=2905 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=2907 - _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=2953 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=2955 - _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3037 - _globals['_QUERYGROUPSREQUEST']._serialized_start=3039 - _globals['_QUERYGROUPSREQUEST']._serialized_end=3119 - _globals['_QUERYGROUPSRESPONSE']._serialized_start=3121 - _globals['_QUERYGROUPSRESPONSE']._serialized_end=3247 - _globals['_QUERY']._serialized_start=3250 - _globals['_QUERY']._serialized_end=5549 + _globals['_QUERYGROUPINFOREQUEST']._serialized_end=269 + _globals['_QUERYGROUPINFORESPONSE']._serialized_start=271 + _globals['_QUERYGROUPINFORESPONSE']._serialized_end=343 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_start=345 + _globals['_QUERYGROUPPOLICYINFOREQUEST']._serialized_end=426 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_start=428 + _globals['_QUERYGROUPPOLICYINFORESPONSE']._serialized_end=512 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_start=514 + _globals['_QUERYGROUPMEMBERSREQUEST']._serialized_end=639 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_start=642 + _globals['_QUERYGROUPMEMBERSRESPONSE']._serialized_end=798 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_start=801 + _globals['_QUERYGROUPSBYADMINREQUEST']._serialized_end=948 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_start=951 + _globals['_QUERYGROUPSBYADMINRESPONSE']._serialized_end=1104 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_start=1107 + _globals['_QUERYGROUPPOLICIESBYGROUPREQUEST']._serialized_end=1240 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_start=1243 + _globals['_QUERYGROUPPOLICIESBYGROUPRESPONSE']._serialized_end=1424 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_start=1427 + _globals['_QUERYGROUPPOLICIESBYADMINREQUEST']._serialized_end=1581 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_start=1584 + _globals['_QUERYGROUPPOLICIESBYADMINRESPONSE']._serialized_end=1765 + _globals['_QUERYPROPOSALREQUEST']._serialized_start=1767 + _globals['_QUERYPROPOSALREQUEST']._serialized_end=1822 + _globals['_QUERYPROPOSALRESPONSE']._serialized_start=1824 + _globals['_QUERYPROPOSALRESPONSE']._serialized_end=1902 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_start=1905 + _globals['_QUERYPROPOSALSBYGROUPPOLICYREQUEST']._serialized_end=2065 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_start=2068 + _globals['_QUERYPROPOSALSBYGROUPPOLICYRESPONSE']._serialized_end=2235 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_start=2237 + _globals['_QUERYVOTEBYPROPOSALVOTERREQUEST']._serialized_end=2351 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_start=2353 + _globals['_QUERYVOTEBYPROPOSALVOTERRESPONSE']._serialized_end=2430 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_start=2433 + _globals['_QUERYVOTESBYPROPOSALREQUEST']._serialized_end=2567 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_start=2570 + _globals['_QUERYVOTESBYPROPOSALRESPONSE']._serialized_end=2718 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_start=2721 + _globals['_QUERYVOTESBYVOTERREQUEST']._serialized_end=2867 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_start=2870 + _globals['_QUERYVOTESBYVOTERRESPONSE']._serialized_end=3015 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_start=3018 + _globals['_QUERYGROUPSBYMEMBERREQUEST']._serialized_end=3170 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_start=3173 + _globals['_QUERYGROUPSBYMEMBERRESPONSE']._serialized_end=3327 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_start=3329 + _globals['_QUERYTALLYRESULTREQUEST']._serialized_end=3387 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_start=3389 + _globals['_QUERYTALLYRESULTRESPONSE']._serialized_end=3478 + _globals['_QUERYGROUPSREQUEST']._serialized_start=3480 + _globals['_QUERYGROUPSREQUEST']._serialized_end=3572 + _globals['_QUERYGROUPSRESPONSE']._serialized_start=3575 + _globals['_QUERYGROUPSRESPONSE']._serialized_end=3721 + _globals['_QUERY']._serialized_start=3724 + _globals['_QUERY']._serialized_end=6023 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/tx_pb2.py b/pyinjective/proto/cosmos/group/v1/tx_pb2.py index 5f9dddba..1dae82e7 100644 --- a/pyinjective/proto/cosmos/group/v1/tx_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.group.v1 import types_pb2 as cosmos_dot_group_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xb1\x01\n\x0eMsgCreateGroup\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08metadata\x18\x03 \x01(\t:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"*\n\x16MsgCreateGroupResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\"\xc6\x01\n\x15MsgUpdateGroupMembers\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x41\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xac\x01\n\x13MsgUpdateGroupAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\x97\x01\n\x16MsgUpdateGroupMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\xea\x01\n\x14MsgCreateGroupPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"I\n\x1cMsgCreateGroupPolicyResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xde\x01\n\x19MsgUpdateGroupPolicyAdmin\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xe0\x02\n\x18MsgCreateGroupWithPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0egroup_metadata\x18\x03 \x01(\t\x12\x1d\n\x15group_policy_metadata\x18\x04 \x01(\t\x12\x1d\n\x15group_policy_as_admin\x18\x05 \x01(\x08\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"l\n MsgCreateGroupWithPolicyResponse\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x94\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xc9\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12\'\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\x98\x02\n\x11MsgSubmitProposal\x12\x36\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tproposers\x18\x02 \x03(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12&\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.Any\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec\x12\r\n\x05title\x18\x06 \x01(\t\x12\x0f\n\x07summary\x18\x07 \x01(\t:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"0\n\x19MsgSubmitProposalResponse\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\"\x8c\x01\n\x13MsgWithdrawProposal\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12)\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xd4\x01\n\x07MsgVote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12#\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.Exec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"v\n\x07MsgExec\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12*\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"J\n\x0fMsgExecResponse\x12\x37\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\"}\n\rMsgLeaveGroup\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x18\x63osmos/group/v1/tx.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x1b\x63osmos/group/v1/types.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x01\n\x0eMsgCreateGroup\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:(\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x19\x63osmos-sdk/MsgCreateGroup\"3\n\x16MsgCreateGroupResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\"\xe5\x01\n\x15MsgUpdateGroupMembers\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12P\n\x0emember_updates\x18\x03 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rmemberUpdates:/\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0* cosmos-sdk/MsgUpdateGroupMembers\"\x1f\n\x1dMsgUpdateGroupMembersResponse\"\xc6\x01\n\x13MsgUpdateGroupAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:-\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1e\x63osmos-sdk/MsgUpdateGroupAdmin\"\x1d\n\x1bMsgUpdateGroupAdminResponse\"\xb1\x01\n\x16MsgUpdateGroupMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:0\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*!cosmos-sdk/MsgUpdateGroupMetadata\" \n\x1eMsgUpdateGroupMetadataResponse\"\x94\x02\n\x14MsgCreateGroupPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:2\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgCreateGroupPolicy\"R\n\x1cMsgCreateGroupPolicyResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\x83\x02\n\x19MsgUpdateGroupPolicyAdmin\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x35\n\tnew_admin\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin:3\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*$cosmos-sdk/MsgUpdateGroupPolicyAdmin\"#\n!MsgUpdateGroupPolicyAdminResponse\"\xb8\x03\n\x18MsgCreateGroupWithPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x43\n\x07members\x18\x02 \x03(\x0b\x32\x1e.cosmos.group.v1.MemberRequestB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07members\x12%\n\x0egroup_metadata\x18\x03 \x01(\tR\rgroupMetadata\x12\x32\n\x15group_policy_metadata\x18\x04 \x01(\tR\x13groupPolicyMetadata\x12\x31\n\x15group_policy_as_admin\x18\x05 \x01(\x08R\x12groupPolicyAsAdmin\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy:6\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*#cosmos-sdk/MsgCreateGroupWithPolicy\"\x89\x01\n MsgCreateGroupWithPolicyResponse\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\"\xbf\x02\n\"MsgUpdateGroupPolicyDecisionPolicy\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy::\x88\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupDecisionPolicy\",\n*MsgUpdateGroupPolicyDecisionPolicyResponse\"\xee\x01\n\x1cMsgUpdateGroupPolicyMetadata\x12.\n\x05\x61\x64min\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata:6\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\'cosmos-sdk/MsgUpdateGroupPolicyMetadata\"&\n$MsgUpdateGroupPolicyMetadataResponse\"\xe1\x02\n\x11MsgSubmitProposal\x12J\n\x14group_policy_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1c\n\tproposers\x18\x02 \x03(\tR\tproposers\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x30\n\x08messages\x18\x04 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec\x12\x14\n\x05title\x18\x06 \x01(\tR\x05title\x12\x18\n\x07summary\x18\x07 \x01(\tR\x07summary:9\x88\xa0\x1f\x00\x82\xe7\xb0*\tproposers\x8a\xe7\xb0*\"cosmos-sdk/group/MsgSubmitProposal\"<\n\x19MsgSubmitProposalResponse\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\"\xa1\x01\n\x13MsgWithdrawProposal\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x32\n\x07\x61\x64\x64ress\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:5\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*$cosmos-sdk/group/MsgWithdrawProposal\"\x1d\n\x1bMsgWithdrawProposalResponse\"\xff\x01\n\x07MsgVote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12)\n\x04\x65xec\x18\x05 \x01(\x0e\x32\x15.cosmos.group.v1.ExecR\x04\x65xec:\'\x82\xe7\xb0*\x05voter\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgVote\"\x11\n\x0fMsgVoteResponse\"\x8c\x01\n\x07MsgExec\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12\x34\n\x08\x65xecutor\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x65xecutor:*\x82\xe7\xb0*\x08\x65xecutor\x8a\xe7\xb0*\x18\x63osmos-sdk/group/MsgExec\"R\n\x0fMsgExecResponse\x12?\n\x06result\x18\x02 \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x06result\"\x8f\x01\n\rMsgLeaveGroup\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId:/\x82\xe7\xb0*\x07\x61\x64\x64ress\x8a\xe7\xb0*\x1e\x63osmos-sdk/group/MsgLeaveGroup\"\x17\n\x15MsgLeaveGroupResponse**\n\x04\x45xec\x12\x14\n\x10\x45XEC_UNSPECIFIED\x10\x00\x12\x0c\n\x08\x45XEC_TRY\x10\x01\x32\xca\x0b\n\x03Msg\x12W\n\x0b\x43reateGroup\x12\x1f.cosmos.group.v1.MsgCreateGroup\x1a\'.cosmos.group.v1.MsgCreateGroupResponse\x12l\n\x12UpdateGroupMembers\x12&.cosmos.group.v1.MsgUpdateGroupMembers\x1a..cosmos.group.v1.MsgUpdateGroupMembersResponse\x12\x66\n\x10UpdateGroupAdmin\x12$.cosmos.group.v1.MsgUpdateGroupAdmin\x1a,.cosmos.group.v1.MsgUpdateGroupAdminResponse\x12o\n\x13UpdateGroupMetadata\x12\'.cosmos.group.v1.MsgUpdateGroupMetadata\x1a/.cosmos.group.v1.MsgUpdateGroupMetadataResponse\x12i\n\x11\x43reateGroupPolicy\x12%.cosmos.group.v1.MsgCreateGroupPolicy\x1a-.cosmos.group.v1.MsgCreateGroupPolicyResponse\x12u\n\x15\x43reateGroupWithPolicy\x12).cosmos.group.v1.MsgCreateGroupWithPolicy\x1a\x31.cosmos.group.v1.MsgCreateGroupWithPolicyResponse\x12x\n\x16UpdateGroupPolicyAdmin\x12*.cosmos.group.v1.MsgUpdateGroupPolicyAdmin\x1a\x32.cosmos.group.v1.MsgUpdateGroupPolicyAdminResponse\x12\x93\x01\n\x1fUpdateGroupPolicyDecisionPolicy\x12\x33.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicy\x1a;.cosmos.group.v1.MsgUpdateGroupPolicyDecisionPolicyResponse\x12\x81\x01\n\x19UpdateGroupPolicyMetadata\x12-.cosmos.group.v1.MsgUpdateGroupPolicyMetadata\x1a\x35.cosmos.group.v1.MsgUpdateGroupPolicyMetadataResponse\x12`\n\x0eSubmitProposal\x12\".cosmos.group.v1.MsgSubmitProposal\x1a*.cosmos.group.v1.MsgSubmitProposalResponse\x12\x66\n\x10WithdrawProposal\x12$.cosmos.group.v1.MsgWithdrawProposal\x1a,.cosmos.group.v1.MsgWithdrawProposalResponse\x12\x42\n\x04Vote\x12\x18.cosmos.group.v1.MsgVote\x1a .cosmos.group.v1.MsgVoteResponse\x12\x42\n\x04\x45xec\x12\x18.cosmos.group.v1.MsgExec\x1a .cosmos.group.v1.MsgExecResponse\x12T\n\nLeaveGroup\x12\x1e.cosmos.group.v1.MsgLeaveGroup\x1a&.cosmos.group.v1.MsgLeaveGroupResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xa2\x01\n\x13\x63om.cosmos.group.v1B\x07TxProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\007TxProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_MSGCREATEGROUP'].fields_by_name['admin']._loaded_options = None _globals['_MSGCREATEGROUP'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEGROUP'].fields_by_name['members']._loaded_options = None @@ -112,64 +122,64 @@ _globals['_MSGLEAVEGROUP']._serialized_options = b'\202\347\260*\007address\212\347\260*\036cosmos-sdk/group/MsgLeaveGroup' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_EXEC']._serialized_start=3743 - _globals['_EXEC']._serialized_end=3785 + _globals['_EXEC']._serialized_start=4346 + _globals['_EXEC']._serialized_end=4388 _globals['_MSGCREATEGROUP']._serialized_start=195 - _globals['_MSGCREATEGROUP']._serialized_end=372 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=374 - _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=416 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=419 - _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=617 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=619 - _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=650 - _globals['_MSGUPDATEGROUPADMIN']._serialized_start=653 - _globals['_MSGUPDATEGROUPADMIN']._serialized_end=825 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=827 - _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=856 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=859 - _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1010 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1012 - _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1044 - _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1047 - _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1281 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1283 - _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1356 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1359 - _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1581 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1583 - _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1618 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1621 - _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=1973 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=1975 - _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2083 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2086 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2362 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2364 - _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2408 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2411 - _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=2612 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=2614 - _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=2652 - _globals['_MSGSUBMITPROPOSAL']._serialized_start=2655 - _globals['_MSGSUBMITPROPOSAL']._serialized_end=2935 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=2937 - _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=2985 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=2988 - _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3128 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3130 - _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3159 - _globals['_MSGVOTE']._serialized_start=3162 - _globals['_MSGVOTE']._serialized_end=3374 - _globals['_MSGVOTERESPONSE']._serialized_start=3376 - _globals['_MSGVOTERESPONSE']._serialized_end=3393 - _globals['_MSGEXEC']._serialized_start=3395 - _globals['_MSGEXEC']._serialized_end=3513 - _globals['_MSGEXECRESPONSE']._serialized_start=3515 - _globals['_MSGEXECRESPONSE']._serialized_end=3589 - _globals['_MSGLEAVEGROUP']._serialized_start=3591 - _globals['_MSGLEAVEGROUP']._serialized_end=3716 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=3718 - _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=3741 - _globals['_MSG']._serialized_start=3788 - _globals['_MSG']._serialized_end=5270 + _globals['_MSGCREATEGROUP']._serialized_end=398 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_start=400 + _globals['_MSGCREATEGROUPRESPONSE']._serialized_end=451 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_start=454 + _globals['_MSGUPDATEGROUPMEMBERS']._serialized_end=683 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_start=685 + _globals['_MSGUPDATEGROUPMEMBERSRESPONSE']._serialized_end=716 + _globals['_MSGUPDATEGROUPADMIN']._serialized_start=719 + _globals['_MSGUPDATEGROUPADMIN']._serialized_end=917 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_start=919 + _globals['_MSGUPDATEGROUPADMINRESPONSE']._serialized_end=948 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_start=951 + _globals['_MSGUPDATEGROUPMETADATA']._serialized_end=1128 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_start=1130 + _globals['_MSGUPDATEGROUPMETADATARESPONSE']._serialized_end=1162 + _globals['_MSGCREATEGROUPPOLICY']._serialized_start=1165 + _globals['_MSGCREATEGROUPPOLICY']._serialized_end=1441 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_start=1443 + _globals['_MSGCREATEGROUPPOLICYRESPONSE']._serialized_end=1525 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_start=1528 + _globals['_MSGUPDATEGROUPPOLICYADMIN']._serialized_end=1787 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_start=1789 + _globals['_MSGUPDATEGROUPPOLICYADMINRESPONSE']._serialized_end=1824 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_start=1827 + _globals['_MSGCREATEGROUPWITHPOLICY']._serialized_end=2267 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_start=2270 + _globals['_MSGCREATEGROUPWITHPOLICYRESPONSE']._serialized_end=2407 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_start=2410 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICY']._serialized_end=2729 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_start=2731 + _globals['_MSGUPDATEGROUPPOLICYDECISIONPOLICYRESPONSE']._serialized_end=2775 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_start=2778 + _globals['_MSGUPDATEGROUPPOLICYMETADATA']._serialized_end=3016 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_start=3018 + _globals['_MSGUPDATEGROUPPOLICYMETADATARESPONSE']._serialized_end=3056 + _globals['_MSGSUBMITPROPOSAL']._serialized_start=3059 + _globals['_MSGSUBMITPROPOSAL']._serialized_end=3412 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_start=3414 + _globals['_MSGSUBMITPROPOSALRESPONSE']._serialized_end=3474 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_start=3477 + _globals['_MSGWITHDRAWPROPOSAL']._serialized_end=3638 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_start=3640 + _globals['_MSGWITHDRAWPROPOSALRESPONSE']._serialized_end=3669 + _globals['_MSGVOTE']._serialized_start=3672 + _globals['_MSGVOTE']._serialized_end=3927 + _globals['_MSGVOTERESPONSE']._serialized_start=3929 + _globals['_MSGVOTERESPONSE']._serialized_end=3946 + _globals['_MSGEXEC']._serialized_start=3949 + _globals['_MSGEXEC']._serialized_end=4089 + _globals['_MSGEXECRESPONSE']._serialized_start=4091 + _globals['_MSGEXECRESPONSE']._serialized_end=4173 + _globals['_MSGLEAVEGROUP']._serialized_start=4176 + _globals['_MSGLEAVEGROUP']._serialized_end=4319 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_start=4321 + _globals['_MSGLEAVEGROUPRESPONSE']._serialized_end=4344 + _globals['_MSG']._serialized_start=4391 + _globals['_MSG']._serialized_end=5873 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2.py b/pyinjective/proto/cosmos/group/v1/types_pb2.py index 581f7add..dbad3d6b 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/group/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/group/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x92\x01\n\x06Member\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12;\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\\\n\rMemberRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0e\n\x06weight\x18\x02 \x01(\t\x12\x10\n\x08metadata\x18\x03 \x01(\t\"\xb0\x01\n\x17ThresholdDecisionPolicy\x12\x11\n\tthreshold\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xb3\x01\n\x18PercentageDecisionPolicy\x12\x12\n\npercentage\x18\x01 \x01(\t\x12\x37\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xa0\x01\n\x15\x44\x65\x63isionPolicyWindows\x12?\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x46\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xb8\x01\n\tGroupInfo\x12\n\n\x02id\x18\x01 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12\x0f\n\x07version\x18\x04 \x01(\x04\x12\x14\n\x0ctotal_weight\x18\x05 \x01(\t\x12=\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"H\n\x0bGroupMember\x12\x10\n\x08group_id\x18\x01 \x01(\x04\x12\'\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.Member\"\xb6\x02\n\x0fGroupPolicyInfo\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08group_id\x18\x02 \x01(\x04\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\x04\x12Q\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x12=\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xce\x04\n\x08Proposal\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x36\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x10\n\x08metadata\x18\x03 \x01(\t\x12+\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x15\n\rgroup_version\x18\x06 \x01(\x04\x12\x1c\n\x14group_policy_version\x18\x07 \x01(\x04\x12/\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatus\x12\x43\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x44\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12@\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResult\x12&\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05title\x18\r \x01(\t\x12\x0f\n\x07summary\x18\x0e \x01(\t:\x04\x88\xa0\x1f\x00\"k\n\x0bTallyResult\x12\x11\n\tyes_count\x18\x01 \x01(\t\x12\x15\n\rabstain_count\x18\x02 \x01(\t\x12\x10\n\x08no_count\x18\x03 \x01(\t\x12\x1a\n\x12no_with_veto_count\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xc3\x01\n\x04Vote\x12\x13\n\x0bproposal_id\x18\x01 \x01(\x04\x12\'\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOption\x12\x10\n\x08metadata\x18\x04 \x01(\t\x12>\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42&Z$github.com/cosmos/cosmos-sdk/x/groupb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/group/v1/types.proto\x12\x0f\x63osmos.group.v1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xb6\x01\n\x06Member\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x44\n\x08\x61\x64\x64\x65\x64_at\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x07\x61\x64\x64\x65\x64\x41t\"w\n\rMemberRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x16\n\x06weight\x18\x02 \x01(\tR\x06weight\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\"\xc4\x01\n\x17ThresholdDecisionPolicy\x12\x1c\n\tthreshold\x18\x01 \x01(\tR\tthreshold\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:I\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*\"cosmos-sdk/ThresholdDecisionPolicy\"\xc8\x01\n\x18PercentageDecisionPolicy\x12\x1e\n\npercentage\x18\x01 \x01(\tR\npercentage\x12@\n\x07windows\x18\x02 \x01(\x0b\x32&.cosmos.group.v1.DecisionPolicyWindowsR\x07windows:J\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicy\x8a\xe7\xb0*#cosmos-sdk/PercentageDecisionPolicy\"\xc2\x01\n\x15\x44\x65\x63isionPolicyWindows\x12M\n\rvoting_period\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0cvotingPeriod\x12Z\n\x14min_execution_period\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x12minExecutionPeriod\"\xee\x01\n\tGroupInfo\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x04 \x01(\x04R\x07version\x12!\n\x0ctotal_weight\x18\x05 \x01(\tR\x0btotalWeight\x12H\n\ncreated_at\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt\"Y\n\x0bGroupMember\x12\x19\n\x08group_id\x18\x01 \x01(\x04R\x07groupId\x12/\n\x06member\x18\x02 \x01(\x0b\x32\x17.cosmos.group.v1.MemberR\x06member\"\xfd\x02\n\x0fGroupPolicyInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x19\n\x08group_id\x18\x02 \x01(\x04R\x07groupId\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12\x18\n\x07version\x18\x05 \x01(\x04R\x07version\x12\x61\n\x0f\x64\x65\x63ision_policy\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\"\xca\xb4-\x1e\x63osmos.group.v1.DecisionPolicyR\x0e\x64\x65\x63isionPolicy\x12H\n\ncreated_at\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\tcreatedAt:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x01\"\xfe\x05\n\x08Proposal\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12J\n\x14group_policy_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x12groupPolicyAddress\x12\x1a\n\x08metadata\x18\x03 \x01(\tR\x08metadata\x12\x36\n\tproposers\x18\x04 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tproposers\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime\x12#\n\rgroup_version\x18\x06 \x01(\x04R\x0cgroupVersion\x12\x30\n\x14group_policy_version\x18\x07 \x01(\x04R\x12groupPolicyVersion\x12\x37\n\x06status\x18\x08 \x01(\x0e\x32\x1f.cosmos.group.v1.ProposalStatusR\x06status\x12U\n\x12\x66inal_tally_result\x18\t \x01(\x0b\x32\x1c.cosmos.group.v1.TallyResultB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x10\x66inalTallyResult\x12U\n\x11voting_period_end\x18\n \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0fvotingPeriodEnd\x12P\n\x0f\x65xecutor_result\x18\x0b \x01(\x0e\x32\'.cosmos.group.v1.ProposalExecutorResultR\x0e\x65xecutorResult\x12\x30\n\x08messages\x18\x0c \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x14\n\x05title\x18\r \x01(\tR\x05title\x12\x18\n\x07summary\x18\x0e \x01(\tR\x07summary:\x04\x88\xa0\x1f\x00\"\x9d\x01\n\x0bTallyResult\x12\x1b\n\tyes_count\x18\x01 \x01(\tR\x08yesCount\x12#\n\rabstain_count\x18\x02 \x01(\tR\x0c\x61\x62stainCount\x12\x19\n\x08no_count\x18\x03 \x01(\tR\x07noCount\x12+\n\x12no_with_veto_count\x18\x04 \x01(\tR\x0fnoWithVetoCount:\x04\x88\xa0\x1f\x00\"\xf4\x01\n\x04Vote\x12\x1f\n\x0bproposal_id\x18\x01 \x01(\x04R\nproposalId\x12.\n\x05voter\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05voter\x12\x33\n\x06option\x18\x03 \x01(\x0e\x32\x1b.cosmos.group.v1.VoteOptionR\x06option\x12\x1a\n\x08metadata\x18\x04 \x01(\tR\x08metadata\x12J\n\x0bsubmit_time\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nsubmitTime*\x8f\x01\n\nVoteOption\x12\x1b\n\x17VOTE_OPTION_UNSPECIFIED\x10\x00\x12\x13\n\x0fVOTE_OPTION_YES\x10\x01\x12\x17\n\x13VOTE_OPTION_ABSTAIN\x10\x02\x12\x12\n\x0eVOTE_OPTION_NO\x10\x03\x12\x1c\n\x18VOTE_OPTION_NO_WITH_VETO\x10\x04\x1a\x04\x88\xa3\x1e\x00*\xce\x01\n\x0eProposalStatus\x12\x1f\n\x1bPROPOSAL_STATUS_UNSPECIFIED\x10\x00\x12\x1d\n\x19PROPOSAL_STATUS_SUBMITTED\x10\x01\x12\x1c\n\x18PROPOSAL_STATUS_ACCEPTED\x10\x02\x12\x1c\n\x18PROPOSAL_STATUS_REJECTED\x10\x03\x12\x1b\n\x17PROPOSAL_STATUS_ABORTED\x10\x04\x12\x1d\n\x19PROPOSAL_STATUS_WITHDRAWN\x10\x05\x1a\x04\x88\xa3\x1e\x00*\xba\x01\n\x16ProposalExecutorResult\x12(\n$PROPOSAL_EXECUTOR_RESULT_UNSPECIFIED\x10\x00\x12$\n PROPOSAL_EXECUTOR_RESULT_NOT_RUN\x10\x01\x12$\n PROPOSAL_EXECUTOR_RESULT_SUCCESS\x10\x02\x12$\n PROPOSAL_EXECUTOR_RESULT_FAILURE\x10\x03\x1a\x04\x88\xa3\x1e\x00\x42\xa5\x01\n\x13\x63om.cosmos.group.v1B\nTypesProtoP\x01Z$github.com/cosmos/cosmos-sdk/x/group\xa2\x02\x03\x43GX\xaa\x02\x0f\x43osmos.Group.V1\xca\x02\x0f\x43osmos\\Group\\V1\xe2\x02\x1b\x43osmos\\Group\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Group::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.group.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$github.com/cosmos/cosmos-sdk/x/group' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.group.v1B\nTypesProtoP\001Z$github.com/cosmos/cosmos-sdk/x/group\242\002\003CGX\252\002\017Cosmos.Group.V1\312\002\017Cosmos\\Group\\V1\342\002\033Cosmos\\Group\\V1\\GPBMetadata\352\002\021Cosmos::Group::V1' _globals['_VOTEOPTION']._loaded_options = None _globals['_VOTEOPTION']._serialized_options = b'\210\243\036\000' _globals['_PROPOSALSTATUS']._loaded_options = None @@ -80,32 +90,32 @@ _globals['_VOTE'].fields_by_name['voter']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_VOTE'].fields_by_name['submit_time']._loaded_options = None _globals['_VOTE'].fields_by_name['submit_time']._serialized_options = b'\310\336\037\000\220\337\037\001\250\347\260*\001' - _globals['_VOTEOPTION']._serialized_start=2450 - _globals['_VOTEOPTION']._serialized_end=2593 - _globals['_PROPOSALSTATUS']._serialized_start=2596 - _globals['_PROPOSALSTATUS']._serialized_end=2802 - _globals['_PROPOSALEXECUTORRESULT']._serialized_start=2805 - _globals['_PROPOSALEXECUTORRESULT']._serialized_end=2991 + _globals['_VOTEOPTION']._serialized_start=3006 + _globals['_VOTEOPTION']._serialized_end=3149 + _globals['_PROPOSALSTATUS']._serialized_start=3152 + _globals['_PROPOSALSTATUS']._serialized_end=3358 + _globals['_PROPOSALEXECUTORRESULT']._serialized_start=3361 + _globals['_PROPOSALEXECUTORRESULT']._serialized_end=3547 _globals['_MEMBER']._serialized_start=209 - _globals['_MEMBER']._serialized_end=355 - _globals['_MEMBERREQUEST']._serialized_start=357 - _globals['_MEMBERREQUEST']._serialized_end=449 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=452 - _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=628 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=631 - _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=810 - _globals['_DECISIONPOLICYWINDOWS']._serialized_start=813 - _globals['_DECISIONPOLICYWINDOWS']._serialized_end=973 - _globals['_GROUPINFO']._serialized_start=976 - _globals['_GROUPINFO']._serialized_end=1160 - _globals['_GROUPMEMBER']._serialized_start=1162 - _globals['_GROUPMEMBER']._serialized_end=1234 - _globals['_GROUPPOLICYINFO']._serialized_start=1237 - _globals['_GROUPPOLICYINFO']._serialized_end=1547 - _globals['_PROPOSAL']._serialized_start=1550 - _globals['_PROPOSAL']._serialized_end=2140 - _globals['_TALLYRESULT']._serialized_start=2142 - _globals['_TALLYRESULT']._serialized_end=2249 - _globals['_VOTE']._serialized_start=2252 - _globals['_VOTE']._serialized_end=2447 + _globals['_MEMBER']._serialized_end=391 + _globals['_MEMBERREQUEST']._serialized_start=393 + _globals['_MEMBERREQUEST']._serialized_end=512 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_start=515 + _globals['_THRESHOLDDECISIONPOLICY']._serialized_end=711 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_start=714 + _globals['_PERCENTAGEDECISIONPOLICY']._serialized_end=914 + _globals['_DECISIONPOLICYWINDOWS']._serialized_start=917 + _globals['_DECISIONPOLICYWINDOWS']._serialized_end=1111 + _globals['_GROUPINFO']._serialized_start=1114 + _globals['_GROUPINFO']._serialized_end=1352 + _globals['_GROUPMEMBER']._serialized_start=1354 + _globals['_GROUPMEMBER']._serialized_end=1443 + _globals['_GROUPPOLICYINFO']._serialized_start=1446 + _globals['_GROUPPOLICYINFO']._serialized_end=1827 + _globals['_PROPOSAL']._serialized_start=1830 + _globals['_PROPOSAL']._serialized_end=2596 + _globals['_TALLYRESULT']._serialized_start=2599 + _globals['_TALLYRESULT']._serialized_end=2756 + _globals['_VOTE']._serialized_start=2759 + _globals['_VOTE']._serialized_end=3003 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py index ad2e39c6..0b1d7ea9 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/ics23/v1/proofs.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/ics23/v1/proofs.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,42 +24,42 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"{\n\x0e\x45xistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12&\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x7f\n\x11NonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12-\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\x12.\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProof\"\xef\x01\n\x0f\x43ommitmentProof\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x12,\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00\x12;\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00\x42\x07\n\x05proof\"\xc8\x01\n\x06LeafOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12,\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12.\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12)\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOp\x12\x0e\n\x06prefix\x18\x05 \x01(\x0c\"P\n\x07InnerOp\x12%\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x12\x0e\n\x06suffix\x18\x03 \x01(\x0c\"\xb4\x01\n\tProofSpec\x12*\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12.\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpec\x12\x11\n\tmax_depth\x18\x03 \x01(\x05\x12\x11\n\tmin_depth\x18\x04 \x01(\x05\x12%\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08\"\xa6\x01\n\tInnerSpec\x12\x13\n\x0b\x63hild_order\x18\x01 \x03(\x05\x12\x12\n\nchild_size\x18\x02 \x01(\x05\x12\x19\n\x11min_prefix_length\x18\x03 \x01(\x05\x12\x19\n\x11max_prefix_length\x18\x04 \x01(\x05\x12\x13\n\x0b\x65mpty_child\x18\x05 \x01(\x0c\x12%\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOp\":\n\nBatchProof\x12,\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntry\"\x7f\n\nBatchEntry\x12\x30\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00\x12\x36\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00\x42\x07\n\x05proof\"\x7f\n\x14\x43ompressedBatchProof\x12\x36\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntry\x12/\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOp\"\x9d\x01\n\x14\x43ompressedBatchEntry\x12:\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00\x42\x07\n\x05proof\"k\n\x18\x43ompressedExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12%\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOp\x12\x0c\n\x04path\x18\x04 \x03(\x05\"\x9d\x01\n\x1b\x43ompressedNonExistenceProof\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\x37\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof\x12\x38\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProof*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\"Z github.com/cosmos/ics23/go;ics23b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/ics23/v1/proofs.proto\x12\x0f\x63osmos.ics23.v1\"\x93\x01\n\x0e\x45xistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12,\n\x04path\x18\x04 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x04path\"\x91\x01\n\x11NonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x33\n\x04left\x18\x02 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x04left\x12\x35\n\x05right\x18\x03 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofR\x05right\"\x93\x02\n\x0f\x43ommitmentProof\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexist\x12\x33\n\x05\x62\x61tch\x18\x03 \x01(\x0b\x32\x1b.cosmos.ics23.v1.BatchProofH\x00R\x05\x62\x61tch\x12G\n\ncompressed\x18\x04 \x01(\x0b\x32%.cosmos.ics23.v1.CompressedBatchProofH\x00R\ncompressedB\x07\n\x05proof\"\xf8\x01\n\x06LeafOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x38\n\x0bprehash_key\x18\x02 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\nprehashKey\x12<\n\rprehash_value\x18\x03 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x0cprehashValue\x12\x31\n\x06length\x18\x04 \x01(\x0e\x32\x19.cosmos.ics23.v1.LengthOpR\x06length\x12\x16\n\x06prefix\x18\x05 \x01(\x0cR\x06prefix\"f\n\x07InnerOp\x12+\n\x04hash\x18\x01 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x12\x16\n\x06suffix\x18\x03 \x01(\x0cR\x06suffix\"\xf9\x01\n\tProofSpec\x12\x34\n\tleaf_spec\x18\x01 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x08leafSpec\x12\x39\n\ninner_spec\x18\x02 \x01(\x0b\x32\x1a.cosmos.ics23.v1.InnerSpecR\tinnerSpec\x12\x1b\n\tmax_depth\x18\x03 \x01(\x05R\x08maxDepth\x12\x1b\n\tmin_depth\x18\x04 \x01(\x05R\x08minDepth\x12\x41\n\x1dprehash_key_before_comparison\x18\x05 \x01(\x08R\x1aprehashKeyBeforeComparison\"\xf1\x01\n\tInnerSpec\x12\x1f\n\x0b\x63hild_order\x18\x01 \x03(\x05R\nchildOrder\x12\x1d\n\nchild_size\x18\x02 \x01(\x05R\tchildSize\x12*\n\x11min_prefix_length\x18\x03 \x01(\x05R\x0fminPrefixLength\x12*\n\x11max_prefix_length\x18\x04 \x01(\x05R\x0fmaxPrefixLength\x12\x1f\n\x0b\x65mpty_child\x18\x05 \x01(\x0cR\nemptyChild\x12+\n\x04hash\x18\x06 \x01(\x0e\x32\x17.cosmos.ics23.v1.HashOpR\x04hash\"C\n\nBatchProof\x12\x35\n\x07\x65ntries\x18\x01 \x03(\x0b\x32\x1b.cosmos.ics23.v1.BatchEntryR\x07\x65ntries\"\x90\x01\n\nBatchEntry\x12\x37\n\x05\x65xist\x18\x01 \x01(\x0b\x32\x1f.cosmos.ics23.v1.ExistenceProofH\x00R\x05\x65xist\x12@\n\x08nonexist\x18\x02 \x01(\x0b\x32\".cosmos.ics23.v1.NonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x96\x01\n\x14\x43ompressedBatchProof\x12?\n\x07\x65ntries\x18\x01 \x03(\x0b\x32%.cosmos.ics23.v1.CompressedBatchEntryR\x07\x65ntries\x12=\n\rlookup_inners\x18\x02 \x03(\x0b\x32\x18.cosmos.ics23.v1.InnerOpR\x0clookupInners\"\xae\x01\n\x14\x43ompressedBatchEntry\x12\x41\n\x05\x65xist\x18\x01 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofH\x00R\x05\x65xist\x12J\n\x08nonexist\x18\x02 \x01(\x0b\x32,.cosmos.ics23.v1.CompressedNonExistenceProofH\x00R\x08nonexistB\x07\n\x05proof\"\x83\x01\n\x18\x43ompressedExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12+\n\x04leaf\x18\x03 \x01(\x0b\x32\x17.cosmos.ics23.v1.LeafOpR\x04leaf\x12\x12\n\x04path\x18\x04 \x03(\x05R\x04path\"\xaf\x01\n\x1b\x43ompressedNonExistenceProof\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12=\n\x04left\x18\x02 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x04left\x12?\n\x05right\x18\x03 \x01(\x0b\x32).cosmos.ics23.v1.CompressedExistenceProofR\x05right*\x96\x01\n\x06HashOp\x12\x0b\n\x07NO_HASH\x10\x00\x12\n\n\x06SHA256\x10\x01\x12\n\n\x06SHA512\x10\x02\x12\r\n\tKECCAK256\x10\x03\x12\r\n\tRIPEMD160\x10\x04\x12\x0b\n\x07\x42ITCOIN\x10\x05\x12\x0e\n\nSHA512_256\x10\x06\x12\x0f\n\x0b\x42LAKE2B_512\x10\x07\x12\x0f\n\x0b\x42LAKE2S_256\x10\x08\x12\n\n\x06\x42LAKE3\x10\t*\xab\x01\n\x08LengthOp\x12\r\n\tNO_PREFIX\x10\x00\x12\r\n\tVAR_PROTO\x10\x01\x12\x0b\n\x07VAR_RLP\x10\x02\x12\x0f\n\x0b\x46IXED32_BIG\x10\x03\x12\x12\n\x0e\x46IXED32_LITTLE\x10\x04\x12\x0f\n\x0b\x46IXED64_BIG\x10\x05\x12\x12\n\x0e\x46IXED64_LITTLE\x10\x06\x12\x14\n\x10REQUIRE_32_BYTES\x10\x07\x12\x14\n\x10REQUIRE_64_BYTES\x10\x08\x42\xa2\x01\n\x13\x63om.cosmos.ics23.v1B\x0bProofsProtoP\x01Z github.com/cosmos/ics23/go;ics23\xa2\x02\x03\x43IX\xaa\x02\x0f\x43osmos.Ics23.V1\xca\x02\x0f\x43osmos\\Ics23\\V1\xe2\x02\x1b\x43osmos\\Ics23\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Ics23::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.ics23.v1.proofs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z github.com/cosmos/ics23/go;ics23' - _globals['_HASHOP']._serialized_start=1930 - _globals['_HASHOP']._serialized_end=2080 - _globals['_LENGTHOP']._serialized_start=2083 - _globals['_LENGTHOP']._serialized_end=2254 - _globals['_EXISTENCEPROOF']._serialized_start=49 - _globals['_EXISTENCEPROOF']._serialized_end=172 - _globals['_NONEXISTENCEPROOF']._serialized_start=174 - _globals['_NONEXISTENCEPROOF']._serialized_end=301 - _globals['_COMMITMENTPROOF']._serialized_start=304 - _globals['_COMMITMENTPROOF']._serialized_end=543 - _globals['_LEAFOP']._serialized_start=546 - _globals['_LEAFOP']._serialized_end=746 - _globals['_INNEROP']._serialized_start=748 - _globals['_INNEROP']._serialized_end=828 - _globals['_PROOFSPEC']._serialized_start=831 - _globals['_PROOFSPEC']._serialized_end=1011 - _globals['_INNERSPEC']._serialized_start=1014 - _globals['_INNERSPEC']._serialized_end=1180 - _globals['_BATCHPROOF']._serialized_start=1182 - _globals['_BATCHPROOF']._serialized_end=1240 - _globals['_BATCHENTRY']._serialized_start=1242 - _globals['_BATCHENTRY']._serialized_end=1369 - _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1371 - _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1498 - _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1501 - _globals['_COMPRESSEDBATCHENTRY']._serialized_end=1658 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=1660 - _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=1767 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=1770 - _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=1927 + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.ics23.v1B\013ProofsProtoP\001Z github.com/cosmos/ics23/go;ics23\242\002\003CIX\252\002\017Cosmos.Ics23.V1\312\002\017Cosmos\\Ics23\\V1\342\002\033Cosmos\\Ics23\\V1\\GPBMetadata\352\002\021Cosmos::Ics23::V1' + _globals['_HASHOP']._serialized_start=2335 + _globals['_HASHOP']._serialized_end=2485 + _globals['_LENGTHOP']._serialized_start=2488 + _globals['_LENGTHOP']._serialized_end=2659 + _globals['_EXISTENCEPROOF']._serialized_start=50 + _globals['_EXISTENCEPROOF']._serialized_end=197 + _globals['_NONEXISTENCEPROOF']._serialized_start=200 + _globals['_NONEXISTENCEPROOF']._serialized_end=345 + _globals['_COMMITMENTPROOF']._serialized_start=348 + _globals['_COMMITMENTPROOF']._serialized_end=623 + _globals['_LEAFOP']._serialized_start=626 + _globals['_LEAFOP']._serialized_end=874 + _globals['_INNEROP']._serialized_start=876 + _globals['_INNEROP']._serialized_end=978 + _globals['_PROOFSPEC']._serialized_start=981 + _globals['_PROOFSPEC']._serialized_end=1230 + _globals['_INNERSPEC']._serialized_start=1233 + _globals['_INNERSPEC']._serialized_end=1474 + _globals['_BATCHPROOF']._serialized_start=1476 + _globals['_BATCHPROOF']._serialized_end=1543 + _globals['_BATCHENTRY']._serialized_start=1546 + _globals['_BATCHENTRY']._serialized_end=1690 + _globals['_COMPRESSEDBATCHPROOF']._serialized_start=1693 + _globals['_COMPRESSEDBATCHPROOF']._serialized_end=1843 + _globals['_COMPRESSEDBATCHENTRY']._serialized_start=1846 + _globals['_COMPRESSEDBATCHENTRY']._serialized_end=2020 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_start=2023 + _globals['_COMPRESSEDEXISTENCEPROOF']._serialized_end=2154 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_start=2157 + _globals['_COMPRESSEDNONEXISTENCEPROOF']._serialized_end=2332 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py index 0cc83382..b3176972 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"d\n\x06Module\x12\x1a\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\t\x12\x11\n\tauthority\x18\x02 \x01(\t:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/mint/module/v1/module.proto\x12\x15\x63osmos.mint.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\x81\x01\n\x06Module\x12,\n\x12\x66\x65\x65_collector_name\x18\x01 \x01(\tR\x10\x66\x65\x65\x43ollectorName\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority:+\xba\xc0\x96\xda\x01%\n#github.com/cosmos/cosmos-sdk/x/mintB\x9f\x01\n\x19\x63om.cosmos.mint.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43MM\xaa\x02\x15\x43osmos.Mint.Module.V1\xca\x02\x15\x43osmos\\Mint\\Module\\V1\xe2\x02!Cosmos\\Mint\\Module\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Mint::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.mint.module.v1B\013ModuleProtoP\001\242\002\003CMM\252\002\025Cosmos.Mint.Module.V1\312\002\025Cosmos\\Mint\\Module\\V1\342\002!Cosmos\\Mint\\Module\\V1\\GPBMetadata\352\002\030Cosmos::Mint::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001%\n#github.com/cosmos/cosmos-sdk/x/mint' - _globals['_MODULE']._serialized_start=95 - _globals['_MODULE']._serialized_end=195 + _globals['_MODULE']._serialized_start=96 + _globals['_MODULE']._serialized_end=225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py index 1888f563..c020f7eb 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"~\n\x0cGenesisState\x12\x36\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/mint/v1beta1/genesis.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\"\x8e\x01\n\x0cGenesisState\x12>\n\x06minter\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.MinterB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06minter\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06paramsB\xc0\x01\n\x17\x63om.cosmos.mint.v1beta1B\x0cGenesisProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\014GenesisProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_GENESISSTATE'].fields_by_name['minter']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['minter']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_GENESISSTATE']._serialized_start=131 - _globals['_GENESISSTATE']._serialized_end=257 + _globals['_GENESISSTATE']._serialized_start=132 + _globals['_GENESISSTATE']._serialized_end=274 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py index fd4c0ca2..c6054776 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/mint.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/mint.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x9c\x01\n\x06Minter\x12\x44\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12L\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\"\x96\x03\n\x06Params\x12\x12\n\nmint_denom\x18\x01 \x01(\t\x12U\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12M\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12K\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x62locks_per_year\x18\x06 \x01(\x04:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/mint/v1beta1/mint.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb9\x01\n\x06Minter\x12O\n\tinflation\x18\x01 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tinflation\x12^\n\x11\x61nnual_provisions\x18\x02 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x10\x61nnualProvisions\"\xed\x03\n\x06Params\x12\x1d\n\nmint_denom\x18\x01 \x01(\tR\tmintDenom\x12j\n\x15inflation_rate_change\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x13inflationRateChange\x12[\n\rinflation_max\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMax\x12[\n\rinflation_min\x18\x04 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x0cinflationMin\x12W\n\x0bgoal_bonded\x18\x05 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\ngoalBonded\x12&\n\x0f\x62locks_per_year\x18\x06 \x01(\x04R\rblocksPerYear:\x1d\x8a\xe7\xb0*\x18\x63osmos-sdk/x/mint/ParamsB\xbd\x01\n\x17\x63om.cosmos.mint.v1beta1B\tMintProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.mint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\tMintProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_MINTER'].fields_by_name['inflation']._loaded_options = None _globals['_MINTER'].fields_by_name['inflation']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec\322\264-\ncosmos.Dec' _globals['_MINTER'].fields_by_name['annual_provisions']._loaded_options = None @@ -40,7 +50,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\030cosmos-sdk/x/mint/Params' _globals['_MINTER']._serialized_start=124 - _globals['_MINTER']._serialized_end=280 - _globals['_PARAMS']._serialized_start=283 - _globals['_PARAMS']._serialized_end=689 + _globals['_MINTER']._serialized_end=309 + _globals['_PARAMS']._serialized_start=312 + _globals['_PARAMS']._serialized_end=805 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py index 523443a7..d2b1ce39 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QueryInflationRequest\"c\n\x16QueryInflationResponse\x12I\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\"\x1e\n\x1cQueryAnnualProvisionsRequest\"r\n\x1dQueryAnnualProvisionsResponse\x12Q\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x32\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/mint/v1beta1/query.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\x17\n\x15QueryInflationRequest\"n\n\x16QueryInflationResponse\x12T\n\tinflation\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\tinflation\"\x1e\n\x1cQueryAnnualProvisionsRequest\"\x84\x01\n\x1dQueryAnnualProvisionsResponse\x12\x63\n\x11\x61nnual_provisions\x18\x01 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x10\x61nnualProvisions2\xc5\x03\n\x05Query\x12\x80\x01\n\x06Params\x12\'.cosmos.mint.v1beta1.QueryParamsRequest\x1a(.cosmos.mint.v1beta1.QueryParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/mint/v1beta1/params\x12\x8c\x01\n\tInflation\x12*.cosmos.mint.v1beta1.QueryInflationRequest\x1a+.cosmos.mint.v1beta1.QueryInflationResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/mint/v1beta1/inflation\x12\xa9\x01\n\x10\x41nnualProvisions\x12\x31.cosmos.mint.v1beta1.QueryAnnualProvisionsRequest\x1a\x32.cosmos.mint.v1beta1.QueryAnnualProvisionsResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/mint/v1beta1/annual_provisionsB\xbe\x01\n\x17\x63om.cosmos.mint.v1beta1B\nQueryProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\nQueryProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYINFLATIONRESPONSE'].fields_by_name['inflation']._loaded_options = None @@ -42,15 +52,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=186 _globals['_QUERYPARAMSREQUEST']._serialized_end=206 _globals['_QUERYPARAMSRESPONSE']._serialized_start=208 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=285 - _globals['_QUERYINFLATIONREQUEST']._serialized_start=287 - _globals['_QUERYINFLATIONREQUEST']._serialized_end=310 - _globals['_QUERYINFLATIONRESPONSE']._serialized_start=312 - _globals['_QUERYINFLATIONRESPONSE']._serialized_end=411 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=413 - _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=443 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=445 - _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=559 - _globals['_QUERY']._serialized_start=562 - _globals['_QUERY']._serialized_end=1015 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=293 + _globals['_QUERYINFLATIONREQUEST']._serialized_start=295 + _globals['_QUERYINFLATIONREQUEST']._serialized_end=318 + _globals['_QUERYINFLATIONRESPONSE']._serialized_start=320 + _globals['_QUERYINFLATIONRESPONSE']._serialized_end=430 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_start=432 + _globals['_QUERYANNUALPROVISIONSREQUEST']._serialized_end=462 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_start=465 + _globals['_QUERYANNUALPROVISIONSRESPONSE']._serialized_end=597 + _globals['_QUERY']._serialized_start=600 + _globals['_QUERY']._serialized_end=1053 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py index f00885c7..45a3937c 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/mint/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/mint/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.mint.v1beta1 import mint_pb2 as cosmos_dot_mint_dot_v1beta1_dot_mint__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xac\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42+Z)github.com/cosmos/cosmos-sdk/x/mint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/mint/v1beta1/tx.proto\x12\x13\x63osmos.mint.v1beta1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/mint/v1beta1/mint.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xbf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32\x1b.cosmos.mint.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:4\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*!cosmos-sdk/x/mint/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2p\n\x03Msg\x12\x62\n\x0cUpdateParams\x12$.cosmos.mint.v1beta1.MsgUpdateParams\x1a,.cosmos.mint.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbb\x01\n\x17\x63om.cosmos.mint.v1beta1B\x07TxProtoP\x01Z)github.com/cosmos/cosmos-sdk/x/mint/types\xa2\x02\x03\x43MX\xaa\x02\x13\x43osmos.Mint.V1beta1\xca\x02\x13\x43osmos\\Mint\\V1beta1\xe2\x02\x1f\x43osmos\\Mint\\V1beta1\\GPBMetadata\xea\x02\x15\x43osmos::Mint::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.mint.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z)github.com/cosmos/cosmos-sdk/x/mint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.mint.v1beta1B\007TxProtoP\001Z)github.com/cosmos/cosmos-sdk/x/mint/types\242\002\003CMX\252\002\023Cosmos.Mint.V1beta1\312\002\023Cosmos\\Mint\\V1beta1\342\002\037Cosmos\\Mint\\V1beta1\\GPBMetadata\352\002\025Cosmos::Mint::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -36,9 +46,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=179 - _globals['_MSGUPDATEPARAMS']._serialized_end=351 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=353 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=378 - _globals['_MSG']._serialized_start=380 - _globals['_MSG']._serialized_end=492 + _globals['_MSGUPDATEPARAMS']._serialized_end=370 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=372 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=397 + _globals['_MSG']._serialized_start=399 + _globals['_MSG']._serialized_end=511 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py index 5079cb52..f49c3b0e 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/textual/v1/textual.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/msg/textual/v1/textual.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,11 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:B\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/msg/textual/v1/textual.proto\x12\x15\x63osmos.msg.textual.v1\x1a google/protobuf/descriptor.proto:X\n\x16\x65xpert_custom_renderer\x12\x1f.google.protobuf.MessageOptions\x18\xf9\x8c\xa6\x05 \x01(\tR\x14\x65xpertCustomRendererB\xa0\x01\n\x19\x63om.cosmos.msg.textual.v1B\x0cTextualProtoP\x01\xa2\x02\x03\x43MT\xaa\x02\x15\x43osmos.Msg.Textual.V1\xca\x02\x15\x43osmos\\Msg\\Textual\\V1\xe2\x02!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\xea\x02\x18\x43osmos::Msg::Textual::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.textual.v1.textual_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.msg.textual.v1B\014TextualProtoP\001\242\002\003CMT\252\002\025Cosmos.Msg.Textual.V1\312\002\025Cosmos\\Msg\\Textual\\V1\342\002!Cosmos\\Msg\\Textual\\V1\\GPBMetadata\352\002\030Cosmos::Msg::Textual::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py index 2952b60a..2daafffe 100644 --- a/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/textual/v1/textual_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/msg/textual/v1/textual_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py index a4ce7eb7..dd518c15 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/msg/v1/msg.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/msg/v1/msg.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:3\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08:2\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tB/Z-github.com/cosmos/cosmos-sdk/types/msgserviceb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/msg/v1/msg.proto\x12\rcosmos.msg.v1\x1a google/protobuf/descriptor.proto:<\n\x07service\x12\x1f.google.protobuf.ServiceOptions\x18\xf0\x8c\xa6\x05 \x01(\x08R\x07service::\n\x06signer\x12\x1f.google.protobuf.MessageOptions\x18\xf0\x8c\xa6\x05 \x03(\tR\x06signerB\xa2\x01\n\x11\x63om.cosmos.msg.v1B\x08MsgProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/msgservice\xa2\x02\x03\x43MX\xaa\x02\rCosmos.Msg.V1\xca\x02\rCosmos\\Msg\\V1\xe2\x02\x19\x43osmos\\Msg\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Msg::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.msg.v1.msg_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/msgservice' + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.msg.v1B\010MsgProtoP\001Z-github.com/cosmos/cosmos-sdk/types/msgservice\242\002\003CMX\252\002\rCosmos.Msg.V1\312\002\rCosmos\\Msg\\V1\342\002\031Cosmos\\Msg\\V1\\GPBMetadata\352\002\017Cosmos::Msg::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py index 217d6013..4c40db0f 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/nft/module/v1/module.proto\x12\x14\x63osmos.nft.module.v1\x1a cosmos/app/v1alpha1/module.proto\"$\n\x06Module:\x1a\xba\xc0\x96\xda\x01\x14\n\x12\x63osmossdk.io/x/nftB\x9a\x01\n\x18\x63om.cosmos.nft.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43NM\xaa\x02\x14\x43osmos.Nft.Module.V1\xca\x02\x14\x43osmos\\Nft\\Module\\V1\xe2\x02 Cosmos\\Nft\\Module\\V1\\GPBMetadata\xea\x02\x17\x43osmos::Nft::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.nft.module.v1B\013ModuleProtoP\001\242\002\003CNM\252\002\024Cosmos.Nft.Module.V1\312\002\024Cosmos\\Nft\\Module\\V1\342\002 Cosmos\\Nft\\Module\\V1\\GPBMetadata\352\002\027Cosmos::Nft::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\024\n\022cosmossdk.io/x/nft' _globals['_MODULE']._serialized_start=93 diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py index 86d74c90..9af5816f 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/event.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/event.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,18 +24,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"K\n\tEventSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\"8\n\tEventMint\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\t\"8\n\tEventBurn\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\r\n\x05owner\x18\x03 \x01(\tB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/event.proto\x12\x12\x63osmos.nft.v1beta1\"j\n\tEventSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\"L\n\tEventMint\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05owner\"L\n\tEventBurn\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x14\n\x05owner\x18\x03 \x01(\tR\x05ownerB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nEventProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.event_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nEventProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_EVENTSEND']._serialized_start=54 - _globals['_EVENTSEND']._serialized_end=129 - _globals['_EVENTMINT']._serialized_start=131 - _globals['_EVENTMINT']._serialized_end=187 - _globals['_EVENTBURN']._serialized_start=189 - _globals['_EVENTBURN']._serialized_end=245 + _globals['_EVENTSEND']._serialized_end=160 + _globals['_EVENTMINT']._serialized_start=162 + _globals['_EVENTMINT']._serialized_end=238 + _globals['_EVENTBURN']._serialized_start=240 + _globals['_EVENTBURN']._serialized_end=316 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py index c44e63ca..1c599164 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"f\n\x0cGenesisState\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12*\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Entry\"=\n\x05\x45ntry\x12\r\n\x05owner\x18\x01 \x01(\t\x12%\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/nft/v1beta1/genesis.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"x\n\x0cGenesisState\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12\x33\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.EntryR\x07\x65ntries\"J\n\x05\x45ntry\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12+\n\x04nfts\x18\x02 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nftsB\xa4\x01\n\x16\x63om.cosmos.nft.v1beta1B\x0cGenesisProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\014GenesisProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_GENESISSTATE']._serialized_start=86 - _globals['_GENESISSTATE']._serialized_end=188 - _globals['_ENTRY']._serialized_start=190 - _globals['_ENTRY']._serialized_end=251 + _globals['_GENESISSTATE']._serialized_end=206 + _globals['_ENTRY']._serialized_start=208 + _globals['_ENTRY']._serialized_end=282 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py index 0ea652f4..697464e4 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/nft.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/nft.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,16 +25,16 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\x89\x01\n\x05\x43lass\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0c\n\x04name\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x04 \x01(\t\x12\x0b\n\x03uri\x18\x05 \x01(\t\x12\x10\n\x08uri_hash\x18\x06 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.Any\"f\n\x03NFT\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12\x0b\n\x03uri\x18\x03 \x01(\t\x12\x10\n\x08uri_hash\x18\x04 \x01(\t\x12\"\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmos/nft/v1beta1/nft.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19google/protobuf/any.proto\"\xbc\x01\n\x05\x43lass\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x12\n\x04name\x18\x02 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12 \n\x0b\x64\x65scription\x18\x04 \x01(\tR\x0b\x64\x65scription\x12\x10\n\x03uri\x18\x05 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x06 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61ta\"\x87\x01\n\x03NFT\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x10\n\x03uri\x18\x03 \x01(\tR\x03uri\x12\x19\n\x08uri_hash\x18\x04 \x01(\tR\x07uriHash\x12(\n\x04\x64\x61ta\x18\n \x01(\x0b\x32\x14.google.protobuf.AnyR\x04\x64\x61taB\xa0\x01\n\x16\x63om.cosmos.nft.v1beta1B\x08NftProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.nft_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\010NftProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_CLASS']._serialized_start=80 - _globals['_CLASS']._serialized_end=217 - _globals['_NFT']._serialized_start=219 - _globals['_NFT']._serialized_end=321 + _globals['_CLASS']._serialized_end=268 + _globals['_NFT']._serialized_start=271 + _globals['_NFT']._serialized_end=406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py index b6f45782..e9a1374a 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/query_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.nft.v1beta1 import nft_pb2 as cosmos_dot_nft_dot_v1beta1_dot_nft__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"6\n\x13QueryBalanceRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\"&\n\x14QueryBalanceResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"1\n\x11QueryOwnerRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"#\n\x12QueryOwnerResponse\x12\r\n\x05owner\x18\x01 \x01(\t\"&\n\x12QuerySupplyRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\"%\n\x13QuerySupplyResponse\x12\x0e\n\x06\x61mount\x18\x01 \x01(\x04\"o\n\x10QueryNFTsRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\r\n\x05owner\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"w\n\x11QueryNFTsResponse\x12%\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"/\n\x0fQueryNFTRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\"8\n\x10QueryNFTResponse\x12$\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFT\"%\n\x11QueryClassRequest\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\">\n\x12QueryClassResponse\x12(\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.Class\"Q\n\x13QueryClassesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x7f\n\x14QueryClassesResponse\x12*\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.Class\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmos/nft/v1beta1/query.proto\x12\x12\x63osmos.nft.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1c\x63osmos/nft/v1beta1/nft.proto\"F\n\x13QueryBalanceRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\".\n\x14QueryBalanceResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\">\n\x11QueryOwnerRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"*\n\x12QueryOwnerResponse\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\"/\n\x12QuerySupplyRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"-\n\x13QuerySupplyResponse\x12\x16\n\x06\x61mount\x18\x01 \x01(\x04R\x06\x61mount\"\x8b\x01\n\x10QueryNFTsRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x14\n\x05owner\x18\x02 \x01(\tR\x05owner\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x89\x01\n\x11QueryNFTsResponse\x12+\n\x04nfts\x18\x01 \x03(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x04nfts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"<\n\x0fQueryNFTRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\"=\n\x10QueryNFTResponse\x12)\n\x03nft\x18\x01 \x01(\x0b\x32\x17.cosmos.nft.v1beta1.NFTR\x03nft\".\n\x11QueryClassRequest\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\"E\n\x12QueryClassResponse\x12/\n\x05\x63lass\x18\x01 \x01(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x05\x63lass\"]\n\x13QueryClassesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x94\x01\n\x14QueryClassesResponse\x12\x33\n\x07\x63lasses\x18\x01 \x03(\x0b\x32\x19.cosmos.nft.v1beta1.ClassR\x07\x63lasses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xbe\x07\n\x05Query\x12\x94\x01\n\x07\x42\x61lance\x12\'.cosmos.nft.v1beta1.QueryBalanceRequest\x1a(.cosmos.nft.v1beta1.QueryBalanceResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./cosmos/nft/v1beta1/balance/{owner}/{class_id}\x12\x89\x01\n\x05Owner\x12%.cosmos.nft.v1beta1.QueryOwnerRequest\x1a&.cosmos.nft.v1beta1.QueryOwnerResponse\"1\x82\xd3\xe4\x93\x02+\x12)/cosmos/nft/v1beta1/owner/{class_id}/{id}\x12\x88\x01\n\x06Supply\x12&.cosmos.nft.v1beta1.QuerySupplyRequest\x1a\'.cosmos.nft.v1beta1.QuerySupplyResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/nft/v1beta1/supply/{class_id}\x12u\n\x04NFTs\x12$.cosmos.nft.v1beta1.QueryNFTsRequest\x1a%.cosmos.nft.v1beta1.QueryNFTsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/cosmos/nft/v1beta1/nfts\x12\x82\x01\n\x03NFT\x12#.cosmos.nft.v1beta1.QueryNFTRequest\x1a$.cosmos.nft.v1beta1.QueryNFTResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmos/nft/v1beta1/nfts/{class_id}/{id}\x12\x86\x01\n\x05\x43lass\x12%.cosmos.nft.v1beta1.QueryClassRequest\x1a&.cosmos.nft.v1beta1.QueryClassResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/nft/v1beta1/classes/{class_id}\x12\x81\x01\n\x07\x43lasses\x12\'.cosmos.nft.v1beta1.QueryClassesRequest\x1a(.cosmos.nft.v1beta1.QueryClassesResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/cosmos/nft/v1beta1/classesB\xa2\x01\n\x16\x63om.cosmos.nft.v1beta1B\nQueryProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\nQueryProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_QUERY'].methods_by_name['Balance']._loaded_options = None _globals['_QUERY'].methods_by_name['Balance']._serialized_options = b'\202\323\344\223\0020\022./cosmos/nft/v1beta1/balance/{owner}/{class_id}' _globals['_QUERY'].methods_by_name['Owner']._loaded_options = None @@ -40,33 +50,33 @@ _globals['_QUERY'].methods_by_name['Classes']._loaded_options = None _globals['_QUERY'].methods_by_name['Classes']._serialized_options = b'\202\323\344\223\002\035\022\033/cosmos/nft/v1beta1/classes' _globals['_QUERYBALANCEREQUEST']._serialized_start=158 - _globals['_QUERYBALANCEREQUEST']._serialized_end=212 - _globals['_QUERYBALANCERESPONSE']._serialized_start=214 - _globals['_QUERYBALANCERESPONSE']._serialized_end=252 - _globals['_QUERYOWNERREQUEST']._serialized_start=254 - _globals['_QUERYOWNERREQUEST']._serialized_end=303 - _globals['_QUERYOWNERRESPONSE']._serialized_start=305 - _globals['_QUERYOWNERRESPONSE']._serialized_end=340 - _globals['_QUERYSUPPLYREQUEST']._serialized_start=342 - _globals['_QUERYSUPPLYREQUEST']._serialized_end=380 - _globals['_QUERYSUPPLYRESPONSE']._serialized_start=382 - _globals['_QUERYSUPPLYRESPONSE']._serialized_end=419 - _globals['_QUERYNFTSREQUEST']._serialized_start=421 - _globals['_QUERYNFTSREQUEST']._serialized_end=532 - _globals['_QUERYNFTSRESPONSE']._serialized_start=534 - _globals['_QUERYNFTSRESPONSE']._serialized_end=653 - _globals['_QUERYNFTREQUEST']._serialized_start=655 - _globals['_QUERYNFTREQUEST']._serialized_end=702 - _globals['_QUERYNFTRESPONSE']._serialized_start=704 - _globals['_QUERYNFTRESPONSE']._serialized_end=760 - _globals['_QUERYCLASSREQUEST']._serialized_start=762 - _globals['_QUERYCLASSREQUEST']._serialized_end=799 - _globals['_QUERYCLASSRESPONSE']._serialized_start=801 - _globals['_QUERYCLASSRESPONSE']._serialized_end=863 - _globals['_QUERYCLASSESREQUEST']._serialized_start=865 - _globals['_QUERYCLASSESREQUEST']._serialized_end=946 - _globals['_QUERYCLASSESRESPONSE']._serialized_start=948 - _globals['_QUERYCLASSESRESPONSE']._serialized_end=1075 - _globals['_QUERY']._serialized_start=1078 - _globals['_QUERY']._serialized_end=2036 + _globals['_QUERYBALANCEREQUEST']._serialized_end=228 + _globals['_QUERYBALANCERESPONSE']._serialized_start=230 + _globals['_QUERYBALANCERESPONSE']._serialized_end=276 + _globals['_QUERYOWNERREQUEST']._serialized_start=278 + _globals['_QUERYOWNERREQUEST']._serialized_end=340 + _globals['_QUERYOWNERRESPONSE']._serialized_start=342 + _globals['_QUERYOWNERRESPONSE']._serialized_end=384 + _globals['_QUERYSUPPLYREQUEST']._serialized_start=386 + _globals['_QUERYSUPPLYREQUEST']._serialized_end=433 + _globals['_QUERYSUPPLYRESPONSE']._serialized_start=435 + _globals['_QUERYSUPPLYRESPONSE']._serialized_end=480 + _globals['_QUERYNFTSREQUEST']._serialized_start=483 + _globals['_QUERYNFTSREQUEST']._serialized_end=622 + _globals['_QUERYNFTSRESPONSE']._serialized_start=625 + _globals['_QUERYNFTSRESPONSE']._serialized_end=762 + _globals['_QUERYNFTREQUEST']._serialized_start=764 + _globals['_QUERYNFTREQUEST']._serialized_end=824 + _globals['_QUERYNFTRESPONSE']._serialized_start=826 + _globals['_QUERYNFTRESPONSE']._serialized_end=887 + _globals['_QUERYCLASSREQUEST']._serialized_start=889 + _globals['_QUERYCLASSREQUEST']._serialized_end=935 + _globals['_QUERYCLASSRESPONSE']._serialized_start=937 + _globals['_QUERYCLASSRESPONSE']._serialized_end=1006 + _globals['_QUERYCLASSESREQUEST']._serialized_start=1008 + _globals['_QUERYCLASSESREQUEST']._serialized_end=1101 + _globals['_QUERYCLASSESRESPONSE']._serialized_start=1104 + _globals['_QUERYCLASSESRESPONSE']._serialized_end=1252 + _globals['_QUERY']._serialized_start=1255 + _globals['_QUERY']._serialized_end=2213 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py index 40b885d6..ca2833b1 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/tx_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/nft/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/nft/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x8a\x01\n\x07MsgSend\x12\x10\n\x08\x63lass_id\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\t\x12(\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x14Z\x12\x63osmossdk.io/x/nftb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/nft/v1beta1/tx.proto\x12\x12\x63osmos.nft.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xa9\x01\n\x07MsgSend\x12\x19\n\x08\x63lass_id\x18\x01 \x01(\tR\x07\x63lassId\x12\x0e\n\x02id\x18\x02 \x01(\tR\x02id\x12\x30\n\x06sender\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08receiver\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08receiver:\x0b\x82\xe7\xb0*\x06sender\"\x11\n\x0fMsgSendResponse2V\n\x03Msg\x12H\n\x04Send\x12\x1b.cosmos.nft.v1beta1.MsgSend\x1a#.cosmos.nft.v1beta1.MsgSendResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9f\x01\n\x16\x63om.cosmos.nft.v1beta1B\x07TxProtoP\x01Z\x12\x63osmossdk.io/x/nft\xa2\x02\x03\x43NX\xaa\x02\x12\x43osmos.Nft.V1beta1\xca\x02\x12\x43osmos\\Nft\\V1beta1\xe2\x02\x1e\x43osmos\\Nft\\V1beta1\\GPBMetadata\xea\x02\x14\x43osmos::Nft::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.nft.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\022cosmossdk.io/x/nft' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.cosmos.nft.v1beta1B\007TxProtoP\001Z\022cosmossdk.io/x/nft\242\002\003CNX\252\002\022Cosmos.Nft.V1beta1\312\002\022Cosmos\\Nft\\V1beta1\342\002\036Cosmos\\Nft\\V1beta1\\GPBMetadata\352\002\024Cosmos::Nft::V1beta1' _globals['_MSGSEND'].fields_by_name['sender']._loaded_options = None _globals['_MSGSEND'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSEND'].fields_by_name['receiver']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSEND']._serialized_start=104 - _globals['_MSGSEND']._serialized_end=242 - _globals['_MSGSENDRESPONSE']._serialized_start=244 - _globals['_MSGSENDRESPONSE']._serialized_end=261 - _globals['_MSG']._serialized_start=263 - _globals['_MSG']._serialized_end=349 + _globals['_MSGSEND']._serialized_end=273 + _globals['_MSGSENDRESPONSE']._serialized_start=275 + _globals['_MSGSENDRESPONSE']._serialized_end=292 + _globals['_MSG']._serialized_start=294 + _globals['_MSG']._serialized_end=380 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py index 26694fcc..01fa977c 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/module/v1alpha1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/module/v1alpha1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/orm/module/v1alpha1/module.proto\x12\x1a\x63osmos.orm.module.v1alpha1\x1a cosmos/app/v1alpha1/module.proto\"\"\n\x06Module:\x18\xba\xc0\x96\xda\x01\x12\n\x10\x63osmossdk.io/ormB\xb8\x01\n\x1e\x63om.cosmos.orm.module.v1alpha1B\x0bModuleProtoP\x01\xa2\x02\x03\x43OM\xaa\x02\x1a\x43osmos.Orm.Module.V1alpha1\xca\x02\x1a\x43osmos\\Orm\\Module\\V1alpha1\xe2\x02&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\xea\x02\x1d\x43osmos::Orm::Module::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.module.v1alpha1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.cosmos.orm.module.v1alpha1B\013ModuleProtoP\001\242\002\003COM\252\002\032Cosmos.Orm.Module.V1alpha1\312\002\032Cosmos\\Orm\\Module\\V1alpha1\342\002&Cosmos\\Orm\\Module\\V1alpha1\\GPBMetadata\352\002\035Cosmos::Orm::Module::V1alpha1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\022\n\020cosmossdk.io/orm' _globals['_MODULE']._serialized_start=105 diff --git a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py index 2a3c9d0d..0ffda7ce 100644 --- a/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py +++ b/pyinjective/proto/cosmos/orm/query/v1alpha1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/query/v1alpha1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/query/v1alpha1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,30 +25,31 @@ from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"h\n\nGetRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12\x35\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\"3\n\x0bGetResponse\x12$\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xab\x03\n\x0bListRequest\x12\x14\n\x0cmessage_name\x18\x01 \x01(\t\x12\r\n\x05index\x18\x02 \x01(\t\x12?\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00\x12=\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00\x12:\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x1a?\n\x06Prefix\x12\x35\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x1aq\n\x05Range\x12\x34\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValue\x12\x32\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueB\x07\n\x05query\"r\n\x0cListResponse\x12%\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12;\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xd4\x01\n\nIndexValue\x12\x0e\n\x04uint\x18\x01 \x01(\x04H\x00\x12\r\n\x03int\x18\x02 \x01(\x03H\x00\x12\r\n\x03str\x18\x03 \x01(\tH\x00\x12\x0f\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00\x12\x0e\n\x04\x65num\x18\x05 \x01(\tH\x00\x12\x0e\n\x04\x62ool\x18\x06 \x01(\x08H\x00\x12/\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00\x12-\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00\x42\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/orm/query/v1alpha1/query.proto\x12\x19\x63osmos.orm.query.v1alpha1\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x19google/protobuf/any.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"\x84\x01\n\nGetRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12=\n\x06values\x18\x03 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\";\n\x0bGetResponse\x12,\n\x06result\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x06result\"\xee\x03\n\x0bListRequest\x12!\n\x0cmessage_name\x18\x01 \x01(\tR\x0bmessageName\x12\x14\n\x05index\x18\x02 \x01(\tR\x05index\x12G\n\x06prefix\x18\x03 \x01(\x0b\x32-.cosmos.orm.query.v1alpha1.ListRequest.PrefixH\x00R\x06prefix\x12\x44\n\x05range\x18\x04 \x01(\x0b\x32,.cosmos.orm.query.v1alpha1.ListRequest.RangeH\x00R\x05range\x12\x46\n\npagination\x18\x05 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x1aG\n\x06Prefix\x12=\n\x06values\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x06values\x1a}\n\x05Range\x12;\n\x05start\x18\x01 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x05start\x12\x37\n\x03\x65nd\x18\x02 \x03(\x0b\x32%.cosmos.orm.query.v1alpha1.IndexValueR\x03\x65ndB\x07\n\x05query\"\x87\x01\n\x0cListResponse\x12.\n\x07results\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x07results\x12G\n\npagination\x18\x05 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x8c\x02\n\nIndexValue\x12\x14\n\x04uint\x18\x01 \x01(\x04H\x00R\x04uint\x12\x12\n\x03int\x18\x02 \x01(\x03H\x00R\x03int\x12\x12\n\x03str\x18\x03 \x01(\tH\x00R\x03str\x12\x16\n\x05\x62ytes\x18\x04 \x01(\x0cH\x00R\x05\x62ytes\x12\x14\n\x04\x65num\x18\x05 \x01(\tH\x00R\x04\x65num\x12\x14\n\x04\x62ool\x18\x06 \x01(\x08H\x00R\x04\x62ool\x12:\n\ttimestamp\x18\x07 \x01(\x0b\x32\x1a.google.protobuf.TimestampH\x00R\ttimestamp\x12\x37\n\x08\x64uration\x18\x08 \x01(\x0b\x32\x19.google.protobuf.DurationH\x00R\x08\x64urationB\x07\n\x05value2\xb6\x01\n\x05Query\x12T\n\x03Get\x12%.cosmos.orm.query.v1alpha1.GetRequest\x1a&.cosmos.orm.query.v1alpha1.GetResponse\x12W\n\x04List\x12&.cosmos.orm.query.v1alpha1.ListRequest\x1a\'.cosmos.orm.query.v1alpha1.ListResponseB\xb2\x01\n\x1d\x63om.cosmos.orm.query.v1alpha1B\nQueryProtoP\x01\xa2\x02\x03\x43OQ\xaa\x02\x19\x43osmos.Orm.Query.V1alpha1\xca\x02\x19\x43osmos\\Orm\\Query\\V1alpha1\xe2\x02%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\xea\x02\x1c\x43osmos::Orm::Query::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.query.v1alpha1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_GETREQUEST']._serialized_start=204 - _globals['_GETREQUEST']._serialized_end=308 - _globals['_GETRESPONSE']._serialized_start=310 - _globals['_GETRESPONSE']._serialized_end=361 - _globals['_LISTREQUEST']._serialized_start=364 - _globals['_LISTREQUEST']._serialized_end=791 - _globals['_LISTREQUEST_PREFIX']._serialized_start=604 - _globals['_LISTREQUEST_PREFIX']._serialized_end=667 - _globals['_LISTREQUEST_RANGE']._serialized_start=669 - _globals['_LISTREQUEST_RANGE']._serialized_end=782 - _globals['_LISTRESPONSE']._serialized_start=793 - _globals['_LISTRESPONSE']._serialized_end=907 - _globals['_INDEXVALUE']._serialized_start=910 - _globals['_INDEXVALUE']._serialized_end=1122 - _globals['_QUERY']._serialized_start=1125 - _globals['_QUERY']._serialized_end=1307 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.orm.query.v1alpha1B\nQueryProtoP\001\242\002\003COQ\252\002\031Cosmos.Orm.Query.V1alpha1\312\002\031Cosmos\\Orm\\Query\\V1alpha1\342\002%Cosmos\\Orm\\Query\\V1alpha1\\GPBMetadata\352\002\034Cosmos::Orm::Query::V1alpha1' + _globals['_GETREQUEST']._serialized_start=205 + _globals['_GETREQUEST']._serialized_end=337 + _globals['_GETRESPONSE']._serialized_start=339 + _globals['_GETRESPONSE']._serialized_end=398 + _globals['_LISTREQUEST']._serialized_start=401 + _globals['_LISTREQUEST']._serialized_end=895 + _globals['_LISTREQUEST_PREFIX']._serialized_start=688 + _globals['_LISTREQUEST_PREFIX']._serialized_end=759 + _globals['_LISTREQUEST_RANGE']._serialized_start=761 + _globals['_LISTREQUEST_RANGE']._serialized_end=886 + _globals['_LISTRESPONSE']._serialized_start=898 + _globals['_LISTRESPONSE']._serialized_end=1033 + _globals['_INDEXVALUE']._serialized_start=1036 + _globals['_INDEXVALUE']._serialized_end=1304 + _globals['_QUERY']._serialized_start=1307 + _globals['_QUERY']._serialized_end=1489 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py index 19b13b87..b285b131 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1/orm.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/v1/orm.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,19 +25,20 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\x8f\x01\n\x0fTableDescriptor\x12\x38\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptor\x12\x36\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptor\x12\n\n\x02id\x18\x03 \x01(\r\">\n\x14PrimaryKeyDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\x16\n\x0e\x61uto_increment\x18\x02 \x01(\x08\"F\n\x18SecondaryIndexDescriptor\x12\x0e\n\x06\x66ields\x18\x01 \x01(\t\x12\n\n\x02id\x18\x02 \x01(\r\x12\x0e\n\x06unique\x18\x03 \x01(\x08\"!\n\x13SingletonDescriptor\x12\n\n\x02id\x18\x01 \x01(\r:Q\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptor:Y\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x17\x63osmos/orm/v1/orm.proto\x12\rcosmos.orm.v1\x1a google/protobuf/descriptor.proto\"\xa6\x01\n\x0fTableDescriptor\x12\x44\n\x0bprimary_key\x18\x01 \x01(\x0b\x32#.cosmos.orm.v1.PrimaryKeyDescriptorR\nprimaryKey\x12=\n\x05index\x18\x02 \x03(\x0b\x32\'.cosmos.orm.v1.SecondaryIndexDescriptorR\x05index\x12\x0e\n\x02id\x18\x03 \x01(\rR\x02id\"U\n\x14PrimaryKeyDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12%\n\x0e\x61uto_increment\x18\x02 \x01(\x08R\rautoIncrement\"Z\n\x18SecondaryIndexDescriptor\x12\x16\n\x06\x66ields\x18\x01 \x01(\tR\x06\x66ields\x12\x0e\n\x02id\x18\x02 \x01(\rR\x02id\x12\x16\n\x06unique\x18\x03 \x01(\x08R\x06unique\"%\n\x13SingletonDescriptor\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id:X\n\x05table\x12\x1f.google.protobuf.MessageOptions\x18\xee\xb3\xea\x31 \x01(\x0b\x32\x1e.cosmos.orm.v1.TableDescriptorR\x05table:d\n\tsingleton\x12\x1f.google.protobuf.MessageOptions\x18\xef\xb3\xea\x31 \x01(\x0b\x32\".cosmos.orm.v1.SingletonDescriptorR\tsingletonBs\n\x11\x63om.cosmos.orm.v1B\x08OrmProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\rCosmos.Orm.V1\xca\x02\rCosmos\\Orm\\V1\xe2\x02\x19\x43osmos\\Orm\\V1\\GPBMetadata\xea\x02\x0f\x43osmos::Orm::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1.orm_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\021com.cosmos.orm.v1B\010OrmProtoP\001\242\002\003COX\252\002\rCosmos.Orm.V1\312\002\rCosmos\\Orm\\V1\342\002\031Cosmos\\Orm\\V1\\GPBMetadata\352\002\017Cosmos::Orm::V1' _globals['_TABLEDESCRIPTOR']._serialized_start=77 - _globals['_TABLEDESCRIPTOR']._serialized_end=220 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=222 - _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=284 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=286 - _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=356 - _globals['_SINGLETONDESCRIPTOR']._serialized_start=358 - _globals['_SINGLETONDESCRIPTOR']._serialized_end=391 + _globals['_TABLEDESCRIPTOR']._serialized_end=243 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_start=245 + _globals['_PRIMARYKEYDESCRIPTOR']._serialized_end=330 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_start=332 + _globals['_SECONDARYINDEXDESCRIPTOR']._serialized_end=422 + _globals['_SINGLETONDESCRIPTOR']._serialized_start=424 + _globals['_SINGLETONDESCRIPTOR']._serialized_end=461 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py index 3e072baf..06498708 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/orm/v1alpha1/schema.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/orm/v1alpha1/schema.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,17 +25,18 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\xde\x01\n\x16ModuleSchemaDescriptor\x12J\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntry\x12\x0e\n\x06prefix\x18\x02 \x01(\x0c\x1ah\n\tFileEntry\x12\n\n\x02id\x18\x01 \x01(\r\x12\x17\n\x0fproto_file_name\x18\x02 \x01(\t\x12\x36\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:f\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/orm/v1alpha1/schema.proto\x12\x13\x63osmos.orm.v1alpha1\x1a google/protobuf/descriptor.proto\"\x93\x02\n\x16ModuleSchemaDescriptor\x12V\n\x0bschema_file\x18\x01 \x03(\x0b\x32\x35.cosmos.orm.v1alpha1.ModuleSchemaDescriptor.FileEntryR\nschemaFile\x12\x16\n\x06prefix\x18\x02 \x01(\x0cR\x06prefix\x1a\x88\x01\n\tFileEntry\x12\x0e\n\x02id\x18\x01 \x01(\rR\x02id\x12&\n\x0fproto_file_name\x18\x02 \x01(\tR\rprotoFileName\x12\x43\n\x0cstorage_type\x18\x03 \x01(\x0e\x32 .cosmos.orm.v1alpha1.StorageTypeR\x0bstorageType*h\n\x0bStorageType\x12$\n STORAGE_TYPE_DEFAULT_UNSPECIFIED\x10\x00\x12\x17\n\x13STORAGE_TYPE_MEMORY\x10\x01\x12\x1a\n\x16STORAGE_TYPE_TRANSIENT\x10\x02:t\n\rmodule_schema\x12\x1f.google.protobuf.MessageOptions\x18\xf0\xb3\xea\x31 \x01(\x0b\x32+.cosmos.orm.v1alpha1.ModuleSchemaDescriptorR\x0cmoduleSchemaB\x94\x01\n\x17\x63om.cosmos.orm.v1alpha1B\x0bSchemaProtoP\x01\xa2\x02\x03\x43OX\xaa\x02\x13\x43osmos.Orm.V1alpha1\xca\x02\x13\x43osmos\\Orm\\V1alpha1\xe2\x02\x1f\x43osmos\\Orm\\V1alpha1\\GPBMetadata\xea\x02\x15\x43osmos::Orm::V1alpha1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.orm.v1alpha1.schema_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None - _globals['_STORAGETYPE']._serialized_start=316 - _globals['_STORAGETYPE']._serialized_end=420 + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.orm.v1alpha1B\013SchemaProtoP\001\242\002\003COX\252\002\023Cosmos.Orm.V1alpha1\312\002\023Cosmos\\Orm\\V1alpha1\342\002\037Cosmos\\Orm\\V1alpha1\\GPBMetadata\352\002\025Cosmos::Orm::V1alpha1' + _globals['_STORAGETYPE']._serialized_start=369 + _globals['_STORAGETYPE']._serialized_end=473 _globals['_MODULESCHEMADESCRIPTOR']._serialized_start=92 - _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=314 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=210 - _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=314 + _globals['_MODULESCHEMADESCRIPTOR']._serialized_end=367 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_start=231 + _globals['_MODULESCHEMADESCRIPTOR_FILEENTRY']._serialized_end=367 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py index b40c446a..c3f25450 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/params/module/v1/module.proto\x12\x17\x63osmos.params.module.v1\x1a cosmos/app/v1alpha1/module.proto\"7\n\x06Module:-\xba\xc0\x96\xda\x01\'\n%github.com/cosmos/cosmos-sdk/x/paramsB\xa9\x01\n\x1b\x63om.cosmos.params.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43PM\xaa\x02\x17\x43osmos.Params.Module.V1\xca\x02\x17\x43osmos\\Params\\Module\\V1\xe2\x02#Cosmos\\Params\\Module\\V1\\GPBMetadata\xea\x02\x1a\x43osmos::Params::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.params.module.v1B\013ModuleProtoP\001\242\002\003CPM\252\002\027Cosmos.Params.Module.V1\312\002\027Cosmos\\Params\\Module\\V1\342\002#Cosmos\\Params\\Module\\V1\\GPBMetadata\352\002\032Cosmos::Params::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\'\n%github.com/cosmos/cosmos-sdk/x/params' _globals['_MODULE']._serialized_start=99 diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py index 53c2cc22..77a10b2b 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc8\x01\n\x17ParameterChangeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\";\n\x0bParamChange\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\x12\r\n\x05value\x18\x03 \x01(\tB:Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/params/v1beta1/params.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe5\x01\n\x17ParameterChangeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\x07\x63hanges\x18\x03 \x03(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x63hanges:I\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/ParameterChangeProposal\"Q\n\x0bParamChange\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\x12\x14\n\x05value\x18\x03 \x01(\tR\x05valueB\xd8\x01\n\x19\x63om.cosmos.params.v1beta1B\x0bParamsProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\013ParamsProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1\250\342\036\001' _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL'].fields_by_name['changes']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_PARAMETERCHANGEPROPOSAL']._loaded_options = None _globals['_PARAMETERCHANGEPROPOSAL']._serialized_options = b'\210\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\"cosmos-sdk/ParameterChangeProposal' _globals['_PARAMETERCHANGEPROPOSAL']._serialized_start=130 - _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=330 - _globals['_PARAMCHANGE']._serialized_start=332 - _globals['_PARAMCHANGE']._serialized_end=391 + _globals['_PARAMETERCHANGEPROPOSAL']._serialized_end=359 + _globals['_PARAMCHANGE']._serialized_start=361 + _globals['_PARAMCHANGE']._serialized_end=442 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py index 79e3ea10..be62e574 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/params/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/params/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/params/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.params.v1beta1 import params_pb2 as cosmos_dot_params_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"3\n\x12QueryParamsRequest\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"S\n\x13QueryParamsResponse\x12<\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x17\n\x15QuerySubspacesRequest\"L\n\x16QuerySubspacesResponse\x12\x32\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.Subspace\"*\n\x08Subspace\x12\x10\n\x08subspace\x18\x01 \x01(\t\x12\x0c\n\x04keys\x18\x02 \x03(\t2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB6Z4github.com/cosmos/cosmos-sdk/x/params/types/proposalb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!cosmos/params/v1beta1/query.proto\x12\x15\x63osmos.params.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\"cosmos/params/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"B\n\x12QueryParamsRequest\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"Z\n\x13QueryParamsResponse\x12\x43\n\x05param\x18\x01 \x01(\x0b\x32\".cosmos.params.v1beta1.ParamChangeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05param\"\x17\n\x15QuerySubspacesRequest\"W\n\x16QuerySubspacesResponse\x12=\n\tsubspaces\x18\x01 \x03(\x0b\x32\x1f.cosmos.params.v1beta1.SubspaceR\tsubspaces\":\n\x08Subspace\x12\x1a\n\x08subspace\x18\x01 \x01(\tR\x08subspace\x12\x12\n\x04keys\x18\x02 \x03(\tR\x04keys2\xa5\x02\n\x05Query\x12\x86\x01\n\x06Params\x12).cosmos.params.v1beta1.QueryParamsRequest\x1a*.cosmos.params.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/params/v1beta1/params\x12\x92\x01\n\tSubspaces\x12,.cosmos.params.v1beta1.QuerySubspacesRequest\x1a-.cosmos.params.v1beta1.QuerySubspacesResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmos/params/v1beta1/subspacesB\xd3\x01\n\x19\x63om.cosmos.params.v1beta1B\nQueryProtoP\x01Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\xa2\x02\x03\x43PX\xaa\x02\x15\x43osmos.Params.V1beta1\xca\x02\x15\x43osmos\\Params\\V1beta1\xe2\x02!Cosmos\\Params\\V1beta1\\GPBMetadata\xea\x02\x17\x43osmos::Params::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.params.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.cosmos.params.v1beta1B\nQueryProtoP\001Z4github.com/cosmos/cosmos-sdk/x/params/types/proposal\242\002\003CPX\252\002\025Cosmos.Params.V1beta1\312\002\025Cosmos\\Params\\V1beta1\342\002!Cosmos\\Params\\V1beta1\\GPBMetadata\352\002\027Cosmos::Params::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['param']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -33,15 +43,15 @@ _globals['_QUERY'].methods_by_name['Subspaces']._loaded_options = None _globals['_QUERY'].methods_by_name['Subspaces']._serialized_options = b'\202\323\344\223\002\"\022 /cosmos/params/v1beta1/subspaces' _globals['_QUERYPARAMSREQUEST']._serialized_start=167 - _globals['_QUERYPARAMSREQUEST']._serialized_end=218 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=220 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=303 - _globals['_QUERYSUBSPACESREQUEST']._serialized_start=305 - _globals['_QUERYSUBSPACESREQUEST']._serialized_end=328 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=330 - _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=406 - _globals['_SUBSPACE']._serialized_start=408 - _globals['_SUBSPACE']._serialized_end=450 - _globals['_QUERY']._serialized_start=453 - _globals['_QUERY']._serialized_end=746 + _globals['_QUERYPARAMSREQUEST']._serialized_end=233 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=235 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=325 + _globals['_QUERYSUBSPACESREQUEST']._serialized_start=327 + _globals['_QUERYSUBSPACESREQUEST']._serialized_end=350 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_start=352 + _globals['_QUERYSUBSPACESRESPONSE']._serialized_end=439 + _globals['_SUBSPACE']._serialized_start=441 + _globals['_SUBSPACE']._serialized_end=499 + _globals['_QUERY']._serialized_start=502 + _globals['_QUERY']._serialized_end=795 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2.py b/pyinjective/proto/cosmos/query/v1/query_pb2.py index 9e13f960..052f2e56 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/query/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/query/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:<\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08\x42*Z(github.com/cosmos/cosmos-sdk/types/queryb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1b\x63osmos/query/v1/query.proto\x12\x0f\x63osmos.query.v1\x1a google/protobuf/descriptor.proto:M\n\x11module_query_safe\x12\x1e.google.protobuf.MethodOptions\x18\xf1\x8c\xa6\x05 \x01(\x08R\x0fmoduleQuerySafeB\xa9\x01\n\x13\x63om.cosmos.query.v1B\nQueryProtoP\x01Z(github.com/cosmos/cosmos-sdk/types/query\xa2\x02\x03\x43QX\xaa\x02\x0f\x43osmos.Query.V1\xca\x02\x0f\x43osmos\\Query\\V1\xe2\x02\x1b\x43osmos\\Query\\V1\\GPBMetadata\xea\x02\x11\x43osmos::Query::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.query.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z(github.com/cosmos/cosmos-sdk/types/query' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.cosmos.query.v1B\nQueryProtoP\001Z(github.com/cosmos/cosmos-sdk/types/query\242\002\003CQX\252\002\017Cosmos.Query.V1\312\002\017Cosmos\\Query\\V1\342\002\033Cosmos\\Query\\V1\\GPBMetadata\352\002\021Cosmos::Query::V1' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py index d4428c47..541cddee 100644 --- a/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py +++ b/pyinjective/proto/cosmos/reflection/v1/reflection_pb2.py @@ -1,34 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/reflection/v1/reflection.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/reflection/v1/reflection.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"N\n\x17\x46ileDescriptorsResponse\x12\x33\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProto2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/reflection/v1/reflection.proto\x12\x14\x63osmos.reflection.v1\x1a google/protobuf/descriptor.proto\x1a\x1b\x63osmos/query/v1/query.proto\"\x18\n\x16\x46ileDescriptorsRequest\"U\n\x17\x46ileDescriptorsResponse\x12:\n\x05\x66iles\x18\x01 \x03(\x0b\x32$.google.protobuf.FileDescriptorProtoR\x05\x66iles2\x8a\x01\n\x11ReflectionService\x12u\n\x0f\x46ileDescriptors\x12,.cosmos.reflection.v1.FileDescriptorsRequest\x1a-.cosmos.reflection.v1.FileDescriptorsResponse\"\x05\x88\xe7\xb0*\x00\x42\x9d\x01\n\x18\x63om.cosmos.reflection.v1B\x0fReflectionProtoP\x01\xa2\x02\x03\x43RX\xaa\x02\x14\x43osmos.Reflection.V1\xca\x02\x14\x43osmos\\Reflection\\V1\xe2\x02 Cosmos\\Reflection\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Reflection::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.reflection.v1.reflection_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.reflection.v1B\017ReflectionProtoP\001\242\002\003CRX\252\002\024Cosmos.Reflection.V1\312\002\024Cosmos\\Reflection\\V1\342\002 Cosmos\\Reflection\\V1\\GPBMetadata\352\002\026Cosmos::Reflection::V1' _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._loaded_options = None _globals['_REFLECTIONSERVICE'].methods_by_name['FileDescriptors']._serialized_options = b'\210\347\260*\000' _globals['_FILEDESCRIPTORSREQUEST']._serialized_start=126 _globals['_FILEDESCRIPTORSREQUEST']._serialized_end=150 _globals['_FILEDESCRIPTORSRESPONSE']._serialized_start=152 - _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=230 - _globals['_REFLECTIONSERVICE']._serialized_start=233 - _globals['_REFLECTIONSERVICE']._serialized_end=371 + _globals['_FILEDESCRIPTORSRESPONSE']._serialized_end=237 + _globals['_REFLECTIONSERVICE']._serialized_start=240 + _globals['_REFLECTIONSERVICE']._serialized_end=378 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py index 9b0a305a..f9850969 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"L\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/module/v1/module.proto\x12\x19\x63osmos.slashing.module.v1\x1a cosmos/app/v1alpha1/module.proto\"W\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:/\xba\xc0\x96\xda\x01)\n\'github.com/cosmos/cosmos-sdk/x/slashingB\xb3\x01\n\x1d\x63om.cosmos.slashing.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x19\x43osmos.Slashing.Module.V1\xca\x02\x19\x43osmos\\Slashing\\Module\\V1\xe2\x02%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Slashing::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.slashing.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\031Cosmos.Slashing.Module.V1\312\002\031Cosmos\\Slashing\\Module\\V1\342\002%Cosmos\\Slashing\\Module\\V1\\GPBMetadata\352\002\034Cosmos::Slashing::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001)\n\'github.com/cosmos/cosmos-sdk/x/slashing' _globals['_MODULE']._serialized_start=103 - _globals['_MODULE']._serialized_end=179 + _globals['_MODULE']._serialized_end=190 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py index 21e1f022..b5a19521 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xe4\x01\n\x0cGenesisState\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12P\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9b\x01\n\x0bSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12X\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x93\x01\n\x15ValidatorMissedBlocks\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x46\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x0bMissedBlock\x12\r\n\x05index\x18\x01 \x01(\x03\x12\x0e\n\x06missed\x18\x02 \x01(\x08\x42/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/slashing/v1beta1/genesis.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x88\x02\n\x0cGenesisState\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12T\n\rsigning_infos\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.SigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0csigningInfos\x12^\n\rmissed_blocks\x18\x03 \x03(\x0b\x32..cosmos.slashing.v1beta1.ValidatorMissedBlocksB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\"\xba\x01\n\x0bSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12n\n\x16validator_signing_info\x18\x02 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14validatorSigningInfo\"\xaa\x01\n\x15ValidatorMissedBlocks\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12T\n\rmissed_blocks\x18\x02 \x03(\x0b\x32$.cosmos.slashing.v1beta1.MissedBlockB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0cmissedBlocks\";\n\x0bMissedBlock\x12\x14\n\x05index\x18\x01 \x01(\x03R\x05index\x12\x16\n\x06missed\x18\x02 \x01(\x08R\x06missedB\xd8\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x0cGenesisProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\014GenesisProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['signing_infos']._loaded_options = None @@ -41,11 +51,11 @@ _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._loaded_options = None _globals['_VALIDATORMISSEDBLOCKS'].fields_by_name['missed_blocks']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=403 - _globals['_SIGNINGINFO']._serialized_start=406 - _globals['_SIGNINGINFO']._serialized_end=561 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=564 - _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=711 - _globals['_MISSEDBLOCK']._serialized_start=713 - _globals['_MISSEDBLOCK']._serialized_end=757 + _globals['_GENESISSTATE']._serialized_end=439 + _globals['_SIGNINGINFO']._serialized_start=442 + _globals['_SIGNINGINFO']._serialized_end=628 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_start=631 + _globals['_VALIDATORMISSEDBLOCKS']._serialized_end=801 + _globals['_MISSEDBLOCK']._serialized_start=803 + _globals['_MISSEDBLOCK']._serialized_end=862 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py index 51c319ef..adf14d29 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Q\n\x13QueryParamsResponse\x12:\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"R\n\x17QuerySigningInfoRequest\x12\x37\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\"n\n\x18QuerySigningInfoResponse\x12R\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"V\n\x18QuerySigningInfosRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa0\x01\n\x19QuerySigningInfosResponse\x12\x46\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB/Z-github.com/cosmos/cosmos-sdk/x/slashing/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#cosmos/slashing/v1beta1/query.proto\x12\x17\x63osmos.slashing.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x14\n\x12QueryParamsRequest\"Y\n\x13QueryParamsResponse\x12\x42\n\x06params\x18\x01 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"_\n\x17QuerySigningInfoRequest\x12\x44\n\x0c\x63ons_address\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x0b\x63onsAddress\"~\n\x18QuerySigningInfoResponse\x12\x62\n\x10val_signing_info\x18\x01 \x01(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evalSigningInfo\"b\n\x18QuerySigningInfosRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb2\x01\n\x19QuerySigningInfosResponse\x12L\n\x04info\x18\x01 \x03(\x0b\x32-.cosmos.slashing.v1beta1.ValidatorSigningInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04info\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination2\xf2\x03\n\x05Query\x12\x8c\x01\n\x06Params\x12+.cosmos.slashing.v1beta1.QueryParamsRequest\x1a,.cosmos.slashing.v1beta1.QueryParamsResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/cosmos/slashing/v1beta1/params\x12\xb1\x01\n\x0bSigningInfo\x12\x30.cosmos.slashing.v1beta1.QuerySigningInfoRequest\x1a\x31.cosmos.slashing.v1beta1.QuerySigningInfoResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmos/slashing/v1beta1/signing_infos/{cons_address}\x12\xa5\x01\n\x0cSigningInfos\x12\x31.cosmos.slashing.v1beta1.QuerySigningInfosRequest\x1a\x32.cosmos.slashing.v1beta1.QuerySigningInfosResponse\".\x82\xd3\xe4\x93\x02(\x12&/cosmos/slashing/v1beta1/signing_infosB\xd6\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\nQueryProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\nQueryProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYSIGNINGINFOREQUEST'].fields_by_name['cons_address']._loaded_options = None @@ -45,15 +55,15 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=246 _globals['_QUERYPARAMSREQUEST']._serialized_end=266 _globals['_QUERYPARAMSRESPONSE']._serialized_start=268 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=349 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=351 - _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=433 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=435 - _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=545 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=547 - _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=633 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=636 - _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=796 - _globals['_QUERY']._serialized_start=799 - _globals['_QUERY']._serialized_end=1297 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=357 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_start=359 + _globals['_QUERYSIGNINGINFOREQUEST']._serialized_end=454 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_start=456 + _globals['_QUERYSIGNINGINFORESPONSE']._serialized_end=582 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_start=584 + _globals['_QUERYSIGNINGINFOSREQUEST']._serialized_end=682 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_start=685 + _globals['_QUERYSIGNINGINFOSRESPONSE']._serialized_end=863 + _globals['_QUERY']._serialized_start=866 + _globals['_QUERY']._serialized_end=1364 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py index 7b8da5d3..e6461b91 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/slashing.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/slashing.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xf0\x01\n\x14ValidatorSigningInfo\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressString\x12\x14\n\x0cstart_height\x18\x02 \x01(\x03\x12\x14\n\x0cindex_offset\x18\x03 \x01(\x03\x12?\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x12\n\ntombstoned\x18\x05 \x01(\x08\x12\x1d\n\x15missed_blocks_counter\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x06Params\x12\x1c\n\x14signed_blocks_window\x18\x01 \x01(\x03\x12U\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12Z\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12W\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB3Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/slashing/v1beta1/slashing.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc1\x02\n\x14ValidatorSigningInfo\x12;\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ConsensusAddressStringR\x07\x61\x64\x64ress\x12!\n\x0cstart_height\x18\x02 \x01(\x03R\x0bstartHeight\x12!\n\x0cindex_offset\x18\x03 \x01(\x03R\x0bindexOffset\x12L\n\x0cjailed_until\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0bjailedUntil\x12\x1e\n\ntombstoned\x18\x05 \x01(\x08R\ntombstoned\x12\x32\n\x15missed_blocks_counter\x18\x06 \x01(\x03R\x13missedBlocksCounter:\x04\xe8\xa0\x1f\x01\"\x8d\x04\n\x06Params\x12\x30\n\x14signed_blocks_window\x18\x01 \x01(\x03R\x12signedBlocksWindow\x12i\n\x15min_signed_per_window\x18\x02 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x12minSignedPerWindow\x12^\n\x16\x64owntime_jail_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x14\x64owntimeJailDuration\x12s\n\x1aslash_fraction_double_sign\x18\x04 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x17slashFractionDoubleSign\x12n\n\x17slash_fraction_downtime\x18\x05 \x01(\x0c\x42\x36\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x15slashFractionDowntime:!\x8a\xe7\xb0*\x1c\x63osmos-sdk/x/slashing/ParamsB\xdd\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\rSlashingProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.slashing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\rSlashingProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._loaded_options = None _globals['_VALIDATORSIGNINGINFO'].fields_by_name['address']._serialized_options = b'\322\264-\035cosmos.ConsensusAddressString' _globals['_VALIDATORSIGNINGINFO'].fields_by_name['jailed_until']._loaded_options = None @@ -44,7 +54,7 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\034cosmos-sdk/x/slashing/Params' _globals['_VALIDATORSIGNINGINFO']._serialized_start=201 - _globals['_VALIDATORSIGNINGINFO']._serialized_end=441 - _globals['_PARAMS']._serialized_start=444 - _globals['_PARAMS']._serialized_end=859 + _globals['_VALIDATORSIGNINGINFO']._serialized_end=522 + _globals['_PARAMS']._serialized_start=525 + _globals['_PARAMS']._serialized_end=1050 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py index e8467771..8e978f9e 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/slashing/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/slashing/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.slashing.v1beta1 import slashing_pb2 as cosmos_dot_slashing_dot_v1beta1_dot_slashing__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x94\x01\n\tMsgUnjail\x12U\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/slashing/v1beta1/tx.proto\x12\x17\x63osmos.slashing.v1beta1\x1a\x14gogoproto/gogo.proto\x1a&cosmos/slashing/v1beta1/slashing.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xa3\x01\n\tMsgUnjail\x12\x64\n\x0evalidator_addr\x18\x01 \x01(\tB=\xea\xde\x1f\x07\x61\x64\x64ress\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\xa2\xe7\xb0*\x07\x61\x64\x64ress\xa8\xe7\xb0*\x01R\rvalidatorAddr:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x0evalidator_addr\x8a\xe7\xb0*\x14\x63osmos-sdk/MsgUnjail\"\x13\n\x11MsgUnjailResponse\"\xc7\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32\x1f.cosmos.slashing.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:8\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*%cosmos-sdk/x/slashing/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd2\x01\n\x03Msg\x12X\n\x06Unjail\x12\".cosmos.slashing.v1beta1.MsgUnjail\x1a*.cosmos.slashing.v1beta1.MsgUnjailResponse\x12j\n\x0cUpdateParams\x12(.cosmos.slashing.v1beta1.MsgUpdateParams\x1a\x30.cosmos.slashing.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd7\x01\n\x1b\x63om.cosmos.slashing.v1beta1B\x07TxProtoP\x01Z-github.com/cosmos/cosmos-sdk/x/slashing/types\xa2\x02\x03\x43SX\xaa\x02\x17\x43osmos.Slashing.V1beta1\xca\x02\x17\x43osmos\\Slashing\\V1beta1\xe2\x02#Cosmos\\Slashing\\V1beta1\\GPBMetadata\xea\x02\x19\x43osmos::Slashing::V1beta1\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.slashing.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/x/slashing/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.cosmos.slashing.v1beta1B\007TxProtoP\001Z-github.com/cosmos/cosmos-sdk/x/slashing/types\242\002\003CSX\252\002\027Cosmos.Slashing.V1beta1\312\002\027Cosmos\\Slashing\\V1beta1\342\002#Cosmos\\Slashing\\V1beta1\\GPBMetadata\352\002\031Cosmos::Slashing::V1beta1\250\342\036\001' _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._loaded_options = None _globals['_MSGUNJAIL'].fields_by_name['validator_addr']._serialized_options = b'\352\336\037\007address\322\264-\035cosmos.ValidatorAddressString\242\347\260*\007address\250\347\260*\001' _globals['_MSGUNJAIL']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUNJAIL']._serialized_start=195 - _globals['_MSGUNJAIL']._serialized_end=343 - _globals['_MSGUNJAILRESPONSE']._serialized_start=345 - _globals['_MSGUNJAILRESPONSE']._serialized_end=364 - _globals['_MSGUPDATEPARAMS']._serialized_start=367 - _globals['_MSGUPDATEPARAMS']._serialized_end=547 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=549 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=574 - _globals['_MSG']._serialized_start=577 - _globals['_MSG']._serialized_end=787 + _globals['_MSGUNJAIL']._serialized_end=358 + _globals['_MSGUNJAILRESPONSE']._serialized_start=360 + _globals['_MSGUNJAILRESPONSE']._serialized_end=379 + _globals['_MSGUPDATEPARAMS']._serialized_start=382 + _globals['_MSGUPDATEPARAMS']._serialized_end=581 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=583 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=608 + _globals['_MSG']._serialized_start=611 + _globals['_MSG']._serialized_end=821 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py index 6cf1115c..a7b48ea8 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xa2\x01\n\x06Module\x12\x13\n\x0bhooks_order\x18\x01 \x03(\t\x12\x11\n\tauthority\x18\x02 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\t\x12\x1f\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\t:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/staking/module/v1/module.proto\x12\x18\x63osmos.staking.module.v1\x1a cosmos/app/v1alpha1/module.proto\"\xe7\x01\n\x06Module\x12\x1f\n\x0bhooks_order\x18\x01 \x03(\tR\nhooksOrder\x12\x1c\n\tauthority\x18\x02 \x01(\tR\tauthority\x12\x36\n\x17\x62\x65\x63h32_prefix_validator\x18\x03 \x01(\tR\x15\x62\x65\x63h32PrefixValidator\x12\x36\n\x17\x62\x65\x63h32_prefix_consensus\x18\x04 \x01(\tR\x15\x62\x65\x63h32PrefixConsensus:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/stakingB\xae\x01\n\x1c\x63om.cosmos.staking.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43SM\xaa\x02\x18\x43osmos.Staking.Module.V1\xca\x02\x18\x43osmos\\Staking\\Module\\V1\xe2\x02$Cosmos\\Staking\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Staking::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.staking.module.v1B\013ModuleProtoP\001\242\002\003CSM\252\002\030Cosmos.Staking.Module.V1\312\002\030Cosmos\\Staking\\Module\\V1\342\002$Cosmos\\Staking\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Staking::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/staking' _globals['_MODULE']._serialized_start=102 - _globals['_MODULE']._serialized_end=264 + _globals['_MODULE']._serialized_end=333 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py index 29a3e9b3..6f048828 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xbc\x04\n\x12StakeAuthorization\x12Z\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12y\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00\x12w\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00\x12\x45\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationType\x1a\x37\n\nValidators\x12)\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/authz.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xfa\x04\n\x12StakeAuthorization\x12\x65\n\nmax_tokens\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB+\xaa\xdf\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tmaxTokens\x12\x84\x01\n\nallow_list\x18\x02 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB,\xb2\xe7\xb0*\'cosmos-sdk/StakeAuthorization/AllowListH\x00R\tallowList\x12\x81\x01\n\tdeny_list\x18\x03 \x01(\x0b\x32\x35.cosmos.staking.v1beta1.StakeAuthorization.ValidatorsB+\xb2\xe7\xb0*&cosmos-sdk/StakeAuthorization/DenyListH\x00R\x08\x64\x65nyList\x12X\n\x12\x61uthorization_type\x18\x04 \x01(\x0e\x32).cosmos.staking.v1beta1.AuthorizationTypeR\x11\x61uthorizationType\x1a@\n\nValidators\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress:H\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1d\x63osmos-sdk/StakeAuthorizationB\x0c\n\nvalidators*\xd2\x01\n\x11\x41uthorizationType\x12\"\n\x1e\x41UTHORIZATION_TYPE_UNSPECIFIED\x10\x00\x12\x1f\n\x1b\x41UTHORIZATION_TYPE_DELEGATE\x10\x01\x12!\n\x1d\x41UTHORIZATION_TYPE_UNDELEGATE\x10\x02\x12!\n\x1d\x41UTHORIZATION_TYPE_REDELEGATE\x10\x03\x12\x32\n.AUTHORIZATION_TYPE_CANCEL_UNBONDING_DELEGATION\x10\x04\x42\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nAuthzProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nAuthzProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._loaded_options = None _globals['_STAKEAUTHORIZATION_VALIDATORS'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STAKEAUTHORIZATION'].fields_by_name['max_tokens']._loaded_options = None @@ -36,10 +46,10 @@ _globals['_STAKEAUTHORIZATION'].fields_by_name['deny_list']._serialized_options = b'\262\347\260*&cosmos-sdk/StakeAuthorization/DenyList' _globals['_STAKEAUTHORIZATION']._loaded_options = None _globals['_STAKEAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization\212\347\260*\035cosmos-sdk/StakeAuthorization' - _globals['_AUTHORIZATIONTYPE']._serialized_start=738 - _globals['_AUTHORIZATIONTYPE']._serialized_end=948 + _globals['_AUTHORIZATIONTYPE']._serialized_start=800 + _globals['_AUTHORIZATIONTYPE']._serialized_end=1010 _globals['_STAKEAUTHORIZATION']._serialized_start=163 - _globals['_STAKEAUTHORIZATION']._serialized_end=735 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=592 - _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=647 + _globals['_STAKEAUTHORIZATION']._serialized_end=797 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_start=645 + _globals['_STAKEAUTHORIZATION_VALIDATORS']._serialized_end=709 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py index ed1cacb1..bae112d1 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xa2\x04\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12J\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12T\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12@\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x42\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12U\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65xported\x18\x08 \x01(\x08\"X\n\x12LastValidatorPower\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05power\x18\x02 \x01(\x03:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/genesis.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x97\x05\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12Z\n\x10last_total_power\x18\x02 \x01(\x0c\x42\x30\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0elastTotalPower\x12i\n\x15last_validator_powers\x18\x03 \x03(\x0b\x32*.cosmos.staking.v1beta1.LastValidatorPowerB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13lastValidatorPowers\x12L\n\nvalidators\x18\x04 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12O\n\x0b\x64\x65legations\x18\x05 \x03(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65legations\x12k\n\x15unbonding_delegations\x18\x06 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x14unbondingDelegations\x12U\n\rredelegations\x18\x07 \x03(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rredelegations\x12\x1a\n\x08\x65xported\x18\x08 \x01(\x08R\x08\x65xported\"h\n\x12LastValidatorPower\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cGenesisProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014GenesisProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['last_total_power']._loaded_options = None @@ -45,7 +55,7 @@ _globals['_LASTVALIDATORPOWER']._loaded_options = None _globals['_LASTVALIDATORPOWER']._serialized_options = b'\210\240\037\000\350\240\037\000' _globals['_GENESISSTATE']._serialized_start=171 - _globals['_GENESISSTATE']._serialized_end=717 - _globals['_LASTVALIDATORPOWER']._serialized_start=719 - _globals['_LASTVALIDATORPOWER']._serialized_end=807 + _globals['_GENESISSTATE']._serialized_end=834 + _globals['_LASTVALIDATORPOWER']._serialized_start=836 + _globals['_LASTVALIDATORPOWER']._serialized_end=940 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py index f47e5634..1184e931 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"d\n\x16QueryValidatorsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x98\x01\n\x17QueryValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"R\n\x15QueryValidatorRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\"Y\n\x16QueryValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x99\x01\n QueryValidatorDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcc\x01\n!QueryValidatorDelegationsResponse\x12j\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa2\x01\n)QueryValidatorUnbondingDelegationsRequest\x12\x39\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xbe\x01\n*QueryValidatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x8f\x01\n\x16QueryDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x17QueryDelegationResponse\x12G\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponse\"\x98\x01\n\x1fQueryUnbondingDelegationRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"j\n QueryUnbondingDelegationResponse\x12\x46\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x9a\x01\n QueryDelegatorDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!QueryDelegatorDelegationsResponse\x12S\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xa3\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12S\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\xff\x01\n\x19QueryRedelegationsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x34\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb2\x01\n\x1aQueryRedelegationsResponse\x12W\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x99\x01\n\x1fQueryDelegatorValidatorsRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa1\x01\n QueryDelegatorValidatorsResponse\x12@\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x97\x01\n\x1eQueryDelegatorValidatorRequest\x12\x30\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"b\n\x1fQueryDelegatorValidatorResponse\x12?\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\",\n\x1aQueryHistoricalInfoRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\"S\n\x1bQueryHistoricalInfoResponse\x12\x34\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfo\"\x12\n\x10QueryPoolRequest\"J\n\x11QueryPoolResponse\x12\x35\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x14\n\x12QueryParamsRequest\"P\n\x13QueryParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x32\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/staking/v1beta1/query.proto\x12\x16\x63osmos.staking.v1beta1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x11\x61mino/amino.proto\"x\n\x16QueryValidatorsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb0\x01\n\x17QueryValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x15QueryValidatorRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\"d\n\x16QueryValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"\xb4\x01\n QueryValidatorDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xed\x01\n!QueryValidatorDelegationsResponse\x12\x7f\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB \xc8\xde\x1f\x00\xaa\xdf\x1f\x13\x44\x65legationResponses\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbd\x01\n)QueryValidatorUnbondingDelegationsRequest\x12H\n\x0evalidator_addr\x18\x01 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n*QueryValidatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xad\x01\n\x16QueryDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"v\n\x17QueryDelegationResponse\x12[\n\x13\x64\x65legation_response\x18\x01 \x01(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseR\x12\x64\x65legationResponse\"\xb6\x01\n\x1fQueryUnbondingDelegationRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"r\n QueryUnbondingDelegationResponse\x12N\n\x06unbond\x18\x01 \x01(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06unbond\"\xb5\x01\n QueryDelegatorDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd6\x01\n!QueryDelegatorDelegationsResponse\x12h\n\x14\x64\x65legation_responses\x18\x01 \x03(\x0b\x32*.cosmos.staking.v1beta1.DelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x64\x65legationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x01\n)QueryDelegatorUnbondingDelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xde\x01\n*QueryDelegatorUnbondingDelegationsResponse\x12g\n\x13unbonding_responses\x18\x01 \x03(\x0b\x32+.cosmos.staking.v1beta1.UnbondingDelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x12unbondingResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xbe\x02\n\x19QueryRedelegationsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\x12src_validator_addr\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10srcValidatorAddr\x12\x46\n\x12\x64st_validator_addr\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64stValidatorAddr\x12\x46\n\npagination\x18\x04 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x1aQueryRedelegationsResponse\x12n\n\x16redelegation_responses\x18\x01 \x03(\x0b\x32,.cosmos.staking.v1beta1.RedelegationResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15redelegationResponses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb4\x01\n\x1fQueryDelegatorValidatorsRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb9\x01\n QueryDelegatorValidatorsResponse\x12L\n\nvalidators\x18\x01 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\nvalidators\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb5\x01\n\x1eQueryDelegatorValidatorRequest\x12?\n\x0e\x64\x65legator_addr\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\rdelegatorAddr\x12H\n\x0evalidator_addr\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\rvalidatorAddr:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"m\n\x1fQueryDelegatorValidatorResponse\x12J\n\tvalidator\x18\x01 \x01(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tvalidator\"4\n\x1aQueryHistoricalInfoRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"Y\n\x1bQueryHistoricalInfoResponse\x12:\n\x04hist\x18\x01 \x01(\x0b\x32&.cosmos.staking.v1beta1.HistoricalInfoR\x04hist\"\x12\n\x10QueryPoolRequest\"P\n\x11QueryPoolResponse\x12;\n\x04pool\x18\x01 \x01(\x0b\x32\x1c.cosmos.staking.v1beta1.PoolB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04pool\"\x14\n\x12QueryParamsRequest\"X\n\x13QueryParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params2\xb0\x16\n\x05Query\x12\x9e\x01\n\nValidators\x12..cosmos.staking.v1beta1.QueryValidatorsRequest\x1a/.cosmos.staking.v1beta1.QueryValidatorsResponse\"/\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02$\x12\"/cosmos/staking/v1beta1/validators\x12\xac\x01\n\tValidator\x12-.cosmos.staking.v1beta1.QueryValidatorRequest\x1a..cosmos.staking.v1beta1.QueryValidatorResponse\"@\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x35\x12\x33/cosmos/staking/v1beta1/validators/{validator_addr}\x12\xd9\x01\n\x14ValidatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryValidatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryValidatorDelegationsResponse\"L\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x41\x12?/cosmos/staking/v1beta1/validators/{validator_addr}/delegations\x12\xfe\x01\n\x1dValidatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryValidatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/validators/{validator_addr}/unbonding_delegations\x12\xcc\x01\n\nDelegation\x12..cosmos.staking.v1beta1.QueryDelegationRequest\x1a/.cosmos.staking.v1beta1.QueryDelegationResponse\"]\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02R\x12P/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}\x12\xfc\x01\n\x13UnbondingDelegation\x12\x37.cosmos.staking.v1beta1.QueryUnbondingDelegationRequest\x1a\x38.cosmos.staking.v1beta1.QueryUnbondingDelegationResponse\"r\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02g\x12\x65/cosmos/staking/v1beta1/validators/{validator_addr}/delegations/{delegator_addr}/unbonding_delegation\x12\xce\x01\n\x14\x44\x65legatorDelegations\x12\x38.cosmos.staking.v1beta1.QueryDelegatorDelegationsRequest\x1a\x39.cosmos.staking.v1beta1.QueryDelegatorDelegationsResponse\"A\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x36\x12\x34/cosmos/staking/v1beta1/delegations/{delegator_addr}\x12\xfe\x01\n\x1d\x44\x65legatorUnbondingDelegations\x12\x41.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsRequest\x1a\x42.cosmos.staking.v1beta1.QueryDelegatorUnbondingDelegationsResponse\"V\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02K\x12I/cosmos/staking/v1beta1/delegators/{delegator_addr}/unbonding_delegations\x12\xc6\x01\n\rRedelegations\x12\x31.cosmos.staking.v1beta1.QueryRedelegationsRequest\x1a\x32.cosmos.staking.v1beta1.QueryRedelegationsResponse\"N\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x43\x12\x41/cosmos/staking/v1beta1/delegators/{delegator_addr}/redelegations\x12\xd5\x01\n\x13\x44\x65legatorValidators\x12\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorsRequest\x1a\x38.cosmos.staking.v1beta1.QueryDelegatorValidatorsResponse\"K\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators\x12\xe3\x01\n\x12\x44\x65legatorValidator\x12\x36.cosmos.staking.v1beta1.QueryDelegatorValidatorRequest\x1a\x37.cosmos.staking.v1beta1.QueryDelegatorValidatorResponse\"\\\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02Q\x12O/cosmos/staking/v1beta1/delegators/{delegator_addr}/validators/{validator_addr}\x12\xb8\x01\n\x0eHistoricalInfo\x12\x32.cosmos.staking.v1beta1.QueryHistoricalInfoRequest\x1a\x33.cosmos.staking.v1beta1.QueryHistoricalInfoResponse\"=\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x32\x12\x30/cosmos/staking/v1beta1/historical_info/{height}\x12\x86\x01\n\x04Pool\x12(.cosmos.staking.v1beta1.QueryPoolRequest\x1a).cosmos.staking.v1beta1.QueryPoolResponse\")\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02\x1e\x12\x1c/cosmos/staking/v1beta1/pool\x12\x8e\x01\n\x06Params\x12*.cosmos.staking.v1beta1.QueryParamsRequest\x1a+.cosmos.staking.v1beta1.QueryParamsResponse\"+\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02 \x12\x1e/cosmos/staking/v1beta1/paramsB\xd0\x01\n\x1a\x63om.cosmos.staking.v1beta1B\nQueryProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\nQueryProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._loaded_options = None _globals['_QUERYVALIDATORSRESPONSE'].fields_by_name['validators']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_QUERYVALIDATORREQUEST'].fields_by_name['validator_addr']._loaded_options = None @@ -126,61 +136,61 @@ _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\210\347\260*\001\202\323\344\223\002 \022\036/cosmos/staking/v1beta1/params' _globals['_QUERYVALIDATORSREQUEST']._serialized_start=271 - _globals['_QUERYVALIDATORSREQUEST']._serialized_end=371 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=374 - _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=526 - _globals['_QUERYVALIDATORREQUEST']._serialized_start=528 - _globals['_QUERYVALIDATORREQUEST']._serialized_end=610 - _globals['_QUERYVALIDATORRESPONSE']._serialized_start=612 - _globals['_QUERYVALIDATORRESPONSE']._serialized_end=701 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=704 - _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=857 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=860 - _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1064 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1067 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1229 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1232 - _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1422 - _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1425 - _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1568 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1570 - _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1668 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1671 - _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=1823 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=1825 - _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=1931 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=1934 - _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2088 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2091 - _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2272 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2275 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2438 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2441 - _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=2631 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=2634 - _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=2889 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=2892 - _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3070 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3073 - _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3226 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3229 - _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3390 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3393 - _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=3544 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=3546 - _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=3644 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=3646 - _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=3690 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=3692 - _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=3775 - _globals['_QUERYPOOLREQUEST']._serialized_start=3777 - _globals['_QUERYPOOLREQUEST']._serialized_end=3795 - _globals['_QUERYPOOLRESPONSE']._serialized_start=3797 - _globals['_QUERYPOOLRESPONSE']._serialized_end=3871 - _globals['_QUERYPARAMSREQUEST']._serialized_start=3873 - _globals['_QUERYPARAMSREQUEST']._serialized_end=3893 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=3895 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=3975 - _globals['_QUERY']._serialized_start=3978 - _globals['_QUERY']._serialized_end=6842 + _globals['_QUERYVALIDATORSREQUEST']._serialized_end=391 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_start=394 + _globals['_QUERYVALIDATORSRESPONSE']._serialized_end=570 + _globals['_QUERYVALIDATORREQUEST']._serialized_start=572 + _globals['_QUERYVALIDATORREQUEST']._serialized_end=669 + _globals['_QUERYVALIDATORRESPONSE']._serialized_start=671 + _globals['_QUERYVALIDATORRESPONSE']._serialized_end=771 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_start=774 + _globals['_QUERYVALIDATORDELEGATIONSREQUEST']._serialized_end=954 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_start=957 + _globals['_QUERYVALIDATORDELEGATIONSRESPONSE']._serialized_end=1194 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=1197 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=1386 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=1389 + _globals['_QUERYVALIDATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=1611 + _globals['_QUERYDELEGATIONREQUEST']._serialized_start=1614 + _globals['_QUERYDELEGATIONREQUEST']._serialized_end=1787 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_start=1789 + _globals['_QUERYDELEGATIONRESPONSE']._serialized_end=1907 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_start=1910 + _globals['_QUERYUNBONDINGDELEGATIONREQUEST']._serialized_end=2092 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_start=2094 + _globals['_QUERYUNBONDINGDELEGATIONRESPONSE']._serialized_end=2208 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_start=2211 + _globals['_QUERYDELEGATORDELEGATIONSREQUEST']._serialized_end=2392 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_start=2395 + _globals['_QUERYDELEGATORDELEGATIONSRESPONSE']._serialized_end=2609 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_start=2612 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSREQUEST']._serialized_end=2802 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_start=2805 + _globals['_QUERYDELEGATORUNBONDINGDELEGATIONSRESPONSE']._serialized_end=3027 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_start=3030 + _globals['_QUERYREDELEGATIONSREQUEST']._serialized_end=3348 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_start=3351 + _globals['_QUERYREDELEGATIONSRESPONSE']._serialized_end=3564 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_start=3567 + _globals['_QUERYDELEGATORVALIDATORSREQUEST']._serialized_end=3747 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_start=3750 + _globals['_QUERYDELEGATORVALIDATORSRESPONSE']._serialized_end=3935 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_start=3938 + _globals['_QUERYDELEGATORVALIDATORREQUEST']._serialized_end=4119 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_start=4121 + _globals['_QUERYDELEGATORVALIDATORRESPONSE']._serialized_end=4230 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_start=4232 + _globals['_QUERYHISTORICALINFOREQUEST']._serialized_end=4284 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_start=4286 + _globals['_QUERYHISTORICALINFORESPONSE']._serialized_end=4375 + _globals['_QUERYPOOLREQUEST']._serialized_start=4377 + _globals['_QUERYPOOLREQUEST']._serialized_end=4395 + _globals['_QUERYPOOLRESPONSE']._serialized_start=4397 + _globals['_QUERYPOOLRESPONSE']._serialized_end=4477 + _globals['_QUERYPARAMSREQUEST']._serialized_start=4479 + _globals['_QUERYPARAMSREQUEST']._serialized_end=4499 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=4501 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=4589 + _globals['_QUERY']._serialized_start=4592 + _globals['_QUERY']._serialized_end=7456 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py index 968e7a69..fe6561ff 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/staking.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/staking.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x83\x01\n\x0eHistoricalInfo\x12\x33\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xf8\x01\n\x0f\x43ommissionRates\x12\x44\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12H\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01\x12O\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\xa4\x01\n\nCommission\x12P\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01\x12>\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"r\n\x0b\x44\x65scription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t:\x04\xe8\xa0\x1f\x01\"\xcc\x05\n\tValidator\x12\x32\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x0e\n\x06jailed\x18\x03 \x01(\x08\x12\x32\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatus\x12;\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12K\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x43\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x18\n\x10unbonding_height\x18\x08 \x01(\x03\x12\x41\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x41\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12H\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12#\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03\x12\x15\n\runbonding_ids\x18\r \x03(\x04:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\";\n\x0cValAddresses\x12+\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x85\x01\n\x06\x44VPair\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"C\n\x07\x44VPairs\x12\x38\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcf\x01\n\nDVVTriplet\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"N\n\x0b\x44VVTriplets\x12?\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xcc\x01\n\nDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x41\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe0\x01\n\x13UnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12L\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x02\n\x18UnbondingDelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\xbe\x02\n\x11RedelegationEntry\x12\x17\n\x0f\x63reation_height\x18\x01 \x01(\x03\x12\x42\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x44\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\x12\x45\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x14\n\x0cunbonding_id\x18\x05 \x01(\x04\x12#\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03:\x04\xe8\xa0\x1f\x01\"\x98\x02\n\x0cRedelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x45\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x02\n\x06Params\x12@\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x16\n\x0emax_validators\x18\x02 \x01(\r\x12\x13\n\x0bmax_entries\x18\x03 \x01(\r\x12\x1a\n\x12historical_entries\x18\x04 \x01(\r\x12\x12\n\nbond_denom\x18\x05 \x01(\t\x12q\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\x94\x01\n\x12\x44\x65legationResponse\x12\x41\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x35\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xb1\x01\n\x19RedelegationEntryResponse\x12P\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:\x04\xe8\xa0\x1f\x01\"\xb2\x01\n\x14RedelegationResponse\x12\x45\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x00\"\xcc\x01\n\x04Pool\x12`\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12X\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"P\n\x10ValidatorUpdates\x12<\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/staking/v1beta1/staking.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\x1a\x1ctendermint/types/types.proto\x1a\x1btendermint/abci/types.proto\"\x93\x01\n\x0eHistoricalInfo\x12;\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06header\x12\x44\n\x06valset\x18\x02 \x03(\x0b\x32!.cosmos.staking.v1beta1.ValidatorB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06valset\"\x96\x02\n\x0f\x43ommissionRates\x12J\n\x04rate\x18\x01 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x04rate\x12Q\n\x08max_rate\x18\x02 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x07maxRate\x12^\n\x0fmax_change_rate\x18\x03 \x01(\tB6\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\rmaxChangeRate:\x04\xe8\xa0\x1f\x01\"\xc1\x01\n\nCommission\x12\x61\n\x10\x63ommission_rates\x18\x01 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\r\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xa8\xe7\xb0*\x01R\x0f\x63ommissionRates\x12J\n\x0bupdate_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\nupdateTime:\x04\xe8\xa0\x1f\x01\"\xa8\x01\n\x0b\x44\x65scription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails:\x04\xe8\xa0\x1f\x01\"\x8a\x07\n\tValidator\x12\x43\n\x10operator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0foperatorAddress\x12Y\n\x10\x63onsensus_pubkey\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x0f\x63onsensusPubkey\x12\x16\n\x06jailed\x18\x03 \x01(\x08R\x06jailed\x12:\n\x06status\x18\x04 \x01(\x0e\x32\".cosmos.staking.v1beta1.BondStatusR\x06status\x12\x43\n\x06tokens\x18\x05 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x06tokens\x12\\\n\x10\x64\x65legator_shares\x18\x06 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0f\x64\x65legatorShares\x12P\n\x0b\x64\x65scription\x18\x07 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\x08 \x01(\x03R\x0funbondingHeight\x12P\n\x0eunbonding_time\x18\t \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12M\n\ncommission\x18\n \x01(\x0b\x32\".cosmos.staking.v1beta1.CommissionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12[\n\x13min_self_delegation\x18\x0b \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation\x12<\n\x1bunbonding_on_hold_ref_count\x18\x0c \x01(\x03R\x17unbondingOnHoldRefCount\x12#\n\runbonding_ids\x18\r \x03(\x04R\x0cunbondingIds:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"F\n\x0cValAddresses\x12\x36\n\taddresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses\"\xa9\x01\n\x06\x44VPair\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"J\n\x07\x44VPairs\x12?\n\x05pairs\x18\x01 \x03(\x0b\x32\x1e.cosmos.staking.v1beta1.DVPairB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05pairs\"\x8b\x02\n\nDVVTriplet\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"X\n\x0b\x44VVTriplets\x12I\n\x08triplets\x18\x01 \x03(\x0b\x32\".cosmos.staking.v1beta1.DVVTripletB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08triplets\"\xf8\x01\n\nDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12I\n\x06shares\x18\x03 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x06shares:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8d\x02\n\x13UnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12U\n\x07\x65ntries\x18\x03 \x03(\x0b\x32\x30.cosmos.staking.v1beta1.UnbondingDelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9b\x03\n\x18UnbondingDelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\x9f\x03\n\x11RedelegationEntry\x12\'\n\x0f\x63reation_height\x18\x01 \x01(\x03R\x0e\x63reationHeight\x12R\n\x0f\x63ompletion_time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12T\n\x0finitial_balance\x18\x03 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x0einitialBalance\x12P\n\nshares_dst\x18\x04 \x01(\tB1\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\tsharesDst\x12!\n\x0cunbonding_id\x18\x05 \x01(\x04R\x0bunbondingId\x12<\n\x1bunbonding_on_hold_ref_count\x18\x06 \x01(\x03R\x17unbondingOnHoldRefCount:\x04\xe8\xa0\x1f\x01\"\xdd\x02\n\x0cRedelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12N\n\x07\x65ntries\x18\x04 \x03(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x9c\x03\n\x06Params\x12O\n\x0eunbonding_time\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB\r\xc8\xde\x1f\x00\x98\xdf\x1f\x01\xa8\xe7\xb0*\x01R\runbondingTime\x12%\n\x0emax_validators\x18\x02 \x01(\rR\rmaxValidators\x12\x1f\n\x0bmax_entries\x18\x03 \x01(\rR\nmaxEntries\x12-\n\x12historical_entries\x18\x04 \x01(\rR\x11historicalEntries\x12\x1d\n\nbond_denom\x18\x05 \x01(\tR\tbondDenom\x12\x84\x01\n\x13min_commission_rate\x18\x06 \x01(\tBT\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xf2\xde\x1f\x1ayaml:\"min_commission_rate\"\xd2\xb4-\ncosmos.Dec\xa8\xe7\xb0*\x01R\x11minCommissionRate:$\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x1b\x63osmos-sdk/x/staking/Params\"\xa9\x01\n\x12\x44\x65legationResponse\x12M\n\ndelegation\x18\x01 \x01(\x0b\x32\".cosmos.staking.v1beta1.DelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ndelegation\x12>\n\x07\x62\x61lance\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x62\x61lance:\x04\xe8\xa0\x1f\x00\"\xcd\x01\n\x19RedelegationEntryResponse\x12\x63\n\x12redelegation_entry\x18\x01 \x01(\x0b\x32).cosmos.staking.v1beta1.RedelegationEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11redelegationEntry\x12\x45\n\x07\x62\x61lance\x18\x04 \x01(\tB+\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x07\x62\x61lance:\x04\xe8\xa0\x1f\x01\"\xc9\x01\n\x14RedelegationResponse\x12S\n\x0credelegation\x18\x01 \x01(\x0b\x32$.cosmos.staking.v1beta1.RedelegationB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0credelegation\x12V\n\x07\x65ntries\x18\x02 \x03(\x0b\x32\x31.cosmos.staking.v1beta1.RedelegationEntryResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries:\x04\xe8\xa0\x1f\x00\"\xeb\x01\n\x04Pool\x12q\n\x11not_bonded_tokens\x18\x01 \x01(\tBE\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\x11not_bonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0fnotBondedTokens\x12\x66\n\rbonded_tokens\x18\x02 \x01(\tBA\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xea\xde\x1f\rbonded_tokens\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x0c\x62ondedTokens:\x08\xe8\xa0\x1f\x01\xf0\xa0\x1f\x01\"Y\n\x10ValidatorUpdates\x12\x45\n\x07updates\x18\x01 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07updates*\xb6\x01\n\nBondStatus\x12,\n\x17\x42OND_STATUS_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUnspecified\x12&\n\x14\x42OND_STATUS_UNBONDED\x10\x01\x1a\x0c\x8a\x9d \x08Unbonded\x12(\n\x15\x42OND_STATUS_UNBONDING\x10\x02\x1a\r\x8a\x9d \tUnbonding\x12\"\n\x12\x42OND_STATUS_BONDED\x10\x03\x1a\n\x8a\x9d \x06\x42onded\x1a\x04\x88\xa3\x1e\x00*]\n\nInfraction\x12\x1a\n\x16INFRACTION_UNSPECIFIED\x10\x00\x12\x1a\n\x16INFRACTION_DOUBLE_SIGN\x10\x01\x12\x17\n\x13INFRACTION_DOWNTIME\x10\x02\x42\xd2\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x0cStakingProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.staking_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\014StakingProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_BONDSTATUS']._loaded_options = None _globals['_BONDSTATUS']._serialized_options = b'\210\243\036\000' _globals['_BONDSTATUS'].values_by_name["BOND_STATUS_UNSPECIFIED"]._loaded_options = None @@ -173,50 +183,50 @@ _globals['_POOL']._serialized_options = b'\350\240\037\001\360\240\037\001' _globals['_VALIDATORUPDATES'].fields_by_name['updates']._loaded_options = None _globals['_VALIDATORUPDATES'].fields_by_name['updates']._serialized_options = b'\310\336\037\000\250\347\260*\001' - _globals['_BONDSTATUS']._serialized_start=4740 - _globals['_BONDSTATUS']._serialized_end=4922 - _globals['_INFRACTION']._serialized_start=4924 - _globals['_INFRACTION']._serialized_end=5017 + _globals['_BONDSTATUS']._serialized_start=5738 + _globals['_BONDSTATUS']._serialized_end=5920 + _globals['_INFRACTION']._serialized_start=5922 + _globals['_INFRACTION']._serialized_end=6015 _globals['_HISTORICALINFO']._serialized_start=316 - _globals['_HISTORICALINFO']._serialized_end=447 - _globals['_COMMISSIONRATES']._serialized_start=450 - _globals['_COMMISSIONRATES']._serialized_end=698 - _globals['_COMMISSION']._serialized_start=701 - _globals['_COMMISSION']._serialized_end=865 - _globals['_DESCRIPTION']._serialized_start=867 - _globals['_DESCRIPTION']._serialized_end=981 - _globals['_VALIDATOR']._serialized_start=984 - _globals['_VALIDATOR']._serialized_end=1700 - _globals['_VALADDRESSES']._serialized_start=1702 - _globals['_VALADDRESSES']._serialized_end=1761 - _globals['_DVPAIR']._serialized_start=1764 - _globals['_DVPAIR']._serialized_end=1897 - _globals['_DVPAIRS']._serialized_start=1899 - _globals['_DVPAIRS']._serialized_end=1966 - _globals['_DVVTRIPLET']._serialized_start=1969 - _globals['_DVVTRIPLET']._serialized_end=2176 - _globals['_DVVTRIPLETS']._serialized_start=2178 - _globals['_DVVTRIPLETS']._serialized_end=2256 - _globals['_DELEGATION']._serialized_start=2259 - _globals['_DELEGATION']._serialized_end=2463 - _globals['_UNBONDINGDELEGATION']._serialized_start=2466 - _globals['_UNBONDINGDELEGATION']._serialized_end=2690 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=2693 - _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3009 - _globals['_REDELEGATIONENTRY']._serialized_start=3012 - _globals['_REDELEGATIONENTRY']._serialized_end=3330 - _globals['_REDELEGATION']._serialized_start=3333 - _globals['_REDELEGATION']._serialized_end=3613 - _globals['_PARAMS']._serialized_start=3616 - _globals['_PARAMS']._serialized_end=3936 - _globals['_DELEGATIONRESPONSE']._serialized_start=3939 - _globals['_DELEGATIONRESPONSE']._serialized_end=4087 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4090 - _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=4267 - _globals['_REDELEGATIONRESPONSE']._serialized_start=4270 - _globals['_REDELEGATIONRESPONSE']._serialized_end=4448 - _globals['_POOL']._serialized_start=4451 - _globals['_POOL']._serialized_end=4655 - _globals['_VALIDATORUPDATES']._serialized_start=4657 - _globals['_VALIDATORUPDATES']._serialized_end=4737 + _globals['_HISTORICALINFO']._serialized_end=463 + _globals['_COMMISSIONRATES']._serialized_start=466 + _globals['_COMMISSIONRATES']._serialized_end=744 + _globals['_COMMISSION']._serialized_start=747 + _globals['_COMMISSION']._serialized_end=940 + _globals['_DESCRIPTION']._serialized_start=943 + _globals['_DESCRIPTION']._serialized_end=1111 + _globals['_VALIDATOR']._serialized_start=1114 + _globals['_VALIDATOR']._serialized_end=2020 + _globals['_VALADDRESSES']._serialized_start=2022 + _globals['_VALADDRESSES']._serialized_end=2092 + _globals['_DVPAIR']._serialized_start=2095 + _globals['_DVPAIR']._serialized_end=2264 + _globals['_DVPAIRS']._serialized_start=2266 + _globals['_DVPAIRS']._serialized_end=2340 + _globals['_DVVTRIPLET']._serialized_start=2343 + _globals['_DVVTRIPLET']._serialized_end=2610 + _globals['_DVVTRIPLETS']._serialized_start=2612 + _globals['_DVVTRIPLETS']._serialized_end=2700 + _globals['_DELEGATION']._serialized_start=2703 + _globals['_DELEGATION']._serialized_end=2951 + _globals['_UNBONDINGDELEGATION']._serialized_start=2954 + _globals['_UNBONDINGDELEGATION']._serialized_end=3223 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_start=3226 + _globals['_UNBONDINGDELEGATIONENTRY']._serialized_end=3637 + _globals['_REDELEGATIONENTRY']._serialized_start=3640 + _globals['_REDELEGATIONENTRY']._serialized_end=4055 + _globals['_REDELEGATION']._serialized_start=4058 + _globals['_REDELEGATION']._serialized_end=4407 + _globals['_PARAMS']._serialized_start=4410 + _globals['_PARAMS']._serialized_end=4822 + _globals['_DELEGATIONRESPONSE']._serialized_start=4825 + _globals['_DELEGATIONRESPONSE']._serialized_end=4994 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_start=4997 + _globals['_REDELEGATIONENTRYRESPONSE']._serialized_end=5202 + _globals['_REDELEGATIONRESPONSE']._serialized_start=5205 + _globals['_REDELEGATIONRESPONSE']._serialized_end=5406 + _globals['_POOL']._serialized_start=5409 + _globals['_POOL']._serialized_end=5644 + _globals['_VALIDATORUPDATES']._serialized_start=5646 + _globals['_VALIDATORUPDATES']._serialized_end=5735 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py index edd8777a..37cb3f9b 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/tx_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/staking/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/staking/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,22 +24,22 @@ from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.staking.v1beta1 import staking_pb2 as cosmos_dot_staking_dot_v1beta1_dot_staking__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\x9c\x04\n\x12MsgCreateValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x46\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12M\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01\x12\x35\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12>\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKey\x12\x33\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xe3\x02\n\x10MsgEditValidator\x12\x43\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x46\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.Dec\x12\x44\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\xf1\x01\n\x0bMsgDelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\xc5\x02\n\x12MsgBeginRedelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12@\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"`\n\x1aMsgBeginRedelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\"\xf5\x01\n\rMsgUndelegate\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\x91\x01\n\x15MsgUndelegateResponse\x12\x42\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x34\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\xac\x02\n\x1cMsgCancelUnbondingDelegation\x12\x33\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressString\x12\x34\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x17\n\x0f\x63reation_height\x18\x04 \x01(\x03:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xb2\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42.Z,github.com/cosmos/cosmos-sdk/x/staking/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/staking/v1beta1/tx.proto\x12\x16\x63osmos.staking.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a$cosmos/staking/v1beta1/staking.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfb\x04\n\x12MsgCreateValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12R\n\ncommission\x18\x02 \x01(\x0b\x32\'.cosmos.staking.v1beta1.CommissionRatesB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\ncommission\x12`\n\x13min_self_delegation\x18\x03 \x01(\tB0\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.Int\xa8\xe7\xb0*\x01R\x11minSelfDelegation\x12G\n\x11\x64\x65legator_address\x18\x04 \x01(\tB\x1a\x18\x01\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x05 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12\x46\n\x06pubkey\x18\x06 \x01(\x0b\x32\x14.google.protobuf.AnyB\x18\xca\xb4-\x14\x63osmos.crypto.PubKeyR\x06pubkey\x12:\n\x05value\x18\x07 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05value:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgCreateValidator\"\x1c\n\x1aMsgCreateValidatorResponse\"\xa5\x03\n\x10MsgEditValidator\x12P\n\x0b\x64\x65scription\x18\x01 \x01(\x0b\x32#.cosmos.staking.v1beta1.DescriptionB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0b\x64\x65scription\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12V\n\x0f\x63ommission_rate\x18\x03 \x01(\tB-\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\xd2\xb4-\ncosmos.DecR\x0e\x63ommissionRate\x12W\n\x13min_self_delegation\x18\x04 \x01(\tB\'\xda\xde\x1f\x15\x63osmossdk.io/math.Int\xd2\xb4-\ncosmos.IntR\x11minSelfDelegation:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11validator_address\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgEditValidator\"\x1a\n\x18MsgEditValidatorResponse\"\x9d\x02\n\x0bMsgDelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgDelegate\"\x15\n\x13MsgDelegateResponse\"\x89\x03\n\x12MsgBeginRedelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12U\n\x15validator_src_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorSrcAddress\x12U\n\x15validator_dst_address\x18\x03 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x13validatorDstAddress\x12<\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgBeginRedelegate\"p\n\x1aMsgBeginRedelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\"\xa1\x02\n\rMsgUndelegate\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\x18\x63osmos-sdk/MsgUndelegate\"\xa9\x01\n\x15MsgUndelegateResponse\x12R\n\x0f\x63ompletion_time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\r\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x0e\x63ompletionTime\x12<\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\"\xe8\x02\n\x1cMsgCancelUnbondingDelegation\x12\x45\n\x11\x64\x65legator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x10\x64\x65legatorAddress\x12N\n\x11validator_address\x18\x02 \x01(\tB!\xd2\xb4-\x1d\x63osmos.ValidatorAddressStringR\x10validatorAddress\x12<\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06\x61mount\x12\'\n\x0f\x63reation_height\x18\x04 \x01(\x03R\x0e\x63reationHeight:J\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x11\x64\x65legator_address\x8a\xe7\xb0*\'cosmos-sdk/MsgCancelUnbondingDelegation\"&\n$MsgCancelUnbondingDelegationResponse\"\xc5\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32\x1e.cosmos.staking.v1beta1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$cosmos-sdk/x/staking/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\x9d\x06\n\x03Msg\x12q\n\x0f\x43reateValidator\x12*.cosmos.staking.v1beta1.MsgCreateValidator\x1a\x32.cosmos.staking.v1beta1.MsgCreateValidatorResponse\x12k\n\rEditValidator\x12(.cosmos.staking.v1beta1.MsgEditValidator\x1a\x30.cosmos.staking.v1beta1.MsgEditValidatorResponse\x12\\\n\x08\x44\x65legate\x12#.cosmos.staking.v1beta1.MsgDelegate\x1a+.cosmos.staking.v1beta1.MsgDelegateResponse\x12q\n\x0f\x42\x65ginRedelegate\x12*.cosmos.staking.v1beta1.MsgBeginRedelegate\x1a\x32.cosmos.staking.v1beta1.MsgBeginRedelegateResponse\x12\x62\n\nUndelegate\x12%.cosmos.staking.v1beta1.MsgUndelegate\x1a-.cosmos.staking.v1beta1.MsgUndelegateResponse\x12\x8f\x01\n\x19\x43\x61ncelUnbondingDelegation\x12\x34.cosmos.staking.v1beta1.MsgCancelUnbondingDelegation\x1a<.cosmos.staking.v1beta1.MsgCancelUnbondingDelegationResponse\x12h\n\x0cUpdateParams\x12\'.cosmos.staking.v1beta1.MsgUpdateParams\x1a/.cosmos.staking.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcd\x01\n\x1a\x63om.cosmos.staking.v1beta1B\x07TxProtoP\x01Z,github.com/cosmos/cosmos-sdk/x/staking/types\xa2\x02\x03\x43SX\xaa\x02\x16\x43osmos.Staking.V1beta1\xca\x02\x16\x43osmos\\Staking\\V1beta1\xe2\x02\"Cosmos\\Staking\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Staking::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.staking.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z,github.com/cosmos/cosmos-sdk/x/staking/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.staking.v1beta1B\007TxProtoP\001Z,github.com/cosmos/cosmos-sdk/x/staking/types\242\002\003CSX\252\002\026Cosmos.Staking.V1beta1\312\002\026Cosmos\\Staking\\V1beta1\342\002\"Cosmos\\Staking\\V1beta1\\GPBMetadata\352\002\030Cosmos::Staking::V1beta1' _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._loaded_options = None _globals['_MSGCREATEVALIDATOR'].fields_by_name['description']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGCREATEVALIDATOR'].fields_by_name['commission']._loaded_options = None @@ -105,33 +115,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVALIDATOR']._serialized_start=283 - _globals['_MSGCREATEVALIDATOR']._serialized_end=823 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=825 - _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=853 - _globals['_MSGEDITVALIDATOR']._serialized_start=856 - _globals['_MSGEDITVALIDATOR']._serialized_end=1211 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1213 - _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1239 - _globals['_MSGDELEGATE']._serialized_start=1242 - _globals['_MSGDELEGATE']._serialized_end=1483 - _globals['_MSGDELEGATERESPONSE']._serialized_start=1485 - _globals['_MSGDELEGATERESPONSE']._serialized_end=1506 - _globals['_MSGBEGINREDELEGATE']._serialized_start=1509 - _globals['_MSGBEGINREDELEGATE']._serialized_end=1834 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=1836 - _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=1932 - _globals['_MSGUNDELEGATE']._serialized_start=1935 - _globals['_MSGUNDELEGATE']._serialized_end=2180 - _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2183 - _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2328 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2331 - _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=2631 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=2633 - _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=2671 - _globals['_MSGUPDATEPARAMS']._serialized_start=2674 - _globals['_MSGUPDATEPARAMS']._serialized_end=2852 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2854 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2879 - _globals['_MSG']._serialized_start=2882 - _globals['_MSG']._serialized_end=3679 + _globals['_MSGCREATEVALIDATOR']._serialized_end=918 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_start=920 + _globals['_MSGCREATEVALIDATORRESPONSE']._serialized_end=948 + _globals['_MSGEDITVALIDATOR']._serialized_start=951 + _globals['_MSGEDITVALIDATOR']._serialized_end=1372 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_start=1374 + _globals['_MSGEDITVALIDATORRESPONSE']._serialized_end=1400 + _globals['_MSGDELEGATE']._serialized_start=1403 + _globals['_MSGDELEGATE']._serialized_end=1688 + _globals['_MSGDELEGATERESPONSE']._serialized_start=1690 + _globals['_MSGDELEGATERESPONSE']._serialized_end=1711 + _globals['_MSGBEGINREDELEGATE']._serialized_start=1714 + _globals['_MSGBEGINREDELEGATE']._serialized_end=2107 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_start=2109 + _globals['_MSGBEGINREDELEGATERESPONSE']._serialized_end=2221 + _globals['_MSGUNDELEGATE']._serialized_start=2224 + _globals['_MSGUNDELEGATE']._serialized_end=2513 + _globals['_MSGUNDELEGATERESPONSE']._serialized_start=2516 + _globals['_MSGUNDELEGATERESPONSE']._serialized_end=2685 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_start=2688 + _globals['_MSGCANCELUNBONDINGDELEGATION']._serialized_end=3048 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_start=3050 + _globals['_MSGCANCELUNBONDINGDELEGATIONRESPONSE']._serialized_end=3088 + _globals['_MSGUPDATEPARAMS']._serialized_start=3091 + _globals['_MSGUPDATEPARAMS']._serialized_end=3288 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3290 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3315 + _globals['_MSG']._serialized_start=3318 + _globals['_MSG']._serialized_end=4115 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py index d9c99515..a37e7a1d 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/internal/kv/v1beta1/kv.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/internal/kv/v1beta1/kv.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"D\n\x05Pairs\x12;\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00\"\"\n\x04Pair\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x42 Z\x1e\x63osmossdk.io/store/internal/kvb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)cosmos/store/internal/kv/v1beta1/kv.proto\x12 cosmos.store.internal.kv.v1beta1\x1a\x14gogoproto/gogo.proto\"K\n\x05Pairs\x12\x42\n\x05pairs\x18\x01 \x03(\x0b\x32&.cosmos.store.internal.kv.v1beta1.PairB\x04\xc8\xde\x1f\x00R\x05pairs\".\n\x04Pair\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05valueB\xf4\x01\n$com.cosmos.store.internal.kv.v1beta1B\x07KvProtoP\x01Z\x1e\x63osmossdk.io/store/internal/kv\xa2\x02\x04\x43SIK\xaa\x02 Cosmos.Store.Internal.Kv.V1beta1\xca\x02 Cosmos\\Store\\Internal\\Kv\\V1beta1\xe2\x02,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\xea\x02$Cosmos::Store::Internal::Kv::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.internal.kv.v1beta1.kv_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\036cosmossdk.io/store/internal/kv' + _globals['DESCRIPTOR']._serialized_options = b'\n$com.cosmos.store.internal.kv.v1beta1B\007KvProtoP\001Z\036cosmossdk.io/store/internal/kv\242\002\004CSIK\252\002 Cosmos.Store.Internal.Kv.V1beta1\312\002 Cosmos\\Store\\Internal\\Kv\\V1beta1\342\002,Cosmos\\Store\\Internal\\Kv\\V1beta1\\GPBMetadata\352\002$Cosmos::Store::Internal::Kv::V1beta1' _globals['_PAIRS'].fields_by_name['pairs']._loaded_options = None _globals['_PAIRS'].fields_by_name['pairs']._serialized_options = b'\310\336\037\000' _globals['_PAIRS']._serialized_start=101 - _globals['_PAIRS']._serialized_end=169 - _globals['_PAIR']._serialized_start=171 - _globals['_PAIR']._serialized_end=205 + _globals['_PAIRS']._serialized_end=176 + _globals['_PAIR']._serialized_start=178 + _globals['_PAIR']._serialized_end=224 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py index f3b3da38..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py index 33940244..fde48a20 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2.py @@ -1,44 +1,54 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/snapshots/v1/snapshot.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/snapshots/v1/snapshot.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\x85\x01\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12;\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00\" \n\x08Metadata\x12\x14\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0c\"\xb5\x02\n\x0cSnapshotItem\x12=\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00\x12\x45\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00\x12\x45\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00\x12P\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00\x42\x06\n\x04item\"!\n\x11SnapshotStoreItem\x12\x0c\n\x04name\x18\x01 \x01(\t\"O\n\x10SnapshotIAVLItem\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07version\x18\x03 \x01(\x03\x12\x0e\n\x06height\x18\x04 \x01(\x05\"5\n\x15SnapshotExtensionMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\"+\n\x18SnapshotExtensionPayload\x12\x0f\n\x07payload\x18\x01 \x01(\x0c\x42$Z\"cosmossdk.io/store/snapshots/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(cosmos/store/snapshots/v1/snapshot.proto\x12\x19\x63osmos.store.snapshots.v1\x1a\x14gogoproto/gogo.proto\"\xad\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x45\n\x08metadata\x18\x05 \x01(\x0b\x32#.cosmos.store.snapshots.v1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadata\"-\n\x08Metadata\x12!\n\x0c\x63hunk_hashes\x18\x01 \x03(\x0cR\x0b\x63hunkHashes\"\xdf\x02\n\x0cSnapshotItem\x12\x44\n\x05store\x18\x01 \x01(\x0b\x32,.cosmos.store.snapshots.v1.SnapshotStoreItemH\x00R\x05store\x12K\n\x04iavl\x18\x02 \x01(\x0b\x32+.cosmos.store.snapshots.v1.SnapshotIAVLItemB\x08\xe2\xde\x1f\x04IAVLH\x00R\x04iavl\x12P\n\textension\x18\x03 \x01(\x0b\x32\x30.cosmos.store.snapshots.v1.SnapshotExtensionMetaH\x00R\textension\x12\x62\n\x11\x65xtension_payload\x18\x04 \x01(\x0b\x32\x33.cosmos.store.snapshots.v1.SnapshotExtensionPayloadH\x00R\x10\x65xtensionPayloadB\x06\n\x04item\"\'\n\x11SnapshotStoreItem\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"l\n\x10SnapshotIAVLItem\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x18\n\x07version\x18\x03 \x01(\x03R\x07version\x12\x16\n\x06height\x18\x04 \x01(\x05R\x06height\"C\n\x15SnapshotExtensionMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\"4\n\x18SnapshotExtensionPayload\x12\x18\n\x07payload\x18\x01 \x01(\x0cR\x07payloadB\xd9\x01\n\x1d\x63om.cosmos.store.snapshots.v1B\rSnapshotProtoP\x01Z\"cosmossdk.io/store/snapshots/types\xa2\x02\x03\x43SS\xaa\x02\x19\x43osmos.Store.Snapshots.V1\xca\x02\x19\x43osmos\\Store\\Snapshots\\V1\xe2\x02%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\xea\x02\x1c\x43osmos::Store::Snapshots::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.snapshots.v1.snapshot_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\"cosmossdk.io/store/snapshots/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.store.snapshots.v1B\rSnapshotProtoP\001Z\"cosmossdk.io/store/snapshots/types\242\002\003CSS\252\002\031Cosmos.Store.Snapshots.V1\312\002\031Cosmos\\Store\\Snapshots\\V1\342\002%Cosmos\\Store\\Snapshots\\V1\\GPBMetadata\352\002\034Cosmos::Store::Snapshots::V1' _globals['_SNAPSHOT'].fields_by_name['metadata']._loaded_options = None _globals['_SNAPSHOT'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._loaded_options = None _globals['_SNAPSHOTITEM'].fields_by_name['iavl']._serialized_options = b'\342\336\037\004IAVL' _globals['_SNAPSHOT']._serialized_start=94 - _globals['_SNAPSHOT']._serialized_end=227 - _globals['_METADATA']._serialized_start=229 - _globals['_METADATA']._serialized_end=261 - _globals['_SNAPSHOTITEM']._serialized_start=264 - _globals['_SNAPSHOTITEM']._serialized_end=573 - _globals['_SNAPSHOTSTOREITEM']._serialized_start=575 - _globals['_SNAPSHOTSTOREITEM']._serialized_end=608 - _globals['_SNAPSHOTIAVLITEM']._serialized_start=610 - _globals['_SNAPSHOTIAVLITEM']._serialized_end=689 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=691 - _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=744 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=746 - _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=789 + _globals['_SNAPSHOT']._serialized_end=267 + _globals['_METADATA']._serialized_start=269 + _globals['_METADATA']._serialized_end=314 + _globals['_SNAPSHOTITEM']._serialized_start=317 + _globals['_SNAPSHOTITEM']._serialized_end=668 + _globals['_SNAPSHOTSTOREITEM']._serialized_start=670 + _globals['_SNAPSHOTSTOREITEM']._serialized_end=709 + _globals['_SNAPSHOTIAVLITEM']._serialized_start=711 + _globals['_SNAPSHOTIAVLITEM']._serialized_end=819 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_start=821 + _globals['_SNAPSHOTEXTENSIONMETA']._serialized_end=888 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_start=890 + _globals['_SNAPSHOTEXTENSIONPAYLOAD']._serialized_end=942 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py index 66bea308..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/snapshots/v1/snapshot_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py index 513be0e0..95cb15a0 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2.py @@ -1,37 +1,47 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/streaming/abci/grpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/streaming/abci/grpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -from cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.cosmos.store.v1beta1 import listening_pb2 as cosmos_dot_store_dot_v1beta1_dot_listening__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x85\x01\n\x1aListenFinalizeBlockRequest\x12\x32\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12\x33\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlock\"\x1d\n\x1bListenFinalizeBlockResponse\"\x90\x01\n\x13ListenCommitRequest\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x03\x12,\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x35\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPair\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB#Z!cosmossdk.io/store/streaming/abcib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/streaming/abci/grpc.proto\x12\x1b\x63osmos.store.streaming.abci\x1a\x1btendermint/abci/types.proto\x1a$cosmos/store/v1beta1/listening.proto\"\x8f\x01\n\x1aListenFinalizeBlockRequest\x12\x37\n\x03req\x18\x01 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x03req\x12\x38\n\x03res\x18\x02 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x03res\"\x1d\n\x1bListenFinalizeBlockResponse\"\xad\x01\n\x13ListenCommitRequest\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x03R\x0b\x62lockHeight\x12\x31\n\x03res\x18\x02 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x03res\x12@\n\nchange_set\x18\x03 \x03(\x0b\x32!.cosmos.store.v1beta1.StoreKVPairR\tchangeSet\"\x16\n\x14ListenCommitResponse2\x95\x02\n\x13\x41\x42\x43IListenerService\x12\x88\x01\n\x13ListenFinalizeBlock\x12\x37.cosmos.store.streaming.abci.ListenFinalizeBlockRequest\x1a\x38.cosmos.store.streaming.abci.ListenFinalizeBlockResponse\x12s\n\x0cListenCommit\x12\x30.cosmos.store.streaming.abci.ListenCommitRequest\x1a\x31.cosmos.store.streaming.abci.ListenCommitResponseB\xdf\x01\n\x1f\x63om.cosmos.store.streaming.abciB\tGrpcProtoP\x01Z!cosmossdk.io/store/streaming/abci\xa2\x02\x04\x43SSA\xaa\x02\x1b\x43osmos.Store.Streaming.Abci\xca\x02\x1b\x43osmos\\Store\\Streaming\\Abci\xe2\x02\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\xea\x02\x1e\x43osmos::Store::Streaming::Abcib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.streaming.abci.grpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z!cosmossdk.io/store/streaming/abci' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.cosmos.store.streaming.abciB\tGrpcProtoP\001Z!cosmossdk.io/store/streaming/abci\242\002\004CSSA\252\002\033Cosmos.Store.Streaming.Abci\312\002\033Cosmos\\Store\\Streaming\\Abci\342\002\'Cosmos\\Store\\Streaming\\Abci\\GPBMetadata\352\002\036Cosmos::Store::Streaming::Abci' _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_start=139 - _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=272 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=274 - _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=303 - _globals['_LISTENCOMMITREQUEST']._serialized_start=306 - _globals['_LISTENCOMMITREQUEST']._serialized_end=450 - _globals['_LISTENCOMMITRESPONSE']._serialized_start=452 - _globals['_LISTENCOMMITRESPONSE']._serialized_end=474 - _globals['_ABCILISTENERSERVICE']._serialized_start=477 - _globals['_ABCILISTENERSERVICE']._serialized_end=754 + _globals['_LISTENFINALIZEBLOCKREQUEST']._serialized_end=282 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_start=284 + _globals['_LISTENFINALIZEBLOCKRESPONSE']._serialized_end=313 + _globals['_LISTENCOMMITREQUEST']._serialized_start=316 + _globals['_LISTENCOMMITREQUEST']._serialized_end=489 + _globals['_LISTENCOMMITRESPONSE']._serialized_start=491 + _globals['_LISTENCOMMITRESPONSE']._serialized_end=513 + _globals['_ABCILISTENERSERVICE']._serialized_start=516 + _globals['_ABCILISTENERSERVICE']._serialized_end=793 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py index fd9a2422..da99ee14 100644 --- a/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/streaming/abci/grpc_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/streaming/abci/grpc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.cosmos.store.streaming.abci import grpc_pb2 as cosmos_dot_store_dot_streaming_dot_abci_dot_grpc__pb2 class ABCIListenerServiceStub(object): diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py index 6ce6f2d3..24c85955 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/commit_info.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/v1beta1/commit_info.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\x92\x01\n\nCommitInfo\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12:\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"R\n\tStoreInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x37\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00\"/\n\x08\x43ommitID\x12\x0f\n\x07version\x18\x01 \x01(\x03\x12\x0c\n\x04hash\x18\x02 \x01(\x0c:\x04\x98\xa0\x1f\x00\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmos/store/v1beta1/commit_info.proto\x12\x14\x63osmos.store.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\"\xb2\x01\n\nCommitInfo\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x46\n\x0bstore_infos\x18\x02 \x03(\x0b\x32\x1f.cosmos.store.v1beta1.StoreInfoB\x04\xc8\xde\x1f\x00R\nstoreInfos\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"b\n\tStoreInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x41\n\tcommit_id\x18\x02 \x01(\x0b\x32\x1e.cosmos.store.v1beta1.CommitIDB\x04\xc8\xde\x1f\x00R\x08\x63ommitId\">\n\x08\x43ommitID\x12\x18\n\x07version\x18\x01 \x01(\x03R\x07version\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash:\x04\x98\xa0\x1f\x00\x42\xb7\x01\n\x18\x63om.cosmos.store.v1beta1B\x0f\x43ommitInfoProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.commit_info_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\017CommitInfoProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' _globals['_COMMITINFO'].fields_by_name['store_infos']._loaded_options = None _globals['_COMMITINFO'].fields_by_name['store_infos']._serialized_options = b'\310\336\037\000' _globals['_COMMITINFO'].fields_by_name['timestamp']._loaded_options = None @@ -33,9 +43,9 @@ _globals['_COMMITID']._loaded_options = None _globals['_COMMITID']._serialized_options = b'\230\240\037\000' _globals['_COMMITINFO']._serialized_start=120 - _globals['_COMMITINFO']._serialized_end=266 - _globals['_STOREINFO']._serialized_start=268 - _globals['_STOREINFO']._serialized_end=350 - _globals['_COMMITID']._serialized_start=352 - _globals['_COMMITID']._serialized_end=399 + _globals['_COMMITINFO']._serialized_end=298 + _globals['_STOREINFO']._serialized_start=300 + _globals['_STOREINFO']._serialized_end=398 + _globals['_COMMITID']._serialized_start=400 + _globals['_COMMITID']._serialized_end=462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py index 03188415..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/v1beta1/commit_info_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py index 662659f9..fc9bd848 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/store/v1beta1/listening.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/store/v1beta1/listening.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"L\n\x0bStoreKVPair\x12\x11\n\tstore_key\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65lete\x18\x02 \x01(\x08\x12\x0b\n\x03key\x18\x03 \x01(\x0c\x12\r\n\x05value\x18\x04 \x01(\x0c\"\xf7\x01\n\rBlockMetadata\x12\x38\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommit\x12\x45\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlock\x12G\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\x1aZ\x18\x63osmossdk.io/store/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/store/v1beta1/listening.proto\x12\x14\x63osmos.store.v1beta1\x1a\x1btendermint/abci/types.proto\"j\n\x0bStoreKVPair\x12\x1b\n\tstore_key\x18\x01 \x01(\tR\x08storeKey\x12\x16\n\x06\x64\x65lete\x18\x02 \x01(\x08R\x06\x64\x65lete\x12\x10\n\x03key\x18\x03 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x0cR\x05value\"\xb4\x02\n\rBlockMetadata\x12H\n\x0fresponse_commit\x18\x06 \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitR\x0eresponseCommit\x12[\n\x16request_finalize_block\x18\x07 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockR\x14requestFinalizeBlock\x12^\n\x17response_finalize_block\x18\x08 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockR\x15responseFinalizeBlockJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\x42\xb6\x01\n\x18\x63om.cosmos.store.v1beta1B\x0eListeningProtoP\x01Z\x18\x63osmossdk.io/store/types\xa2\x02\x03\x43SX\xaa\x02\x14\x43osmos.Store.V1beta1\xca\x02\x14\x43osmos\\Store\\V1beta1\xe2\x02 Cosmos\\Store\\V1beta1\\GPBMetadata\xea\x02\x16\x43osmos::Store::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.store.v1beta1.listening_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030cosmossdk.io/store/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.cosmos.store.v1beta1B\016ListeningProtoP\001Z\030cosmossdk.io/store/types\242\002\003CSX\252\002\024Cosmos.Store.V1beta1\312\002\024Cosmos\\Store\\V1beta1\342\002 Cosmos\\Store\\V1beta1\\GPBMetadata\352\002\026Cosmos::Store::V1beta1' _globals['_STOREKVPAIR']._serialized_start=91 - _globals['_STOREKVPAIR']._serialized_end=167 - _globals['_BLOCKMETADATA']._serialized_start=170 - _globals['_BLOCKMETADATA']._serialized_end=417 + _globals['_STOREKVPAIR']._serialized_end=197 + _globals['_BLOCKMETADATA']._serialized_start=200 + _globals['_BLOCKMETADATA']._serialized_end=508 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py index cb16a173..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/store/v1beta1/listening_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py index 3ae4802f..b5a0ac3f 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/config/v1/config.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/config/v1/config.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"n\n\x06\x43onfig\x12\x19\n\x11skip_ante_handler\x18\x01 \x01(\x08\x12\x19\n\x11skip_post_handler\x18\x02 \x01(\x08:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n cosmos/tx/config/v1/config.proto\x12\x13\x63osmos.tx.config.v1\x1a cosmos/app/v1alpha1/module.proto\"\x90\x01\n\x06\x43onfig\x12*\n\x11skip_ante_handler\x18\x01 \x01(\x08R\x0fskipAnteHandler\x12*\n\x11skip_post_handler\x18\x02 \x01(\x08R\x0fskipPostHandler:.\xba\xc0\x96\xda\x01(\n&github.com/cosmos/cosmos-sdk/x/auth/txB\x95\x01\n\x17\x63om.cosmos.tx.config.v1B\x0b\x43onfigProtoP\x01\xa2\x02\x03\x43TC\xaa\x02\x13\x43osmos.Tx.Config.V1\xca\x02\x13\x43osmos\\Tx\\Config\\V1\xe2\x02\x1f\x43osmos\\Tx\\Config\\V1\\GPBMetadata\xea\x02\x16\x43osmos::Tx::Config::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.config.v1.config_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.cosmos.tx.config.v1B\013ConfigProtoP\001\242\002\003CTC\252\002\023Cosmos.Tx.Config.V1\312\002\023Cosmos\\Tx\\Config\\V1\342\002\037Cosmos\\Tx\\Config\\V1\\GPBMetadata\352\002\026Cosmos::Tx::Config::V1' _globals['_CONFIG']._loaded_options = None _globals['_CONFIG']._serialized_options = b'\272\300\226\332\001(\n&github.com/cosmos/cosmos-sdk/x/auth/tx' - _globals['_CONFIG']._serialized_start=91 - _globals['_CONFIG']._serialized_end=201 + _globals['_CONFIG']._serialized_start=92 + _globals['_CONFIG']._serialized_end=236 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py index be360f14..f4597c3b 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2.py @@ -1,39 +1,49 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/signing/v1beta1/signing.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/signing/v1beta1/signing.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"Z\n\x14SignatureDescriptors\x12\x42\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptor\"\xa4\x04\n\x13SignatureDescriptor\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x41\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x1a\x8d\x03\n\x04\x44\x61ta\x12L\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00\x12J\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00\x1aN\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x1a\x93\x01\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12G\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataB\x05\n\x03sum*\xa5\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42/Z-github.com/cosmos/cosmos-sdk/types/tx/signingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'cosmos/tx/signing/v1beta1/signing.proto\x12\x19\x63osmos.tx.signing.v1beta1\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x19google/protobuf/any.proto\"f\n\x14SignatureDescriptors\x12N\n\nsignatures\x18\x01 \x03(\x0b\x32..cosmos.tx.signing.v1beta1.SignatureDescriptorR\nsignatures\"\xf5\x04\n\x13SignatureDescriptor\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12G\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x1a\xc3\x03\n\x04\x44\x61ta\x12T\n\x06single\x18\x01 \x01(\x0b\x32:.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.SingleH\x00R\x06single\x12Q\n\x05multi\x18\x02 \x01(\x0b\x32\x39.cosmos.tx.signing.v1beta1.SignatureDescriptor.Data.MultiH\x00R\x05multi\x1a_\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x1a\xa9\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12S\n\nsignatures\x18\x02 \x03(\x0b\x32\x33.cosmos.tx.signing.v1beta1.SignatureDescriptor.DataR\nsignaturesB\x05\n\x03sum*\xbf\x01\n\x08SignMode\x12\x19\n\x15SIGN_MODE_UNSPECIFIED\x10\x00\x12\x14\n\x10SIGN_MODE_DIRECT\x10\x01\x12\x15\n\x11SIGN_MODE_TEXTUAL\x10\x02\x12\x18\n\x14SIGN_MODE_DIRECT_AUX\x10\x03\x12\x1f\n\x1bSIGN_MODE_LEGACY_AMINO_JSON\x10\x7f\x12\x18\n\x13SIGN_MODE_EIP712_V2\x10\x80\x01\x12\x16\n\x11SIGN_MODE_EIP_191\x10\xbf\x01\x42\xe3\x01\n\x1d\x63om.cosmos.tx.signing.v1beta1B\x0cSigningProtoP\x01Z-github.com/cosmos/cosmos-sdk/types/tx/signing\xa2\x02\x03\x43TS\xaa\x02\x19\x43osmos.Tx.Signing.V1beta1\xca\x02\x19\x43osmos\\Tx\\Signing\\V1beta1\xe2\x02%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\xea\x02\x1c\x43osmos::Tx::Signing::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.signing.v1beta1.signing_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z-github.com/cosmos/cosmos-sdk/types/tx/signing' - _globals['_SIGNMODE']._serialized_start=788 - _globals['_SIGNMODE']._serialized_end=953 + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.cosmos.tx.signing.v1beta1B\014SigningProtoP\001Z-github.com/cosmos/cosmos-sdk/types/tx/signing\242\002\003CTS\252\002\031Cosmos.Tx.Signing.V1beta1\312\002\031Cosmos\\Tx\\Signing\\V1beta1\342\002%Cosmos\\Tx\\Signing\\V1beta1\\GPBMetadata\352\002\034Cosmos::Tx::Signing::V1beta1' + _globals['_SIGNMODE']._serialized_start=881 + _globals['_SIGNMODE']._serialized_end=1072 _globals['_SIGNATUREDESCRIPTORS']._serialized_start=144 - _globals['_SIGNATUREDESCRIPTORS']._serialized_end=234 - _globals['_SIGNATUREDESCRIPTOR']._serialized_start=237 - _globals['_SIGNATUREDESCRIPTOR']._serialized_end=785 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=388 - _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=785 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=550 - _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=628 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=631 - _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=778 + _globals['_SIGNATUREDESCRIPTORS']._serialized_end=246 + _globals['_SIGNATUREDESCRIPTOR']._serialized_start=249 + _globals['_SIGNATUREDESCRIPTOR']._serialized_end=878 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_start=427 + _globals['_SIGNATUREDESCRIPTOR_DATA']._serialized_end=878 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_start=604 + _globals['_SIGNATUREDESCRIPTOR_DATA_SINGLE']._serialized_end=699 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_start=702 + _globals['_SIGNATUREDESCRIPTOR_DATA_MULTI']._serialized_end=871 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py index 844c95bd..56cf0f23 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/service_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/service.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/v1beta1/service.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 -from cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.abci.v1beta1 import abci_pb2 as cosmos_dot_base_dot_abci_dot_v1beta1_dot_abci__pb2 +from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_dot_tx_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.tendermint.types import block_pb2 as tendermint_dot_types_dot_block__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xc2\x01\n\x12GetTxsEventRequest\x12\x12\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01\x12>\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01\x12,\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderBy\x12\x0c\n\x04page\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x04\x12\r\n\x05query\x18\x06 \x01(\t\"\xc5\x01\n\x13GetTxsEventResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12:\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\x12?\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01\x12\r\n\x05total\x18\x04 \x01(\x04\"V\n\x12\x42roadcastTxRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\x12.\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastMode\"P\n\x13\x42roadcastTxResponse\x12\x39\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"J\n\x0fSimulateRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01\x12\x10\n\x08tx_bytes\x18\x02 \x01(\x0c\"y\n\x10SimulateResponse\x12\x33\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfo\x12\x30\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.Result\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"m\n\rGetTxResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12\x39\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponse\"d\n\x16GetBlockWithTxsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xcf\x01\n\x17GetBlockWithTxsResponse\x12\"\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\x12+\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockID\x12&\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.Block\x12;\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"#\n\x0fTxDecodeRequest\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"5\n\x10TxDecodeResponse\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"4\n\x0fTxEncodeRequest\x12!\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.Tx\"$\n\x10TxEncodeResponse\x12\x10\n\x08tx_bytes\x18\x01 \x01(\x0c\"*\n\x14TxEncodeAminoRequest\x12\x12\n\namino_json\x18\x01 \x01(\t\"-\n\x15TxEncodeAminoResponse\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\",\n\x14TxDecodeAminoRequest\x12\x14\n\x0c\x61mino_binary\x18\x01 \x01(\x0c\"+\n\x15TxDecodeAminoResponse\x12\x12\n\namino_json\x18\x01 \x01(\t*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/tx/v1beta1/service.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a#cosmos/base/abci/v1beta1/abci.proto\x1a\x1a\x63osmos/tx/v1beta1/tx.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1ctendermint/types/block.proto\x1a\x1ctendermint/types/types.proto\"\xf3\x01\n\x12GetTxsEventRequest\x12\x1a\n\x06\x65vents\x18\x01 \x03(\tB\x02\x18\x01R\x06\x65vents\x12J\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestB\x02\x18\x01R\npagination\x12\x35\n\x08order_by\x18\x03 \x01(\x0e\x32\x1a.cosmos.tx.v1beta1.OrderByR\x07orderBy\x12\x12\n\x04page\x18\x04 \x01(\x04R\x04page\x12\x14\n\x05limit\x18\x05 \x01(\x04R\x05limit\x12\x14\n\x05query\x18\x06 \x01(\tR\x05query\"\xea\x01\n\x13GetTxsEventResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12G\n\x0ctx_responses\x18\x02 \x03(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\x0btxResponses\x12K\n\npagination\x18\x03 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseB\x02\x18\x01R\npagination\x12\x14\n\x05total\x18\x04 \x01(\x04R\x05total\"e\n\x12\x42roadcastTxRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\x12\x34\n\x04mode\x18\x02 \x01(\x0e\x32 .cosmos.tx.v1beta1.BroadcastModeR\x04mode\"\\\n\x13\x42roadcastTxResponse\x12\x45\n\x0btx_response\x18\x01 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"W\n\x0fSimulateRequest\x12)\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxB\x02\x18\x01R\x02tx\x12\x19\n\x08tx_bytes\x18\x02 \x01(\x0cR\x07txBytes\"\x8a\x01\n\x10SimulateResponse\x12<\n\x08gas_info\x18\x01 \x01(\x0b\x32!.cosmos.base.abci.v1beta1.GasInfoR\x07gasInfo\x12\x38\n\x06result\x18\x02 \x01(\x0b\x32 .cosmos.base.abci.v1beta1.ResultR\x06result\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"}\n\rGetTxResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\x12\x45\n\x0btx_response\x18\x02 \x01(\x0b\x32$.cosmos.base.abci.v1beta1.TxResponseR\ntxResponse\"x\n\x16GetBlockWithTxsRequest\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xf0\x01\n\x17GetBlockWithTxsResponse\x12\'\n\x03txs\x18\x01 \x03(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x03txs\x12\x34\n\x08\x62lock_id\x18\x02 \x01(\x0b\x32\x19.tendermint.types.BlockIDR\x07\x62lockId\x12-\n\x05\x62lock\x18\x03 \x01(\x0b\x32\x17.tendermint.types.BlockR\x05\x62lock\x12G\n\npagination\x18\x04 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\",\n\x0fTxDecodeRequest\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"9\n\x10TxDecodeResponse\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"8\n\x0fTxEncodeRequest\x12%\n\x02tx\x18\x01 \x01(\x0b\x32\x15.cosmos.tx.v1beta1.TxR\x02tx\"-\n\x10TxEncodeResponse\x12\x19\n\x08tx_bytes\x18\x01 \x01(\x0cR\x07txBytes\"5\n\x14TxEncodeAminoRequest\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson\":\n\x15TxEncodeAminoResponse\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"9\n\x14TxDecodeAminoRequest\x12!\n\x0c\x61mino_binary\x18\x01 \x01(\x0cR\x0b\x61minoBinary\"6\n\x15TxDecodeAminoResponse\x12\x1d\n\namino_json\x18\x01 \x01(\tR\taminoJson*H\n\x07OrderBy\x12\x18\n\x14ORDER_BY_UNSPECIFIED\x10\x00\x12\x10\n\x0cORDER_BY_ASC\x10\x01\x12\x11\n\rORDER_BY_DESC\x10\x02*\x80\x01\n\rBroadcastMode\x12\x1e\n\x1a\x42ROADCAST_MODE_UNSPECIFIED\x10\x00\x12\x1c\n\x14\x42ROADCAST_MODE_BLOCK\x10\x01\x1a\x02\x08\x01\x12\x17\n\x13\x42ROADCAST_MODE_SYNC\x10\x02\x12\x18\n\x14\x42ROADCAST_MODE_ASYNC\x10\x03\x32\xaa\t\n\x07Service\x12{\n\x08Simulate\x12\".cosmos.tx.v1beta1.SimulateRequest\x1a#.cosmos.tx.v1beta1.SimulateResponse\"&\x82\xd3\xe4\x93\x02 \"\x1b/cosmos/tx/v1beta1/simulate:\x01*\x12q\n\x05GetTx\x12\x1f.cosmos.tx.v1beta1.GetTxRequest\x1a .cosmos.tx.v1beta1.GetTxResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/cosmos/tx/v1beta1/txs/{hash}\x12\x7f\n\x0b\x42roadcastTx\x12%.cosmos.tx.v1beta1.BroadcastTxRequest\x1a&.cosmos.tx.v1beta1.BroadcastTxResponse\"!\x82\xd3\xe4\x93\x02\x1b\"\x16/cosmos/tx/v1beta1/txs:\x01*\x12|\n\x0bGetTxsEvent\x12%.cosmos.tx.v1beta1.GetTxsEventRequest\x1a&.cosmos.tx.v1beta1.GetTxsEventResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmos/tx/v1beta1/txs\x12\x97\x01\n\x0fGetBlockWithTxs\x12).cosmos.tx.v1beta1.GetBlockWithTxsRequest\x1a*.cosmos.tx.v1beta1.GetBlockWithTxsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/cosmos/tx/v1beta1/txs/block/{height}\x12y\n\x08TxDecode\x12\".cosmos.tx.v1beta1.TxDecodeRequest\x1a#.cosmos.tx.v1beta1.TxDecodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/decode:\x01*\x12y\n\x08TxEncode\x12\".cosmos.tx.v1beta1.TxEncodeRequest\x1a#.cosmos.tx.v1beta1.TxEncodeResponse\"$\x82\xd3\xe4\x93\x02\x1e\"\x19/cosmos/tx/v1beta1/encode:\x01*\x12\x8e\x01\n\rTxEncodeAmino\x12\'.cosmos.tx.v1beta1.TxEncodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxEncodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/encode/amino:\x01*\x12\x8e\x01\n\rTxDecodeAmino\x12\'.cosmos.tx.v1beta1.TxDecodeAminoRequest\x1a(.cosmos.tx.v1beta1.TxDecodeAminoResponse\"*\x82\xd3\xe4\x93\x02$\"\x1f/cosmos/tx/v1beta1/decode/amino:\x01*B\xb2\x01\n\x15\x63om.cosmos.tx.v1beta1B\x0cServiceProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.service_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\014ServiceProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._loaded_options = None _globals['_BROADCASTMODE'].values_by_name["BROADCAST_MODE_BLOCK"]._serialized_options = b'\010\001' _globals['_GETTXSEVENTREQUEST'].fields_by_name['events']._loaded_options = None @@ -56,46 +66,46 @@ _globals['_SERVICE'].methods_by_name['TxEncodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/encode/amino:\001*' _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._loaded_options = None _globals['_SERVICE'].methods_by_name['TxDecodeAmino']._serialized_options = b'\202\323\344\223\002$\"\037/cosmos/tx/v1beta1/decode/amino:\001*' - _globals['_ORDERBY']._serialized_start=1838 - _globals['_ORDERBY']._serialized_end=1910 - _globals['_BROADCASTMODE']._serialized_start=1913 - _globals['_BROADCASTMODE']._serialized_end=2041 + _globals['_ORDERBY']._serialized_start=2131 + _globals['_ORDERBY']._serialized_end=2203 + _globals['_BROADCASTMODE']._serialized_start=2206 + _globals['_BROADCASTMODE']._serialized_end=2334 _globals['_GETTXSEVENTREQUEST']._serialized_start=254 - _globals['_GETTXSEVENTREQUEST']._serialized_end=448 - _globals['_GETTXSEVENTRESPONSE']._serialized_start=451 - _globals['_GETTXSEVENTRESPONSE']._serialized_end=648 - _globals['_BROADCASTTXREQUEST']._serialized_start=650 - _globals['_BROADCASTTXREQUEST']._serialized_end=736 - _globals['_BROADCASTTXRESPONSE']._serialized_start=738 - _globals['_BROADCASTTXRESPONSE']._serialized_end=818 - _globals['_SIMULATEREQUEST']._serialized_start=820 - _globals['_SIMULATEREQUEST']._serialized_end=894 - _globals['_SIMULATERESPONSE']._serialized_start=896 - _globals['_SIMULATERESPONSE']._serialized_end=1017 - _globals['_GETTXREQUEST']._serialized_start=1019 - _globals['_GETTXREQUEST']._serialized_end=1047 - _globals['_GETTXRESPONSE']._serialized_start=1049 - _globals['_GETTXRESPONSE']._serialized_end=1158 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1160 - _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1260 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1263 - _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1470 - _globals['_TXDECODEREQUEST']._serialized_start=1472 - _globals['_TXDECODEREQUEST']._serialized_end=1507 - _globals['_TXDECODERESPONSE']._serialized_start=1509 - _globals['_TXDECODERESPONSE']._serialized_end=1562 - _globals['_TXENCODEREQUEST']._serialized_start=1564 - _globals['_TXENCODEREQUEST']._serialized_end=1616 - _globals['_TXENCODERESPONSE']._serialized_start=1618 - _globals['_TXENCODERESPONSE']._serialized_end=1654 - _globals['_TXENCODEAMINOREQUEST']._serialized_start=1656 - _globals['_TXENCODEAMINOREQUEST']._serialized_end=1698 - _globals['_TXENCODEAMINORESPONSE']._serialized_start=1700 - _globals['_TXENCODEAMINORESPONSE']._serialized_end=1745 - _globals['_TXDECODEAMINOREQUEST']._serialized_start=1747 - _globals['_TXDECODEAMINOREQUEST']._serialized_end=1791 - _globals['_TXDECODEAMINORESPONSE']._serialized_start=1793 - _globals['_TXDECODEAMINORESPONSE']._serialized_end=1836 - _globals['_SERVICE']._serialized_start=2044 - _globals['_SERVICE']._serialized_end=3238 + _globals['_GETTXSEVENTREQUEST']._serialized_end=497 + _globals['_GETTXSEVENTRESPONSE']._serialized_start=500 + _globals['_GETTXSEVENTRESPONSE']._serialized_end=734 + _globals['_BROADCASTTXREQUEST']._serialized_start=736 + _globals['_BROADCASTTXREQUEST']._serialized_end=837 + _globals['_BROADCASTTXRESPONSE']._serialized_start=839 + _globals['_BROADCASTTXRESPONSE']._serialized_end=931 + _globals['_SIMULATEREQUEST']._serialized_start=933 + _globals['_SIMULATEREQUEST']._serialized_end=1020 + _globals['_SIMULATERESPONSE']._serialized_start=1023 + _globals['_SIMULATERESPONSE']._serialized_end=1161 + _globals['_GETTXREQUEST']._serialized_start=1163 + _globals['_GETTXREQUEST']._serialized_end=1197 + _globals['_GETTXRESPONSE']._serialized_start=1199 + _globals['_GETTXRESPONSE']._serialized_end=1324 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_start=1326 + _globals['_GETBLOCKWITHTXSREQUEST']._serialized_end=1446 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_start=1449 + _globals['_GETBLOCKWITHTXSRESPONSE']._serialized_end=1689 + _globals['_TXDECODEREQUEST']._serialized_start=1691 + _globals['_TXDECODEREQUEST']._serialized_end=1735 + _globals['_TXDECODERESPONSE']._serialized_start=1737 + _globals['_TXDECODERESPONSE']._serialized_end=1794 + _globals['_TXENCODEREQUEST']._serialized_start=1796 + _globals['_TXENCODEREQUEST']._serialized_end=1852 + _globals['_TXENCODERESPONSE']._serialized_start=1854 + _globals['_TXENCODERESPONSE']._serialized_end=1899 + _globals['_TXENCODEAMINOREQUEST']._serialized_start=1901 + _globals['_TXENCODEAMINOREQUEST']._serialized_end=1954 + _globals['_TXENCODEAMINORESPONSE']._serialized_start=1956 + _globals['_TXENCODEAMINORESPONSE']._serialized_end=2014 + _globals['_TXDECODEAMINOREQUEST']._serialized_start=2016 + _globals['_TXDECODEAMINOREQUEST']._serialized_end=2073 + _globals['_TXDECODEAMINORESPONSE']._serialized_start=2075 + _globals['_TXDECODEAMINORESPONSE']._serialized_end=2129 + _globals['_SERVICE']._serialized_start=2337 + _globals['_SERVICE']._serialized_end=3531 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py index 53036ec8..b039573a 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/tx/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/tx/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.crypto.multisig.v1beta1 import multisig_pb2 as cosmos_dot_crypto_dot_multisig_dot_v1beta1_dot_multisig__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as cosmos_dot_tx_dot_signing_dot_v1beta1_dot_signing__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"q\n\x02Tx\x12\'\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBody\x12.\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfo\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"H\n\x05TxRaw\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c\"`\n\x07SignDoc\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0c\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\"\xb5\x01\n\x10SignDocDirectAux\x12\x12\n\nbody_bytes\x18\x01 \x01(\x0c\x12(\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x10\n\x08\x63hain_id\x18\x03 \x01(\t\x12\x16\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04\x12\x10\n\x08sequence\x18\x05 \x01(\x04\x12\'\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"\xc7\x01\n\x06TxBody\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any\x12\x0c\n\x04memo\x18\x02 \x01(\t\x12\x16\n\x0etimeout_height\x18\x03 \x01(\x04\x12\x30\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.Any\x12=\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.Any\"\x8d\x01\n\x08\x41uthInfo\x12\x33\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfo\x12#\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.Fee\x12\'\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01\"x\n\nSignerInfo\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12.\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfo\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\xb5\x02\n\x08ModeInfo\x12\x34\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00\x12\x32\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00\x1a;\n\x06Single\x12\x31\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x1a{\n\x05Multi\x12\x41\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArray\x12/\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoB\x05\n\x03sum\"\xdf\x01\n\x03\x46\x65\x65\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\'\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12)\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\xa6\x01\n\x03Tip\x12q\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12(\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x02\x18\x01\"\xb1\x01\n\rAuxSignerData\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAux\x12\x31\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignMode\x12\x0b\n\x03sig\x18\x04 \x01(\x0c\x42\'Z%github.com/cosmos/cosmos-sdk/types/txb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmos/tx/v1beta1/tx.proto\x12\x11\x63osmos.tx.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a-cosmos/crypto/multisig/v1beta1/multisig.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\'cosmos/tx/signing/v1beta1/signing.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\x8d\x01\n\x02Tx\x12-\n\x04\x62ody\x18\x01 \x01(\x0b\x32\x19.cosmos.tx.v1beta1.TxBodyR\x04\x62ody\x12\x38\n\tauth_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.AuthInfoR\x08\x61uthInfo\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"n\n\x05TxRaw\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures\"\x92\x01\n\x07SignDoc\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12&\n\x0f\x61uth_info_bytes\x18\x02 \x01(\x0cR\rauthInfoBytes\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\"\xf2\x01\n\x10SignDocDirectAux\x12\x1d\n\nbody_bytes\x18\x01 \x01(\x0cR\tbodyBytes\x12\x33\n\npublic_key\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x19\n\x08\x63hain_id\x18\x03 \x01(\tR\x07\x63hainId\x12%\n\x0e\x61\x63\x63ount_number\x18\x04 \x01(\x04R\raccountNumber\x12\x1a\n\x08sequence\x18\x05 \x01(\x04R\x08sequence\x12,\n\x03tip\x18\x06 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x95\x02\n\x06TxBody\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages\x12\x12\n\x04memo\x18\x02 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x03 \x01(\x04R\rtimeoutHeight\x12\x42\n\x11\x65xtension_options\x18\xff\x07 \x03(\x0b\x32\x14.google.protobuf.AnyR\x10\x65xtensionOptions\x12Z\n\x1enon_critical_extension_options\x18\xff\x0f \x03(\x0b\x32\x14.google.protobuf.AnyR\x1bnonCriticalExtensionOptions\"\xa4\x01\n\x08\x41uthInfo\x12@\n\x0csigner_infos\x18\x01 \x03(\x0b\x32\x1d.cosmos.tx.v1beta1.SignerInfoR\x0bsignerInfos\x12(\n\x03\x66\x65\x65\x18\x02 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.FeeR\x03\x66\x65\x65\x12,\n\x03tip\x18\x03 \x01(\x0b\x32\x16.cosmos.tx.v1beta1.TipB\x02\x18\x01R\x03tip\"\x97\x01\n\nSignerInfo\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12\x38\n\tmode_info\x18\x02 \x01(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\x08modeInfo\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xe0\x02\n\x08ModeInfo\x12<\n\x06single\x18\x01 \x01(\x0b\x32\".cosmos.tx.v1beta1.ModeInfo.SingleH\x00R\x06single\x12\x39\n\x05multi\x18\x02 \x01(\x0b\x32!.cosmos.tx.v1beta1.ModeInfo.MultiH\x00R\x05multi\x1a\x41\n\x06Single\x12\x37\n\x04mode\x18\x01 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x1a\x90\x01\n\x05Multi\x12K\n\x08\x62itarray\x18\x01 \x01(\x0b\x32/.cosmos.crypto.multisig.v1beta1.CompactBitArrayR\x08\x62itarray\x12:\n\nmode_infos\x18\x02 \x03(\x0b\x32\x1b.cosmos.tx.v1beta1.ModeInfoR\tmodeInfosB\x05\n\x03sum\"\x81\x02\n\x03\x46\x65\x65\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12.\n\x05payer\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05payer\x12\x32\n\x07granter\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07granter\"\xb6\x01\n\x03Tip\x12y\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x30\n\x06tipper\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06tipper:\x02\x18\x01\"\xce\x01\n\rAuxSignerData\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12>\n\x08sign_doc\x18\x02 \x01(\x0b\x32#.cosmos.tx.v1beta1.SignDocDirectAuxR\x07signDoc\x12\x37\n\x04mode\x18\x03 \x01(\x0e\x32#.cosmos.tx.signing.v1beta1.SignModeR\x04mode\x12\x10\n\x03sig\x18\x04 \x01(\x0cR\x03sigB\xad\x01\n\x15\x63om.cosmos.tx.v1beta1B\x07TxProtoP\x01Z%github.com/cosmos/cosmos-sdk/types/tx\xa2\x02\x03\x43TX\xaa\x02\x11\x43osmos.Tx.V1beta1\xca\x02\x11\x43osmos\\Tx\\V1beta1\xe2\x02\x1d\x43osmos\\Tx\\V1beta1\\GPBMetadata\xea\x02\x13\x43osmos::Tx::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.tx.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z%github.com/cosmos/cosmos-sdk/types/tx' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.cosmos.tx.v1beta1B\007TxProtoP\001Z%github.com/cosmos/cosmos-sdk/types/tx\242\002\003CTX\252\002\021Cosmos.Tx.V1beta1\312\002\021Cosmos\\Tx\\V1beta1\342\002\035Cosmos\\Tx\\V1beta1\\GPBMetadata\352\002\023Cosmos::Tx::V1beta1' _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._loaded_options = None _globals['_SIGNDOCDIRECTAUX'].fields_by_name['tip']._serialized_options = b'\030\001' _globals['_AUTHINFO'].fields_by_name['tip']._loaded_options = None @@ -47,30 +57,30 @@ _globals['_TIP']._serialized_options = b'\030\001' _globals['_AUXSIGNERDATA'].fields_by_name['address']._loaded_options = None _globals['_AUXSIGNERDATA'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' - _globals['_TX']._serialized_start=264 - _globals['_TX']._serialized_end=377 - _globals['_TXRAW']._serialized_start=379 - _globals['_TXRAW']._serialized_end=451 - _globals['_SIGNDOC']._serialized_start=453 - _globals['_SIGNDOC']._serialized_end=549 - _globals['_SIGNDOCDIRECTAUX']._serialized_start=552 - _globals['_SIGNDOCDIRECTAUX']._serialized_end=733 - _globals['_TXBODY']._serialized_start=736 - _globals['_TXBODY']._serialized_end=935 - _globals['_AUTHINFO']._serialized_start=938 - _globals['_AUTHINFO']._serialized_end=1079 - _globals['_SIGNERINFO']._serialized_start=1081 - _globals['_SIGNERINFO']._serialized_end=1201 - _globals['_MODEINFO']._serialized_start=1204 - _globals['_MODEINFO']._serialized_end=1513 - _globals['_MODEINFO_SINGLE']._serialized_start=1322 - _globals['_MODEINFO_SINGLE']._serialized_end=1381 - _globals['_MODEINFO_MULTI']._serialized_start=1383 - _globals['_MODEINFO_MULTI']._serialized_end=1506 - _globals['_FEE']._serialized_start=1516 - _globals['_FEE']._serialized_end=1739 - _globals['_TIP']._serialized_start=1742 - _globals['_TIP']._serialized_end=1908 - _globals['_AUXSIGNERDATA']._serialized_start=1911 - _globals['_AUXSIGNERDATA']._serialized_end=2088 + _globals['_TX']._serialized_start=265 + _globals['_TX']._serialized_end=406 + _globals['_TXRAW']._serialized_start=408 + _globals['_TXRAW']._serialized_end=518 + _globals['_SIGNDOC']._serialized_start=521 + _globals['_SIGNDOC']._serialized_end=667 + _globals['_SIGNDOCDIRECTAUX']._serialized_start=670 + _globals['_SIGNDOCDIRECTAUX']._serialized_end=912 + _globals['_TXBODY']._serialized_start=915 + _globals['_TXBODY']._serialized_end=1192 + _globals['_AUTHINFO']._serialized_start=1195 + _globals['_AUTHINFO']._serialized_end=1359 + _globals['_SIGNERINFO']._serialized_start=1362 + _globals['_SIGNERINFO']._serialized_end=1513 + _globals['_MODEINFO']._serialized_start=1516 + _globals['_MODEINFO']._serialized_end=1868 + _globals['_MODEINFO_SINGLE']._serialized_start=1649 + _globals['_MODEINFO_SINGLE']._serialized_end=1714 + _globals['_MODEINFO_MULTI']._serialized_start=1717 + _globals['_MODEINFO_MULTI']._serialized_end=1861 + _globals['_FEE']._serialized_start=1871 + _globals['_FEE']._serialized_end=2128 + _globals['_TIP']._serialized_start=2131 + _globals['_TIP']._serialized_end=2313 + _globals['_AUXSIGNERDATA']._serialized_start=2316 + _globals['_AUXSIGNERDATA']._serialized_end=2522 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py index 9a841acf..5f8ad033 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2.py @@ -1,29 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\";\n\x06Module\x12\x11\n\tauthority\x18\x01 \x01(\t:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/upgrade/module/v1/module.proto\x12\x18\x63osmos.upgrade.module.v1\x1a cosmos/app/v1alpha1/module.proto\"F\n\x06Module\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority:\x1e\xba\xc0\x96\xda\x01\x18\n\x16\x63osmossdk.io/x/upgradeB\xae\x01\n\x1c\x63om.cosmos.upgrade.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43UM\xaa\x02\x18\x43osmos.Upgrade.Module.V1\xca\x02\x18\x43osmos\\Upgrade\\Module\\V1\xe2\x02$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Upgrade::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.upgrade.module.v1B\013ModuleProtoP\001\242\002\003CUM\252\002\030Cosmos.Upgrade.Module.V1\312\002\030Cosmos\\Upgrade\\Module\\V1\342\002$Cosmos\\Upgrade\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Upgrade::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001\030\n\026cosmossdk.io/x/upgrade' _globals['_MODULE']._serialized_start=101 - _globals['_MODULE']._serialized_end=160 + _globals['_MODULE']._serialized_end=171 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py index a362e0b7..3dcf27be 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/query_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"F\n\x18QueryCurrentPlanResponse\x12*\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.Plan\"\'\n\x17QueryAppliedPlanRequest\x12\x0c\n\x04name\x18\x01 \x01(\t\"*\n\x18QueryAppliedPlanResponse\x12\x0e\n\x06height\x18\x01 \x01(\x03\"=\n\"QueryUpgradedConsensusStateRequest\x12\x13\n\x0blast_height\x18\x01 \x01(\x03:\x02\x18\x01\"Q\n#QueryUpgradedConsensusStateResponse\x12 \n\x18upgraded_consensus_state\x18\x02 \x01(\x0c:\x02\x18\x01J\x04\x08\x01\x10\x02\"1\n\x1aQueryModuleVersionsRequest\x12\x13\n\x0bmodule_name\x18\x01 \x01(\t\"]\n\x1bQueryModuleVersionsResponse\x12>\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersion\"\x17\n\x15QueryAuthorityRequest\")\n\x16QueryAuthorityResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"cosmos/upgrade/v1beta1/query.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\"\x19\n\x17QueryCurrentPlanRequest\"L\n\x18QueryCurrentPlanResponse\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanR\x04plan\"-\n\x17QueryAppliedPlanRequest\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\"2\n\x18QueryAppliedPlanResponse\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\"I\n\"QueryUpgradedConsensusStateRequest\x12\x1f\n\x0blast_height\x18\x01 \x01(\x03R\nlastHeight:\x02\x18\x01\"i\n#QueryUpgradedConsensusStateResponse\x12\x38\n\x18upgraded_consensus_state\x18\x02 \x01(\x0cR\x16upgradedConsensusState:\x02\x18\x01J\x04\x08\x01\x10\x02\"=\n\x1aQueryModuleVersionsRequest\x12\x1f\n\x0bmodule_name\x18\x01 \x01(\tR\nmoduleName\"m\n\x1bQueryModuleVersionsResponse\x12N\n\x0fmodule_versions\x18\x01 \x03(\x0b\x32%.cosmos.upgrade.v1beta1.ModuleVersionR\x0emoduleVersions\"\x17\n\x15QueryAuthorityRequest\"2\n\x16QueryAuthorityResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress2\xf4\x06\n\x05Query\x12\x9e\x01\n\x0b\x43urrentPlan\x12/.cosmos.upgrade.v1beta1.QueryCurrentPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryCurrentPlanResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmos/upgrade/v1beta1/current_plan\x12\xa5\x01\n\x0b\x41ppliedPlan\x12/.cosmos.upgrade.v1beta1.QueryAppliedPlanRequest\x1a\x30.cosmos.upgrade.v1beta1.QueryAppliedPlanResponse\"3\x82\xd3\xe4\x93\x02-\x12+/cosmos/upgrade/v1beta1/applied_plan/{name}\x12\xdc\x01\n\x16UpgradedConsensusState\x12:.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateRequest\x1a;.cosmos.upgrade.v1beta1.QueryUpgradedConsensusStateResponse\"I\x88\x02\x01\x82\xd3\xe4\x93\x02@\x12>/cosmos/upgrade/v1beta1/upgraded_consensus_state/{last_height}\x12\xaa\x01\n\x0eModuleVersions\x12\x32.cosmos.upgrade.v1beta1.QueryModuleVersionsRequest\x1a\x33.cosmos.upgrade.v1beta1.QueryModuleVersionsResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/cosmos/upgrade/v1beta1/module_versions\x12\x95\x01\n\tAuthority\x12-.cosmos.upgrade.v1beta1.QueryAuthorityRequest\x1a..cosmos.upgrade.v1beta1.QueryAuthorityResponse\")\x82\xd3\xe4\x93\x02#\x12!/cosmos/upgrade/v1beta1/authorityB\xc0\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\nQueryProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\nQueryProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._loaded_options = None _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_options = b'\030\001' _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._loaded_options = None @@ -41,23 +51,23 @@ _globals['_QUERYCURRENTPLANREQUEST']._serialized_start=130 _globals['_QUERYCURRENTPLANREQUEST']._serialized_end=155 _globals['_QUERYCURRENTPLANRESPONSE']._serialized_start=157 - _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=227 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=229 - _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=268 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=270 - _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=312 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=314 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=375 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=377 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=458 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=460 - _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=509 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=511 - _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=604 - _globals['_QUERYAUTHORITYREQUEST']._serialized_start=606 - _globals['_QUERYAUTHORITYREQUEST']._serialized_end=629 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=631 - _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=672 - _globals['_QUERY']._serialized_start=675 - _globals['_QUERY']._serialized_end=1559 + _globals['_QUERYCURRENTPLANRESPONSE']._serialized_end=233 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_start=235 + _globals['_QUERYAPPLIEDPLANREQUEST']._serialized_end=280 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_start=282 + _globals['_QUERYAPPLIEDPLANRESPONSE']._serialized_end=332 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=334 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=407 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=409 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=514 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_start=516 + _globals['_QUERYMODULEVERSIONSREQUEST']._serialized_end=577 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_start=579 + _globals['_QUERYMODULEVERSIONSRESPONSE']._serialized_end=688 + _globals['_QUERYAUTHORITYREQUEST']._serialized_start=690 + _globals['_QUERYAUTHORITYREQUEST']._serialized_end=713 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_start=715 + _globals['_QUERYAUTHORITYRESPONSE']._serialized_end=765 + _globals['_QUERY']._serialized_start=768 + _globals['_QUERY']._serialized_end=1652 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py index 3da13e1f..e19a86c2 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xaa\x01\n\x12MsgSoftwareUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x35\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"o\n\x10MsgCancelUpgrade\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x1eZ\x1c\x63osmossdk.io/x/upgrade/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/upgrade/v1beta1/tx.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xbb\x01\n\x12MsgSoftwareUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x04plan\x18\x02 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:0\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1d\x63osmos-sdk/MsgSoftwareUpgrade\"\x1c\n\x1aMsgSoftwareUpgradeResponse\"z\n\x10MsgCancelUpgrade\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgCancelUpgrade\"\x1a\n\x18MsgCancelUpgradeResponse2\xec\x01\n\x03Msg\x12q\n\x0fSoftwareUpgrade\x12*.cosmos.upgrade.v1beta1.MsgSoftwareUpgrade\x1a\x32.cosmos.upgrade.v1beta1.MsgSoftwareUpgradeResponse\x12k\n\rCancelUpgrade\x12(.cosmos.upgrade.v1beta1.MsgCancelUpgrade\x1a\x30.cosmos.upgrade.v1beta1.MsgCancelUpgradeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xbd\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x07TxProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\007TxProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._loaded_options = None _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSOFTWAREUPGRADE'].fields_by_name['plan']._loaded_options = None @@ -40,13 +50,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSOFTWAREUPGRADE']._serialized_start=191 - _globals['_MSGSOFTWAREUPGRADE']._serialized_end=361 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=363 - _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=391 - _globals['_MSGCANCELUPGRADE']._serialized_start=393 - _globals['_MSGCANCELUPGRADE']._serialized_end=504 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=506 - _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=532 - _globals['_MSG']._serialized_start=535 - _globals['_MSG']._serialized_end=771 + _globals['_MSGSOFTWAREUPGRADE']._serialized_end=378 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_start=380 + _globals['_MSGSOFTWAREUPGRADERESPONSE']._serialized_end=408 + _globals['_MSGCANCELUPGRADE']._serialized_start=410 + _globals['_MSGCANCELUPGRADE']._serialized_end=532 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_start=534 + _globals['_MSGCANCELUPGRADERESPONSE']._serialized_end=560 + _globals['_MSG']._serialized_start=563 + _globals['_MSG']._serialized_end=799 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py index 2c9251d2..2a97d175 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/upgrade/v1beta1/upgrade.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/upgrade/v1beta1/upgrade.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xc0\x01\n\x04Plan\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x39\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x37\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xc1\x01\n\x17SoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x35\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\x96\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"4\n\rModuleVersion\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\"Z\x1c\x63osmossdk.io/x/upgrade/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/upgrade/v1beta1/upgrade.proto\x12\x16\x63osmos.upgrade.v1beta1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xef\x01\n\x04Plan\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12?\n\x04time\x18\x02 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x0f\x18\x01\xc8\xde\x1f\x00\x90\xdf\x1f\x01\xa8\xe7\xb0*\x01R\x04time\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12L\n\x15upgraded_client_state\x18\x05 \x01(\x0b\x32\x14.google.protobuf.AnyB\x02\x18\x01R\x13upgradedClientState:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x63osmos-sdk/Plan\"\xdb\x01\n\x17SoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12;\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x04plan:K\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\"cosmos-sdk/SoftwareUpgradeProposal\"\xaa\x01\n\x1d\x43\x61ncelSoftwareUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription:Q\x18\x01\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(cosmos-sdk/CancelSoftwareUpgradeProposal\"C\n\rModuleVersion\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07version\x18\x02 \x01(\x04R\x07version:\x04\xe8\xa0\x1f\x01\x42\xc6\x01\n\x1a\x63om.cosmos.upgrade.v1beta1B\x0cUpgradeProtoP\x01Z\x1c\x63osmossdk.io/x/upgrade/types\xa2\x02\x03\x43UX\xaa\x02\x16\x43osmos.Upgrade.V1beta1\xca\x02\x16\x43osmos\\Upgrade\\V1beta1\xe2\x02\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Upgrade::V1beta1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.upgrade.v1beta1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\034cosmossdk.io/x/upgrade/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.upgrade.v1beta1B\014UpgradeProtoP\001Z\034cosmossdk.io/x/upgrade/types\242\002\003CUX\252\002\026Cosmos.Upgrade.V1beta1\312\002\026Cosmos\\Upgrade\\V1beta1\342\002\"Cosmos\\Upgrade\\V1beta1\\GPBMetadata\352\002\030Cosmos::Upgrade::V1beta1\310\341\036\000' _globals['_PLAN'].fields_by_name['time']._loaded_options = None _globals['_PLAN'].fields_by_name['time']._serialized_options = b'\030\001\310\336\037\000\220\337\037\001\250\347\260*\001' _globals['_PLAN'].fields_by_name['upgraded_client_state']._loaded_options = None @@ -42,11 +52,11 @@ _globals['_MODULEVERSION']._loaded_options = None _globals['_MODULEVERSION']._serialized_options = b'\350\240\037\001' _globals['_PLAN']._serialized_start=193 - _globals['_PLAN']._serialized_end=385 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=388 - _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=581 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=584 - _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=734 - _globals['_MODULEVERSION']._serialized_start=736 - _globals['_MODULEVERSION']._serialized_end=788 + _globals['_PLAN']._serialized_end=432 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_start=435 + _globals['_SOFTWAREUPGRADEPROPOSAL']._serialized_end=654 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_start=657 + _globals['_CANCELSOFTWAREUPGRADEPROPOSAL']._serialized_end=827 + _globals['_MODULEVERSION']._serialized_start=829 + _globals['_MODULEVERSION']._serialized_end=896 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py index 5381c5bf..61c60ff3 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2.py @@ -1,27 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/module/v1/module.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/module/v1/module.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 +from pyinjective.proto.cosmos.app.v1alpha1 import module_pb2 as cosmos_dot_app_dot_v1alpha1_dot_module__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%cosmos/vesting/module/v1/module.proto\x12\x18\x63osmos.vesting.module.v1\x1a cosmos/app/v1alpha1/module.proto\"=\n\x06Module:3\xba\xc0\x96\xda\x01-\n+github.com/cosmos/cosmos-sdk/x/auth/vestingB\xae\x01\n\x1c\x63om.cosmos.vesting.module.v1B\x0bModuleProtoP\x01\xa2\x02\x03\x43VM\xaa\x02\x18\x43osmos.Vesting.Module.V1\xca\x02\x18\x43osmos\\Vesting\\Module\\V1\xe2\x02$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\xea\x02\x1b\x43osmos::Vesting::Module::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.module.v1.module_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: - DESCRIPTOR._loaded_options = None + _globals['DESCRIPTOR']._loaded_options = None + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.cosmos.vesting.module.v1B\013ModuleProtoP\001\242\002\003CVM\252\002\030Cosmos.Vesting.Module.V1\312\002\030Cosmos\\Vesting\\Module\\V1\342\002$Cosmos\\Vesting\\Module\\V1\\GPBMetadata\352\002\033Cosmos::Vesting::Module::V1' _globals['_MODULE']._loaded_options = None _globals['_MODULE']._serialized_options = b'\272\300\226\332\001-\n+github.com/cosmos/cosmos-sdk/x/auth/vesting' _globals['_MODULE']._serialized_start=101 diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py index 7cf26be0..34b222fe 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.vesting.v1beta1 import vesting_pb2 as cosmos_dot_vesting_dot_v1beta1_dot_vesting__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xcb\x02\n\x17MsgCreateVestingAccount\x12.\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12,\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x03\x12\x0f\n\x07\x64\x65layed\x18\x05 \x01(\x08:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xaf\x02\n\x1fMsgCreatePermanentLockedAccount\x12-\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"\x12)\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"\x12q\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\xe4\x01\n\x1fMsgCreatePeriodicVestingAccount\x12\x14\n\x0c\x66rom_address\x18\x01 \x01(\t\x12\x12\n\nto_address\x18\x02 \x01(\t\x12\x12\n\nstart_time\x18\x03 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x33Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1f\x63osmos/vesting/v1beta1/tx.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a$cosmos/vesting/v1beta1/vesting.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x11\x61mino/amino.proto\"\xfd\x02\n\x17MsgCreateVestingAccount\x12;\n\x0c\x66rom_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0b\x66romAddress\x12\x37\n\nto_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x03R\x07\x65ndTime\x12\x18\n\x07\x64\x65layed\x18\x05 \x01(\x08R\x07\x64\x65layed:<\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*\"cosmos-sdk/MsgCreateVestingAccount\"!\n\x1fMsgCreateVestingAccountResponse\"\xcf\x02\n\x1fMsgCreatePermanentLockedAccount\x12:\n\x0c\x66rom_address\x18\x01 \x01(\tB\x17\xf2\xde\x1f\x13yaml:\"from_address\"R\x0b\x66romAddress\x12\x34\n\nto_address\x18\x02 \x01(\tB\x15\xf2\xde\x1f\x11yaml:\"to_address\"R\ttoAddress\x12y\n\x06\x61mount\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount:?\xe8\xa0\x1f\x01\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePermLockedAccount\")\n\'MsgCreatePermanentLockedAccountResponse\"\x97\x02\n\x1fMsgCreatePeriodicVestingAccount\x12!\n\x0c\x66rom_address\x18\x01 \x01(\tR\x0b\x66romAddress\x12\x1d\n\nto_address\x18\x02 \x01(\tR\ttoAddress\x12\x1d\n\nstart_time\x18\x03 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x04 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:?\xe8\xa0\x1f\x00\x82\xe7\xb0*\x0c\x66rom_address\x8a\xe7\xb0*%cosmos-sdk/MsgCreatePeriodVestAccount\")\n\'MsgCreatePeriodicVestingAccountResponse2\xc5\x03\n\x03Msg\x12\x80\x01\n\x14\x43reateVestingAccount\x12/.cosmos.vesting.v1beta1.MsgCreateVestingAccount\x1a\x37.cosmos.vesting.v1beta1.MsgCreateVestingAccountResponse\x12\x98\x01\n\x1c\x43reatePermanentLockedAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePermanentLockedAccountResponse\x12\x98\x01\n\x1c\x43reatePeriodicVestingAccount\x12\x37.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccount\x1a?.cosmos.vesting.v1beta1.MsgCreatePeriodicVestingAccountResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd2\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x07TxProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\007TxProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._loaded_options = None _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['from_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGCREATEVESTINGACCOUNT'].fields_by_name['to_address']._loaded_options = None @@ -51,17 +61,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEVESTINGACCOUNT']._serialized_start=223 - _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=554 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=556 - _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=589 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=592 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=895 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=897 - _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=938 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=941 - _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1169 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1171 - _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1212 - _globals['_MSG']._serialized_start=1215 - _globals['_MSG']._serialized_end=1668 + _globals['_MSGCREATEVESTINGACCOUNT']._serialized_end=604 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_start=606 + _globals['_MSGCREATEVESTINGACCOUNTRESPONSE']._serialized_end=639 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_start=642 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNT']._serialized_end=977 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_start=979 + _globals['_MSGCREATEPERMANENTLOCKEDACCOUNTRESPONSE']._serialized_end=1020 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_start=1023 + _globals['_MSGCREATEPERIODICVESTINGACCOUNT']._serialized_end=1302 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_start=1304 + _globals['_MSGCREATEPERIODICVESTINGACCOUNTRESPONSE']._serialized_end=1345 + _globals['_MSG']._serialized_start=1348 + _globals['_MSG']._serialized_end=1801 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py index 7435bce5..f268eea0 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmos/vesting/v1beta1/vesting.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmos/vesting/v1beta1/vesting.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\x82\x04\n\x12\x42\x61seVestingAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12{\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12y\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12|\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x03:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xac\x01\n\x18\x43ontinuousVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\x92\x01\n\x15\x44\x65layedVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x8b\x01\n\x06Period\x12\x0e\n\x06length\x18\x01 \x01(\x03\x12q\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01\"\xec\x01\n\x16PeriodicVestingAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01\x12\x12\n\nstart_time\x18\x02 \x01(\x03\x12\x42\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\x94\x01\n\x16PermanentLockedAccount\x12N\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB3Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$cosmos/vesting/v1beta1/vesting.proto\x12\x16\x63osmos.vesting.v1beta1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcd\x04\n\x12\x42\x61seVestingAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12\x8c\x01\n\x10original_vesting\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x0foriginalVesting\x12\x88\x01\n\x0e\x64\x65legated_free\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\rdelegatedFree\x12\x8e\x01\n\x11\x64\x65legated_vesting\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x10\x64\x65legatedVesting\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x03R\x07\x65ndTime:&\x88\xa0\x1f\x00\x8a\xe7\xb0*\x1d\x63osmos-sdk/BaseVestingAccount\"\xcb\x01\n\x18\x43ontinuousVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime:,\x88\xa0\x1f\x00\x8a\xe7\xb0*#cosmos-sdk/ContinuousVestingAccount\"\xa6\x01\n\x15\x44\x65layedVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:)\x88\xa0\x1f\x00\x8a\xe7\xb0* cosmos-sdk/DelayedVestingAccount\"\x9b\x01\n\x06Period\x12\x16\n\x06length\x18\x01 \x01(\x03R\x06length\x12y\n\x06\x61mount\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x06\x61mount\"\x9b\x02\n\x16PeriodicVestingAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount\x12\x1d\n\nstart_time\x18\x02 \x01(\x03R\tstartTime\x12R\n\x0fvesting_periods\x18\x03 \x03(\x0b\x32\x1e.cosmos.vesting.v1beta1.PeriodB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0evestingPeriods:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PeriodicVestingAccount\"\xa8\x01\n\x16PermanentLockedAccount\x12\x62\n\x14\x62\x61se_vesting_account\x18\x01 \x01(\x0b\x32*.cosmos.vesting.v1beta1.BaseVestingAccountB\x04\xd0\xde\x1f\x01R\x12\x62\x61seVestingAccount:*\x88\xa0\x1f\x00\x8a\xe7\xb0*!cosmos-sdk/PermanentLockedAccountB\xd7\x01\n\x1a\x63om.cosmos.vesting.v1beta1B\x0cVestingProtoP\x01Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\xa2\x02\x03\x43VX\xaa\x02\x16\x43osmos.Vesting.V1beta1\xca\x02\x16\x43osmos\\Vesting\\V1beta1\xe2\x02\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\xea\x02\x18\x43osmos::Vesting::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmos.vesting.v1beta1.vesting_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.cosmos.vesting.v1beta1B\014VestingProtoP\001Z1github.com/cosmos/cosmos-sdk/x/auth/vesting/types\242\002\003CVX\252\002\026Cosmos.Vesting.V1beta1\312\002\026Cosmos\\Vesting\\V1beta1\342\002\"Cosmos\\Vesting\\V1beta1\\GPBMetadata\352\002\030Cosmos::Vesting::V1beta1' _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_BASEVESTINGACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_BASEVESTINGACCOUNT'].fields_by_name['original_vesting']._loaded_options = None @@ -57,15 +67,15 @@ _globals['_PERMANENTLOCKEDACCOUNT']._loaded_options = None _globals['_PERMANENTLOCKEDACCOUNT']._serialized_options = b'\210\240\037\000\212\347\260*!cosmos-sdk/PermanentLockedAccount' _globals['_BASEVESTINGACCOUNT']._serialized_start=170 - _globals['_BASEVESTINGACCOUNT']._serialized_end=684 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=687 - _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=859 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=862 - _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1008 - _globals['_PERIOD']._serialized_start=1011 - _globals['_PERIOD']._serialized_end=1150 - _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1153 - _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1389 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1392 - _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1540 + _globals['_BASEVESTINGACCOUNT']._serialized_end=759 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_start=762 + _globals['_CONTINUOUSVESTINGACCOUNT']._serialized_end=965 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_start=968 + _globals['_DELAYEDVESTINGACCOUNT']._serialized_end=1134 + _globals['_PERIOD']._serialized_start=1137 + _globals['_PERIOD']._serialized_end=1292 + _globals['_PERIODICVESTINGACCOUNT']._serialized_start=1295 + _globals['_PERIODICVESTINGACCOUNT']._serialized_end=1578 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_start=1581 + _globals['_PERMANENTLOCKEDACCOUNT']._serialized_end=1749 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py index 6419c101..dc1f9779 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\x98\x01\n\x16StoreCodeAuthorization\x12\x36\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xac\x01\n\x1e\x43ontractExecutionAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xac\x01\n\x1e\x43ontractMigrationAuthorization\x12:\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"^\n\tCodeGrant\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12>\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\"\xdb\x01\n\rContractGrant\x12*\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12M\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x12O\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\"c\n\rMaxCallsLimit\x12\x11\n\tremaining\x18\x01 \x01(\x04:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xb3\x01\n\rMaxFundsLimit\x12\x61\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xcc\x01\n\rCombinedLimit\x12\x17\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04\x12\x61\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"w\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x0c\n\x04keys\x18\x01 \x03(\t:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\x8d\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12(\n\x08messages\x18\x01 \x03(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/authz.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\"\xa0\x01\n\x16StoreCodeAuthorization\x12>\n\x06grants\x18\x01 \x03(\x0b\x32\x1b.cosmwasm.wasm.v1.CodeGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:F\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*\x1bwasm/StoreCodeAuthorization\"\xb4\x01\n\x1e\x43ontractExecutionAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractExecutionAuthorization\"\xb4\x01\n\x1e\x43ontractMigrationAuthorization\x12\x42\n\x06grants\x18\x01 \x03(\x0b\x32\x1f.cosmwasm.wasm.v1.ContractGrantB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06grants:N\xca\xb4-\"cosmos.authz.v1beta1.Authorization\x8a\xe7\xb0*#wasm/ContractMigrationAuthorization\"\x7f\n\tCodeGrant\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12U\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\"\xf4\x01\n\rContractGrant\x12\x34\n\x08\x63ontract\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12T\n\x05limit\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyB(\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitXR\x05limit\x12W\n\x06\x66ilter\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyB)\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterXR\x06\x66ilter\"n\n\rMaxCallsLimit\x12\x1c\n\tremaining\x18\x01 \x01(\x04R\tremaining:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxCallsLimit\"\xcd\x01\n\rMaxFundsLimit\x12{\n\x07\x61mounts\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/MaxFundsLimit\"\xf6\x01\n\rCombinedLimit\x12\'\n\x0f\x63\x61lls_remaining\x18\x01 \x01(\x04R\x0e\x63\x61llsRemaining\x12{\n\x07\x61mounts\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x07\x61mounts:?\xca\xb4-$cosmwasm.wasm.v1.ContractAuthzLimitX\x8a\xe7\xb0*\x12wasm/CombinedLimit\"c\n\x16\x41llowAllMessagesFilter:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AllowAllMessagesFilter\"}\n\x19\x41\x63\x63\x65ptedMessageKeysFilter\x12\x12\n\x04keys\x18\x01 \x03(\tR\x04keys:L\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1ewasm/AcceptedMessageKeysFilter\"\xa7\x01\n\x16\x41\x63\x63\x65ptedMessagesFilter\x12\x42\n\x08messages\x18\x01 \x03(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x08messages:I\xca\xb4-%cosmwasm.wasm.v1.ContractAuthzFilterX\x8a\xe7\xb0*\x1bwasm/AcceptedMessagesFilterB\xb0\x01\n\x14\x63om.cosmwasm.wasm.v1B\nAuthzProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nAuthzProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._loaded_options = None _globals['_STORECODEAUTHORIZATION'].fields_by_name['grants']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_STORECODEAUTHORIZATION']._loaded_options = None @@ -49,11 +59,11 @@ _globals['_MAXCALLSLIMIT']._loaded_options = None _globals['_MAXCALLSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxCallsLimit' _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MAXFUNDSLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MAXFUNDSLIMIT']._loaded_options = None _globals['_MAXFUNDSLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/MaxFundsLimit' _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._loaded_options = None - _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_COMBINEDLIMIT'].fields_by_name['amounts']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_COMBINEDLIMIT']._loaded_options = None _globals['_COMBINEDLIMIT']._serialized_options = b'\312\264-$cosmwasm.wasm.v1.ContractAuthzLimitX\212\347\260*\022wasm/CombinedLimit' _globals['_ALLOWALLMESSAGESFILTER']._loaded_options = None @@ -61,29 +71,29 @@ _globals['_ACCEPTEDMESSAGEKEYSFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\036wasm/AcceptedMessageKeysFilter' _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._loaded_options = None - _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_ACCEPTEDMESSAGESFILTER'].fields_by_name['messages']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_ACCEPTEDMESSAGESFILTER']._loaded_options = None _globals['_ACCEPTEDMESSAGESFILTER']._serialized_options = b'\312\264-%cosmwasm.wasm.v1.ContractAuthzFilterX\212\347\260*\033wasm/AcceptedMessagesFilter' _globals['_STORECODEAUTHORIZATION']._serialized_start=208 - _globals['_STORECODEAUTHORIZATION']._serialized_end=360 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=363 - _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=535 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=538 - _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=710 - _globals['_CODEGRANT']._serialized_start=712 - _globals['_CODEGRANT']._serialized_end=806 - _globals['_CONTRACTGRANT']._serialized_start=809 - _globals['_CONTRACTGRANT']._serialized_end=1028 - _globals['_MAXCALLSLIMIT']._serialized_start=1030 - _globals['_MAXCALLSLIMIT']._serialized_end=1129 - _globals['_MAXFUNDSLIMIT']._serialized_start=1132 - _globals['_MAXFUNDSLIMIT']._serialized_end=1311 - _globals['_COMBINEDLIMIT']._serialized_start=1314 - _globals['_COMBINEDLIMIT']._serialized_end=1518 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1520 - _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1619 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1621 - _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1740 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1743 - _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=1884 + _globals['_STORECODEAUTHORIZATION']._serialized_end=368 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_start=371 + _globals['_CONTRACTEXECUTIONAUTHORIZATION']._serialized_end=551 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_start=554 + _globals['_CONTRACTMIGRATIONAUTHORIZATION']._serialized_end=734 + _globals['_CODEGRANT']._serialized_start=736 + _globals['_CODEGRANT']._serialized_end=863 + _globals['_CONTRACTGRANT']._serialized_start=866 + _globals['_CONTRACTGRANT']._serialized_end=1110 + _globals['_MAXCALLSLIMIT']._serialized_start=1112 + _globals['_MAXCALLSLIMIT']._serialized_end=1222 + _globals['_MAXFUNDSLIMIT']._serialized_start=1225 + _globals['_MAXFUNDSLIMIT']._serialized_end=1430 + _globals['_COMBINEDLIMIT']._serialized_start=1433 + _globals['_COMBINEDLIMIT']._serialized_end=1679 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_start=1681 + _globals['_ALLOWALLMESSAGESFILTER']._serialized_end=1780 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_start=1782 + _globals['_ACCEPTEDMESSAGEKEYSFILTER']._serialized_end=1907 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_start=1910 + _globals['_ACCEPTEDMESSAGESFILTER']._serialized_end=2077 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py index 578f303d..a1dd4068 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xaa\x02\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x43\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01\x12O\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01\x12O\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01\"\x81\x01\n\x04\x43ode\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x38\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x12\n\ncode_bytes\x18\x03 \x01(\x0c\x12\x0e\n\x06pinned\x18\x04 \x01(\x08\"\x92\x02\n\x08\x43ontract\x12\x32\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12@\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12:\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12T\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"4\n\x08Sequence\x12\x19\n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKey\x12\r\n\x05value\x18\x02 \x01(\x04\x42(Z&github.com/CosmWasm/wasmd/x/wasm/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1e\x63osmwasm/wasm/v1/genesis.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"\xcf\x02\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\x12J\n\x05\x63odes\x18\x02 \x03(\x0b\x32\x16.cosmwasm.wasm.v1.CodeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x0f\x63odes,omitempty\xa8\xe7\xb0*\x01R\x05\x63odes\x12Z\n\tcontracts\x18\x03 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.ContractB \xc8\xde\x1f\x00\xea\xde\x1f\x13\x63ontracts,omitempty\xa8\xe7\xb0*\x01R\tcontracts\x12Z\n\tsequences\x18\x04 \x03(\x0b\x32\x1a.cosmwasm.wasm.v1.SequenceB \xc8\xde\x1f\x00\xea\xde\x1f\x13sequences,omitempty\xa8\xe7\xb0*\x01R\tsequences\"\xa6\x01\n\x04\x43ode\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x42\n\tcode_info\x18\x02 \x01(\x0b\x32\x1a.cosmwasm.wasm.v1.CodeInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08\x63odeInfo\x12\x1d\n\ncode_bytes\x18\x03 \x01(\x0cR\tcodeBytes\x12\x16\n\x06pinned\x18\x04 \x01(\x08R\x06pinned\"\xd5\x02\n\x08\x43ontract\x12\x43\n\x10\x63ontract_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0f\x63ontractAddress\x12N\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo\x12I\n\x0e\x63ontract_state\x18\x03 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rcontractState\x12i\n\x15\x63ontract_code_history\x18\x04 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x63ontractCodeHistory\"B\n\x08Sequence\x12 \n\x06id_key\x18\x01 \x01(\x0c\x42\t\xe2\xde\x1f\x05IDKeyR\x05idKey\x12\x14\n\x05value\x18\x02 \x01(\x04R\x05valueB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x0cGenesisProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\014GenesisProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_GENESISSTATE'].fields_by_name['codes']._loaded_options = None @@ -49,11 +59,11 @@ _globals['_SEQUENCE'].fields_by_name['id_key']._loaded_options = None _globals['_SEQUENCE'].fields_by_name['id_key']._serialized_options = b'\342\336\037\005IDKey' _globals['_GENESISSTATE']._serialized_start=151 - _globals['_GENESISSTATE']._serialized_end=449 - _globals['_CODE']._serialized_start=452 - _globals['_CODE']._serialized_end=581 - _globals['_CONTRACT']._serialized_start=584 - _globals['_CONTRACT']._serialized_end=858 - _globals['_SEQUENCE']._serialized_start=860 - _globals['_SEQUENCE']._serialized_end=912 + _globals['_GENESISSTATE']._serialized_end=486 + _globals['_CODE']._serialized_start=489 + _globals['_CODE']._serialized_end=655 + _globals['_CONTRACT']._serialized_start=658 + _globals['_CONTRACT']._serialized_end=999 + _globals['_SEQUENCE']._serialized_start=1001 + _globals['_SEQUENCE']._serialized_end=1067 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py index be9a2e57..29b30528 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/ibc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/ibc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xb2\x01\n\nMsgIBCSend\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"\x12\x31\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"\x12\x37\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\"&\n\x12MsgIBCSendResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04\"@\n\x12MsgIBCCloseChannel\x12*\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"B,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1a\x63osmwasm/wasm/v1/ibc.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\"\xe2\x01\n\nMsgIBCSend\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannel\x12@\n\x0etimeout_height\x18\x04 \x01(\x04\x42\x19\xf2\xde\x1f\x15yaml:\"timeout_height\"R\rtimeoutHeight\x12I\n\x11timeout_timestamp\x18\x05 \x01(\x04\x42\x1c\xf2\xde\x1f\x18yaml:\"timeout_timestamp\"R\x10timeoutTimestamp\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\"0\n\x12MsgIBCSendResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\"I\n\x12MsgIBCCloseChannel\x12\x33\n\x07\x63hannel\x18\x02 \x01(\tB\x19\xf2\xde\x1f\x15yaml:\"source_channel\"R\x07\x63hannelB\xae\x01\n\x14\x63om.cosmwasm.wasm.v1B\x08IbcProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.ibc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\010IbcProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_MSGIBCSEND'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCSEND'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND'].fields_by_name['timeout_height']._loaded_options = None @@ -32,9 +42,9 @@ _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._loaded_options = None _globals['_MSGIBCCLOSECHANNEL'].fields_by_name['channel']._serialized_options = b'\362\336\037\025yaml:\"source_channel\"' _globals['_MSGIBCSEND']._serialized_start=71 - _globals['_MSGIBCSEND']._serialized_end=249 - _globals['_MSGIBCSENDRESPONSE']._serialized_start=251 - _globals['_MSGIBCSENDRESPONSE']._serialized_end=289 - _globals['_MSGIBCCLOSECHANNEL']._serialized_start=291 - _globals['_MSGIBCCLOSECHANNEL']._serialized_end=355 + _globals['_MSGIBCSEND']._serialized_end=297 + _globals['_MSGIBCSENDRESPONSE']._serialized_start=299 + _globals['_MSGIBCSENDRESPONSE']._serialized_end=347 + _globals['_MSGIBCCLOSECHANNEL']._serialized_start=349 + _globals['_MSGIBCCLOSECHANNEL']._serialized_end=422 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py index e308585b..b17192d8 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/proposal_legacy.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/proposal_legacy.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xdc\x02\n\x11StoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x08 \x01(\x08\x12\x0e\n\x06source\x18\t \x01(\t\x12\x0f\n\x07\x62uilder\x18\n \x01(\t\x12\x11\n\tcode_hash\x18\x0b \x01(\x0c:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\x8d\x03\n\x1bInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\xae\x03\n\x1cInstantiateContract2Proposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x06 \x01(\t\x12#\n\x03msg\x18\x07 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\t \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\n \x01(\x08:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xee\x01\n\x17MigrateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x06 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xcb\x01\n\x14SudoContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xdc\x02\n\x17\x45xecuteContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\xe5\x01\n\x13UpdateAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12?\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xa2\x01\n\x12\x43learAdminProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xa4\x01\n\x10PinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xa8\x01\n\x12UnpinCodesProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"|\n\x12\x41\x63\x63\x65ssConfigUpdate\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12I\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8a\x02\n\x1fUpdateInstantiateConfigProposal\x12\x1f\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"\x12+\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"\x12N\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\x98\x04\n#StoreAndInstantiateContractProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12(\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x06 \x01(\x08\x12\r\n\x05\x61\x64min\x18\x07 \x01(\t\x12\r\n\x05label\x18\x08 \x01(\t\x12#\n\x03msg\x18\t \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\x0b \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0c \x01(\t\x12\x11\n\tcode_hash\x18\r \x01(\x0c:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB4Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&cosmwasm/wasm/v1/proposal_legacy.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\"\xc2\x03\n\x11StoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x07 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x08 \x01(\x08R\tunpinCode\x12\x16\n\x06source\x18\t \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\n \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0b \x01(\x0cR\x08\x63odeHash:;\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x16wasm/StoreCodeProposalJ\x04\x08\x05\x10\x06J\x04\x08\x06\x10\x07\"\xeb\x03\n\x1bInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:E\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0* wasm/InstantiateContractProposal\"\x9a\x04\n\x1cInstantiateContract2Proposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12.\n\x05\x61\x64min\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x07 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x08 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\t \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\n \x01(\x08R\x06\x66ixMsg:F\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!wasm/InstantiateContract2Proposal\"\xa9\x02\n\x17MigrateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x05 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x06 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/MigrateContractProposal\"\xfe\x01\n\x14SudoContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:>\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x19wasm/SudoContractProposal\"\xae\x03\n\x17\x45xecuteContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:A\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasm/ExecuteContractProposal\"\x8d\x02\n\x13UpdateAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12I\n\tnew_admin\x18\x03 \x01(\tB,\xf2\xde\x1f\x10yaml:\"new_admin\"\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x04 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:=\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x18wasm/UpdateAdminProposal\"\xc0\x01\n\x12\x43learAdminProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/ClearAdminProposal\"\xc1\x01\n\x10PinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds::\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15wasm/PinCodesProposal\"\xc5\x01\n\x12UnpinCodesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x08\x63ode_ids\x18\x03 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:<\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x17wasm/UnpinCodesProposal\"\x9b\x01\n\x12\x41\x63\x63\x65ssConfigUpdate\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12`\n\x16instantiate_permission\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission\"\xb3\x02\n\x1fUpdateInstantiateConfigProposal\x12&\n\x05title\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"title\"R\x05title\x12\x38\n\x0b\x64\x65scription\x18\x02 \x01(\tB\x16\xf2\xde\x1f\x12yaml:\"description\"R\x0b\x64\x65scription\x12\x63\n\x15\x61\x63\x63\x65ss_config_updates\x18\x03 \x03(\x0b\x32$.cosmwasm.wasm.v1.AccessConfigUpdateB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x13\x61\x63\x63\x65ssConfigUpdates:I\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$wasm/UpdateInstantiateConfigProposal\"\xb9\x05\n#StoreAndInstantiateContractProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x06run_as\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05runAs\x12\x36\n\x0ewasm_byte_code\x18\x04 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x06 \x01(\x08R\tunpinCode\x12\x14\n\x05\x61\x64min\x18\x07 \x01(\tR\x05\x61\x64min\x12\x14\n\x05label\x18\x08 \x01(\tR\x05label\x12\x38\n\x03msg\x18\t \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\n \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\x0b \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0c \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\r \x01(\x0cR\x08\x63odeHash:M\x18\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(wasm/StoreAndInstantiateContractProposalB\xc1\x01\n\x14\x63om.cosmwasm.wasm.v1B\x13ProposalLegacyProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xd8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.proposal_legacy_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\330\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\023ProposalLegacyProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\330\341\036\000\250\342\036\001' _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._loaded_options = None _globals['_STORECODEPROPOSAL'].fields_by_name['run_as']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_STORECODEPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -40,9 +50,9 @@ _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_INSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260* wasm/InstantiateContractProposal' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -52,9 +62,9 @@ _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_INSTANTIATECONTRACT2PROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_INSTANTIATECONTRACT2PROPOSAL']._loaded_options = None _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*!wasm/InstantiateContract2Proposal' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None @@ -62,13 +72,13 @@ _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MIGRATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MIGRATECONTRACTPROPOSAL']._loaded_options = None _globals['_MIGRATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/MigrateContractProposal' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_SUDOCONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_SUDOCONTRACTPROPOSAL']._loaded_options = None _globals['_SUDOCONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\031wasm/SudoContractProposal' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['run_as']._loaded_options = None @@ -76,9 +86,9 @@ _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_EXECUTECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_EXECUTECONTRACTPROPOSAL']._loaded_options = None _globals['_EXECUTECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasm/ExecuteContractProposal' _globals['_UPDATEADMINPROPOSAL'].fields_by_name['new_admin']._loaded_options = None @@ -116,35 +126,35 @@ _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._loaded_options = None - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._loaded_options = None _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_options = b'\030\001\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(wasm/StoreAndInstantiateContractProposal' _globals['_STORECODEPROPOSAL']._serialized_start=191 - _globals['_STORECODEPROPOSAL']._serialized_end=539 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=542 - _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=939 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=942 - _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1372 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1375 - _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1613 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1616 - _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=1819 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=1822 - _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2170 - _globals['_UPDATEADMINPROPOSAL']._serialized_start=2173 - _globals['_UPDATEADMINPROPOSAL']._serialized_end=2402 - _globals['_CLEARADMINPROPOSAL']._serialized_start=2405 - _globals['_CLEARADMINPROPOSAL']._serialized_end=2567 - _globals['_PINCODESPROPOSAL']._serialized_start=2570 - _globals['_PINCODESPROPOSAL']._serialized_end=2734 - _globals['_UNPINCODESPROPOSAL']._serialized_start=2737 - _globals['_UNPINCODESPROPOSAL']._serialized_end=2905 - _globals['_ACCESSCONFIGUPDATE']._serialized_start=2907 - _globals['_ACCESSCONFIGUPDATE']._serialized_end=3031 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3034 - _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3300 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=3303 - _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=3839 + _globals['_STORECODEPROPOSAL']._serialized_end=641 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_start=644 + _globals['_INSTANTIATECONTRACTPROPOSAL']._serialized_end=1135 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_start=1138 + _globals['_INSTANTIATECONTRACT2PROPOSAL']._serialized_end=1676 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_start=1679 + _globals['_MIGRATECONTRACTPROPOSAL']._serialized_end=1976 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_start=1979 + _globals['_SUDOCONTRACTPROPOSAL']._serialized_end=2233 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_start=2236 + _globals['_EXECUTECONTRACTPROPOSAL']._serialized_end=2666 + _globals['_UPDATEADMINPROPOSAL']._serialized_start=2669 + _globals['_UPDATEADMINPROPOSAL']._serialized_end=2938 + _globals['_CLEARADMINPROPOSAL']._serialized_start=2941 + _globals['_CLEARADMINPROPOSAL']._serialized_end=3133 + _globals['_PINCODESPROPOSAL']._serialized_start=3136 + _globals['_PINCODESPROPOSAL']._serialized_end=3329 + _globals['_UNPINCODESPROPOSAL']._serialized_start=3332 + _globals['_UNPINCODESPROPOSAL']._serialized_end=3529 + _globals['_ACCESSCONFIGUPDATE']._serialized_start=3532 + _globals['_ACCESSCONFIGUPDATE']._serialized_end=3687 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_start=3690 + _globals['_UPDATEINSTANTIATECONFIGPROPOSAL']._serialized_end=3997 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_start=4000 + _globals['_STOREANDINSTANTIATECONTRACTPROPOSAL']._serialized_end=4697 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py index 9b0fe0f7..66e6e7f1 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"E\n\x18QueryContractInfoRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\"\x96\x01\n\x19QueryContractInfoResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12H\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01\"\x84\x01\n\x1bQueryContractHistoryRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa3\x01\n\x1cQueryContractHistoryResponse\x12\x46\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"j\n\x1bQueryContractsByCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x88\x01\n\x1cQueryContractsByCodeResponse\x12+\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x85\x01\n\x1cQueryAllContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x90\x01\n\x1dQueryAllContractStateResponse\x12\x32\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"]\n\x1cQueryRawContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x12\n\nquery_data\x18\x02 \x01(\x0c\"-\n\x1dQueryRawContractStateResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"w\n\x1eQuerySmartContractStateRequest\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\nquery_data\x18\x02 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"G\n\x1fQuerySmartContractStateResponse\x12$\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"#\n\x10QueryCodeRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\"\x86\x02\n\x10\x43odeInfoResponse\x12!\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02id\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12G\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12I\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"r\n\x11QueryCodeResponse\x12?\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00\x12\x16\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"O\n\x11QueryCodesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x12QueryCodesResponse\x12\x41\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"U\n\x17QueryPinnedCodesRequest\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"v\n\x18QueryPinnedCodesResponse\x12\x1d\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDs\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\"\x8f\x01\n\x1eQueryContractsByCreatorRequest\x12\x31\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\x94\x01\n\x1fQueryContractsByCreatorResponse\x12\x34\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse2\xc3\r\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}B0Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/query.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x11\x61mino/amino.proto\x1a\x19\x63osmos_proto/cosmos.proto\"N\n\x18QueryContractInfoRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\"\xad\x01\n\x19QueryContractInfoResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12V\n\rcontract_info\x18\x02 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.ContractInfoB\x11\xc8\xde\x1f\x00\xd0\xde\x1f\x01\xea\xde\x1f\x00\xa8\xe7\xb0*\x01R\x0c\x63ontractInfo:\x04\xe8\xa0\x1f\x01\"\x99\x01\n\x1bQueryContractHistoryRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb8\x01\n\x1cQueryContractHistoryResponse\x12O\n\x07\x65ntries\x18\x01 \x03(\x0b\x32*.cosmwasm.wasm.v1.ContractCodeHistoryEntryB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x07\x65ntries\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"~\n\x1bQueryContractsByCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x9f\x01\n\x1cQueryContractsByCodeResponse\x12\x36\n\tcontracts\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tcontracts\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x9a\x01\n\x1cQueryAllContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xa4\x01\n\x1dQueryAllContractStateResponse\x12:\n\x06models\x18\x01 \x03(\x0b\x32\x17.cosmwasm.wasm.v1.ModelB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06models\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"q\n\x1cQueryRawContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x1d\n\nquery_data\x18\x02 \x01(\x0cR\tqueryData\"3\n\x1dQueryRawContractStateResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x9b\x01\n\x1eQuerySmartContractStateRequest\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x45\n\nquery_data\x18\x02 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\tqueryData\"]\n\x1fQuerySmartContractStateResponse\x12:\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x04\x64\x61ta\"+\n\x10QueryCodeRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\"\xb8\x02\n\x10\x43odeInfoResponse\x12)\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\x10\xe2\xde\x1f\x06\x43odeID\xea\xde\x1f\x02idR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12Q\n\tdata_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x08\x64\x61taHash\x12`\n\x16instantiate_permission\x18\x06 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x15instantiatePermission:\x04\xe8\xa0\x1f\x01J\x04\x08\x04\x10\x05J\x04\x08\x05\x10\x06\"\x82\x01\n\x11QueryCodeResponse\x12I\n\tcode_info\x18\x01 \x01(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\x08\xd0\xde\x1f\x01\xea\xde\x1f\x00R\x08\x63odeInfo\x12\x1c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x64\x61ta:\x04\xe8\xa0\x1f\x01\"[\n\x11QueryCodesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xab\x01\n\x12QueryCodesResponse\x12L\n\ncode_infos\x18\x01 \x03(\x0b\x32\".cosmwasm.wasm.v1.CodeInfoResponseB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tcodeInfos\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"a\n\x17QueryPinnedCodesRequest\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\x8b\x01\n\x18QueryPinnedCodesResponse\x12&\n\x08\x63ode_ids\x18\x01 \x03(\x04\x42\x0b\xe2\xde\x1f\x07\x43odeIDsR\x07\x63odeIds\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params\"\xab\x01\n\x1eQueryContractsByCreatorRequest\x12\x41\n\x0f\x63reator_address\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xb3\x01\n\x1fQueryContractsByCreatorResponse\x12G\n\x12\x63ontract_addresses\x18\x01 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x11\x63ontractAddresses\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xab\x01\n\x18QueryBuildAddressRequest\x12\x1b\n\tcode_hash\x18\x01 \x01(\tR\x08\x63odeHash\x12\x41\n\x0f\x63reator_address\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x0e\x63reatorAddress\x12\x12\n\x04salt\x18\x03 \x01(\tR\x04salt\x12\x1b\n\tinit_args\x18\x04 \x01(\x0cR\x08initArgs\"O\n\x19QueryBuildAddressResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress2\xdf\x0e\n\x05Query\x12\x95\x01\n\x0c\x43ontractInfo\x12*.cosmwasm.wasm.v1.QueryContractInfoRequest\x1a+.cosmwasm.wasm.v1.QueryContractInfoResponse\",\x82\xd3\xe4\x93\x02&\x12$/cosmwasm/wasm/v1/contract/{address}\x12\xa6\x01\n\x0f\x43ontractHistory\x12-.cosmwasm.wasm.v1.QueryContractHistoryRequest\x1a..cosmwasm.wasm.v1.QueryContractHistoryResponse\"4\x82\xd3\xe4\x93\x02.\x12,/cosmwasm/wasm/v1/contract/{address}/history\x12\xa4\x01\n\x0f\x43ontractsByCode\x12-.cosmwasm.wasm.v1.QueryContractsByCodeRequest\x1a..cosmwasm.wasm.v1.QueryContractsByCodeResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/code/{code_id}/contracts\x12\xa7\x01\n\x10\x41llContractState\x12..cosmwasm.wasm.v1.QueryAllContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryAllContractStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/cosmwasm/wasm/v1/contract/{address}/state\x12\xb2\x01\n\x10RawContractState\x12..cosmwasm.wasm.v1.QueryRawContractStateRequest\x1a/.cosmwasm.wasm.v1.QueryRawContractStateResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contract/{address}/raw/{query_data}\x12\xba\x01\n\x12SmartContractState\x12\x30.cosmwasm.wasm.v1.QuerySmartContractStateRequest\x1a\x31.cosmwasm.wasm.v1.QuerySmartContractStateResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/cosmwasm/wasm/v1/contract/{address}/smart/{query_data}\x12y\n\x04\x43ode\x12\".cosmwasm.wasm.v1.QueryCodeRequest\x1a#.cosmwasm.wasm.v1.QueryCodeResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /cosmwasm/wasm/v1/code/{code_id}\x12r\n\x05\x43odes\x12#.cosmwasm.wasm.v1.QueryCodesRequest\x1a$.cosmwasm.wasm.v1.QueryCodesResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/cosmwasm/wasm/v1/code\x12\x8c\x01\n\x0bPinnedCodes\x12).cosmwasm.wasm.v1.QueryPinnedCodesRequest\x1a*.cosmwasm.wasm.v1.QueryPinnedCodesResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/pinned\x12}\n\x06Params\x12$.cosmwasm.wasm.v1.QueryParamsRequest\x1a%.cosmwasm.wasm.v1.QueryParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/cosmwasm/wasm/v1/codes/params\x12\xb8\x01\n\x12\x43ontractsByCreator\x12\x30.cosmwasm.wasm.v1.QueryContractsByCreatorRequest\x1a\x31.cosmwasm.wasm.v1.QueryContractsByCreatorResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/cosmwasm/wasm/v1/contracts/creator/{creator_address}\x12\x99\x01\n\x0c\x42uildAddress\x12*.cosmwasm.wasm.v1.QueryBuildAddressRequest\x1a+.cosmwasm.wasm.v1.QueryBuildAddressResponse\"0\x82\xd3\xe4\x93\x02*\x12(/cosmwasm/wasm/v1/contract/build_addressB\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nQueryProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nQueryProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\000' _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYCONTRACTINFOREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTINFORESPONSE'].fields_by_name['address']._loaded_options = None @@ -51,9 +61,9 @@ _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._loaded_options = None _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_QUERYSMARTCONTRACTSTATEREQUEST'].fields_by_name['query_data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._loaded_options = None - _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_QUERYSMARTCONTRACTSTATERESPONSE'].fields_by_name['data']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._loaded_options = None _globals['_CODEINFORESPONSE'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID\352\336\037\002id' _globals['_CODEINFORESPONSE'].fields_by_name['creator']._loaded_options = None @@ -80,6 +90,10 @@ _globals['_QUERYCONTRACTSBYCREATORREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._loaded_options = None _globals['_QUERYCONTRACTSBYCREATORRESPONSE'].fields_by_name['contract_addresses']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._loaded_options = None + _globals['_QUERYBUILDADDRESSREQUEST'].fields_by_name['creator_address']._serialized_options = b'\322\264-\024cosmos.AddressString' + _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._loaded_options = None + _globals['_QUERYBUILDADDRESSRESPONSE'].fields_by_name['address']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_QUERY'].methods_by_name['ContractInfo']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractInfo']._serialized_options = b'\202\323\344\223\002&\022$/cosmwasm/wasm/v1/contract/{address}' _globals['_QUERY'].methods_by_name['ContractHistory']._loaded_options = None @@ -102,52 +116,58 @@ _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002 \022\036/cosmwasm/wasm/v1/codes/params' _globals['_QUERY'].methods_by_name['ContractsByCreator']._loaded_options = None _globals['_QUERY'].methods_by_name['ContractsByCreator']._serialized_options = b'\202\323\344\223\0027\0225/cosmwasm/wasm/v1/contracts/creator/{creator_address}' + _globals['_QUERY'].methods_by_name['BuildAddress']._loaded_options = None + _globals['_QUERY'].methods_by_name['BuildAddress']._serialized_options = b'\202\323\344\223\002*\022(/cosmwasm/wasm/v1/contract/build_address' _globals['_QUERYCONTRACTINFOREQUEST']._serialized_start=222 - _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=291 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=294 - _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=444 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=447 - _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=579 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=582 - _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=745 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=747 - _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=853 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=856 - _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=992 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=995 - _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1128 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1131 - _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1275 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1277 - _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1370 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1372 - _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1417 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1419 - _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1538 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1540 - _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1611 - _globals['_QUERYCODEREQUEST']._serialized_start=1613 - _globals['_QUERYCODEREQUEST']._serialized_end=1648 - _globals['_CODEINFORESPONSE']._serialized_start=1651 - _globals['_CODEINFORESPONSE']._serialized_end=1913 - _globals['_QUERYCODERESPONSE']._serialized_start=1915 - _globals['_QUERYCODERESPONSE']._serialized_end=2029 - _globals['_QUERYCODESREQUEST']._serialized_start=2031 - _globals['_QUERYCODESREQUEST']._serialized_end=2110 - _globals['_QUERYCODESRESPONSE']._serialized_start=2113 - _globals['_QUERYCODESRESPONSE']._serialized_end=2261 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2263 - _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2348 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2350 - _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2468 - _globals['_QUERYPARAMSREQUEST']._serialized_start=2470 - _globals['_QUERYPARAMSREQUEST']._serialized_end=2490 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=2492 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=2566 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2569 - _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=2712 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=2715 - _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=2863 - _globals['_QUERY']._serialized_start=2866 - _globals['_QUERY']._serialized_end=4597 + _globals['_QUERYCONTRACTINFOREQUEST']._serialized_end=300 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_start=303 + _globals['_QUERYCONTRACTINFORESPONSE']._serialized_end=476 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_start=479 + _globals['_QUERYCONTRACTHISTORYREQUEST']._serialized_end=632 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_start=635 + _globals['_QUERYCONTRACTHISTORYRESPONSE']._serialized_end=819 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_start=821 + _globals['_QUERYCONTRACTSBYCODEREQUEST']._serialized_end=947 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_start=950 + _globals['_QUERYCONTRACTSBYCODERESPONSE']._serialized_end=1109 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_start=1112 + _globals['_QUERYALLCONTRACTSTATEREQUEST']._serialized_end=1266 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_start=1269 + _globals['_QUERYALLCONTRACTSTATERESPONSE']._serialized_end=1433 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_start=1435 + _globals['_QUERYRAWCONTRACTSTATEREQUEST']._serialized_end=1548 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_start=1550 + _globals['_QUERYRAWCONTRACTSTATERESPONSE']._serialized_end=1601 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_start=1604 + _globals['_QUERYSMARTCONTRACTSTATEREQUEST']._serialized_end=1759 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_start=1761 + _globals['_QUERYSMARTCONTRACTSTATERESPONSE']._serialized_end=1854 + _globals['_QUERYCODEREQUEST']._serialized_start=1856 + _globals['_QUERYCODEREQUEST']._serialized_end=1899 + _globals['_CODEINFORESPONSE']._serialized_start=1902 + _globals['_CODEINFORESPONSE']._serialized_end=2214 + _globals['_QUERYCODERESPONSE']._serialized_start=2217 + _globals['_QUERYCODERESPONSE']._serialized_end=2347 + _globals['_QUERYCODESREQUEST']._serialized_start=2349 + _globals['_QUERYCODESREQUEST']._serialized_end=2440 + _globals['_QUERYCODESRESPONSE']._serialized_start=2443 + _globals['_QUERYCODESRESPONSE']._serialized_end=2614 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_start=2616 + _globals['_QUERYPINNEDCODESREQUEST']._serialized_end=2713 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_start=2716 + _globals['_QUERYPINNEDCODESRESPONSE']._serialized_end=2855 + _globals['_QUERYPARAMSREQUEST']._serialized_start=2857 + _globals['_QUERYPARAMSREQUEST']._serialized_end=2877 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=2879 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=2961 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_start=2964 + _globals['_QUERYCONTRACTSBYCREATORREQUEST']._serialized_end=3135 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_start=3138 + _globals['_QUERYCONTRACTSBYCREATORRESPONSE']._serialized_end=3317 + _globals['_QUERYBUILDADDRESSREQUEST']._serialized_start=3320 + _globals['_QUERYBUILDADDRESSREQUEST']._serialized_end=3491 + _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_start=3493 + _globals['_QUERYBUILDADDRESSRESPONSE']._serialized_end=3572 + _globals['_QUERY']._serialized_start=3575 + _globals['_QUERY']._serialized_end=5462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py index 0d7faba0..ed773a07 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.cosmwasm.wasm.v1 import query_pb2 as cosmwasm_dot_wasm_dot_v1_dot_query__pb2 class QueryStub(object): @@ -95,6 +70,11 @@ def __init__(self, channel): request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.SerializeToString, response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.FromString, _registered_method=True) + self.BuildAddress = channel.unary_unary( + '/cosmwasm.wasm.v1.Query/BuildAddress', + request_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, + response_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, + _registered_method=True) class QueryServicer(object): @@ -178,6 +158,13 @@ def ContractsByCreator(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def BuildAddress(self, request, context): + """BuildAddress builds a contract address + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def add_QueryServicer_to_server(servicer, server): rpc_method_handlers = { @@ -236,6 +223,11 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorRequest.FromString, response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryContractsByCreatorResponse.SerializeToString, ), + 'BuildAddress': grpc.unary_unary_rpc_method_handler( + servicer.BuildAddress, + request_deserializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.FromString, + response_serializer=cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.SerializeToString, + ), } generic_handler = grpc.method_handlers_generic_handler( 'cosmwasm.wasm.v1.Query', rpc_method_handlers) @@ -544,3 +536,30 @@ def ContractsByCreator(request, timeout, metadata, _registered_method=True) + + @staticmethod + def BuildAddress(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/cosmwasm.wasm.v1.Query/BuildAddress', + cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressRequest.SerializeToString, + cosmwasm_dot_wasm_dot_v1_dot_query__pb2.QueryBuildAddressResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py index afbaeabf..819f5e81 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0cMsgStoreCode\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"E\n\x14MsgStoreCodeResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\"\xca\x02\n\x16MsgInstantiateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"Y\n\x1eMsgInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xeb\x02\n\x17MsgInstantiateContract2\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\r\n\x05label\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0c\n\x04salt\x18\x07 \x01(\x0c\x12\x0f\n\x07\x66ix_msg\x18\x08 \x01(\x08:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"Z\n\x1fMsgInstantiateContract2Response\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\x99\x02\n\x12MsgExecuteContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"*\n\x1aMsgExecuteContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xd5\x01\n\x12MsgMigrateContract\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"*\n\x1aMsgMigrateContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xb8\x01\n\x0eMsgUpdateAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12+\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x89\x01\n\rMsgClearAdmin\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\xd8\x01\n\x1aMsgUpdateInstantiateConfig\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x42\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\x9c\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x33\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xb8\x01\n\x0fMsgSudoContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12*\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"\'\n\x17MsgSudoContractResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\x91\x01\n\x0bMsgPinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\x95\x01\n\rMsgUnpinCodes\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\":%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\xf5\x03\n\x1eMsgStoreAndInstantiateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x12\n\nunpin_code\x18\x05 \x01(\x08\x12\'\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x07 \x01(\t\x12#\n\x03msg\x18\x08 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12_\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB5\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\xa8\xe7\xb0*\x01\x12\x0e\n\x06source\x18\n \x01(\t\x12\x0f\n\x07\x62uilder\x18\x0b \x01(\t\x12\x11\n\tcode_hash\x18\x0c \x01(\x0c:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"a\n&MsgStoreAndInstantiateContractResponse\x12)\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"\xb0\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\":7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xb6\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\x9e\x02\n\x1aMsgStoreAndMigrateContract\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12(\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCode\x12>\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63ontract\x18\x04 \x01(\t\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"a\n\"MsgStoreAndMigrateContractResponse\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"\xae\x01\n\x16MsgUpdateContractLabel\x12(\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x11\n\tnew_label\x18\x02 \x01(\t\x12*\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42,Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x19\x63osmwasm/wasm/v1/tx.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xfe\x01\n\x0cMsgStoreCode\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission:!\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x11wasm/MsgStoreCodeJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"W\n\x14MsgStoreCodeResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\"\x95\x03\n\x16MsgInstantiateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgInstantiateContract\"h\n\x1eMsgInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc4\x03\n\x17MsgInstantiateContract2\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12.\n\x05\x61\x64min\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x12\n\x04salt\x18\x07 \x01(\x0cR\x04salt\x12\x17\n\x07\x66ix_msg\x18\x08 \x01(\x08R\x06\x66ixMsg:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1cwasm/MsgInstantiateContract2\"i\n\x1fMsgInstantiateContract2Response\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xd8\x02\n\x12MsgExecuteContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\x05 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgExecuteContract\"0\n\x1aMsgExecuteContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\x84\x02\n\x12MsgMigrateContract\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasm/MsgMigrateContract\"0\n\x1aMsgMigrateContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xd4\x01\n\x0eMsgUpdateAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x35\n\tnew_admin\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08newAdmin\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:#\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13wasm/MsgUpdateAdmin\"\x18\n\x16MsgUpdateAdminResponse\"\x9b\x01\n\rMsgClearAdmin\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12wasm/MsgClearAdmin\"\x17\n\x15MsgClearAdminResponse\"\x82\x02\n\x1aMsgUpdateInstantiateConfig\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\\\n\x1anew_instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x18newInstantiatePermission:/\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1fwasm/MsgUpdateInstantiateConfig\"$\n\"MsgUpdateInstantiateConfigResponse\"\xaf\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12;\n\x06params\x18\x02 \x01(\x0b\x32\x18.cosmwasm.wasm.v1.ParamsB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x06params:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xe2\x01\n\x0fMsgSudoContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x34\n\x08\x63ontract\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract\x12\x38\n\x03msg\x18\x03 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:\'\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x14wasm/MsgSudoContract\"-\n\x17MsgSudoContractResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xa5\x01\n\x0bMsgPinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:#\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x10wasm/MsgPinCodes\"\x15\n\x13MsgPinCodesResponse\"\xa9\x01\n\rMsgUnpinCodes\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x39\n\x08\x63ode_ids\x18\x02 \x03(\x04\x42\x1e\xe2\xde\x1f\x07\x43odeIDs\xf2\xde\x1f\x0fyaml:\"code_ids\"R\x07\x63odeIds:%\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x12wasm/MsgUnpinCodes\"\x17\n\x15MsgUnpinCodesResponse\"\x86\x05\n\x1eMsgStoreAndInstantiateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x03 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x04 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1d\n\nunpin_code\x18\x05 \x01(\x08R\tunpinCode\x12.\n\x05\x61\x64min\x18\x06 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\x12\x38\n\x03msg\x18\x08 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\x12w\n\x05\x66unds\x18\t \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\xa8\xe7\xb0*\x01R\x05\x66unds\x12\x16\n\x06source\x18\n \x01(\tR\x06source\x12\x18\n\x07\x62uilder\x18\x0b \x01(\tR\x07\x62uilder\x12\x1b\n\tcode_hash\x18\x0c \x01(\x0cR\x08\x63odeHash:6\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*#wasm/MsgStoreAndInstantiateContract\"p\n&MsgStoreAndInstantiateContractResponse\x12\x32\n\x07\x61\x64\x64ress\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x61\x64\x64ress\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"\xc6\x01\n\x1fMsgAddCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$wasm/MsgAddCodeUploadParamsAddresses\")\n\'MsgAddCodeUploadParamsAddressesResponse\"\xcc\x01\n\"MsgRemoveCodeUploadParamsAddresses\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x32\n\taddresses\x18\x02 \x03(\tB\x14\xf2\xde\x1f\x10yaml:\"addresses\"R\taddresses::\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\'wasm/MsgRemoveCodeUploadParamsAddresses\",\n*MsgRemoveCodeUploadParamsAddressesResponse\"\xed\x02\n\x1aMsgStoreAndMigrateContract\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x36\n\x0ewasm_byte_code\x18\x02 \x01(\x0c\x42\x10\xe2\xde\x1f\x0cWASMByteCodeR\x0cwasmByteCode\x12U\n\x16instantiate_permission\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x15instantiatePermission\x12\x1a\n\x08\x63ontract\x18\x04 \x01(\tR\x08\x63ontract\x12\x38\n\x03msg\x18\x05 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg:2\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1fwasm/MsgStoreAndMigrateContract\"y\n\"MsgStoreAndMigrateContractResponse\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x1a\n\x08\x63hecksum\x18\x02 \x01(\x0cR\x08\x63hecksum\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\"\xca\x01\n\x16MsgUpdateContractLabel\x12\x30\n\x06sender\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x06sender\x12\x1b\n\tnew_label\x18\x02 \x01(\tR\x08newLabel\x12\x34\n\x08\x63ontract\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x08\x63ontract:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasm/MsgUpdateContractLabel\" \n\x1eMsgUpdateContractLabelResponse2\xd5\x0e\n\x03Msg\x12S\n\tStoreCode\x12\x1e.cosmwasm.wasm.v1.MsgStoreCode\x1a&.cosmwasm.wasm.v1.MsgStoreCodeResponse\x12q\n\x13InstantiateContract\x12(.cosmwasm.wasm.v1.MsgInstantiateContract\x1a\x30.cosmwasm.wasm.v1.MsgInstantiateContractResponse\x12t\n\x14InstantiateContract2\x12).cosmwasm.wasm.v1.MsgInstantiateContract2\x1a\x31.cosmwasm.wasm.v1.MsgInstantiateContract2Response\x12\x65\n\x0f\x45xecuteContract\x12$.cosmwasm.wasm.v1.MsgExecuteContract\x1a,.cosmwasm.wasm.v1.MsgExecuteContractResponse\x12\x65\n\x0fMigrateContract\x12$.cosmwasm.wasm.v1.MsgMigrateContract\x1a,.cosmwasm.wasm.v1.MsgMigrateContractResponse\x12Y\n\x0bUpdateAdmin\x12 .cosmwasm.wasm.v1.MsgUpdateAdmin\x1a(.cosmwasm.wasm.v1.MsgUpdateAdminResponse\x12V\n\nClearAdmin\x12\x1f.cosmwasm.wasm.v1.MsgClearAdmin\x1a\'.cosmwasm.wasm.v1.MsgClearAdminResponse\x12}\n\x17UpdateInstantiateConfig\x12,.cosmwasm.wasm.v1.MsgUpdateInstantiateConfig\x1a\x34.cosmwasm.wasm.v1.MsgUpdateInstantiateConfigResponse\x12\\\n\x0cUpdateParams\x12!.cosmwasm.wasm.v1.MsgUpdateParams\x1a).cosmwasm.wasm.v1.MsgUpdateParamsResponse\x12\\\n\x0cSudoContract\x12!.cosmwasm.wasm.v1.MsgSudoContract\x1a).cosmwasm.wasm.v1.MsgSudoContractResponse\x12P\n\x08PinCodes\x12\x1d.cosmwasm.wasm.v1.MsgPinCodes\x1a%.cosmwasm.wasm.v1.MsgPinCodesResponse\x12V\n\nUnpinCodes\x12\x1f.cosmwasm.wasm.v1.MsgUnpinCodes\x1a\'.cosmwasm.wasm.v1.MsgUnpinCodesResponse\x12\x89\x01\n\x1bStoreAndInstantiateContract\x12\x30.cosmwasm.wasm.v1.MsgStoreAndInstantiateContract\x1a\x38.cosmwasm.wasm.v1.MsgStoreAndInstantiateContractResponse\x12\x95\x01\n\x1fRemoveCodeUploadParamsAddresses\x12\x34.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddresses\x1a<.cosmwasm.wasm.v1.MsgRemoveCodeUploadParamsAddressesResponse\x12\x8c\x01\n\x1c\x41\x64\x64\x43odeUploadParamsAddresses\x12\x31.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddresses\x1a\x39.cosmwasm.wasm.v1.MsgAddCodeUploadParamsAddressesResponse\x12}\n\x17StoreAndMigrateContract\x12,.cosmwasm.wasm.v1.MsgStoreAndMigrateContract\x1a\x34.cosmwasm.wasm.v1.MsgStoreAndMigrateContractResponse\x12q\n\x13UpdateContractLabel\x12(.cosmwasm.wasm.v1.MsgUpdateContractLabel\x1a\x30.cosmwasm.wasm.v1.MsgUpdateContractLabelResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xad\x01\n\x14\x63om.cosmwasm.wasm.v1B\x07TxProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\007TxProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000' _globals['_MSGSTORECODE'].fields_by_name['sender']._loaded_options = None _globals['_MSGSTORECODE'].fields_by_name['sender']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTORECODE'].fields_by_name['wasm_byte_code']._loaded_options = None @@ -43,9 +53,9 @@ _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\033wasm/MsgInstantiateContract' _globals['_MSGINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -57,9 +67,9 @@ _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._loaded_options = None - _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGINSTANTIATECONTRACT2'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGINSTANTIATECONTRACT2']._loaded_options = None _globals['_MSGINSTANTIATECONTRACT2']._serialized_options = b'\202\347\260*\006sender\212\347\260*\034wasm/MsgInstantiateContract2' _globals['_MSGINSTANTIATECONTRACT2RESPONSE'].fields_by_name['address']._loaded_options = None @@ -69,9 +79,9 @@ _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGEXECUTECONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGEXECUTECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGEXECUTECONTRACT']._loaded_options = None _globals['_MSGEXECUTECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgExecuteContract' _globals['_MSGMIGRATECONTRACT'].fields_by_name['sender']._loaded_options = None @@ -81,7 +91,7 @@ _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._loaded_options = None _globals['_MSGMIGRATECONTRACT'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGMIGRATECONTRACT']._loaded_options = None _globals['_MSGMIGRATECONTRACT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\027wasm/MsgMigrateContract' _globals['_MSGUPDATEADMIN'].fields_by_name['sender']._loaded_options = None @@ -115,7 +125,7 @@ _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._loaded_options = None _globals['_MSGSUDOCONTRACT'].fields_by_name['contract']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSUDOCONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSUDOCONTRACT']._loaded_options = None _globals['_MSGSUDOCONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\024wasm/MsgSudoContract' _globals['_MSGPINCODES'].fields_by_name['authority']._loaded_options = None @@ -137,9 +147,9 @@ _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['admin']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._loaded_options = None - _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\250\347\260*\001' + _globals['_MSGSTOREANDINSTANTIATECONTRACT'].fields_by_name['funds']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins\250\347\260*\001' _globals['_MSGSTOREANDINSTANTIATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*#wasm/MsgStoreAndInstantiateContract' _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE'].fields_by_name['address']._loaded_options = None @@ -161,7 +171,7 @@ _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['wasm_byte_code']._serialized_options = b'\342\336\037\014WASMByteCode' _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._loaded_options = None - _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_MSGSTOREANDMIGRATECONTRACT'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MSGSTOREANDMIGRATECONTRACT']._loaded_options = None _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_options = b'\202\347\260*\tauthority\212\347\260*\037wasm/MsgStoreAndMigrateContract' _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE'].fields_by_name['code_id']._loaded_options = None @@ -175,73 +185,73 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGSTORECODE']._serialized_start=203 - _globals['_MSGSTORECODE']._serialized_end=412 - _globals['_MSGSTORECODERESPONSE']._serialized_start=414 - _globals['_MSGSTORECODERESPONSE']._serialized_end=483 - _globals['_MSGINSTANTIATECONTRACT']._serialized_start=486 - _globals['_MSGINSTANTIATECONTRACT']._serialized_end=816 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=818 - _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=907 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=910 - _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1273 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1275 - _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1365 - _globals['_MSGEXECUTECONTRACT']._serialized_start=1368 - _globals['_MSGEXECUTECONTRACT']._serialized_end=1649 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1651 - _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=1693 - _globals['_MSGMIGRATECONTRACT']._serialized_start=1696 - _globals['_MSGMIGRATECONTRACT']._serialized_end=1909 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=1911 - _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=1953 - _globals['_MSGUPDATEADMIN']._serialized_start=1956 - _globals['_MSGUPDATEADMIN']._serialized_end=2140 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2142 - _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2166 - _globals['_MSGCLEARADMIN']._serialized_start=2169 - _globals['_MSGCLEARADMIN']._serialized_end=2306 - _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2308 - _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2331 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2334 - _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=2550 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=2552 - _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=2588 - _globals['_MSGUPDATEPARAMS']._serialized_start=2591 - _globals['_MSGUPDATEPARAMS']._serialized_end=2747 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2749 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2774 - _globals['_MSGSUDOCONTRACT']._serialized_start=2777 - _globals['_MSGSUDOCONTRACT']._serialized_end=2961 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=2963 - _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3002 - _globals['_MSGPINCODES']._serialized_start=3005 - _globals['_MSGPINCODES']._serialized_end=3150 - _globals['_MSGPINCODESRESPONSE']._serialized_start=3152 - _globals['_MSGPINCODESRESPONSE']._serialized_end=3173 - _globals['_MSGUNPINCODES']._serialized_start=3176 - _globals['_MSGUNPINCODES']._serialized_end=3325 - _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3327 - _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3350 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3353 - _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=3854 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=3856 - _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=3953 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=3956 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4132 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4134 - _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4175 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4178 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=4360 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4362 - _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4406 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=4409 - _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=4695 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=4697 - _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=4794 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=4797 - _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=4971 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=4973 - _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5005 - _globals['_MSG']._serialized_start=5008 - _globals['_MSG']._serialized_end=6885 + _globals['_MSGSTORECODE']._serialized_end=457 + _globals['_MSGSTORECODERESPONSE']._serialized_start=459 + _globals['_MSGSTORECODERESPONSE']._serialized_end=546 + _globals['_MSGINSTANTIATECONTRACT']._serialized_start=549 + _globals['_MSGINSTANTIATECONTRACT']._serialized_end=954 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_start=956 + _globals['_MSGINSTANTIATECONTRACTRESPONSE']._serialized_end=1060 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_start=1063 + _globals['_MSGINSTANTIATECONTRACT2']._serialized_end=1515 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_start=1517 + _globals['_MSGINSTANTIATECONTRACT2RESPONSE']._serialized_end=1622 + _globals['_MSGEXECUTECONTRACT']._serialized_start=1625 + _globals['_MSGEXECUTECONTRACT']._serialized_end=1969 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_start=1971 + _globals['_MSGEXECUTECONTRACTRESPONSE']._serialized_end=2019 + _globals['_MSGMIGRATECONTRACT']._serialized_start=2022 + _globals['_MSGMIGRATECONTRACT']._serialized_end=2282 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_start=2284 + _globals['_MSGMIGRATECONTRACTRESPONSE']._serialized_end=2332 + _globals['_MSGUPDATEADMIN']._serialized_start=2335 + _globals['_MSGUPDATEADMIN']._serialized_end=2547 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_start=2549 + _globals['_MSGUPDATEADMINRESPONSE']._serialized_end=2573 + _globals['_MSGCLEARADMIN']._serialized_start=2576 + _globals['_MSGCLEARADMIN']._serialized_end=2731 + _globals['_MSGCLEARADMINRESPONSE']._serialized_start=2733 + _globals['_MSGCLEARADMINRESPONSE']._serialized_end=2756 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_start=2759 + _globals['_MSGUPDATEINSTANTIATECONFIG']._serialized_end=3017 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_start=3019 + _globals['_MSGUPDATEINSTANTIATECONFIGRESPONSE']._serialized_end=3055 + _globals['_MSGUPDATEPARAMS']._serialized_start=3058 + _globals['_MSGUPDATEPARAMS']._serialized_end=3233 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3235 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3260 + _globals['_MSGSUDOCONTRACT']._serialized_start=3263 + _globals['_MSGSUDOCONTRACT']._serialized_end=3489 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_start=3491 + _globals['_MSGSUDOCONTRACTRESPONSE']._serialized_end=3536 + _globals['_MSGPINCODES']._serialized_start=3539 + _globals['_MSGPINCODES']._serialized_end=3704 + _globals['_MSGPINCODESRESPONSE']._serialized_start=3706 + _globals['_MSGPINCODESRESPONSE']._serialized_end=3727 + _globals['_MSGUNPINCODES']._serialized_start=3730 + _globals['_MSGUNPINCODES']._serialized_end=3899 + _globals['_MSGUNPINCODESRESPONSE']._serialized_start=3901 + _globals['_MSGUNPINCODESRESPONSE']._serialized_end=3924 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_start=3927 + _globals['_MSGSTOREANDINSTANTIATECONTRACT']._serialized_end=4573 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_start=4575 + _globals['_MSGSTOREANDINSTANTIATECONTRACTRESPONSE']._serialized_end=4687 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_start=4690 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSES']._serialized_end=4888 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=4890 + _globals['_MSGADDCODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=4931 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_start=4934 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSES']._serialized_end=5138 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_start=5140 + _globals['_MSGREMOVECODEUPLOADPARAMSADDRESSESRESPONSE']._serialized_end=5184 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_start=5187 + _globals['_MSGSTOREANDMIGRATECONTRACT']._serialized_end=5552 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_start=5554 + _globals['_MSGSTOREANDMIGRATECONTRACTRESPONSE']._serialized_end=5675 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_start=5678 + _globals['_MSGUPDATECONTRACTLABEL']._serialized_end=5880 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_start=5882 + _globals['_MSGUPDATECONTRACTLABELRESPONSE']._serialized_end=5914 + _globals['_MSG']._serialized_start=5917 + _globals['_MSG']._serialized_end=7794 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py index 3db7c709..e8785138 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: cosmwasm/wasm/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'cosmwasm/wasm/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"V\n\x0f\x41\x63\x63\x65ssTypeParam\x12=\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\":\x04\x98\xa0\x1f\x01\"\x90\x01\n\x0c\x41\x63\x63\x65ssConfig\x12G\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"\x12+\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\xe3\x01\n\x06Params\x12\x62\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01\x12o\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\":\x04\x98\xa0\x1f\x00\"\x9b\x01\n\x08\x43odeInfo\x12\x11\n\tcode_hash\x18\x01 \x01(\x0c\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x45\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01J\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\xc4\x02\n\x0c\x43ontractInfo\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12)\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\'\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\r\n\x05label\x18\x04 \x01(\t\x12\x35\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12\"\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortID\x12S\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtension:\x04\xe8\xa0\x1f\x01\"\xda\x01\n\x18\x43ontractCodeHistoryEntry\x12\x45\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationType\x12\x1b\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x35\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPosition\x12#\n\x03msg\x18\x04 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"<\n\x12\x41\x62soluteTxPosition\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x10\n\x08tx_index\x18\x02 \x01(\x04\"Y\n\x05Model\x12\x41\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes\x12\r\n\x05value\x18\x02 \x01(\x0c\"\x88\x01\n\x0f\x45ventCodeStored\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x0f\n\x07\x63reator\x18\x02 \x01(\t\x12\x35\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfig\x12\x10\n\x08\x63hecksum\x18\x04 \x01(\x0c\"\x82\x02\n\x19\x45ventContractInstantiated\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\r\n\x05\x61\x64min\x18\x02 \x01(\t\x12\x1b\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12Z\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12#\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\x12\r\n\x05label\x18\x06 \x01(\t\x12\x0f\n\x07\x63reator\x18\x07 \x01(\t\"s\n\x15\x45ventContractMigrated\x12\x1b\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeID\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12#\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessage\"D\n\x15\x45ventContractAdminSet\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tnew_admin\x18\x02 \x01(\t*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\x30Z&github.com/CosmWasm/wasmd/x/wasm/types\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1c\x63osmwasm/wasm/v1/types.proto\x12\x10\x63osmwasm.wasm.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"]\n\x0f\x41\x63\x63\x65ssTypeParam\x12\x44\n\x05value\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x10\xf2\xde\x1f\x0cyaml:\"value\"R\x05value:\x04\x98\xa0\x1f\x01\"\xa7\x01\n\x0c\x41\x63\x63\x65ssConfig\x12S\n\npermission\x18\x01 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB\x15\xf2\xde\x1f\x11yaml:\"permission\"R\npermission\x12\x36\n\taddresses\x18\x03 \x03(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\taddresses:\x04\x98\xa0\x1f\x01J\x04\x08\x02\x10\x03\"\x94\x02\n\x06Params\x12t\n\x12\x63ode_upload_access\x18\x01 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB&\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"code_upload_access\"\xa8\xe7\xb0*\x01R\x10\x63odeUploadAccess\x12\x8d\x01\n\x1einstantiate_default_permission\x18\x02 \x01(\x0e\x32\x1c.cosmwasm.wasm.v1.AccessTypeB)\xf2\xde\x1f%yaml:\"instantiate_default_permission\"R\x1cinstantiateDefaultPermission:\x04\x98\xa0\x1f\x00\"\xc1\x01\n\x08\x43odeInfo\x12\x1b\n\tcode_hash\x18\x01 \x01(\x0cR\x08\x63odeHash\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12X\n\x12instantiate_config\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x11instantiateConfigJ\x04\x08\x03\x10\x04J\x04\x08\x04\x10\x05\"\x82\x03\n\x0c\x43ontractInfo\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x32\n\x07\x63reator\x18\x02 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x07\x63reator\x12.\n\x05\x61\x64min\x18\x03 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\x05\x61\x64min\x12\x14\n\x05label\x18\x04 \x01(\tR\x05label\x12>\n\x07\x63reated\x18\x05 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07\x63reated\x12-\n\x0bibc_port_id\x18\x06 \x01(\tB\r\xe2\xde\x1f\tIBCPortIDR\tibcPortId\x12^\n\textension\x18\x07 \x01(\x0b\x32\x14.google.protobuf.AnyB*\xca\xb4-&cosmwasm.wasm.v1.ContractInfoExtensionR\textension:\x04\xe8\xa0\x1f\x01\"\x8b\x02\n\x18\x43ontractCodeHistoryEntry\x12P\n\toperation\x18\x01 \x01(\x0e\x32\x32.cosmwasm.wasm.v1.ContractCodeHistoryOperationTypeR\toperation\x12#\n\x07\x63ode_id\x18\x02 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12>\n\x07updated\x18\x03 \x01(\x0b\x32$.cosmwasm.wasm.v1.AbsoluteTxPositionR\x07updated\x12\x38\n\x03msg\x18\x04 \x01(\x0c\x42&\xfa\xde\x1f\x12RawContractMessage\x9a\xe7\xb0*\x0binline_jsonR\x03msg\"R\n\x12\x41\x62soluteTxPosition\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x19\n\x08tx_index\x18\x02 \x01(\x04R\x07txIndex\"e\n\x05Model\x12\x46\n\x03key\x18\x01 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\"\xb1\x01\n\x0f\x45ventCodeStored\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x18\n\x07\x63reator\x18\x02 \x01(\tR\x07\x63reator\x12\x43\n\raccess_config\x18\x03 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigR\x0c\x61\x63\x63\x65ssConfig\x12\x1a\n\x08\x63hecksum\x18\x04 \x01(\x0cR\x08\x63hecksum\"\xbe\x02\n\x19\x45ventContractInstantiated\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x14\n\x05\x61\x64min\x18\x02 \x01(\tR\x05\x61\x64min\x12#\n\x07\x63ode_id\x18\x03 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12\x61\n\x05\x66unds\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x66unds\x12(\n\x03msg\x18\x05 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\x12\x14\n\x05label\x18\x06 \x01(\tR\x05label\x12\x18\n\x07\x63reator\x18\x07 \x01(\tR\x07\x63reator\"\x91\x01\n\x15\x45ventContractMigrated\x12#\n\x07\x63ode_id\x18\x01 \x01(\x04\x42\n\xe2\xde\x1f\x06\x43odeIDR\x06\x63odeId\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12(\n\x03msg\x18\x03 \x01(\x0c\x42\x16\xfa\xde\x1f\x12RawContractMessageR\x03msg\"_\n\x15\x45ventContractAdminSet\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tnew_admin\x18\x02 \x01(\tR\x08newAdmin*\xf6\x01\n\nAccessType\x12\x36\n\x17\x41\x43\x43\x45SS_TYPE_UNSPECIFIED\x10\x00\x1a\x19\x8a\x9d \x15\x41\x63\x63\x65ssTypeUnspecified\x12,\n\x12\x41\x43\x43\x45SS_TYPE_NOBODY\x10\x01\x1a\x14\x8a\x9d \x10\x41\x63\x63\x65ssTypeNobody\x12\x32\n\x15\x41\x43\x43\x45SS_TYPE_EVERYBODY\x10\x03\x1a\x17\x8a\x9d \x13\x41\x63\x63\x65ssTypeEverybody\x12>\n\x1c\x41\x43\x43\x45SS_TYPE_ANY_OF_ADDRESSES\x10\x04\x1a\x1c\x8a\x9d \x18\x41\x63\x63\x65ssTypeAnyOfAddresses\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\"\x04\x08\x02\x10\x02*\xa6\x03\n ContractCodeHistoryOperationType\x12\x65\n0CONTRACT_CODE_HISTORY_OPERATION_TYPE_UNSPECIFIED\x10\x00\x1a/\x8a\x9d +ContractCodeHistoryOperationTypeUnspecified\x12W\n)CONTRACT_CODE_HISTORY_OPERATION_TYPE_INIT\x10\x01\x1a(\x8a\x9d $ContractCodeHistoryOperationTypeInit\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_MIGRATE\x10\x02\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeMigrate\x12]\n,CONTRACT_CODE_HISTORY_OPERATION_TYPE_GENESIS\x10\x03\x1a+\x8a\x9d \'ContractCodeHistoryOperationTypeGenesis\x1a\x04\x88\xa3\x1e\x00\x42\xb4\x01\n\x14\x63om.cosmwasm.wasm.v1B\nTypesProtoP\x01Z&github.com/CosmWasm/wasmd/x/wasm/types\xa2\x02\x03\x43WX\xaa\x02\x10\x43osmwasm.Wasm.V1\xca\x02\x10\x43osmwasm\\Wasm\\V1\xe2\x02\x1c\x43osmwasm\\Wasm\\V1\\GPBMetadata\xea\x02\x12\x43osmwasm::Wasm::V1\xc8\xe1\x1e\x00\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'cosmwasm.wasm.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z&github.com/CosmWasm/wasmd/x/wasm/types\310\341\036\000\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.cosmwasm.wasm.v1B\nTypesProtoP\001Z&github.com/CosmWasm/wasmd/x/wasm/types\242\002\003CWX\252\002\020Cosmwasm.Wasm.V1\312\002\020Cosmwasm\\Wasm\\V1\342\002\034Cosmwasm\\Wasm\\V1\\GPBMetadata\352\002\022Cosmwasm::Wasm::V1\310\341\036\000\250\342\036\001' _globals['_ACCESSTYPE']._loaded_options = None _globals['_ACCESSTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_ACCESSTYPE'].values_by_name["ACCESS_TYPE_UNSPECIFIED"]._loaded_options = None @@ -82,7 +92,7 @@ _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._loaded_options = None _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._loaded_options = None - _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' + _globals['_CONTRACTCODEHISTORYENTRY'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage\232\347\260*\013inline_json' _globals['_MODEL'].fields_by_name['key']._loaded_options = None _globals['_MODEL'].fields_by_name['key']._serialized_options = b'\372\336\0370github.com/cometbft/cometbft/libs/bytes.HexBytes' _globals['_EVENTCODESTORED'].fields_by_name['code_id']._loaded_options = None @@ -97,32 +107,32 @@ _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['code_id']._serialized_options = b'\342\336\037\006CodeID' _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._loaded_options = None _globals['_EVENTCONTRACTMIGRATED'].fields_by_name['msg']._serialized_options = b'\372\336\037\022RawContractMessage' - _globals['_ACCESSTYPE']._serialized_start=2089 - _globals['_ACCESSTYPE']._serialized_end=2335 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2338 - _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=2760 + _globals['_ACCESSTYPE']._serialized_start=2510 + _globals['_ACCESSTYPE']._serialized_end=2756 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_start=2759 + _globals['_CONTRACTCODEHISTORYOPERATIONTYPE']._serialized_end=3181 _globals['_ACCESSTYPEPARAM']._serialized_start=177 - _globals['_ACCESSTYPEPARAM']._serialized_end=263 - _globals['_ACCESSCONFIG']._serialized_start=266 - _globals['_ACCESSCONFIG']._serialized_end=410 - _globals['_PARAMS']._serialized_start=413 - _globals['_PARAMS']._serialized_end=640 - _globals['_CODEINFO']._serialized_start=643 - _globals['_CODEINFO']._serialized_end=798 - _globals['_CONTRACTINFO']._serialized_start=801 - _globals['_CONTRACTINFO']._serialized_end=1125 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1128 - _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1346 - _globals['_ABSOLUTETXPOSITION']._serialized_start=1348 - _globals['_ABSOLUTETXPOSITION']._serialized_end=1408 - _globals['_MODEL']._serialized_start=1410 - _globals['_MODEL']._serialized_end=1499 - _globals['_EVENTCODESTORED']._serialized_start=1502 - _globals['_EVENTCODESTORED']._serialized_end=1638 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1641 - _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=1899 - _globals['_EVENTCONTRACTMIGRATED']._serialized_start=1901 - _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2016 - _globals['_EVENTCONTRACTADMINSET']._serialized_start=2018 - _globals['_EVENTCONTRACTADMINSET']._serialized_end=2086 + _globals['_ACCESSTYPEPARAM']._serialized_end=270 + _globals['_ACCESSCONFIG']._serialized_start=273 + _globals['_ACCESSCONFIG']._serialized_end=440 + _globals['_PARAMS']._serialized_start=443 + _globals['_PARAMS']._serialized_end=719 + _globals['_CODEINFO']._serialized_start=722 + _globals['_CODEINFO']._serialized_end=915 + _globals['_CONTRACTINFO']._serialized_start=918 + _globals['_CONTRACTINFO']._serialized_end=1304 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_start=1307 + _globals['_CONTRACTCODEHISTORYENTRY']._serialized_end=1574 + _globals['_ABSOLUTETXPOSITION']._serialized_start=1576 + _globals['_ABSOLUTETXPOSITION']._serialized_end=1658 + _globals['_MODEL']._serialized_start=1660 + _globals['_MODEL']._serialized_end=1761 + _globals['_EVENTCODESTORED']._serialized_start=1764 + _globals['_EVENTCODESTORED']._serialized_end=1941 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_start=1944 + _globals['_EVENTCONTRACTINSTANTIATED']._serialized_end=2262 + _globals['_EVENTCONTRACTMIGRATED']._serialized_start=2265 + _globals['_EVENTCONTRACTMIGRATED']._serialized_end=2410 + _globals['_EVENTCONTRACTADMINSET']._serialized_start=2412 + _globals['_EVENTCONTRACTADMINSET']._serialized_end=2507 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/event_provider_api_pb2.py b/pyinjective/proto/exchange/event_provider_api_pb2.py index f815c155..d1af1fff 100644 --- a/pyinjective/proto/exchange/event_provider_api_pb2.py +++ b/pyinjective/proto/exchange/event_provider_api_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/event_provider_api.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/event_provider_api.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,54 +24,54 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"o\n\x17GetLatestHeightResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x33\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeight\"#\n\x11LatestBlockHeight\x12\x0e\n\x06height\x18\x01 \x01(\x04\";\n\x18StreamBlockEventsRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"F\n\x19StreamBlockEventsResponse\x12)\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.Block\"i\n\x05\x42lock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x0f\n\x07version\x18\x02 \x01(\t\x12.\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEvent\x12\x0f\n\x07in_sync\x18\x04 \x01(\x08\">\n\nBlockEvent\x12\x10\n\x08type_url\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\x0c\x12\x0f\n\x07tx_hash\x18\x03 \x01(\x0c\";\n\x18GetBlockEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\"n\n\x19GetBlockEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"\xa5\x01\n\x0e\x42lockEventsRPC\x12\r\n\x05types\x18\x01 \x03(\t\x12\x0e\n\x06\x65vents\x18\x02 \x03(\x0c\x12\x43\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntry\x1a/\n\rTxHashesEntry\x12\x0b\n\x03key\x18\x01 \x01(\x11\x12\r\n\x05value\x18\x02 \x01(\x0c:\x02\x38\x01\"L\n\x19GetCustomEventsRPCRequest\x12\x0f\n\x07\x62\x61\x63kend\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x11\x12\x0e\n\x06\x65vents\x18\x03 \x01(\t\"o\n\x1aGetCustomEventsRPCResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12\x30\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPC\"@\n\x19GetABCIBlockEventsRequest\x12\x0e\n\x06height\x18\x01 \x01(\x11\x12\x13\n\x0b\x65vent_types\x18\x02 \x03(\t\"n\n\x1aGetABCIBlockEventsResponse\x12\t\n\x01v\x18\x01 \x01(\t\x12\t\n\x01s\x18\x02 \x01(\t\x12\t\n\x01\x65\x18\x03 \x01(\t\x12/\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlock\"\xfb\x01\n\x08RawBlock\x12\x0e\n\x06height\x18\x01 \x01(\x12\x12\x12\n\nblock_time\x18\x05 \x01(\t\x12\x17\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12\x12>\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTx\x12\x39\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x37\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\"\xb9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x11\x12\x0b\n\x03log\x18\x02 \x01(\t\x12\x0c\n\x04info\x18\x03 \x01(\t\x12\x12\n\ngas_wanted\x18\x04 \x01(\x12\x12\x10\n\x08gas_used\x18\x05 \x01(\x12\x12-\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEvent\x12\x11\n\tcodespace\x18\x07 \x01(\t\x12\x0f\n\x07tx_hash\x18\x08 \x01(\x0c\"P\n\tABCIEvent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x35\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttribute\"+\n\rABCIAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\x17Z\x15/event_provider_apipbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/event_provider_api.proto\x12\x12\x65vent_provider_api\"\x18\n\x16GetLatestHeightRequest\"~\n\x17GetLatestHeightResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32%.event_provider_api.LatestBlockHeightR\x04\x64\x61ta\"+\n\x11LatestBlockHeight\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\"L\n\x18StreamBlockEventsRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"N\n\x19StreamBlockEventsResponse\x12\x31\n\x06\x62locks\x18\x01 \x03(\x0b\x32\x19.event_provider_api.BlockR\x06\x62locks\"\x8a\x01\n\x05\x42lock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x36\n\x06\x65vents\x18\x03 \x03(\x0b\x32\x1e.event_provider_api.BlockEventR\x06\x65vents\x12\x17\n\x07in_sync\x18\x04 \x01(\x08R\x06inSync\"V\n\nBlockEvent\x12\x19\n\x08type_url\x18\x01 \x01(\tR\x07typeUrl\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value\x12\x17\n\x07tx_hash\x18\x03 \x01(\x0cR\x06txHash\"L\n\x18GetBlockEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\"}\n\x19GetBlockEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"\xca\x01\n\x0e\x42lockEventsRPC\x12\x14\n\x05types\x18\x01 \x03(\tR\x05types\x12\x16\n\x06\x65vents\x18\x02 \x03(\x0cR\x06\x65vents\x12M\n\ttx_hashes\x18\x03 \x03(\x0b\x32\x30.event_provider_api.BlockEventsRPC.TxHashesEntryR\x08txHashes\x1a;\n\rTxHashesEntry\x12\x10\n\x03key\x18\x01 \x01(\x11R\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x02\x38\x01\"e\n\x19GetCustomEventsRPCRequest\x12\x18\n\x07\x62\x61\x63kend\x18\x01 \x01(\tR\x07\x62\x61\x63kend\x12\x16\n\x06height\x18\x02 \x01(\x11R\x06height\x12\x16\n\x06\x65vents\x18\x03 \x01(\tR\x06\x65vents\"~\n\x1aGetCustomEventsRPCResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x36\n\x04\x64\x61ta\x18\x04 \x01(\x0b\x32\".event_provider_api.BlockEventsRPCR\x04\x64\x61ta\"T\n\x19GetABCIBlockEventsRequest\x12\x16\n\x06height\x18\x01 \x01(\x11R\x06height\x12\x1f\n\x0b\x65vent_types\x18\x02 \x03(\tR\neventTypes\"\x81\x01\n\x1aGetABCIBlockEventsResponse\x12\x0c\n\x01v\x18\x01 \x01(\tR\x01v\x12\x0c\n\x01s\x18\x02 \x01(\tR\x01s\x12\x0c\n\x01\x65\x18\x03 \x01(\tR\x01\x65\x12\x39\n\traw_block\x18\x04 \x01(\x0b\x32\x1c.event_provider_api.RawBlockR\x08rawBlock\"\xcc\x02\n\x08RawBlock\x12\x16\n\x06height\x18\x01 \x01(\x12R\x06height\x12\x1d\n\nblock_time\x18\x05 \x01(\tR\tblockTime\x12\'\n\x0f\x62lock_timestamp\x18\x06 \x01(\x12R\x0e\x62lockTimestamp\x12J\n\x0btxs_results\x18\x02 \x03(\x0b\x32).event_provider_api.ABCIResponseDeliverTxR\ntxsResults\x12K\n\x12\x62\x65gin_block_events\x18\x03 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x10\x62\x65ginBlockEvents\x12G\n\x10\x65nd_block_events\x18\x04 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x0e\x65ndBlockEvents\"\xf9\x01\n\x15\x41\x42\x43IResponseDeliverTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\x11R\x04\x63ode\x12\x10\n\x03log\x18\x02 \x01(\tR\x03log\x12\x12\n\x04info\x18\x03 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\x04 \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\x05 \x01(\x12R\x07gasUsed\x12\x35\n\x06\x65vents\x18\x06 \x03(\x0b\x32\x1d.event_provider_api.ABCIEventR\x06\x65vents\x12\x1c\n\tcodespace\x18\x07 \x01(\tR\tcodespace\x12\x17\n\x07tx_hash\x18\x08 \x01(\x0cR\x06txHash\"b\n\tABCIEvent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32!.event_provider_api.ABCIAttributeR\nattributes\"7\n\rABCIAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value2\xce\x04\n\x10\x45ventProviderAPI\x12j\n\x0fGetLatestHeight\x12*.event_provider_api.GetLatestHeightRequest\x1a+.event_provider_api.GetLatestHeightResponse\x12r\n\x11StreamBlockEvents\x12,.event_provider_api.StreamBlockEventsRequest\x1a-.event_provider_api.StreamBlockEventsResponse0\x01\x12p\n\x11GetBlockEventsRPC\x12,.event_provider_api.GetBlockEventsRPCRequest\x1a-.event_provider_api.GetBlockEventsRPCResponse\x12s\n\x12GetCustomEventsRPC\x12-.event_provider_api.GetCustomEventsRPCRequest\x1a..event_provider_api.GetCustomEventsRPCResponse\x12s\n\x12GetABCIBlockEvents\x12-.event_provider_api.GetABCIBlockEventsRequest\x1a..event_provider_api.GetABCIBlockEventsResponseB\xa6\x01\n\x16\x63om.event_provider_apiB\x15\x45ventProviderApiProtoP\x01Z\x15/event_provider_apipb\xa2\x02\x03\x45XX\xaa\x02\x10\x45ventProviderApi\xca\x02\x10\x45ventProviderApi\xe2\x02\x1c\x45ventProviderApi\\GPBMetadata\xea\x02\x10\x45ventProviderApib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.event_provider_api_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\025/event_provider_apipb' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.event_provider_apiB\025EventProviderApiProtoP\001Z\025/event_provider_apipb\242\002\003EXX\252\002\020EventProviderApi\312\002\020EventProviderApi\342\002\034EventProviderApi\\GPBMetadata\352\002\020EventProviderApi' _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._loaded_options = None _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_options = b'8\001' _globals['_GETLATESTHEIGHTREQUEST']._serialized_start=57 _globals['_GETLATESTHEIGHTREQUEST']._serialized_end=81 _globals['_GETLATESTHEIGHTRESPONSE']._serialized_start=83 - _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=194 - _globals['_LATESTBLOCKHEIGHT']._serialized_start=196 - _globals['_LATESTBLOCKHEIGHT']._serialized_end=231 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=233 - _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=292 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=294 - _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=364 - _globals['_BLOCK']._serialized_start=366 - _globals['_BLOCK']._serialized_end=471 - _globals['_BLOCKEVENT']._serialized_start=473 - _globals['_BLOCKEVENT']._serialized_end=535 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=537 - _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=596 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=598 - _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=708 - _globals['_BLOCKEVENTSRPC']._serialized_start=711 - _globals['_BLOCKEVENTSRPC']._serialized_end=876 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=829 - _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=876 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=878 - _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=954 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=956 - _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1067 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1069 - _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1133 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1135 - _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1245 - _globals['_RAWBLOCK']._serialized_start=1248 - _globals['_RAWBLOCK']._serialized_end=1499 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1502 - _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=1687 - _globals['_ABCIEVENT']._serialized_start=1689 - _globals['_ABCIEVENT']._serialized_end=1769 - _globals['_ABCIATTRIBUTE']._serialized_start=1771 - _globals['_ABCIATTRIBUTE']._serialized_end=1814 - _globals['_EVENTPROVIDERAPI']._serialized_start=1817 - _globals['_EVENTPROVIDERAPI']._serialized_end=2407 + _globals['_GETLATESTHEIGHTRESPONSE']._serialized_end=209 + _globals['_LATESTBLOCKHEIGHT']._serialized_start=211 + _globals['_LATESTBLOCKHEIGHT']._serialized_end=254 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_start=256 + _globals['_STREAMBLOCKEVENTSREQUEST']._serialized_end=332 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_start=334 + _globals['_STREAMBLOCKEVENTSRESPONSE']._serialized_end=412 + _globals['_BLOCK']._serialized_start=415 + _globals['_BLOCK']._serialized_end=553 + _globals['_BLOCKEVENT']._serialized_start=555 + _globals['_BLOCKEVENT']._serialized_end=641 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_start=643 + _globals['_GETBLOCKEVENTSRPCREQUEST']._serialized_end=719 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_start=721 + _globals['_GETBLOCKEVENTSRPCRESPONSE']._serialized_end=846 + _globals['_BLOCKEVENTSRPC']._serialized_start=849 + _globals['_BLOCKEVENTSRPC']._serialized_end=1051 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_start=992 + _globals['_BLOCKEVENTSRPC_TXHASHESENTRY']._serialized_end=1051 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_start=1053 + _globals['_GETCUSTOMEVENTSRPCREQUEST']._serialized_end=1154 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_start=1156 + _globals['_GETCUSTOMEVENTSRPCRESPONSE']._serialized_end=1282 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_start=1284 + _globals['_GETABCIBLOCKEVENTSREQUEST']._serialized_end=1368 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_start=1371 + _globals['_GETABCIBLOCKEVENTSRESPONSE']._serialized_end=1500 + _globals['_RAWBLOCK']._serialized_start=1503 + _globals['_RAWBLOCK']._serialized_end=1835 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_start=1838 + _globals['_ABCIRESPONSEDELIVERTX']._serialized_end=2087 + _globals['_ABCIEVENT']._serialized_start=2089 + _globals['_ABCIEVENT']._serialized_end=2187 + _globals['_ABCIATTRIBUTE']._serialized_start=2189 + _globals['_ABCIATTRIBUTE']._serialized_end=2244 + _globals['_EVENTPROVIDERAPI']._serialized_start=2247 + _globals['_EVENTPROVIDERAPI']._serialized_end=2837 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/health_pb2.py b/pyinjective/proto/exchange/health_pb2.py index b92feb01..e0a403b4 100644 --- a/pyinjective/proto/exchange/health_pb2.py +++ b/pyinjective/proto/exchange/health_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/health.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/health.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,20 +24,20 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"b\n\x11GetStatusResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\"\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatus\x12\x0e\n\x06status\x18\x04 \x01(\t\"p\n\x0cHealthStatus\x12\x14\n\x0clocal_height\x18\x01 \x01(\x11\x12\x17\n\x0flocal_timestamp\x18\x02 \x01(\x11\x12\x16\n\x0ehoracle_height\x18\x03 \x01(\x11\x12\x19\n\x11horacle_timestamp\x18\x04 \x01(\x11\x32J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB\x0bZ\t/api.v1pbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15\x65xchange/health.proto\x12\x06\x61pi.v1\"\x12\n\x10GetStatusRequest\"{\n\x11GetStatusResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12(\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\x14.api.v1.HealthStatusR\x04\x64\x61ta\x12\x16\n\x06status\x18\x04 \x01(\tR\x06status\"\xae\x01\n\x0cHealthStatus\x12!\n\x0clocal_height\x18\x01 \x01(\x11R\x0blocalHeight\x12\'\n\x0flocal_timestamp\x18\x02 \x01(\x11R\x0elocalTimestamp\x12%\n\x0ehoracle_height\x18\x03 \x01(\x11R\rhoracleHeight\x12+\n\x11horacle_timestamp\x18\x04 \x01(\x11R\x10horacleTimestamp2J\n\x06Health\x12@\n\tGetStatus\x12\x18.api.v1.GetStatusRequest\x1a\x19.api.v1.GetStatusResponseB]\n\ncom.api.v1B\x0bHealthProtoP\x01Z\t/api.v1pb\xa2\x02\x03\x41XX\xaa\x02\x06\x41pi.V1\xca\x02\x06\x41pi\\V1\xe2\x02\x12\x41pi\\V1\\GPBMetadata\xea\x02\x07\x41pi::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.health_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\t/api.v1pb' + _globals['DESCRIPTOR']._serialized_options = b'\n\ncom.api.v1B\013HealthProtoP\001Z\t/api.v1pb\242\002\003AXX\252\002\006Api.V1\312\002\006Api\\V1\342\002\022Api\\V1\\GPBMetadata\352\002\007Api::V1' _globals['_GETSTATUSREQUEST']._serialized_start=33 _globals['_GETSTATUSREQUEST']._serialized_end=51 _globals['_GETSTATUSRESPONSE']._serialized_start=53 - _globals['_GETSTATUSRESPONSE']._serialized_end=151 - _globals['_HEALTHSTATUS']._serialized_start=153 - _globals['_HEALTHSTATUS']._serialized_end=265 - _globals['_HEALTH']._serialized_start=267 - _globals['_HEALTH']._serialized_end=341 + _globals['_GETSTATUSRESPONSE']._serialized_end=176 + _globals['_HEALTHSTATUS']._serialized_start=179 + _globals['_HEALTHSTATUS']._serialized_end=353 + _globals['_HEALTH']._serialized_start=355 + _globals['_HEALTH']._serialized_end=429 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py index 12ca180c..a3426046 100644 --- a/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_accounts_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_accounts_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_accounts_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,106 +24,106 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\"+\n\x10PortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"P\n\x11PortfolioResponse\x12;\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolio\"\xb8\x01\n\x10\x41\x63\x63ountPortfolio\x12\x17\n\x0fportfolio_value\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\x12@\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolio\"w\n\x13SubaccountPortfolio\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\x12\x16\n\x0elocked_balance\x18\x03 \x01(\t\x12\x16\n\x0eunrealized_pnl\x18\x04 \x01(\t\"P\n\x12OrderStatesRequest\x12\x19\n\x11spot_order_hashes\x18\x01 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\t\"\xa5\x01\n\x13OrderStatesResponse\x12\x43\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\x12I\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecord\"\x83\x02\n\x10OrderStateRecord\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x12\n\norder_type\x18\x04 \x01(\t\x12\x12\n\norder_side\x18\x05 \x01(\t\x12\r\n\x05state\x18\x06 \x01(\t\x12\x17\n\x0fquantity_filled\x18\x07 \x01(\t\x12\x1a\n\x12quantity_remaining\x18\x08 \x01(\t\x12\x12\n\ncreated_at\x18\t \x01(\x12\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\r\n\x05price\x18\x0b \x01(\t\x12\x0e\n\x06margin\x18\x0c \x01(\t\"1\n\x16SubaccountsListRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\".\n\x17SubaccountsListResponse\x12\x13\n\x0bsubaccounts\x18\x01 \x03(\t\"F\n\x1dSubaccountBalancesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"]\n\x1eSubaccountBalancesListResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"\x8e\x01\n\x11SubaccountBalance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12:\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"H\n SubaccountBalanceEndpointRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"_\n!SubaccountBalanceEndpointResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\"G\n\x1eStreamSubaccountBalanceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x0e\n\x06\x64\x65noms\x18\x02 \x03(\t\"p\n\x1fStreamSubaccountBalanceResponse\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\x87\x01\n\x18SubaccountHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x16\n\x0etransfer_types\x18\x03 \x03(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\"\x91\x01\n\x19SubaccountHistoryResponse\x12\x44\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransfer\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.Paging\"\xeb\x01\n\x19SubaccountBalanceTransfer\x12\x15\n\rtransfer_type\x18\x01 \x01(\t\x12\x19\n\x11src_subaccount_id\x18\x02 \x01(\t\x12\x1b\n\x13src_account_address\x18\x03 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x04 \x01(\t\x12\x1b\n\x13\x64st_account_address\x18\x05 \x01(\t\x12\x32\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoin\x12\x13\n\x0b\x65xecuted_at\x18\x07 \x01(\x12\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"b\n\x1dSubaccountOrderSummaryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0forder_direction\x18\x03 \x01(\t\"\\\n\x1eSubaccountOrderSummaryResponse\x12\x19\n\x11spot_orders_total\x18\x01 \x01(\x12\x12\x1f\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12\"8\n\x0eRewardsRequest\x12\r\n\x05\x65poch\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"B\n\x0fRewardsResponse\x12/\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.Reward\"h\n\x06Reward\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12-\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.Coin\x12\x16\n\x0e\x64istributed_at\x18\x03 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"3\n\x18StreamAccountDataRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"\x95\x03\n\x19StreamAccountDataResponse\x12K\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResult\x12\x39\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResult\x12\x32\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResult\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResult\x12\x41\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResult\x12\x45\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResult\"h\n\x17SubaccountBalanceResult\x12:\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalance\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"X\n\x0fPositionsResult\x12\x32\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.Position\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xe5\x01\n\x08Position\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\n \x01(\x12\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\"\xbf\x01\n\x0bTradeResult\x12\x37\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00\x12\x43\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05trade\"\xa3\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x31\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xc4\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12=\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xc9\x01\n\x0bOrderResult\x12<\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00\x12H\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x07\n\x05order\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xec\x01\n\x12OrderHistoryResult\x12\x46\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00\x12R\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00\x12\x16\n\x0eoperation_type\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x42\x0f\n\rorder_history\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x83\x01\n\x14\x46undingPaymentResult\x12@\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPayment\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\x1bZ\x19/injective_accounts_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_accounts_rpc.proto\x12\x16injective_accounts_rpc\";\n\x10PortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"[\n\x11PortfolioResponse\x12\x46\n\tportfolio\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.AccountPortfolioR\tportfolio\"\x85\x02\n\x10\x41\x63\x63ountPortfolio\x12\'\n\x0fportfolio_value\x18\x01 \x01(\tR\x0eportfolioValue\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\x12M\n\x0bsubaccounts\x18\x05 \x03(\x0b\x32+.injective_accounts_rpc.SubaccountPortfolioR\x0bsubaccounts\"\xb5\x01\n\x13SubaccountPortfolio\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\x12%\n\x0elocked_balance\x18\x03 \x01(\tR\rlockedBalance\x12%\n\x0eunrealized_pnl\x18\x04 \x01(\tR\runrealizedPnl\"x\n\x12OrderStatesRequest\x12*\n\x11spot_order_hashes\x18\x01 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x02 \x03(\tR\x15\x64\x65rivativeOrderHashes\"\xcd\x01\n\x13OrderStatesResponse\x12T\n\x11spot_order_states\x18\x01 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x0fspotOrderStates\x12`\n\x17\x64\x65rivative_order_states\x18\x02 \x03(\x0b\x32(.injective_accounts_rpc.OrderStateRecordR\x15\x64\x65rivativeOrderStates\"\x8b\x03\n\x10OrderStateRecord\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x1d\n\norder_type\x18\x04 \x01(\tR\torderType\x12\x1d\n\norder_side\x18\x05 \x01(\tR\torderSide\x12\x14\n\x05state\x18\x06 \x01(\tR\x05state\x12\'\n\x0fquantity_filled\x18\x07 \x01(\tR\x0equantityFilled\x12-\n\x12quantity_remaining\x18\x08 \x01(\tR\x11quantityRemaining\x12\x1d\n\ncreated_at\x18\t \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x14\n\x05price\x18\x0b \x01(\tR\x05price\x12\x16\n\x06margin\x18\x0c \x01(\tR\x06margin\"A\n\x16SubaccountsListRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\";\n\x17SubaccountsListResponse\x12 \n\x0bsubaccounts\x18\x01 \x03(\tR\x0bsubaccounts\"\\\n\x1dSubaccountBalancesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"g\n\x1eSubaccountBalancesListResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x08\x62\x61lances\"\xbc\x01\n\x11SubaccountBalance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x04 \x01(\x0b\x32).injective_accounts_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"]\n SubaccountBalanceEndpointRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"h\n!SubaccountBalanceEndpointResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\"]\n\x1eStreamSubaccountBalanceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x64\x65noms\x18\x02 \x03(\tR\x06\x64\x65noms\"\x84\x01\n\x1fStreamSubaccountBalanceResponse\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xc1\x01\n\x18SubaccountHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12%\n\x0etransfer_types\x18\x03 \x03(\tR\rtransferTypes\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\"\xa4\x01\n\x19SubaccountHistoryResponse\x12O\n\ttransfers\x18\x01 \x03(\x0b\x32\x31.injective_accounts_rpc.SubaccountBalanceTransferR\ttransfers\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_accounts_rpc.PagingR\x06paging\"\xd5\x02\n\x19SubaccountBalanceTransfer\x12#\n\rtransfer_type\x18\x01 \x01(\tR\x0ctransferType\x12*\n\x11src_subaccount_id\x18\x02 \x01(\tR\x0fsrcSubaccountId\x12.\n\x13src_account_address\x18\x03 \x01(\tR\x11srcAccountAddress\x12*\n\x11\x64st_subaccount_id\x18\x04 \x01(\tR\x0f\x64stSubaccountId\x12.\n\x13\x64st_account_address\x18\x05 \x01(\tR\x11\x64stAccountAddress\x12:\n\x06\x61mount\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.CosmosCoinR\x06\x61mount\x12\x1f\n\x0b\x65xecuted_at\x18\x07 \x01(\x12R\nexecutedAt\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x8a\x01\n\x1dSubaccountOrderSummaryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0forder_direction\x18\x03 \x01(\tR\x0eorderDirection\"\x84\x01\n\x1eSubaccountOrderSummaryResponse\x12*\n\x11spot_orders_total\x18\x01 \x01(\x12R\x0fspotOrdersTotal\x12\x36\n\x17\x64\x65rivative_orders_total\x18\x02 \x01(\x12R\x15\x64\x65rivativeOrdersTotal\"O\n\x0eRewardsRequest\x12\x14\n\x05\x65poch\x18\x01 \x01(\x12R\x05\x65poch\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"K\n\x0fRewardsResponse\x12\x38\n\x07rewards\x18\x01 \x03(\x0b\x32\x1e.injective_accounts_rpc.RewardR\x07rewards\"\x90\x01\n\x06Reward\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x36\n\x07rewards\x18\x02 \x03(\x0b\x32\x1c.injective_accounts_rpc.CoinR\x07rewards\x12%\n\x0e\x64istributed_at\x18\x03 \x01(\x12R\rdistributedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"C\n\x18StreamAccountDataRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xde\x03\n\x19StreamAccountDataResponse\x12^\n\x12subaccount_balance\x18\x01 \x01(\x0b\x32/.injective_accounts_rpc.SubaccountBalanceResultR\x11subaccountBalance\x12\x43\n\x08position\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.PositionsResultR\x08position\x12\x39\n\x05trade\x18\x03 \x01(\x0b\x32#.injective_accounts_rpc.TradeResultR\x05trade\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective_accounts_rpc.OrderResultR\x05order\x12O\n\rorder_history\x18\x05 \x01(\x0b\x32*.injective_accounts_rpc.OrderHistoryResultR\x0corderHistory\x12U\n\x0f\x66unding_payment\x18\x06 \x01(\x0b\x32,.injective_accounts_rpc.FundingPaymentResultR\x0e\x66undingPayment\"|\n\x17SubaccountBalanceResult\x12\x43\n\x07\x62\x61lance\x18\x01 \x01(\x0b\x32).injective_accounts_rpc.SubaccountBalanceR\x07\x62\x61lance\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"m\n\x0fPositionsResult\x12<\n\x08position\x18\x01 \x01(\x0b\x32 .injective_accounts_rpc.PositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xe1\x02\n\x08Position\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\n \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\"\xf5\x01\n\x0bTradeResult\x12\x42\n\nspot_trade\x18\x01 \x01(\x0b\x32!.injective_accounts_rpc.SpotTradeH\x00R\tspotTrade\x12T\n\x10\x64\x65rivative_trade\x18\x02 \x01(\x0b\x32\'.injective_accounts_rpc.DerivativeTradeH\x00R\x0f\x64\x65rivativeTrade\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05trade\"\xad\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12\x38\n\x05price\x18\x06 \x01(\x0b\x32\".injective_accounts_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xdd\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12L\n\x0eposition_delta\x18\x06 \x01(\x0b\x32%.injective_accounts_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xff\x01\n\x0bOrderResult\x12G\n\nspot_order\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.SpotLimitOrderH\x00R\tspotOrder\x12Y\n\x10\x64\x65rivative_order\x18\x02 \x01(\x0b\x32,.injective_accounts_rpc.DerivativeLimitOrderH\x00R\x0f\x64\x65rivativeOrder\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x07\n\x05order\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xb0\x02\n\x12OrderHistoryResult\x12X\n\x12spot_order_history\x18\x01 \x01(\x0b\x32(.injective_accounts_rpc.SpotOrderHistoryH\x00R\x10spotOrderHistory\x12j\n\x18\x64\x65rivative_order_history\x18\x02 \x01(\x0b\x32..injective_accounts_rpc.DerivativeOrderHistoryH\x00R\x16\x64\x65rivativeOrderHistory\x12%\n\x0eoperation_type\x18\x03 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestampB\x0f\n\rorder_history\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xae\x01\n\x14\x46undingPaymentResult\x12Q\n\x10\x66unding_payments\x18\x01 \x01(\x0b\x32&.injective_accounts_rpc.FundingPaymentR\x0f\x66undingPayments\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xdc\t\n\x14InjectiveAccountsRPC\x12`\n\tPortfolio\x12(.injective_accounts_rpc.PortfolioRequest\x1a).injective_accounts_rpc.PortfolioResponse\x12\x66\n\x0bOrderStates\x12*.injective_accounts_rpc.OrderStatesRequest\x1a+.injective_accounts_rpc.OrderStatesResponse\x12r\n\x0fSubaccountsList\x12..injective_accounts_rpc.SubaccountsListRequest\x1a/.injective_accounts_rpc.SubaccountsListResponse\x12\x87\x01\n\x16SubaccountBalancesList\x12\x35.injective_accounts_rpc.SubaccountBalancesListRequest\x1a\x36.injective_accounts_rpc.SubaccountBalancesListResponse\x12\x90\x01\n\x19SubaccountBalanceEndpoint\x12\x38.injective_accounts_rpc.SubaccountBalanceEndpointRequest\x1a\x39.injective_accounts_rpc.SubaccountBalanceEndpointResponse\x12\x8c\x01\n\x17StreamSubaccountBalance\x12\x36.injective_accounts_rpc.StreamSubaccountBalanceRequest\x1a\x37.injective_accounts_rpc.StreamSubaccountBalanceResponse0\x01\x12x\n\x11SubaccountHistory\x12\x30.injective_accounts_rpc.SubaccountHistoryRequest\x1a\x31.injective_accounts_rpc.SubaccountHistoryResponse\x12\x87\x01\n\x16SubaccountOrderSummary\x12\x35.injective_accounts_rpc.SubaccountOrderSummaryRequest\x1a\x36.injective_accounts_rpc.SubaccountOrderSummaryResponse\x12Z\n\x07Rewards\x12&.injective_accounts_rpc.RewardsRequest\x1a\'.injective_accounts_rpc.RewardsResponse\x12z\n\x11StreamAccountData\x12\x30.injective_accounts_rpc.StreamAccountDataRequest\x1a\x31.injective_accounts_rpc.StreamAccountDataResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_accounts_rpcB\x19InjectiveAccountsRpcProtoP\x01Z\x19/injective_accounts_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveAccountsRpc\xca\x02\x14InjectiveAccountsRpc\xe2\x02 InjectiveAccountsRpc\\GPBMetadata\xea\x02\x14InjectiveAccountsRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_accounts_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_accounts_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_accounts_rpcB\031InjectiveAccountsRpcProtoP\001Z\031/injective_accounts_rpcpb\242\002\003IXX\252\002\024InjectiveAccountsRpc\312\002\024InjectiveAccountsRpc\342\002 InjectiveAccountsRpc\\GPBMetadata\352\002\024InjectiveAccountsRpc' _globals['_PORTFOLIOREQUEST']._serialized_start=65 - _globals['_PORTFOLIOREQUEST']._serialized_end=108 - _globals['_PORTFOLIORESPONSE']._serialized_start=110 - _globals['_PORTFOLIORESPONSE']._serialized_end=190 - _globals['_ACCOUNTPORTFOLIO']._serialized_start=193 - _globals['_ACCOUNTPORTFOLIO']._serialized_end=377 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=379 - _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=498 - _globals['_ORDERSTATESREQUEST']._serialized_start=500 - _globals['_ORDERSTATESREQUEST']._serialized_end=580 - _globals['_ORDERSTATESRESPONSE']._serialized_start=583 - _globals['_ORDERSTATESRESPONSE']._serialized_end=748 - _globals['_ORDERSTATERECORD']._serialized_start=751 - _globals['_ORDERSTATERECORD']._serialized_end=1010 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1012 - _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1061 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1063 - _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1109 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1111 - _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1181 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1183 - _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1276 - _globals['_SUBACCOUNTBALANCE']._serialized_start=1279 - _globals['_SUBACCOUNTBALANCE']._serialized_end=1421 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1423 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1492 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=1494 - _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=1566 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=1568 - _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=1663 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=1665 - _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=1736 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=1738 - _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=1850 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=1853 - _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=1988 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=1991 - _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2136 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2139 - _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=2374 - _globals['_COSMOSCOIN']._serialized_start=2376 - _globals['_COSMOSCOIN']._serialized_end=2419 - _globals['_PAGING']._serialized_start=2421 - _globals['_PAGING']._serialized_end=2513 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=2515 - _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=2613 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=2615 - _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=2707 - _globals['_REWARDSREQUEST']._serialized_start=2709 - _globals['_REWARDSREQUEST']._serialized_end=2765 - _globals['_REWARDSRESPONSE']._serialized_start=2767 - _globals['_REWARDSRESPONSE']._serialized_end=2833 - _globals['_REWARD']._serialized_start=2835 - _globals['_REWARD']._serialized_end=2939 - _globals['_COIN']._serialized_start=2941 - _globals['_COIN']._serialized_end=2978 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=2980 - _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=3031 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=3034 - _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=3439 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=3441 - _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=3545 - _globals['_POSITIONSRESULT']._serialized_start=3547 - _globals['_POSITIONSRESULT']._serialized_end=3635 - _globals['_POSITION']._serialized_start=3638 - _globals['_POSITION']._serialized_end=3867 - _globals['_TRADERESULT']._serialized_start=3870 - _globals['_TRADERESULT']._serialized_end=4061 - _globals['_SPOTTRADE']._serialized_start=4064 - _globals['_SPOTTRADE']._serialized_end=4355 - _globals['_PRICELEVEL']._serialized_start=4357 - _globals['_PRICELEVEL']._serialized_end=4421 - _globals['_DERIVATIVETRADE']._serialized_start=4424 - _globals['_DERIVATIVETRADE']._serialized_end=4748 - _globals['_POSITIONDELTA']._serialized_start=4750 - _globals['_POSITIONDELTA']._serialized_end=4869 - _globals['_ORDERRESULT']._serialized_start=4872 - _globals['_ORDERRESULT']._serialized_end=5073 - _globals['_SPOTLIMITORDER']._serialized_start=5076 - _globals['_SPOTLIMITORDER']._serialized_end=5365 - _globals['_DERIVATIVELIMITORDER']._serialized_start=5368 - _globals['_DERIVATIVELIMITORDER']._serialized_end=5840 - _globals['_ORDERHISTORYRESULT']._serialized_start=5843 - _globals['_ORDERHISTORYRESULT']._serialized_end=6079 - _globals['_SPOTORDERHISTORY']._serialized_start=6082 - _globals['_SPOTORDERHISTORY']._serialized_end=6410 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=6413 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=6858 - _globals['_FUNDINGPAYMENTRESULT']._serialized_start=6861 - _globals['_FUNDINGPAYMENTRESULT']._serialized_end=6992 - _globals['_FUNDINGPAYMENT']._serialized_start=6994 - _globals['_FUNDINGPAYMENT']._serialized_end=7087 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=7090 - _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=8334 + _globals['_PORTFOLIOREQUEST']._serialized_end=124 + _globals['_PORTFOLIORESPONSE']._serialized_start=126 + _globals['_PORTFOLIORESPONSE']._serialized_end=217 + _globals['_ACCOUNTPORTFOLIO']._serialized_start=220 + _globals['_ACCOUNTPORTFOLIO']._serialized_end=481 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_start=484 + _globals['_SUBACCOUNTPORTFOLIO']._serialized_end=665 + _globals['_ORDERSTATESREQUEST']._serialized_start=667 + _globals['_ORDERSTATESREQUEST']._serialized_end=787 + _globals['_ORDERSTATESRESPONSE']._serialized_start=790 + _globals['_ORDERSTATESRESPONSE']._serialized_end=995 + _globals['_ORDERSTATERECORD']._serialized_start=998 + _globals['_ORDERSTATERECORD']._serialized_end=1393 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_start=1395 + _globals['_SUBACCOUNTSLISTREQUEST']._serialized_end=1460 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_start=1462 + _globals['_SUBACCOUNTSLISTRESPONSE']._serialized_end=1521 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_start=1523 + _globals['_SUBACCOUNTBALANCESLISTREQUEST']._serialized_end=1615 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_start=1617 + _globals['_SUBACCOUNTBALANCESLISTRESPONSE']._serialized_end=1720 + _globals['_SUBACCOUNTBALANCE']._serialized_start=1723 + _globals['_SUBACCOUNTBALANCE']._serialized_end=1911 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1913 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2014 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_start=2016 + _globals['_SUBACCOUNTBALANCEENDPOINTREQUEST']._serialized_end=2109 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_start=2111 + _globals['_SUBACCOUNTBALANCEENDPOINTRESPONSE']._serialized_end=2215 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_start=2217 + _globals['_STREAMSUBACCOUNTBALANCEREQUEST']._serialized_end=2310 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_start=2313 + _globals['_STREAMSUBACCOUNTBALANCERESPONSE']._serialized_end=2445 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_start=2448 + _globals['_SUBACCOUNTHISTORYREQUEST']._serialized_end=2641 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_start=2644 + _globals['_SUBACCOUNTHISTORYRESPONSE']._serialized_end=2808 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_start=2811 + _globals['_SUBACCOUNTBALANCETRANSFER']._serialized_end=3152 + _globals['_COSMOSCOIN']._serialized_start=3154 + _globals['_COSMOSCOIN']._serialized_end=3212 + _globals['_PAGING']._serialized_start=3215 + _globals['_PAGING']._serialized_end=3349 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_start=3352 + _globals['_SUBACCOUNTORDERSUMMARYREQUEST']._serialized_end=3490 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_start=3493 + _globals['_SUBACCOUNTORDERSUMMARYRESPONSE']._serialized_end=3625 + _globals['_REWARDSREQUEST']._serialized_start=3627 + _globals['_REWARDSREQUEST']._serialized_end=3706 + _globals['_REWARDSRESPONSE']._serialized_start=3708 + _globals['_REWARDSRESPONSE']._serialized_end=3783 + _globals['_REWARD']._serialized_start=3786 + _globals['_REWARD']._serialized_end=3930 + _globals['_COIN']._serialized_start=3932 + _globals['_COIN']._serialized_end=3984 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_start=3986 + _globals['_STREAMACCOUNTDATAREQUEST']._serialized_end=4053 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_start=4056 + _globals['_STREAMACCOUNTDATARESPONSE']._serialized_end=4534 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_start=4536 + _globals['_SUBACCOUNTBALANCERESULT']._serialized_end=4660 + _globals['_POSITIONSRESULT']._serialized_start=4662 + _globals['_POSITIONSRESULT']._serialized_end=4771 + _globals['_POSITION']._serialized_start=4774 + _globals['_POSITION']._serialized_end=5127 + _globals['_TRADERESULT']._serialized_start=5130 + _globals['_TRADERESULT']._serialized_end=5375 + _globals['_SPOTTRADE']._serialized_start=5378 + _globals['_SPOTTRADE']._serialized_end=5807 + _globals['_PRICELEVEL']._serialized_start=5809 + _globals['_PRICELEVEL']._serialized_end=5901 + _globals['_DERIVATIVETRADE']._serialized_start=5904 + _globals['_DERIVATIVETRADE']._serialized_end=6381 + _globals['_POSITIONDELTA']._serialized_start=6384 + _globals['_POSITIONDELTA']._serialized_end=6571 + _globals['_ORDERRESULT']._serialized_start=6574 + _globals['_ORDERRESULT']._serialized_end=6829 + _globals['_SPOTLIMITORDER']._serialized_start=6832 + _globals['_SPOTLIMITORDER']._serialized_end=7272 + _globals['_DERIVATIVELIMITORDER']._serialized_start=7275 + _globals['_DERIVATIVELIMITORDER']._serialized_end=8002 + _globals['_ORDERHISTORYRESULT']._serialized_start=8005 + _globals['_ORDERHISTORYRESULT']._serialized_end=8309 + _globals['_SPOTORDERHISTORY']._serialized_start=8312 + _globals['_SPOTORDERHISTORY']._serialized_end=8811 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=8814 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=9495 + _globals['_FUNDINGPAYMENTRESULT']._serialized_start=9498 + _globals['_FUNDINGPAYMENTRESULT']._serialized_end=9672 + _globals['_FUNDINGPAYMENT']._serialized_start=9675 + _globals['_FUNDINGPAYMENT']._serialized_end=9811 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_start=9814 + _globals['_INJECTIVEACCOUNTSRPC']._serialized_end=11058 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py index 1958d92a..cea8324c 100644 --- a/pyinjective/proto/exchange/injective_auction_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_auction_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_auction_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_auction_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\"\'\n\x16\x41uctionEndpointRequest\x12\r\n\x05round\x18\x01 \x01(\x12\"t\n\x17\x41uctionEndpointResponse\x12/\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.Auction\x12(\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.Bid\"\x9c\x01\n\x07\x41uction\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12+\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.Coin\x12\x1a\n\x12winning_bid_amount\x18\x03 \x01(\t\x12\r\n\x05round\x18\x04 \x01(\x04\x12\x15\n\rend_timestamp\x18\x05 \x01(\x12\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"8\n\x03\x42id\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x11\n\x0f\x41uctionsRequest\"D\n\x10\x41uctionsResponse\x12\x30\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.Auction\"\x13\n\x11StreamBidsRequest\"Z\n\x12StreamBidsResponse\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12\x12\n\nbid_amount\x18\x02 \x01(\t\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\x32\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\x1aZ\x18/injective_auction_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_auction_rpc.proto\x12\x15injective_auction_rpc\".\n\x16\x41uctionEndpointRequest\x12\x14\n\x05round\x18\x01 \x01(\x12R\x05round\"\x83\x01\n\x17\x41uctionEndpointResponse\x12\x38\n\x07\x61uction\x18\x01 \x01(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x07\x61uction\x12.\n\x04\x62ids\x18\x02 \x03(\x0b\x32\x1a.injective_auction_rpc.BidR\x04\x62ids\"\xde\x01\n\x07\x41uction\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12\x33\n\x06\x62\x61sket\x18\x02 \x03(\x0b\x32\x1b.injective_auction_rpc.CoinR\x06\x62\x61sket\x12,\n\x12winning_bid_amount\x18\x03 \x01(\tR\x10winningBidAmount\x12\x14\n\x05round\x18\x04 \x01(\x04R\x05round\x12#\n\rend_timestamp\x18\x05 \x01(\x12R\x0c\x65ndTimestamp\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"S\n\x03\x42id\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x11\n\x0f\x41uctionsRequest\"N\n\x10\x41uctionsResponse\x12:\n\x08\x61uctions\x18\x01 \x03(\x0b\x32\x1e.injective_auction_rpc.AuctionR\x08\x61uctions\"\x13\n\x11StreamBidsRequest\"\x7f\n\x12StreamBidsResponse\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12\x1d\n\nbid_amount\x18\x02 \x01(\tR\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp2\xc9\x02\n\x13InjectiveAuctionRPC\x12p\n\x0f\x41uctionEndpoint\x12-.injective_auction_rpc.AuctionEndpointRequest\x1a..injective_auction_rpc.AuctionEndpointResponse\x12[\n\x08\x41uctions\x12&.injective_auction_rpc.AuctionsRequest\x1a\'.injective_auction_rpc.AuctionsResponse\x12\x63\n\nStreamBids\x12(.injective_auction_rpc.StreamBidsRequest\x1a).injective_auction_rpc.StreamBidsResponse0\x01\x42\xbb\x01\n\x19\x63om.injective_auction_rpcB\x18InjectiveAuctionRpcProtoP\x01Z\x18/injective_auction_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveAuctionRpc\xca\x02\x13InjectiveAuctionRpc\xe2\x02\x1fInjectiveAuctionRpc\\GPBMetadata\xea\x02\x13InjectiveAuctionRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_auction_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_auction_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_auction_rpcB\030InjectiveAuctionRpcProtoP\001Z\030/injective_auction_rpcpb\242\002\003IXX\252\002\023InjectiveAuctionRpc\312\002\023InjectiveAuctionRpc\342\002\037InjectiveAuctionRpc\\GPBMetadata\352\002\023InjectiveAuctionRpc' _globals['_AUCTIONENDPOINTREQUEST']._serialized_start=63 - _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=102 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=104 - _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=220 - _globals['_AUCTION']._serialized_start=223 - _globals['_AUCTION']._serialized_end=379 - _globals['_COIN']._serialized_start=381 - _globals['_COIN']._serialized_end=418 - _globals['_BID']._serialized_start=420 - _globals['_BID']._serialized_end=476 - _globals['_AUCTIONSREQUEST']._serialized_start=478 - _globals['_AUCTIONSREQUEST']._serialized_end=495 - _globals['_AUCTIONSRESPONSE']._serialized_start=497 - _globals['_AUCTIONSRESPONSE']._serialized_end=565 - _globals['_STREAMBIDSREQUEST']._serialized_start=567 - _globals['_STREAMBIDSREQUEST']._serialized_end=586 - _globals['_STREAMBIDSRESPONSE']._serialized_start=588 - _globals['_STREAMBIDSRESPONSE']._serialized_end=678 - _globals['_INJECTIVEAUCTIONRPC']._serialized_start=681 - _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1010 + _globals['_AUCTIONENDPOINTREQUEST']._serialized_end=109 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_start=112 + _globals['_AUCTIONENDPOINTRESPONSE']._serialized_end=243 + _globals['_AUCTION']._serialized_start=246 + _globals['_AUCTION']._serialized_end=468 + _globals['_COIN']._serialized_start=470 + _globals['_COIN']._serialized_end=522 + _globals['_BID']._serialized_start=524 + _globals['_BID']._serialized_end=607 + _globals['_AUCTIONSREQUEST']._serialized_start=609 + _globals['_AUCTIONSREQUEST']._serialized_end=626 + _globals['_AUCTIONSRESPONSE']._serialized_start=628 + _globals['_AUCTIONSRESPONSE']._serialized_end=706 + _globals['_STREAMBIDSREQUEST']._serialized_start=708 + _globals['_STREAMBIDSREQUEST']._serialized_end=727 + _globals['_STREAMBIDSRESPONSE']._serialized_start=729 + _globals['_STREAMBIDSRESPONSE']._serialized_end=856 + _globals['_INJECTIVEAUCTIONRPC']._serialized_start=859 + _globals['_INJECTIVEAUCTIONRPC']._serialized_end=1188 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index fdd3f308..65b7f36b 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_campaign_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_campaign_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,48 +24,48 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\x88\x01\n\x0eRankingRequest\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\"\xaa\x01\n\x0fRankingResponse\x12\x32\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x33\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUser\x12.\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\"\xe6\x02\n\x08\x43\x61mpaign\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0btotal_score\x18\x04 \x01(\t\x12\x14\n\x0clast_updated\x18\x05 \x01(\x12\x12\x12\n\nstart_date\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_date\x18\x07 \x01(\x12\x12\x14\n\x0cis_claimable\x18\x08 \x01(\x08\x12\x10\n\x08round_id\x18\t \x01(\x11\x12\x18\n\x10manager_contract\x18\n \x01(\t\x12-\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x12\n\nuser_score\x18\x0c \x01(\t\x12\x14\n\x0cuser_claimed\x18\r \x01(\x08\x12\x1c\n\x14subaccount_id_suffix\x18\x0e \x01(\t\x12\x17\n\x0freward_contract\x18\x0f \x01(\t\x12\x0f\n\x07version\x18\x10 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\xeb\x01\n\x0c\x43\x61mpaignUser\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\t\x12\r\n\x05score\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_updated\x18\x05 \x01(\x08\x12\x14\n\x0c\x62lock_height\x18\x06 \x01(\x12\x12\x12\n\nblock_time\x18\x07 \x01(\x12\x12\x18\n\x10purchased_amount\x18\x08 \x01(\t\x12\x15\n\rgalxe_updated\x18\t \x01(\x08\x12\x16\n\x0ereward_claimed\x18\n \x01(\x08\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"l\n\x10\x43\x61mpaignsRequest\x12\x10\n\x08round_id\x18\x01 \x01(\x12\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\x12\x13\n\x0bto_round_id\x18\x03 \x01(\x11\x12\x18\n\x10\x63ontract_address\x18\x04 \x01(\t\"\x99\x01\n\x11\x43\x61mpaignsResponse\x12\x33\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.Campaign\x12\x39\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x14\n\x0creward_count\x18\x03 \x01(\x11\"\\\n\x11ListGuildsRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\x0f\n\x07sort_by\x18\x04 \x01(\t\"\xca\x01\n\x12ListGuildsResponse\x12-\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.Guild\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x12\n\nupdated_at\x18\x03 \x01(\x12\x12\x41\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummary\"\xb9\x02\n\x05Guild\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x16\n\x0emaster_address\x18\x03 \x01(\t\x12\x12\n\ncreated_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x16\n\x0erank_by_volume\x18\x07 \x01(\x11\x12\x13\n\x0brank_by_tvl\x18\x08 \x01(\x11\x12\x0c\n\x04logo\x18\t \x01(\t\x12\x11\n\ttotal_tvl\x18\n \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\x0c\n\x04name\x18\x0e \x01(\t\x12\x11\n\tis_active\x18\r \x01(\x08\x12\x16\n\x0emaster_balance\x18\x0f \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x10 \x01(\t\"\xf8\x01\n\x0f\x43\x61mpaignSummary\x12\x13\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\t\x12\x19\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\t\x12\x1a\n\x12total_guilds_count\x18\x03 \x01(\x11\x12\x11\n\ttotal_tvl\x18\x04 \x01(\t\x12\x19\n\x11total_average_tvl\x18\x05 \x01(\t\x12\x14\n\x0ctotal_volume\x18\x06 \x01(\t\x12\x12\n\nupdated_at\x18\x07 \x01(\x12\x12\x1b\n\x13total_members_count\x18\x08 \x01(\x11\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\"\x90\x01\n\x17ListGuildMembersRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x11\x12\x1a\n\x12include_guild_info\x18\x05 \x01(\x08\x12\x0f\n\x07sort_by\x18\x06 \x01(\t\"\xb3\x01\n\x18ListGuildMembersResponse\x12\x34\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMember\x12.\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.Paging\x12\x31\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.Guild\"\xc0\x02\n\x0bGuildMember\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x10\n\x08guild_id\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\x11\n\tjoined_at\x18\x04 \x01(\x12\x12\x11\n\ttvl_score\x18\x05 \x01(\t\x12\x14\n\x0cvolume_score\x18\x06 \x01(\t\x12\x11\n\ttotal_tvl\x18\x07 \x01(\t\x12\x1f\n\x17volume_score_percentage\x18\x08 \x01(\x01\x12\x1c\n\x14tvl_score_percentage\x18\t \x01(\x01\x12\x30\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\x12\x33\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.Coin\"C\n\x15GetGuildMemberRequest\x12\x19\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"K\n\x16GetGuildMemberResponse\x12\x31\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMember2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\x1bZ\x19/injective_campaign_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\xcc\x01\n\x0eRankingRequest\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\"\xc3\x01\n\x0fRankingResponse\x12<\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.CampaignR\x08\x63\x61mpaign\x12:\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUserR\x05users\x12\x36\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\"\x9e\x04\n\x08\x43\x61mpaign\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12!\n\x0clast_updated\x18\x05 \x01(\x12R\x0blastUpdated\x12\x1d\n\nstart_date\x18\x06 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x07 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\x08 \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\t \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\n \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x1d\n\nuser_score\x18\x0c \x01(\tR\tuserScore\x12!\n\x0cuser_claimed\x18\r \x01(\x08R\x0buserClaimed\x12\x30\n\x14subaccount_id_suffix\x18\x0e \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0f \x01(\tR\x0erewardContract\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xef\x02\n\x0c\x43\x61mpaignUser\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05score\x18\x04 \x01(\tR\x05score\x12)\n\x10\x63ontract_updated\x18\x05 \x01(\x08R\x0f\x63ontractUpdated\x12!\n\x0c\x62lock_height\x18\x06 \x01(\x12R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x07 \x01(\x12R\tblockTime\x12)\n\x10purchased_amount\x18\x08 \x01(\tR\x0fpurchasedAmount\x12#\n\rgalxe_updated\x18\t \x01(\x08R\x0cgalxeUpdated\x12%\n\x0ereward_claimed\x18\n \x01(\x08R\rrewardClaimed\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xa1\x01\n\x10\x43\x61mpaignsRequest\x12\x19\n\x08round_id\x18\x01 \x01(\x12R\x07roundId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x1e\n\x0bto_round_id\x18\x03 \x01(\x11R\ttoRoundId\x12)\n\x10\x63ontract_address\x18\x04 \x01(\tR\x0f\x63ontractAddress\"\xc5\x01\n\x11\x43\x61mpaignsResponse\x12>\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.CampaignR\tcampaigns\x12M\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x12\x61\x63\x63umulatedRewards\x12!\n\x0creward_count\x18\x03 \x01(\x11R\x0brewardCount\"\x83\x01\n\x11ListGuildsRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x17\n\x07sort_by\x18\x04 \x01(\tR\x06sortBy\"\xf6\x01\n\x12ListGuildsResponse\x12\x35\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.GuildR\x06guilds\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12\x1d\n\nupdated_at\x18\x03 \x01(\x12R\tupdatedAt\x12R\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummaryR\x0f\x63\x61mpaignSummary\"\xe5\x03\n\x05Guild\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12%\n\x0emaster_address\x18\x03 \x01(\tR\rmasterAddress\x12\x1d\n\ncreated_at\x18\x04 \x01(\x12R\tcreatedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12$\n\x0erank_by_volume\x18\x07 \x01(\x11R\x0crankByVolume\x12\x1e\n\x0brank_by_tvl\x18\x08 \x01(\x11R\trankByTvl\x12\x12\n\x04logo\x18\t \x01(\tR\x04logo\x12\x1b\n\ttotal_tvl\x18\n \x01(\tR\x08totalTvl\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x12\n\x04name\x18\x0e \x01(\tR\x04name\x12\x1b\n\tis_active\x18\r \x01(\x08R\x08isActive\x12%\n\x0emaster_balance\x18\x0f \x01(\tR\rmasterBalance\x12 \n\x0b\x64\x65scription\x18\x10 \x01(\tR\x0b\x64\x65scription\"\x82\x03\n\x0f\x43\x61mpaignSummary\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12+\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\tR\x10\x63\x61mpaignContract\x12,\n\x12total_guilds_count\x18\x03 \x01(\x11R\x10totalGuildsCount\x12\x1b\n\ttotal_tvl\x18\x04 \x01(\tR\x08totalTvl\x12*\n\x11total_average_tvl\x18\x05 \x01(\tR\x0ftotalAverageTvl\x12!\n\x0ctotal_volume\x18\x06 \x01(\tR\x0btotalVolume\x12\x1d\n\nupdated_at\x18\x07 \x01(\x12R\tupdatedAt\x12.\n\x13total_members_count\x18\x08 \x01(\x11R\x11totalMembersCount\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\"\xd2\x01\n\x17ListGuildMembersRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x11R\x04skip\x12,\n\x12include_guild_info\x18\x05 \x01(\x08R\x10includeGuildInfo\x12\x17\n\x07sort_by\x18\x06 \x01(\tR\x06sortBy\"\xcf\x01\n\x18ListGuildMembersResponse\x12=\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x07members\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12<\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.GuildR\tguildInfo\"\xd3\x03\n\x0bGuildMember\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x1b\n\tjoined_at\x18\x04 \x01(\x12R\x08joinedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12\x1b\n\ttotal_tvl\x18\x07 \x01(\tR\x08totalTvl\x12\x36\n\x17volume_score_percentage\x18\x08 \x01(\x01R\x15volumeScorePercentage\x12\x30\n\x14tvl_score_percentage\x18\t \x01(\x01R\x12tvlScorePercentage\x12;\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\ttvlReward\x12\x41\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x0cvolumeReward\"^\n\x15GetGuildMemberRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x16GetGuildMemberResponse\x12\x37\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x04info2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\xc2\x01\n\x1a\x63om.injective_campaign_rpcB\x19InjectiveCampaignRpcProtoP\x01Z\x19/injective_campaign_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveCampaignRpc\xca\x02\x14InjectiveCampaignRpc\xe2\x02 InjectiveCampaignRpc\\GPBMetadata\xea\x02\x14InjectiveCampaignRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_campaign_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_campaign_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_campaign_rpcB\031InjectiveCampaignRpcProtoP\001Z\031/injective_campaign_rpcpb\242\002\003IXX\252\002\024InjectiveCampaignRpc\312\002\024InjectiveCampaignRpc\342\002 InjectiveCampaignRpc\\GPBMetadata\352\002\024InjectiveCampaignRpc' _globals['_RANKINGREQUEST']._serialized_start=66 - _globals['_RANKINGREQUEST']._serialized_end=202 - _globals['_RANKINGRESPONSE']._serialized_start=205 - _globals['_RANKINGRESPONSE']._serialized_end=375 - _globals['_CAMPAIGN']._serialized_start=378 - _globals['_CAMPAIGN']._serialized_end=736 - _globals['_COIN']._serialized_start=738 - _globals['_COIN']._serialized_end=775 - _globals['_CAMPAIGNUSER']._serialized_start=778 - _globals['_CAMPAIGNUSER']._serialized_end=1013 - _globals['_PAGING']._serialized_start=1015 - _globals['_PAGING']._serialized_end=1107 - _globals['_CAMPAIGNSREQUEST']._serialized_start=1109 - _globals['_CAMPAIGNSREQUEST']._serialized_end=1217 - _globals['_CAMPAIGNSRESPONSE']._serialized_start=1220 - _globals['_CAMPAIGNSRESPONSE']._serialized_end=1373 - _globals['_LISTGUILDSREQUEST']._serialized_start=1375 - _globals['_LISTGUILDSREQUEST']._serialized_end=1467 - _globals['_LISTGUILDSRESPONSE']._serialized_start=1470 - _globals['_LISTGUILDSRESPONSE']._serialized_end=1672 - _globals['_GUILD']._serialized_start=1675 - _globals['_GUILD']._serialized_end=1988 - _globals['_CAMPAIGNSUMMARY']._serialized_start=1991 - _globals['_CAMPAIGNSUMMARY']._serialized_end=2239 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=2242 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=2386 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=2389 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=2568 - _globals['_GUILDMEMBER']._serialized_start=2571 - _globals['_GUILDMEMBER']._serialized_end=2891 - _globals['_GETGUILDMEMBERREQUEST']._serialized_start=2893 - _globals['_GETGUILDMEMBERREQUEST']._serialized_end=2960 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=2962 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=3037 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=3040 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=3585 + _globals['_RANKINGREQUEST']._serialized_end=270 + _globals['_RANKINGRESPONSE']._serialized_start=273 + _globals['_RANKINGRESPONSE']._serialized_end=468 + _globals['_CAMPAIGN']._serialized_start=471 + _globals['_CAMPAIGN']._serialized_end=1013 + _globals['_COIN']._serialized_start=1015 + _globals['_COIN']._serialized_end=1067 + _globals['_CAMPAIGNUSER']._serialized_start=1070 + _globals['_CAMPAIGNUSER']._serialized_end=1437 + _globals['_PAGING']._serialized_start=1440 + _globals['_PAGING']._serialized_end=1574 + _globals['_CAMPAIGNSREQUEST']._serialized_start=1577 + _globals['_CAMPAIGNSREQUEST']._serialized_end=1738 + _globals['_CAMPAIGNSRESPONSE']._serialized_start=1741 + _globals['_CAMPAIGNSRESPONSE']._serialized_end=1938 + _globals['_LISTGUILDSREQUEST']._serialized_start=1941 + _globals['_LISTGUILDSREQUEST']._serialized_end=2072 + _globals['_LISTGUILDSRESPONSE']._serialized_start=2075 + _globals['_LISTGUILDSRESPONSE']._serialized_end=2321 + _globals['_GUILD']._serialized_start=2324 + _globals['_GUILD']._serialized_end=2809 + _globals['_CAMPAIGNSUMMARY']._serialized_start=2812 + _globals['_CAMPAIGNSUMMARY']._serialized_end=3198 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=3201 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=3411 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=3414 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=3621 + _globals['_GUILDMEMBER']._serialized_start=3624 + _globals['_GUILDMEMBER']._serialized_end=4091 + _globals['_GETGUILDMEMBERREQUEST']._serialized_start=4093 + _globals['_GETGUILDMEMBERREQUEST']._serialized_end=4187 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=4189 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=4270 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=4273 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=4818 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index 9164a7c5..deb13aa0 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_derivative_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_derivative_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,154 +24,154 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"U\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x03 \x03(\t\"[\n\x0fMarketsResponse\x12H\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\"\xff\x05\n\x14\x44\x65rivativeMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14initial_margin_ratio\x18\x08 \x01(\t\x12 \n\x18maintenance_margin_ratio\x18\t \x01(\t\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x14\n\x0cis_perpetual\x18\x0f \x01(\x08\x12\x1b\n\x13min_price_tick_size\x18\x10 \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x11 \x01(\t\x12U\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfo\x12[\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFunding\x12^\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfo\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x8e\x01\n\x13PerpetualMarketInfo\x12\x1f\n\x17hourly_funding_rate_cap\x18\x01 \x01(\t\x12\x1c\n\x14hourly_interest_rate\x18\x02 \x01(\t\x12\x1e\n\x16next_funding_timestamp\x18\x03 \x01(\x12\x12\x18\n\x10\x66unding_interval\x18\x04 \x01(\x12\"f\n\x16PerpetualMarketFunding\x12\x1a\n\x12\x63umulative_funding\x18\x01 \x01(\t\x12\x18\n\x10\x63umulative_price\x18\x02 \x01(\t\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x12\"Q\n\x17\x45xpiryFuturesMarketInfo\x12\x1c\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12\x12\x18\n\x10settlement_price\x18\x02 \x01(\t\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Y\n\x0eMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\")\n\x13StreamMarketRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x8a\x01\n\x14StreamMarketResponse\x12G\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"f\n\x1b\x42inaryOptionsMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x13\n\x0bquote_denom\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa6\x01\n\x1c\x42inaryOptionsMarketsResponse\x12K\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xf3\x03\n\x17\x42inaryOptionsMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x13\n\x0boracle_type\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x12\x12\x13\n\x0bquote_denom\x18\n \x01(\t\x12\x46\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x0c \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\r \x01(\t\x12\x1c\n\x14service_provider_fee\x18\x0e \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0f \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x10 \x01(\t\x12\x18\n\x10settlement_price\x18\x11 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"/\n\x1a\x42inaryOptionsMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"i\n\x1b\x42inaryOptionsMarketResponse\x12J\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfo\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n\x13OrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\"\xbc\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12<\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2\"\x87\x01\n SingleDerivativeLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12P\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xab\x01\n\x19StreamOrderbookV2Response\x12P\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb8\x01\n\x1dStreamOrderbookUpdateResponse\x12Y\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xd7\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x42\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xaa\x02\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x94\x01\n\x0eOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xd8\x03\n\x14\x44\x65rivativeLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0eis_reduce_only\x18\x05 \x01(\x08\x12\x0e\n\x06margin\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x10\n\x08quantity\x18\x08 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\t \x01(\t\x12\x15\n\rtrigger_price\x18\n \x01(\t\x12\x15\n\rfee_recipient\x18\x0b \x01(\t\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\ncreated_at\x18\r \x01(\x12\x12\x12\n\nupdated_at\x18\x0e \x01(\x12\x12\x14\n\x0corder_number\x18\x0f \x01(\x12\x12\x12\n\norder_type\x18\x10 \x01(\t\x12\x16\n\x0eis_conditional\x18\x11 \x01(\x08\x12\x12\n\ntrigger_at\x18\x12 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x13 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x14 \x01(\t\x12\x0f\n\x07tx_hash\x18\x15 \x01(\t\x12\x0b\n\x03\x63id\x18\x16 \x01(\t\"\xe3\x01\n\x10PositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x98\x01\n\x11PositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\"\xe5\x01\n\x12PositionsV2Request\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x12\n\nstart_time\x18\x05 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x06 \x01(\x12\x12\x12\n\nmarket_ids\x18\x07 \x03(\t\x12\x11\n\tdirection\x18\x08 \x01(\t\x12\"\n\x1asubaccount_total_positions\x18\t \x01(\x08\x12\x17\n\x0f\x61\x63\x63ount_address\x18\n \x01(\t\"\x9c\x01\n\x13PositionsV2Response\x12J\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xec\x01\n\x14\x44\x65rivativePositionV2\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12\x12\n\nupdated_at\x18\x0b \x01(\x12\x12\r\n\x05\x64\x65nom\x18\x0c \x01(\t\"L\n\x1aLiquidablePositionsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\"g\n\x1bLiquidablePositionsResponse\x12H\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\"\x85\x01\n\x16\x46undingPaymentsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x05 \x01(\x12\x12\x12\n\nmarket_ids\x18\x06 \x03(\t\"\x99\x01\n\x17\x46undingPaymentsResponse\x12\x43\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPayment\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"]\n\x0e\x46undingPayment\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"W\n\x13\x46undingRatesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04skip\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x10\n\x08\x65nd_time\x18\x04 \x01(\x12\"\x98\x01\n\x14\x46undingRatesResponse\x12\x45\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRate\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"A\n\x0b\x46undingRate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0c\n\x04rate\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x87\x01\n\x16StreamPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nmarket_ids\x18\x03 \x03(\t\x12\x16\n\x0esubaccount_ids\x18\x04 \x03(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\t\"u\n\x17StreamPositionsResponse\x12G\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePosition\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"\xb0\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\x18\n\x10include_inactive\x18\x0b \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\x0c \x01(\x08\x12\x10\n\x08trade_id\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x89\x01\n\x14StreamOrdersResponse\x12\x46\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8f\x01\n\x0eTradesResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xcf\x02\n\x0f\x44\x65rivativeTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x16\n\x0eis_liquidation\x18\x05 \x01(\x08\x12H\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDelta\x12\x0e\n\x06payout\x18\x07 \x01(\t\x12\x0b\n\x03\x66\x65\x65\x18\x08 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\t \x01(\x12\x12\x15\n\rfee_recipient\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0c \x01(\t\x12\x0b\n\x03\x63id\x18\r \x01(\t\"w\n\rPositionDelta\x12\x17\n\x0ftrade_direction\x18\x01 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x02 \x01(\t\x12\x1a\n\x12\x65xecution_quantity\x18\x03 \x01(\t\x12\x18\n\x10\x65xecution_margin\x18\x04 \x01(\t\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x91\x01\n\x10TradesV2Response\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x84\x01\n\x14StreamTradesResponse\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x86\x01\n\x16StreamTradesV2Response\x12\x41\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\xa2\x01\n\x1cSubaccountOrdersListResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrder\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"b\n\x1cSubaccountTradesListResponse\x12\x42\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTrade\"\xcf\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x16\n\x0eis_conditional\x18\t \x01(\t\x12\x12\n\norder_type\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x0c \x03(\t\x12\x12\n\nmarket_ids\x18\r \x03(\t\x12\x10\n\x08trade_id\x18\x0e \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x9d\x01\n\x15OrdersHistoryResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x39\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.Paging\"\xbd\x03\n\x16\x44\x65rivativeOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x16\n\x0eis_reduce_only\x18\x0e \x01(\x08\x12\x11\n\tdirection\x18\x0f \x01(\t\x12\x16\n\x0eis_conditional\x18\x10 \x01(\x08\x12\x12\n\ntrigger_at\x18\x11 \x01(\x04\x12\x19\n\x11placed_order_hash\x18\x12 \x01(\t\x12\x0e\n\x06margin\x18\x13 \x01(\t\x12\x0f\n\x07tx_hash\x18\x14 \x01(\t\x12\x0b\n\x03\x63id\x18\x15 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x92\x01\n\x1bStreamOrdersHistoryResponse\x12H\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x32\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42&Z$/injective_derivative_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"\x7f\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x03 \x03(\tR\x0emarketStatuses\"d\n\x0fMarketsResponse\x12Q\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x07markets\"\xc9\x08\n\x14\x44\x65rivativeMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x30\n\x14initial_margin_ratio\x18\x08 \x01(\tR\x12initialMarginRatio\x12\x38\n\x18maintenance_margin_ratio\x18\t \x01(\tR\x16maintenanceMarginRatio\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12!\n\x0cis_perpetual\x18\x0f \x01(\x08R\x0bisPerpetual\x12-\n\x13min_price_tick_size\x18\x10 \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x11 \x01(\tR\x13minQuantityTickSize\x12j\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfoR\x13perpetualMarketInfo\x12s\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFundingR\x16perpetualMarketFunding\x12w\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfoR\x17\x65xpiryFuturesMarketInfo\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"\xdf\x01\n\x13PerpetualMarketInfo\x12\x35\n\x17hourly_funding_rate_cap\x18\x01 \x01(\tR\x14hourlyFundingRateCap\x12\x30\n\x14hourly_interest_rate\x18\x02 \x01(\tR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x03 \x01(\x12R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x04 \x01(\x12R\x0f\x66undingInterval\"\x99\x01\n\x16PerpetualMarketFunding\x12-\n\x12\x63umulative_funding\x18\x01 \x01(\tR\x11\x63umulativeFunding\x12)\n\x10\x63umulative_price\x18\x02 \x01(\tR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x12R\rlastTimestamp\"w\n\x17\x45xpiryFuturesMarketInfo\x12\x31\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12R\x13\x65xpirationTimestamp\x12)\n\x10settlement_price\x18\x02 \x01(\tR\x0fsettlementPrice\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"a\n\x0eMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\"4\n\x13StreamMarketRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xac\x01\n\x14StreamMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x8d\x01\n\x1b\x42inaryOptionsMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb7\x01\n\x1c\x42inaryOptionsMarketsResponse\x12T\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x07markets\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xfe\x05\n\x17\x42inaryOptionsMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x12R\x13settlementTimestamp\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0f \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x10 \x01(\tR\x13minQuantityTickSize\x12)\n\x10settlement_price\x18\x11 \x01(\tR\x0fsettlementPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"9\n\x1a\x42inaryOptionsMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"q\n\x1b\x42inaryOptionsMarketResponse\x12R\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x06market\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"r\n\x13OrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"\xde\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12\x41\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x04\x62uys\x12\x43\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"{\n\x14OrderbooksV2Response\x12\x63\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2R\norderbooks\"\x9c\x01\n SingleDerivativeLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12[\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xda\x01\n\x19StreamOrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xf3\x01\n\x1dStreamOrderbookUpdateResponse\x12p\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\x83\x02\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12G\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12I\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\xc9\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa4\x01\n\x0eOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xdc\x02\n\x10PositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xab\x01\n\x11PositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"\xde\x02\n\x12PositionsV2Request\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xaf\x01\n\x13PositionsV2Response\x12U\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2R\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe4\x02\n\x14\x44\x65rivativePositionV2\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x14\n\x05\x64\x65nom\x18\x0c \x01(\tR\x05\x64\x65nom\"c\n\x1aLiquidablePositionsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"r\n\x1bLiquidablePositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\"\xbe\x01\n\x16\x46undingPaymentsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x06 \x03(\tR\tmarketIds\"\xab\x01\n\x17\x46undingPaymentsResponse\x12M\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPaymentR\x08payments\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"w\n\x13\x46undingRatesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x12R\x07\x65ndTime\"\xae\x01\n\x14\x46undingRatesResponse\x12S\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRateR\x0c\x66undingRates\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\\\n\x0b\x46undingRate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04rate\x18\x02 \x01(\tR\x04rate\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc9\x01\n\x16StreamPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nmarket_ids\x18\x03 \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\x04 \x03(\tR\rsubaccountIds\x12\'\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x8a\x01\n\x17StreamPositionsResponse\x12Q\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xcf\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xaa\x01\n\x14StreamOrdersResponse\x12M\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9f\x01\n\x0eTradesResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe8\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12W\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa1\x01\n\x10TradesV2Response\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa5\x01\n\x14StreamTradesResponse\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa7\x01\n\x16StreamTradesV2Response\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb2\x01\n\x1cSubaccountOrdersListResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"j\n\x1cSubaccountTradesListResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\"\xfc\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x0c \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\r \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0e \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xad\x01\n\x15OrdersHistoryResponse\x12Q\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xb3\x01\n\x1bStreamOrdersHistoryResponse\x12O\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp2\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42\x8a\x02\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\x01Z$/injective_derivative_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x1eInjectiveDerivativeExchangeRpc\xca\x02\x1eInjectiveDerivativeExchangeRpc\xe2\x02*InjectiveDerivativeExchangeRpc\\GPBMetadata\xea\x02\x1eInjectiveDerivativeExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_derivative_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z$/injective_derivative_exchange_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\001Z$/injective_derivative_exchange_rpcpb\242\002\003IXX\252\002\036InjectiveDerivativeExchangeRpc\312\002\036InjectiveDerivativeExchangeRpc\342\002*InjectiveDerivativeExchangeRpc\\GPBMetadata\352\002\036InjectiveDerivativeExchangeRpc' _globals['_MARKETSREQUEST']._serialized_start=87 - _globals['_MARKETSREQUEST']._serialized_end=172 - _globals['_MARKETSRESPONSE']._serialized_start=174 - _globals['_MARKETSRESPONSE']._serialized_end=265 - _globals['_DERIVATIVEMARKETINFO']._serialized_start=268 - _globals['_DERIVATIVEMARKETINFO']._serialized_end=1035 - _globals['_TOKENMETA']._serialized_start=1037 - _globals['_TOKENMETA']._serialized_end=1147 - _globals['_PERPETUALMARKETINFO']._serialized_start=1150 - _globals['_PERPETUALMARKETINFO']._serialized_end=1292 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=1294 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=1396 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1398 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=1479 - _globals['_MARKETREQUEST']._serialized_start=1481 - _globals['_MARKETREQUEST']._serialized_end=1515 - _globals['_MARKETRESPONSE']._serialized_start=1517 - _globals['_MARKETRESPONSE']._serialized_end=1606 - _globals['_STREAMMARKETREQUEST']._serialized_start=1608 - _globals['_STREAMMARKETREQUEST']._serialized_end=1649 - _globals['_STREAMMARKETRESPONSE']._serialized_start=1652 - _globals['_STREAMMARKETRESPONSE']._serialized_end=1790 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=1792 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=1894 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=1897 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2063 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2066 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=2565 - _globals['_PAGING']._serialized_start=2567 - _globals['_PAGING']._serialized_end=2659 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=2661 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=2708 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=2710 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=2815 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=2817 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=2856 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=2858 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=2961 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=2964 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=3152 - _globals['_PRICELEVEL']._serialized_start=3154 - _globals['_PRICELEVEL']._serialized_end=3218 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=3220 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=3261 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=3263 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=3374 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=3377 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=3512 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=3514 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=3560 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=3563 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=3734 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=3736 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=3786 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=3789 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=3973 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=3976 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=4191 - _globals['_PRICELEVELUPDATE']._serialized_start=4193 - _globals['_PRICELEVELUPDATE']._serialized_end=4282 - _globals['_ORDERSREQUEST']._serialized_start=4285 - _globals['_ORDERSREQUEST']._serialized_end=4583 - _globals['_ORDERSRESPONSE']._serialized_start=4586 - _globals['_ORDERSRESPONSE']._serialized_end=4734 - _globals['_DERIVATIVELIMITORDER']._serialized_start=4737 - _globals['_DERIVATIVELIMITORDER']._serialized_end=5209 - _globals['_POSITIONSREQUEST']._serialized_start=5212 - _globals['_POSITIONSREQUEST']._serialized_end=5439 - _globals['_POSITIONSRESPONSE']._serialized_start=5442 - _globals['_POSITIONSRESPONSE']._serialized_end=5594 - _globals['_DERIVATIVEPOSITION']._serialized_start=5597 - _globals['_DERIVATIVEPOSITION']._serialized_end=5876 - _globals['_POSITIONSV2REQUEST']._serialized_start=5879 - _globals['_POSITIONSV2REQUEST']._serialized_end=6108 - _globals['_POSITIONSV2RESPONSE']._serialized_start=6111 - _globals['_POSITIONSV2RESPONSE']._serialized_end=6267 - _globals['_DERIVATIVEPOSITIONV2']._serialized_start=6270 - _globals['_DERIVATIVEPOSITIONV2']._serialized_end=6506 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=6508 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=6584 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=6586 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=6689 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=6692 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=6825 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=6828 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=6981 - _globals['_FUNDINGPAYMENT']._serialized_start=6983 - _globals['_FUNDINGPAYMENT']._serialized_end=7076 - _globals['_FUNDINGRATESREQUEST']._serialized_start=7078 - _globals['_FUNDINGRATESREQUEST']._serialized_end=7165 - _globals['_FUNDINGRATESRESPONSE']._serialized_start=7168 - _globals['_FUNDINGRATESRESPONSE']._serialized_end=7320 - _globals['_FUNDINGRATE']._serialized_start=7322 - _globals['_FUNDINGRATE']._serialized_end=7387 - _globals['_STREAMPOSITIONSREQUEST']._serialized_start=7390 - _globals['_STREAMPOSITIONSREQUEST']._serialized_end=7525 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=7527 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=7644 - _globals['_STREAMORDERSREQUEST']._serialized_start=7647 - _globals['_STREAMORDERSREQUEST']._serialized_end=7951 - _globals['_STREAMORDERSRESPONSE']._serialized_start=7954 - _globals['_STREAMORDERSRESPONSE']._serialized_end=8091 - _globals['_TRADESREQUEST']._serialized_start=8094 - _globals['_TRADESREQUEST']._serialized_end=8386 - _globals['_TRADESRESPONSE']._serialized_start=8389 - _globals['_TRADESRESPONSE']._serialized_end=8532 - _globals['_DERIVATIVETRADE']._serialized_start=8535 - _globals['_DERIVATIVETRADE']._serialized_end=8870 - _globals['_POSITIONDELTA']._serialized_start=8872 - _globals['_POSITIONDELTA']._serialized_end=8991 - _globals['_TRADESV2REQUEST']._serialized_start=8994 - _globals['_TRADESV2REQUEST']._serialized_end=9288 - _globals['_TRADESV2RESPONSE']._serialized_start=9291 - _globals['_TRADESV2RESPONSE']._serialized_end=9436 - _globals['_STREAMTRADESREQUEST']._serialized_start=9439 - _globals['_STREAMTRADESREQUEST']._serialized_end=9737 - _globals['_STREAMTRADESRESPONSE']._serialized_start=9740 - _globals['_STREAMTRADESRESPONSE']._serialized_end=9872 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=9875 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=10175 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=10178 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=10312 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=10314 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=10414 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=10417 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=10579 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=10582 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=10725 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=10727 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=10825 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=10828 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=11163 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=11166 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=11323 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=11326 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=11771 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=11774 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=11924 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=11927 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=12073 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=12076 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=15472 + _globals['_MARKETSREQUEST']._serialized_end=214 + _globals['_MARKETSRESPONSE']._serialized_start=216 + _globals['_MARKETSRESPONSE']._serialized_end=316 + _globals['_DERIVATIVEMARKETINFO']._serialized_start=319 + _globals['_DERIVATIVEMARKETINFO']._serialized_end=1416 + _globals['_TOKENMETA']._serialized_start=1419 + _globals['_TOKENMETA']._serialized_end=1579 + _globals['_PERPETUALMARKETINFO']._serialized_start=1582 + _globals['_PERPETUALMARKETINFO']._serialized_end=1805 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=1808 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=1961 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1963 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=2082 + _globals['_MARKETREQUEST']._serialized_start=2084 + _globals['_MARKETREQUEST']._serialized_end=2128 + _globals['_MARKETRESPONSE']._serialized_start=2130 + _globals['_MARKETRESPONSE']._serialized_end=2227 + _globals['_STREAMMARKETREQUEST']._serialized_start=2229 + _globals['_STREAMMARKETREQUEST']._serialized_end=2281 + _globals['_STREAMMARKETRESPONSE']._serialized_start=2284 + _globals['_STREAMMARKETRESPONSE']._serialized_end=2456 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=2459 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=2600 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=2603 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2786 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2789 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=3555 + _globals['_PAGING']._serialized_start=3558 + _globals['_PAGING']._serialized_end=3692 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=3694 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=3751 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=3753 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=3866 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=3868 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=3917 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=3919 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=4033 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=4036 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=4258 + _globals['_PRICELEVEL']._serialized_start=4260 + _globals['_PRICELEVEL']._serialized_end=4352 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=4354 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=4406 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=4408 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=4531 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=4534 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=4690 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=4692 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=4749 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=4752 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=4970 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=4972 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=5033 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=5036 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=5279 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=5282 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=5541 + _globals['_PRICELEVELUPDATE']._serialized_start=5543 + _globals['_PRICELEVELUPDATE']._serialized_end=5670 + _globals['_ORDERSREQUEST']._serialized_start=5673 + _globals['_ORDERSREQUEST']._serialized_end=6130 + _globals['_ORDERSRESPONSE']._serialized_start=6133 + _globals['_ORDERSRESPONSE']._serialized_end=6297 + _globals['_DERIVATIVELIMITORDER']._serialized_start=6300 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7027 + _globals['_POSITIONSREQUEST']._serialized_start=7030 + _globals['_POSITIONSREQUEST']._serialized_end=7378 + _globals['_POSITIONSRESPONSE']._serialized_start=7381 + _globals['_POSITIONSRESPONSE']._serialized_end=7552 + _globals['_DERIVATIVEPOSITION']._serialized_start=7555 + _globals['_DERIVATIVEPOSITION']._serialized_end=7987 + _globals['_POSITIONSV2REQUEST']._serialized_start=7990 + _globals['_POSITIONSV2REQUEST']._serialized_end=8340 + _globals['_POSITIONSV2RESPONSE']._serialized_start=8343 + _globals['_POSITIONSV2RESPONSE']._serialized_end=8518 + _globals['_DERIVATIVEPOSITIONV2']._serialized_start=8521 + _globals['_DERIVATIVEPOSITIONV2']._serialized_end=8877 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=8879 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=8978 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=8980 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=9094 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=9097 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=9287 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=9290 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=9461 + _globals['_FUNDINGPAYMENT']._serialized_start=9464 + _globals['_FUNDINGPAYMENT']._serialized_end=9600 + _globals['_FUNDINGRATESREQUEST']._serialized_start=9602 + _globals['_FUNDINGRATESREQUEST']._serialized_end=9721 + _globals['_FUNDINGRATESRESPONSE']._serialized_start=9724 + _globals['_FUNDINGRATESRESPONSE']._serialized_end=9898 + _globals['_FUNDINGRATE']._serialized_start=9900 + _globals['_FUNDINGRATE']._serialized_end=9992 + _globals['_STREAMPOSITIONSREQUEST']._serialized_start=9995 + _globals['_STREAMPOSITIONSREQUEST']._serialized_end=10196 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=10199 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=10337 + _globals['_STREAMORDERSREQUEST']._serialized_start=10340 + _globals['_STREAMORDERSREQUEST']._serialized_end=10803 + _globals['_STREAMORDERSRESPONSE']._serialized_start=10806 + _globals['_STREAMORDERSRESPONSE']._serialized_end=10976 + _globals['_TRADESREQUEST']._serialized_start=10979 + _globals['_TRADESREQUEST']._serialized_end=11426 + _globals['_TRADESRESPONSE']._serialized_start=11429 + _globals['_TRADESRESPONSE']._serialized_end=11588 + _globals['_DERIVATIVETRADE']._serialized_start=11591 + _globals['_DERIVATIVETRADE']._serialized_end=12079 + _globals['_POSITIONDELTA']._serialized_start=12082 + _globals['_POSITIONDELTA']._serialized_end=12269 + _globals['_TRADESV2REQUEST']._serialized_start=12272 + _globals['_TRADESV2REQUEST']._serialized_end=12721 + _globals['_TRADESV2RESPONSE']._serialized_start=12724 + _globals['_TRADESV2RESPONSE']._serialized_end=12885 + _globals['_STREAMTRADESREQUEST']._serialized_start=12888 + _globals['_STREAMTRADESREQUEST']._serialized_end=13341 + _globals['_STREAMTRADESRESPONSE']._serialized_start=13344 + _globals['_STREAMTRADESRESPONSE']._serialized_end=13509 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=13512 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=13967 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=13970 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=14137 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=14140 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=14277 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=14280 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=14458 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=14461 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=14667 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=14669 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=14775 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=14778 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=15286 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=15289 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=15462 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=15465 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=16146 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=16149 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=16369 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=16372 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=16551 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=16554 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=19950 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py index 41989732..e4cdef0b 100644 --- a/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,44 +24,44 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\x1c\n\x0cGetTxRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"\x92\x01\n\rGetTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xb4\x01\n\x10PrepareTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esigner_address\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04memo\x18\x04 \x01(\t\x12\x16\n\x0etimeout_height\x18\x05 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x07 \x03(\x0c\"c\n\x0b\x43osmosTxFee\x12\x31\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoin\x12\x0b\n\x03gas\x18\x02 \x01(\x04\x12\x14\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x86\x01\n\x11PrepareTxResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12\x11\n\tsign_mode\x18\x03 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x04 \x01(\t\x12\x11\n\tfee_payer\x18\x05 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x06 \x01(\t\"\xc2\x01\n\x12\x42roadcastTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\n\n\x02tx\x18\x02 \x01(\x0c\x12\x0c\n\x04msgs\x18\x03 \x03(\x0c\x12\x35\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x05 \x01(\t\x12\x11\n\tfee_payer\x18\x06 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x07 \x01(\t\x12\x0c\n\x04mode\x18\x08 \x01(\t\")\n\x0c\x43osmosPubKey\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\t\"\x98\x01\n\x13\x42roadcastTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\xa8\x01\n\x16PrepareCosmosTxRequest\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\x04\x12\x16\n\x0esender_address\x18\x02 \x01(\t\x12\x0c\n\x04memo\x18\x03 \x01(\t\x12\x16\n\x0etimeout_height\x18\x04 \x01(\x04\x12\x30\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFee\x12\x0c\n\x04msgs\x18\x06 \x03(\x0c\"\xb9\x01\n\x17PrepareCosmosTxResponse\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x11\n\tsign_mode\x18\x02 \x01(\t\x12\x14\n\x0cpub_key_type\x18\x03 \x01(\t\x12\x11\n\tfee_payer\x18\x04 \x01(\t\x12\x15\n\rfee_payer_sig\x18\x05 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\"\x88\x01\n\x18\x42roadcastCosmosTxRequest\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12\x35\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey\x12\x11\n\tsignature\x18\x03 \x01(\t\x12\x16\n\x0esender_address\x18\x04 \x01(\t\"\x9e\x01\n\x19\x42roadcastCosmosTxResponse\x12\x0f\n\x07tx_hash\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x12\x12\r\n\x05index\x18\x03 \x01(\r\x12\x11\n\tcodespace\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0f\n\x07raw_log\x18\x07 \x01(\t\x12\x11\n\ttimestamp\x18\x08 \x01(\t\"\x14\n\x12GetFeePayerRequest\"i\n\x13GetFeePayerResponse\x12\x11\n\tfee_payer\x18\x01 \x01(\t\x12?\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\x1bZ\x19/injective_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_exchange_rpc.proto\x12\x16injective_exchange_rpc\"\"\n\x0cGetTxRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"\xd3\x01\n\rGetTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x9d\x02\n\x10PrepareTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esigner_address\x18\x02 \x01(\tR\rsignerAddress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04memo\x18\x04 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x05 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x06 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x07 \x03(\x0cR\x04msgs\x12%\n\x0e\x65ip712_wrapper\x18\x08 \x01(\tR\reip712Wrapper\"|\n\x0b\x43osmosTxFee\x12\x38\n\x05price\x18\x01 \x03(\x0b\x32\".injective_exchange_rpc.CosmosCoinR\x05price\x12\x10\n\x03gas\x18\x02 \x01(\x04R\x03gas\x12!\n\x0c\x64\x65legate_fee\x18\x03 \x01(\x08R\x0b\x64\x65legateFee\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xc3\x01\n\x11PrepareTxResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x1b\n\tsign_mode\x18\x03 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x04 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x05 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x06 \x01(\tR\x0b\x66\x65\x65PayerSig\"\x85\x02\n\x12\x42roadcastTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12\x0e\n\x02tx\x18\x02 \x01(\x0cR\x02tx\x12\x12\n\x04msgs\x18\x03 \x03(\x0cR\x04msgs\x12=\n\x07pub_key\x18\x04 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature\x12\x1b\n\tfee_payer\x18\x06 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x07 \x01(\tR\x0b\x66\x65\x65PayerSig\x12\x12\n\x04mode\x18\x08 \x01(\tR\x04mode\"4\n\x0c\x43osmosPubKey\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\tR\x03key\"\xd9\x01\n\x13\x42roadcastTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\xe0\x01\n\x16PrepareCosmosTxRequest\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\x04R\x07\x63hainId\x12%\n\x0esender_address\x18\x02 \x01(\tR\rsenderAddress\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\x12%\n\x0etimeout_height\x18\x04 \x01(\x04R\rtimeoutHeight\x12\x35\n\x03\x66\x65\x65\x18\x05 \x01(\x0b\x32#.injective_exchange_rpc.CosmosTxFeeR\x03\x66\x65\x65\x12\x12\n\x04msgs\x18\x06 \x03(\x0cR\x04msgs\"\xfa\x01\n\x17PrepareCosmosTxResponse\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x1b\n\tsign_mode\x18\x02 \x01(\tR\x08signMode\x12 \n\x0cpub_key_type\x18\x03 \x01(\tR\npubKeyType\x12\x1b\n\tfee_payer\x18\x04 \x01(\tR\x08\x66\x65\x65Payer\x12\"\n\rfee_payer_sig\x18\x05 \x01(\tR\x0b\x66\x65\x65PayerSig\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x06 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey\"\xae\x01\n\x18\x42roadcastCosmosTxRequest\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12=\n\x07pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x06pubKey\x12\x1c\n\tsignature\x18\x03 \x01(\tR\tsignature\x12%\n\x0esender_address\x18\x04 \x01(\tR\rsenderAddress\"\xdf\x01\n\x19\x42roadcastCosmosTxResponse\x12\x17\n\x07tx_hash\x18\x01 \x01(\tR\x06txHash\x12\x16\n\x06height\x18\x02 \x01(\x12R\x06height\x12\x14\n\x05index\x18\x03 \x01(\rR\x05index\x12\x1c\n\tcodespace\x18\x04 \x01(\tR\tcodespace\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x17\n\x07raw_log\x18\x07 \x01(\tR\x06rawLog\x12\x1c\n\ttimestamp\x18\x08 \x01(\tR\ttimestamp\"\x14\n\x12GetFeePayerRequest\"\x83\x01\n\x13GetFeePayerResponse\x12\x1b\n\tfee_payer\x18\x01 \x01(\tR\x08\x66\x65\x65Payer\x12O\n\x11\x66\x65\x65_payer_pub_key\x18\x02 \x01(\x0b\x32$.injective_exchange_rpc.CosmosPubKeyR\x0e\x66\x65\x65PayerPubKey2\x8c\x05\n\x14InjectiveExchangeRPC\x12T\n\x05GetTx\x12$.injective_exchange_rpc.GetTxRequest\x1a%.injective_exchange_rpc.GetTxResponse\x12`\n\tPrepareTx\x12(.injective_exchange_rpc.PrepareTxRequest\x1a).injective_exchange_rpc.PrepareTxResponse\x12\x66\n\x0b\x42roadcastTx\x12*.injective_exchange_rpc.BroadcastTxRequest\x1a+.injective_exchange_rpc.BroadcastTxResponse\x12r\n\x0fPrepareCosmosTx\x12..injective_exchange_rpc.PrepareCosmosTxRequest\x1a/.injective_exchange_rpc.PrepareCosmosTxResponse\x12x\n\x11\x42roadcastCosmosTx\x12\x30.injective_exchange_rpc.BroadcastCosmosTxRequest\x1a\x31.injective_exchange_rpc.BroadcastCosmosTxResponse\x12\x66\n\x0bGetFeePayer\x12*.injective_exchange_rpc.GetFeePayerRequest\x1a+.injective_exchange_rpc.GetFeePayerResponseB\xc2\x01\n\x1a\x63om.injective_exchange_rpcB\x19InjectiveExchangeRpcProtoP\x01Z\x19/injective_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExchangeRpc\xca\x02\x14InjectiveExchangeRpc\xe2\x02 InjectiveExchangeRpc\\GPBMetadata\xea\x02\x14InjectiveExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_exchange_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_exchange_rpcB\031InjectiveExchangeRpcProtoP\001Z\031/injective_exchange_rpcpb\242\002\003IXX\252\002\024InjectiveExchangeRpc\312\002\024InjectiveExchangeRpc\342\002 InjectiveExchangeRpc\\GPBMetadata\352\002\024InjectiveExchangeRpc' _globals['_GETTXREQUEST']._serialized_start=65 - _globals['_GETTXREQUEST']._serialized_end=93 - _globals['_GETTXRESPONSE']._serialized_start=96 - _globals['_GETTXRESPONSE']._serialized_end=242 - _globals['_PREPARETXREQUEST']._serialized_start=245 - _globals['_PREPARETXREQUEST']._serialized_end=425 - _globals['_COSMOSTXFEE']._serialized_start=427 - _globals['_COSMOSTXFEE']._serialized_end=526 - _globals['_COSMOSCOIN']._serialized_start=528 - _globals['_COSMOSCOIN']._serialized_end=571 - _globals['_PREPARETXRESPONSE']._serialized_start=574 - _globals['_PREPARETXRESPONSE']._serialized_end=708 - _globals['_BROADCASTTXREQUEST']._serialized_start=711 - _globals['_BROADCASTTXREQUEST']._serialized_end=905 - _globals['_COSMOSPUBKEY']._serialized_start=907 - _globals['_COSMOSPUBKEY']._serialized_end=948 - _globals['_BROADCASTTXRESPONSE']._serialized_start=951 - _globals['_BROADCASTTXRESPONSE']._serialized_end=1103 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1106 - _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1274 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1277 - _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=1462 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=1465 - _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=1601 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=1604 - _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=1762 - _globals['_GETFEEPAYERREQUEST']._serialized_start=1764 - _globals['_GETFEEPAYERREQUEST']._serialized_end=1784 - _globals['_GETFEEPAYERRESPONSE']._serialized_start=1786 - _globals['_GETFEEPAYERRESPONSE']._serialized_end=1891 - _globals['_INJECTIVEEXCHANGERPC']._serialized_start=1894 - _globals['_INJECTIVEEXCHANGERPC']._serialized_end=2546 + _globals['_GETTXREQUEST']._serialized_end=99 + _globals['_GETTXRESPONSE']._serialized_start=102 + _globals['_GETTXRESPONSE']._serialized_end=313 + _globals['_PREPARETXREQUEST']._serialized_start=316 + _globals['_PREPARETXREQUEST']._serialized_end=601 + _globals['_COSMOSTXFEE']._serialized_start=603 + _globals['_COSMOSTXFEE']._serialized_end=727 + _globals['_COSMOSCOIN']._serialized_start=729 + _globals['_COSMOSCOIN']._serialized_end=787 + _globals['_PREPARETXRESPONSE']._serialized_start=790 + _globals['_PREPARETXRESPONSE']._serialized_end=985 + _globals['_BROADCASTTXREQUEST']._serialized_start=988 + _globals['_BROADCASTTXREQUEST']._serialized_end=1249 + _globals['_COSMOSPUBKEY']._serialized_start=1251 + _globals['_COSMOSPUBKEY']._serialized_end=1303 + _globals['_BROADCASTTXRESPONSE']._serialized_start=1306 + _globals['_BROADCASTTXRESPONSE']._serialized_end=1523 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_start=1526 + _globals['_PREPARECOSMOSTXREQUEST']._serialized_end=1750 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_start=1753 + _globals['_PREPARECOSMOSTXRESPONSE']._serialized_end=2003 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_start=2006 + _globals['_BROADCASTCOSMOSTXREQUEST']._serialized_end=2180 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_start=2183 + _globals['_BROADCASTCOSMOSTXRESPONSE']._serialized_end=2406 + _globals['_GETFEEPAYERREQUEST']._serialized_start=2408 + _globals['_GETFEEPAYERREQUEST']._serialized_end=2428 + _globals['_GETFEEPAYERRESPONSE']._serialized_start=2431 + _globals['_GETFEEPAYERRESPONSE']._serialized_end=2562 + _globals['_INJECTIVEEXCHANGERPC']._serialized_start=2565 + _globals['_INJECTIVEEXCHANGERPC']._serialized_end=3217 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py index d78d4f45..85d828f5 100644 --- a/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_explorer_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_explorer_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_explorer_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,166 +24,166 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xdf\x01\n\x14GetAccountTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x0c\n\x04type\x18\x06 \x01(\t\x12\x0e\n\x06module\x18\x07 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x08 \x01(\x12\x12\x11\n\tto_number\x18\t \x01(\x12\x12\x12\n\nstart_time\x18\n \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x0b \x01(\x12\x12\x0e\n\x06status\x18\x0c \x01(\t\"{\n\x15GetAccountTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\xe7\x03\n\x0cTxDetailData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x0c\n\x04\x63ode\x18\x05 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x0c\n\x04info\x18\x08 \x01(\t\x12\x12\n\ngas_wanted\x18\t \x01(\x12\x12\x10\n\x08gas_used\x18\n \x01(\x12\x12/\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFee\x12\x11\n\tcodespace\x18\x0c \x01(\t\x12-\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.Event\x12\x0f\n\x07tx_type\x18\x0e \x01(\t\x12\x10\n\x08messages\x18\x0f \x01(\x0c\x12\x35\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.Signature\x12\x0c\n\x04memo\x18\x11 \x01(\t\x12\x11\n\ttx_number\x18\x12 \x01(\x04\x12\x1c\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04\x12\x11\n\terror_log\x18\x14 \x01(\t\x12\x0c\n\x04logs\x18\x15 \x01(\x0c\x12\x11\n\tclaim_ids\x18\x16 \x03(\x12\"o\n\x06GasFee\x12\x32\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoin\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\r\n\x05payer\x18\x03 \x01(\t\x12\x0f\n\x07granter\x18\x04 \x01(\t\"+\n\nCosmosCoin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8b\x01\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x41\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntry\x1a\x31\n\x0f\x41ttributesEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"Q\n\tSignature\x12\x0e\n\x06pubkey\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\tsignature\x18\x04 \x01(\t\"m\n\x15GetContractTxsRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\x13\n\x0b\x66rom_number\x18\x04 \x01(\x12\x12\x11\n\tto_number\x18\x05 \x01(\x12\"|\n\x16GetContractTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"r\n\x17GetContractTxsV2Request\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x0e\n\x06height\x18\x02 \x01(\x04\x12\x0c\n\x04\x66rom\x18\x03 \x01(\x12\x12\n\n\x02to\x18\x04 \x01(\x12\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\r\n\x05token\x18\x06 \x01(\t\"\\\n\x18GetContractTxsV2Response\x12\x0c\n\x04next\x18\x01 \x03(\t\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x10GetBlocksRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04\x66rom\x18\x04 \x01(\x04\x12\n\n\x02to\x18\x05 \x01(\x04\"t\n\x11GetBlocksResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12/\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfo\"\xd4\x01\n\tBlockInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t\"\xc0\x01\n\tTxDataRPC\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x1d\n\x0fGetBlockRequest\x12\n\n\x02id\x18\x01 \x01(\t\"d\n\x10GetBlockResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfo\"\xea\x01\n\x0f\x42lockDetailInfo\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12\x11\n\ttotal_txs\x18\x08 \x01(\x12\x12+\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\x12\x11\n\ttimestamp\x18\n \x01(\t\"\xe1\x01\n\x06TxData\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\x0c\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x14\n\x0ctx_msg_types\x18\n \x01(\x0c\x12\x0c\n\x04logs\x18\x0b \x01(\x0c\x12\x11\n\tclaim_ids\x18\x0c \x03(\x12\"\x16\n\x14GetValidatorsRequest\"c\n\x15GetValidatorsResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.Validator\"\x83\x05\n\tValidator\x12\n\n\x02id\x18\x01 \x01(\t\x12\x0f\n\x07moniker\x18\x02 \x01(\t\x12\x18\n\x10operator_address\x18\x03 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x04 \x01(\t\x12\x0e\n\x06jailed\x18\x05 \x01(\x08\x12\x0e\n\x06status\x18\x06 \x01(\x11\x12\x0e\n\x06tokens\x18\x07 \x01(\t\x12\x18\n\x10\x64\x65legator_shares\x18\x08 \x01(\t\x12\x41\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescription\x12\x18\n\x10unbonding_height\x18\n \x01(\x12\x12\x16\n\x0eunbonding_time\x18\x0b \x01(\t\x12\x17\n\x0f\x63ommission_rate\x18\x0c \x01(\t\x12\x1b\n\x13\x63ommission_max_rate\x18\r \x01(\t\x12\"\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\t\x12\x1e\n\x16\x63ommission_update_time\x18\x0f \x01(\t\x12\x10\n\x08proposed\x18\x10 \x01(\x04\x12\x0e\n\x06signed\x18\x11 \x01(\x04\x12\x0e\n\x06missed\x18\x12 \x01(\x04\x12\x11\n\ttimestamp\x18\x13 \x01(\t\x12\x38\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\x12>\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEvent\x12\x19\n\x11uptime_percentage\x18\x16 \x01(\x01\x12\x11\n\timage_url\x18\x17 \x01(\t\"\x88\x01\n\x14ValidatorDescription\x12\x0f\n\x07moniker\x18\x01 \x01(\t\x12\x10\n\x08identity\x18\x02 \x01(\t\x12\x0f\n\x07website\x18\x03 \x01(\t\x12\x18\n\x10security_contact\x18\x04 \x01(\t\x12\x0f\n\x07\x64\x65tails\x18\x05 \x01(\t\x12\x11\n\timage_url\x18\x06 \x01(\t\"7\n\x0fValidatorUptime\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\"\x95\x01\n\rSlashingEvent\x12\x14\n\x0c\x62lock_number\x18\x01 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x02 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x03 \x01(\t\x12\r\n\x05power\x18\x04 \x01(\x04\x12\x0e\n\x06reason\x18\x05 \x01(\t\x12\x0e\n\x06jailed\x18\x06 \x01(\t\x12\x15\n\rmissed_blocks\x18\x07 \x01(\x04\"&\n\x13GetValidatorRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x14GetValidatorResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12/\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.Validator\",\n\x19GetValidatorUptimeRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"n\n\x1aGetValidatorUptimeResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptime\"\xc7\x01\n\rGetTxsRequest\x12\x0e\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04\x12\r\n\x05\x61\x66ter\x18\x02 \x01(\x04\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\x0c\n\x04type\x18\x05 \x01(\t\x12\x0e\n\x06module\x18\x06 \x01(\t\x12\x13\n\x0b\x66rom_number\x18\x07 \x01(\x12\x12\x11\n\tto_number\x18\x08 \x01(\x12\x12\x12\n\nstart_time\x18\t \x01(\x12\x12\x10\n\x08\x65nd_time\x18\n \x01(\x12\x12\x0e\n\x06status\x18\x0b \x01(\t\"n\n\x0eGetTxsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12,\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxData\"$\n\x14GetTxByTxHashRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"f\n\x15GetTxByTxHashResponse\x12\t\n\x01s\x18\x01 \x01(\t\x12\x0e\n\x06\x65rrmsg\x18\x02 \x01(\t\x12\x32\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailData\"Z\n\x19GetPeggyDepositTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"S\n\x1aGetPeggyDepositTxsResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTx\"\xf8\x01\n\x0ePeggyDepositTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\x03 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x04 \x01(\x04\x12\x0e\n\x06\x61mount\x18\x05 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x06 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x07 \x01(\t\x12\r\n\x05state\x18\x08 \x01(\t\x12\x12\n\nclaim_type\x18\t \x01(\x11\x12\x11\n\ttx_hashes\x18\n \x03(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\t\"]\n\x1cGetPeggyWithdrawalTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\x12\x0c\n\x04skip\x18\x04 \x01(\x04\"Y\n\x1dGetPeggyWithdrawalTxsResponse\x12\x38\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTx\"\xd3\x02\n\x11PeggyWithdrawalTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x04 \x01(\t\x12\x12\n\nbridge_fee\x18\x05 \x01(\t\x12\x16\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x07 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\x12\x13\n\x0b\x65vent_nonce\x18\n \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x0b \x01(\x04\x12\r\n\x05state\x18\x0c \x01(\t\x12\x12\n\nclaim_type\x18\r \x01(\x11\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"\xa9\x01\n\x18GetIBCTransferTxsRequest\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsrc_channel\x18\x03 \x01(\t\x12\x10\n\x08src_port\x18\x04 \x01(\t\x12\x14\n\x0c\x64\x65st_channel\x18\x05 \x01(\t\x12\x11\n\tdest_port\x18\x06 \x01(\t\x12\r\n\x05limit\x18\x07 \x01(\x11\x12\x0c\n\x04skip\x18\x08 \x01(\x04\"Q\n\x19GetIBCTransferTxsResponse\x12\x34\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTx\"\xdc\x02\n\rIBCTransferTx\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08receiver\x18\x02 \x01(\t\x12\x13\n\x0bsource_port\x18\x03 \x01(\t\x12\x16\n\x0esource_channel\x18\x04 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x05 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x06 \x01(\t\x12\x0e\n\x06\x61mount\x18\x07 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x08 \x01(\t\x12\x16\n\x0etimeout_height\x18\t \x01(\t\x12\x19\n\x11timeout_timestamp\x18\n \x01(\x04\x12\x17\n\x0fpacket_sequence\x18\x0b \x01(\x04\x12\x10\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0c\x12\r\n\x05state\x18\r \x01(\t\x12\x11\n\ttx_hashes\x18\x0e \x03(\t\x12\x12\n\ncreated_at\x18\x0f \x01(\t\x12\x12\n\nupdated_at\x18\x10 \x01(\t\"L\n\x13GetWasmCodesRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x02 \x01(\x12\x12\x11\n\tto_number\x18\x03 \x01(\x12\"v\n\x14GetWasmCodesResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12.\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCode\"\xd5\x02\n\x08WasmCode\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"+\n\x08\x43hecksum\x12\x11\n\talgorithm\x18\x01 \x01(\t\x12\x0c\n\x04hash\x18\x02 \x01(\t\":\n\x12\x43ontractPermission\x12\x13\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\")\n\x16GetWasmCodeByIDRequest\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x12\"\xe4\x02\n\x17GetWasmCodeByIDResponse\x12\x0f\n\x07\x63ode_id\x18\x01 \x01(\x04\x12\x0f\n\x07tx_hash\x18\x02 \x01(\t\x12\x32\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.Checksum\x12\x12\n\ncreated_at\x18\x04 \x01(\x04\x12\x15\n\rcontract_type\x18\x05 \x01(\t\x12\x0f\n\x07version\x18\x06 \x01(\t\x12>\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermission\x12\x13\n\x0b\x63ode_schema\x18\x08 \x01(\t\x12\x11\n\tcode_view\x18\t \x01(\t\x12\x14\n\x0cinstantiates\x18\n \x01(\x04\x12\x0f\n\x07\x63reator\x18\x0b \x01(\t\x12\x13\n\x0b\x63ode_number\x18\x0c \x01(\x12\x12\x13\n\x0bproposal_id\x18\r \x01(\x12\"\x93\x01\n\x17GetWasmContractsRequest\x12\r\n\x05limit\x18\x01 \x01(\x11\x12\x0f\n\x07\x63ode_id\x18\x02 \x01(\x12\x12\x13\n\x0b\x66rom_number\x18\x03 \x01(\x12\x12\x11\n\tto_number\x18\x04 \x01(\x12\x12\x13\n\x0b\x61ssets_only\x18\x05 \x01(\x08\x12\x0c\n\x04skip\x18\x06 \x01(\x12\x12\r\n\x05label\x18\x07 \x01(\t\"~\n\x18GetWasmContractsResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContract\"\xab\x03\n\x0cWasmContract\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"-\n\x0c\x43ontractFund\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x8c\x01\n\x0c\x43w20Metadata\x12\x39\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfo\x12\x41\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfo\"U\n\rCw20TokenInfo\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12\x12\x14\n\x0ctotal_supply\x18\x04 \x01(\t\"Z\n\x11\x43w20MarketingInfo\x12\x0f\n\x07project\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04logo\x18\x03 \x01(\t\x12\x11\n\tmarketing\x18\x04 \x01(\x0c\";\n\x1fGetWasmContractByAddressRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"\xbf\x03\n GetWasmContractByAddressResponse\x12\r\n\x05label\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0f\n\x07tx_hash\x18\x03 \x01(\t\x12\x0f\n\x07\x63reator\x18\x04 \x01(\t\x12\x10\n\x08\x65xecutes\x18\x05 \x01(\x04\x12\x17\n\x0finstantiated_at\x18\x06 \x01(\x04\x12\x14\n\x0cinit_message\x18\x07 \x01(\t\x12\x18\n\x10last_executed_at\x18\x08 \x01(\x04\x12\x33\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFund\x12\x0f\n\x07\x63ode_id\x18\n \x01(\x04\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x1f\n\x17\x63urrent_migrate_message\x18\x0c \x01(\t\x12\x17\n\x0f\x63ontract_number\x18\r \x01(\x12\x12\x0f\n\x07version\x18\x0e \x01(\t\x12\x0c\n\x04type\x18\x0f \x01(\t\x12;\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\x12\x13\n\x0bproposal_id\x18\x11 \x01(\x12\"7\n\x15GetCw20BalanceRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x11\"P\n\x16GetCw20BalanceResponse\x12\x36\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20Balance\"\x9e\x01\n\x0fWasmCw20Balance\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x63\x63ount\x18\x02 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x03 \x01(\t\x12\x12\n\nupdated_at\x18\x04 \x01(\x12\x12;\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20Metadata\"&\n\x0fRelayersRequest\x12\x13\n\x0bmarket_i_ds\x18\x01 \x03(\t\"I\n\x10RelayersResponse\x12\x35\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarkets\"V\n\x0eRelayerMarkets\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x31\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.Relayer\"$\n\x07Relayer\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0b\n\x03\x63ta\x18\x02 \x01(\t\"\xd6\x01\n\x17GetBankTransfersRequest\x12\x0f\n\x07senders\x18\x01 \x03(\t\x12\x12\n\nrecipients\x18\x02 \x03(\t\x12!\n\x19is_community_pool_related\x18\x03 \x01(\x08\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x0f\n\x07\x61\x64\x64ress\x18\x08 \x03(\t\x12\x10\n\x08per_page\x18\t \x01(\x11\x12\r\n\x05token\x18\n \x01(\t\"~\n\x18GetBankTransfersResponse\x12.\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.Paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransfer\"\x8f\x01\n\x0c\x42\x61nkTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\trecipient\x18\x02 \x01(\t\x12-\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.Coin\x12\x14\n\x0c\x62lock_number\x18\x04 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x05 \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"\x12\n\x10StreamTxsRequest\"\xc8\x01\n\x11StreamTxsResponse\x12\n\n\x02id\x18\x01 \x01(\t\x12\x14\n\x0c\x62lock_number\x18\x02 \x01(\x04\x12\x17\n\x0f\x62lock_timestamp\x18\x03 \x01(\t\x12\x0c\n\x04hash\x18\x04 \x01(\t\x12\x11\n\tcodespace\x18\x05 \x01(\t\x12\x10\n\x08messages\x18\x06 \x01(\t\x12\x11\n\ttx_number\x18\x07 \x01(\x04\x12\x11\n\terror_log\x18\x08 \x01(\t\x12\x0c\n\x04\x63ode\x18\t \x01(\r\x12\x11\n\tclaim_ids\x18\n \x03(\x12\"\x15\n\x13StreamBlocksRequest\"\xdf\x01\n\x14StreamBlocksResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x10\n\x08proposer\x18\x02 \x01(\t\x12\x0f\n\x07moniker\x18\x03 \x01(\t\x12\x12\n\nblock_hash\x18\x04 \x01(\t\x12\x13\n\x0bparent_hash\x18\x05 \x01(\t\x12\x17\n\x0fnum_pre_commits\x18\x06 \x01(\x12\x12\x0f\n\x07num_txs\x18\x07 \x01(\x12\x12.\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPC\x12\x11\n\ttimestamp\x18\t \x01(\t2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\x1bZ\x19/injective_explorer_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_explorer_rpc.proto\x12\x16injective_explorer_rpc\"\xc4\x02\n\x14GetAccountTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06\x62\x65\x66ore\x18\x02 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x03 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x06 \x01(\tR\x04type\x12\x16\n\x06module\x18\x07 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x08 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\t \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\n \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x0b \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0c \x01(\tR\x06status\"\x89\x01\n\x15GetAccountTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xab\x05\n\x0cTxDetailData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x12\n\x04\x63ode\x18\x05 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04info\x18\x08 \x01(\tR\x04info\x12\x1d\n\ngas_wanted\x18\t \x01(\x12R\tgasWanted\x12\x19\n\x08gas_used\x18\n \x01(\x12R\x07gasUsed\x12\x37\n\x07gas_fee\x18\x0b \x01(\x0b\x32\x1e.injective_explorer_rpc.GasFeeR\x06gasFee\x12\x1c\n\tcodespace\x18\x0c \x01(\tR\tcodespace\x12\x35\n\x06\x65vents\x18\r \x03(\x0b\x32\x1d.injective_explorer_rpc.EventR\x06\x65vents\x12\x17\n\x07tx_type\x18\x0e \x01(\tR\x06txType\x12\x1a\n\x08messages\x18\x0f \x01(\x0cR\x08messages\x12\x41\n\nsignatures\x18\x10 \x03(\x0b\x32!.injective_explorer_rpc.SignatureR\nsignatures\x12\x12\n\x04memo\x18\x11 \x01(\tR\x04memo\x12\x1b\n\ttx_number\x18\x12 \x01(\x04R\x08txNumber\x12\x30\n\x14\x62lock_unix_timestamp\x18\x13 \x01(\x04R\x12\x62lockUnixTimestamp\x12\x1b\n\terror_log\x18\x14 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04logs\x18\x15 \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x16 \x03(\x12R\x08\x63laimIds\"\x91\x01\n\x06GasFee\x12:\n\x06\x61mount\x18\x01 \x03(\x0b\x32\".injective_explorer_rpc.CosmosCoinR\x06\x61mount\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x14\n\x05payer\x18\x03 \x01(\tR\x05payer\x12\x18\n\x07granter\x18\x04 \x01(\tR\x07granter\":\n\nCosmosCoin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa9\x01\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12M\n\nattributes\x18\x02 \x03(\x0b\x32-.injective_explorer_rpc.Event.AttributesEntryR\nattributes\x1a=\n\x0f\x41ttributesEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"w\n\tSignature\x12\x16\n\x06pubkey\x18\x01 \x01(\tR\x06pubkey\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature\"\x99\x01\n\x15GetContractTxsRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x1f\n\x0b\x66rom_number\x18\x04 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x05 \x01(\x12R\x08toNumber\"\x8a\x01\n\x16GetContractTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"\x9b\x01\n\x17GetContractTxsV2Request\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06height\x18\x02 \x01(\x04R\x06height\x12\x12\n\x04\x66rom\x18\x03 \x01(\x12R\x04\x66rom\x12\x0e\n\x02to\x18\x04 \x01(\x12R\x02to\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x14\n\x05token\x18\x06 \x01(\tR\x05token\"h\n\x18GetContractTxsV2Response\x12\x12\n\x04next\x18\x01 \x03(\tR\x04next\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"z\n\x10GetBlocksRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04\x66rom\x18\x04 \x01(\x04R\x04\x66rom\x12\x0e\n\x02to\x18\x05 \x01(\x04R\x02to\"\x82\x01\n\x11GetBlocksResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32!.injective_explorer_rpc.BlockInfoR\x04\x64\x61ta\"\xad\x02\n\tBlockInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp\"\xa0\x02\n\tTxDataRPC\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"!\n\x0fGetBlockRequest\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\"u\n\x10GetBlockResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32\'.injective_explorer_rpc.BlockDetailInfoR\x04\x64\x61ta\"\xcd\x02\n\x0f\x42lockDetailInfo\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x1b\n\ttotal_txs\x18\x08 \x01(\x12R\x08totalTxs\x12\x30\n\x03txs\x18\t \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x03txs\x12\x1c\n\ttimestamp\x18\n \x01(\tR\ttimestamp\"\xd3\x02\n\x06TxData\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\x0cR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12 \n\x0ctx_msg_types\x18\n \x01(\x0cR\ntxMsgTypes\x12\x12\n\x04logs\x18\x0b \x01(\x0cR\x04logs\x12\x1b\n\tclaim_ids\x18\x0c \x03(\x12R\x08\x63laimIds\"\x16\n\x14GetValidatorsRequest\"t\n\x15GetValidatorsResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"\xb5\x07\n\tValidator\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12\x18\n\x07moniker\x18\x02 \x01(\tR\x07moniker\x12)\n\x10operator_address\x18\x03 \x01(\tR\x0foperatorAddress\x12+\n\x11\x63onsensus_address\x18\x04 \x01(\tR\x10\x63onsensusAddress\x12\x16\n\x06jailed\x18\x05 \x01(\x08R\x06jailed\x12\x16\n\x06status\x18\x06 \x01(\x11R\x06status\x12\x16\n\x06tokens\x18\x07 \x01(\tR\x06tokens\x12)\n\x10\x64\x65legator_shares\x18\x08 \x01(\tR\x0f\x64\x65legatorShares\x12N\n\x0b\x64\x65scription\x18\t \x01(\x0b\x32,.injective_explorer_rpc.ValidatorDescriptionR\x0b\x64\x65scription\x12)\n\x10unbonding_height\x18\n \x01(\x12R\x0funbondingHeight\x12%\n\x0eunbonding_time\x18\x0b \x01(\tR\runbondingTime\x12\'\n\x0f\x63ommission_rate\x18\x0c \x01(\tR\x0e\x63ommissionRate\x12.\n\x13\x63ommission_max_rate\x18\r \x01(\tR\x11\x63ommissionMaxRate\x12;\n\x1a\x63ommission_max_change_rate\x18\x0e \x01(\tR\x17\x63ommissionMaxChangeRate\x12\x34\n\x16\x63ommission_update_time\x18\x0f \x01(\tR\x14\x63ommissionUpdateTime\x12\x1a\n\x08proposed\x18\x10 \x01(\x04R\x08proposed\x12\x16\n\x06signed\x18\x11 \x01(\x04R\x06signed\x12\x16\n\x06missed\x18\x12 \x01(\x04R\x06missed\x12\x1c\n\ttimestamp\x18\x13 \x01(\tR\ttimestamp\x12\x41\n\x07uptimes\x18\x14 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x07uptimes\x12N\n\x0fslashing_events\x18\x15 \x03(\x0b\x32%.injective_explorer_rpc.SlashingEventR\x0eslashingEvents\x12+\n\x11uptime_percentage\x18\x16 \x01(\x01R\x10uptimePercentage\x12\x1b\n\timage_url\x18\x17 \x01(\tR\x08imageUrl\"\xc8\x01\n\x14ValidatorDescription\x12\x18\n\x07moniker\x18\x01 \x01(\tR\x07moniker\x12\x1a\n\x08identity\x18\x02 \x01(\tR\x08identity\x12\x18\n\x07website\x18\x03 \x01(\tR\x07website\x12)\n\x10security_contact\x18\x04 \x01(\tR\x0fsecurityContact\x12\x18\n\x07\x64\x65tails\x18\x05 \x01(\tR\x07\x64\x65tails\x12\x1b\n\timage_url\x18\x06 \x01(\tR\x08imageUrl\"L\n\x0fValidatorUptime\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\"\xe0\x01\n\rSlashingEvent\x12!\n\x0c\x62lock_number\x18\x01 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x02 \x01(\tR\x0e\x62lockTimestamp\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x04 \x01(\x04R\x05power\x12\x16\n\x06reason\x18\x05 \x01(\tR\x06reason\x12\x16\n\x06jailed\x18\x06 \x01(\tR\x06jailed\x12#\n\rmissed_blocks\x18\x07 \x01(\x04R\x0cmissedBlocks\"/\n\x13GetValidatorRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"s\n\x14GetValidatorResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x35\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32!.injective_explorer_rpc.ValidatorR\x04\x64\x61ta\"5\n\x19GetValidatorUptimeRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x7f\n\x1aGetValidatorUptimeResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12;\n\x04\x64\x61ta\x18\x03 \x03(\x0b\x32\'.injective_explorer_rpc.ValidatorUptimeR\x04\x64\x61ta\"\xa3\x02\n\rGetTxsRequest\x12\x16\n\x06\x62\x65\x66ore\x18\x01 \x01(\x04R\x06\x62\x65\x66ore\x12\x14\n\x05\x61\x66ter\x18\x02 \x01(\x04R\x05\x61\x66ter\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x12\n\x04type\x18\x05 \x01(\tR\x04type\x12\x16\n\x06module\x18\x06 \x01(\tR\x06module\x12\x1f\n\x0b\x66rom_number\x18\x07 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x08 \x01(\x12R\x08toNumber\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\x12\x16\n\x06status\x18\x0b \x01(\tR\x06status\"|\n\x0eGetTxsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x32\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\x1e.injective_explorer_rpc.TxDataR\x04\x64\x61ta\"*\n\x14GetTxByTxHashRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"w\n\x15GetTxByTxHashResponse\x12\x0c\n\x01s\x18\x01 \x01(\tR\x01s\x12\x16\n\x06\x65rrmsg\x18\x02 \x01(\tR\x06\x65rrmsg\x12\x38\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32$.injective_explorer_rpc.TxDetailDataR\x04\x64\x61ta\"y\n\x19GetPeggyDepositTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"Z\n\x1aGetPeggyDepositTxsResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.PeggyDepositTxR\x05\x66ield\"\xf9\x02\n\x0ePeggyDepositTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0b\x65vent_nonce\x18\x03 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x04 \x01(\x04R\x0b\x65ventHeight\x12\x16\n\x06\x61mount\x18\x05 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x06 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x07 \x01(\tR\x13orchestratorAddress\x12\x14\n\x05state\x18\x08 \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\t \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\n \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0b \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\tR\tupdatedAt\"|\n\x1cGetPeggyWithdrawalTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\"`\n\x1dGetPeggyWithdrawalTxsResponse\x12?\n\x05\x66ield\x18\x01 \x03(\x0b\x32).injective_explorer_rpc.PeggyWithdrawalTxR\x05\x66ield\"\x87\x04\n\x11PeggyWithdrawalTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x04 \x01(\tR\x05\x64\x65nom\x12\x1d\n\nbridge_fee\x18\x05 \x01(\tR\tbridgeFee\x12$\n\x0eoutgoing_tx_id\x18\x06 \x01(\x04R\x0coutgoingTxId\x12#\n\rbatch_timeout\x18\x07 \x01(\x04R\x0c\x62\x61tchTimeout\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x08 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x65vent_nonce\x18\n \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x0b \x01(\x04R\x0b\x65ventHeight\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\nclaim_type\x18\r \x01(\x11R\tclaimType\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"\xf4\x01\n\x18GetIBCTransferTxsRequest\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsrc_channel\x18\x03 \x01(\tR\nsrcChannel\x12\x19\n\x08src_port\x18\x04 \x01(\tR\x07srcPort\x12!\n\x0c\x64\x65st_channel\x18\x05 \x01(\tR\x0b\x64\x65stChannel\x12\x1b\n\tdest_port\x18\x06 \x01(\tR\x08\x64\x65stPort\x12\x14\n\x05limit\x18\x07 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x08 \x01(\x04R\x04skip\"X\n\x19GetIBCTransferTxsResponse\x12;\n\x05\x66ield\x18\x01 \x03(\x0b\x32%.injective_explorer_rpc.IBCTransferTxR\x05\x66ield\"\x9e\x04\n\rIBCTransferTx\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x02 \x01(\tR\x08receiver\x12\x1f\n\x0bsource_port\x18\x03 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x04 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x05 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x06 \x01(\tR\x12\x64\x65stinationChannel\x12\x16\n\x06\x61mount\x18\x07 \x01(\tR\x06\x61mount\x12\x14\n\x05\x64\x65nom\x18\x08 \x01(\tR\x05\x64\x65nom\x12%\n\x0etimeout_height\x18\t \x01(\tR\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\n \x01(\x04R\x10timeoutTimestamp\x12\'\n\x0fpacket_sequence\x18\x0b \x01(\x04R\x0epacketSequence\x12\x19\n\x08\x64\x61ta_hex\x18\x0c \x01(\x0cR\x07\x64\x61taHex\x12\x14\n\x05state\x18\r \x01(\tR\x05state\x12\x1b\n\ttx_hashes\x18\x0e \x03(\tR\x08txHashes\x12\x1d\n\ncreated_at\x18\x0f \x01(\tR\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\tR\tupdatedAt\"i\n\x13GetWasmCodesRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x02 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x03 \x01(\x12R\x08toNumber\"\x84\x01\n\x14GetWasmCodesResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x34\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32 .injective_explorer_rpc.WasmCodeR\x04\x64\x61ta\"\xe2\x03\n\x08WasmCode\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"<\n\x08\x43hecksum\x12\x1c\n\talgorithm\x18\x01 \x01(\tR\talgorithm\x12\x12\n\x04hash\x18\x02 \x01(\tR\x04hash\"O\n\x12\x43ontractPermission\x12\x1f\n\x0b\x61\x63\x63\x65ss_type\x18\x01 \x01(\x11R\naccessType\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x16GetWasmCodeByIDRequest\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x12R\x06\x63odeId\"\xf1\x03\n\x17GetWasmCodeByIDResponse\x12\x17\n\x07\x63ode_id\x18\x01 \x01(\x04R\x06\x63odeId\x12\x17\n\x07tx_hash\x18\x02 \x01(\tR\x06txHash\x12<\n\x08\x63hecksum\x18\x03 \x01(\x0b\x32 .injective_explorer_rpc.ChecksumR\x08\x63hecksum\x12\x1d\n\ncreated_at\x18\x04 \x01(\x04R\tcreatedAt\x12#\n\rcontract_type\x18\x05 \x01(\tR\x0c\x63ontractType\x12\x18\n\x07version\x18\x06 \x01(\tR\x07version\x12J\n\npermission\x18\x07 \x01(\x0b\x32*.injective_explorer_rpc.ContractPermissionR\npermission\x12\x1f\n\x0b\x63ode_schema\x18\x08 \x01(\tR\ncodeSchema\x12\x1b\n\tcode_view\x18\t \x01(\tR\x08\x63odeView\x12\"\n\x0cinstantiates\x18\n \x01(\x04R\x0cinstantiates\x12\x18\n\x07\x63reator\x18\x0b \x01(\tR\x07\x63reator\x12\x1f\n\x0b\x63ode_number\x18\x0c \x01(\x12R\ncodeNumber\x12\x1f\n\x0bproposal_id\x18\r \x01(\x12R\nproposalId\"\xd1\x01\n\x17GetWasmContractsRequest\x12\x14\n\x05limit\x18\x01 \x01(\x11R\x05limit\x12\x17\n\x07\x63ode_id\x18\x02 \x01(\x12R\x06\x63odeId\x12\x1f\n\x0b\x66rom_number\x18\x03 \x01(\x12R\nfromNumber\x12\x1b\n\tto_number\x18\x04 \x01(\x12R\x08toNumber\x12\x1f\n\x0b\x61ssets_only\x18\x05 \x01(\x08R\nassetsOnly\x12\x12\n\x04skip\x18\x06 \x01(\x12R\x04skip\x12\x14\n\x05label\x18\x07 \x01(\tR\x05label\"\x8c\x01\n\x18GetWasmContractsResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.WasmContractR\x04\x64\x61ta\"\xe9\x04\n\x0cWasmContract\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"<\n\x0c\x43ontractFund\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xa6\x01\n\x0c\x43w20Metadata\x12\x44\n\ntoken_info\x18\x01 \x01(\x0b\x32%.injective_explorer_rpc.Cw20TokenInfoR\ttokenInfo\x12P\n\x0emarketing_info\x18\x02 \x01(\x0b\x32).injective_explorer_rpc.Cw20MarketingInfoR\rmarketingInfo\"z\n\rCw20TokenInfo\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x03 \x01(\x12R\x08\x64\x65\x63imals\x12!\n\x0ctotal_supply\x18\x04 \x01(\tR\x0btotalSupply\"\x81\x01\n\x11\x43w20MarketingInfo\x12\x18\n\x07project\x18\x01 \x01(\tR\x07project\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04logo\x18\x03 \x01(\tR\x04logo\x12\x1c\n\tmarketing\x18\x04 \x01(\x0cR\tmarketing\"L\n\x1fGetWasmContractByAddressRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"\xfd\x04\n GetWasmContractByAddressResponse\x12\x14\n\x05label\x18\x01 \x01(\tR\x05label\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x17\n\x07tx_hash\x18\x03 \x01(\tR\x06txHash\x12\x18\n\x07\x63reator\x18\x04 \x01(\tR\x07\x63reator\x12\x1a\n\x08\x65xecutes\x18\x05 \x01(\x04R\x08\x65xecutes\x12\'\n\x0finstantiated_at\x18\x06 \x01(\x04R\x0einstantiatedAt\x12!\n\x0cinit_message\x18\x07 \x01(\tR\x0binitMessage\x12(\n\x10last_executed_at\x18\x08 \x01(\x04R\x0elastExecutedAt\x12:\n\x05\x66unds\x18\t \x03(\x0b\x32$.injective_explorer_rpc.ContractFundR\x05\x66unds\x12\x17\n\x07\x63ode_id\x18\n \x01(\x04R\x06\x63odeId\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x36\n\x17\x63urrent_migrate_message\x18\x0c \x01(\tR\x15\x63urrentMigrateMessage\x12\'\n\x0f\x63ontract_number\x18\r \x01(\x12R\x0e\x63ontractNumber\x12\x18\n\x07version\x18\x0e \x01(\tR\x07version\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12I\n\rcw20_metadata\x18\x10 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\x12\x1f\n\x0bproposal_id\x18\x11 \x01(\x12R\nproposalId\"G\n\x15GetCw20BalanceRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\"W\n\x16GetCw20BalanceResponse\x12=\n\x05\x66ield\x18\x01 \x03(\x0b\x32\'.injective_explorer_rpc.WasmCw20BalanceR\x05\x66ield\"\xda\x01\n\x0fWasmCw20Balance\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x18\n\x07\x61\x63\x63ount\x18\x02 \x01(\tR\x07\x61\x63\x63ount\x12\x18\n\x07\x62\x61lance\x18\x03 \x01(\tR\x07\x62\x61lance\x12\x1d\n\nupdated_at\x18\x04 \x01(\x12R\tupdatedAt\x12I\n\rcw20_metadata\x18\x05 \x01(\x0b\x32$.injective_explorer_rpc.Cw20MetadataR\x0c\x63w20Metadata\"1\n\x0fRelayersRequest\x12\x1e\n\x0bmarket_i_ds\x18\x01 \x03(\tR\tmarketIDs\"P\n\x10RelayersResponse\x12<\n\x05\x66ield\x18\x01 \x03(\x0b\x32&.injective_explorer_rpc.RelayerMarketsR\x05\x66ield\"j\n\x0eRelayerMarkets\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12;\n\x08relayers\x18\x02 \x03(\x0b\x32\x1f.injective_explorer_rpc.RelayerR\x08relayers\"/\n\x07Relayer\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x10\n\x03\x63ta\x18\x02 \x01(\tR\x03\x63ta\"\xbd\x02\n\x17GetBankTransfersRequest\x12\x18\n\x07senders\x18\x01 \x03(\tR\x07senders\x12\x1e\n\nrecipients\x18\x02 \x03(\tR\nrecipients\x12\x39\n\x19is_community_pool_related\x18\x03 \x01(\x08R\x16isCommunityPoolRelated\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x18\n\x07\x61\x64\x64ress\x18\x08 \x03(\tR\x07\x61\x64\x64ress\x12\x19\n\x08per_page\x18\t \x01(\x11R\x07perPage\x12\x14\n\x05token\x18\n \x01(\tR\x05token\"\x8c\x01\n\x18GetBankTransfersResponse\x12\x36\n\x06paging\x18\x01 \x01(\x0b\x32\x1e.injective_explorer_rpc.PagingR\x06paging\x12\x38\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32$.injective_explorer_rpc.BankTransferR\x04\x64\x61ta\"\xc8\x01\n\x0c\x42\x61nkTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1c\n\trecipient\x18\x02 \x01(\tR\trecipient\x12\x36\n\x07\x61mounts\x18\x03 \x03(\x0b\x32\x1c.injective_explorer_rpc.CoinR\x07\x61mounts\x12!\n\x0c\x62lock_number\x18\x04 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x05 \x01(\tR\x0e\x62lockTimestamp\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x12\n\x10StreamTxsRequest\"\xa8\x02\n\x11StreamTxsResponse\x12\x0e\n\x02id\x18\x01 \x01(\tR\x02id\x12!\n\x0c\x62lock_number\x18\x02 \x01(\x04R\x0b\x62lockNumber\x12\'\n\x0f\x62lock_timestamp\x18\x03 \x01(\tR\x0e\x62lockTimestamp\x12\x12\n\x04hash\x18\x04 \x01(\tR\x04hash\x12\x1c\n\tcodespace\x18\x05 \x01(\tR\tcodespace\x12\x1a\n\x08messages\x18\x06 \x01(\tR\x08messages\x12\x1b\n\ttx_number\x18\x07 \x01(\x04R\x08txNumber\x12\x1b\n\terror_log\x18\x08 \x01(\tR\x08\x65rrorLog\x12\x12\n\x04\x63ode\x18\t \x01(\rR\x04\x63ode\x12\x1b\n\tclaim_ids\x18\n \x03(\x12R\x08\x63laimIds\"\x15\n\x13StreamBlocksRequest\"\xb8\x02\n\x14StreamBlocksResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1a\n\x08proposer\x18\x02 \x01(\tR\x08proposer\x12\x18\n\x07moniker\x18\x03 \x01(\tR\x07moniker\x12\x1d\n\nblock_hash\x18\x04 \x01(\tR\tblockHash\x12\x1f\n\x0bparent_hash\x18\x05 \x01(\tR\nparentHash\x12&\n\x0fnum_pre_commits\x18\x06 \x01(\x12R\rnumPreCommits\x12\x17\n\x07num_txs\x18\x07 \x01(\x12R\x06numTxs\x12\x33\n\x03txs\x18\x08 \x03(\x0b\x32!.injective_explorer_rpc.TxDataRPCR\x03txs\x12\x1c\n\ttimestamp\x18\t \x01(\tR\ttimestamp2\xc6\x13\n\x14InjectiveExplorerRPC\x12l\n\rGetAccountTxs\x12,.injective_explorer_rpc.GetAccountTxsRequest\x1a-.injective_explorer_rpc.GetAccountTxsResponse\x12o\n\x0eGetContractTxs\x12-.injective_explorer_rpc.GetContractTxsRequest\x1a..injective_explorer_rpc.GetContractTxsResponse\x12u\n\x10GetContractTxsV2\x12/.injective_explorer_rpc.GetContractTxsV2Request\x1a\x30.injective_explorer_rpc.GetContractTxsV2Response\x12`\n\tGetBlocks\x12(.injective_explorer_rpc.GetBlocksRequest\x1a).injective_explorer_rpc.GetBlocksResponse\x12]\n\x08GetBlock\x12\'.injective_explorer_rpc.GetBlockRequest\x1a(.injective_explorer_rpc.GetBlockResponse\x12l\n\rGetValidators\x12,.injective_explorer_rpc.GetValidatorsRequest\x1a-.injective_explorer_rpc.GetValidatorsResponse\x12i\n\x0cGetValidator\x12+.injective_explorer_rpc.GetValidatorRequest\x1a,.injective_explorer_rpc.GetValidatorResponse\x12{\n\x12GetValidatorUptime\x12\x31.injective_explorer_rpc.GetValidatorUptimeRequest\x1a\x32.injective_explorer_rpc.GetValidatorUptimeResponse\x12W\n\x06GetTxs\x12%.injective_explorer_rpc.GetTxsRequest\x1a&.injective_explorer_rpc.GetTxsResponse\x12l\n\rGetTxByTxHash\x12,.injective_explorer_rpc.GetTxByTxHashRequest\x1a-.injective_explorer_rpc.GetTxByTxHashResponse\x12{\n\x12GetPeggyDepositTxs\x12\x31.injective_explorer_rpc.GetPeggyDepositTxsRequest\x1a\x32.injective_explorer_rpc.GetPeggyDepositTxsResponse\x12\x84\x01\n\x15GetPeggyWithdrawalTxs\x12\x34.injective_explorer_rpc.GetPeggyWithdrawalTxsRequest\x1a\x35.injective_explorer_rpc.GetPeggyWithdrawalTxsResponse\x12x\n\x11GetIBCTransferTxs\x12\x30.injective_explorer_rpc.GetIBCTransferTxsRequest\x1a\x31.injective_explorer_rpc.GetIBCTransferTxsResponse\x12i\n\x0cGetWasmCodes\x12+.injective_explorer_rpc.GetWasmCodesRequest\x1a,.injective_explorer_rpc.GetWasmCodesResponse\x12r\n\x0fGetWasmCodeByID\x12..injective_explorer_rpc.GetWasmCodeByIDRequest\x1a/.injective_explorer_rpc.GetWasmCodeByIDResponse\x12u\n\x10GetWasmContracts\x12/.injective_explorer_rpc.GetWasmContractsRequest\x1a\x30.injective_explorer_rpc.GetWasmContractsResponse\x12\x8d\x01\n\x18GetWasmContractByAddress\x12\x37.injective_explorer_rpc.GetWasmContractByAddressRequest\x1a\x38.injective_explorer_rpc.GetWasmContractByAddressResponse\x12o\n\x0eGetCw20Balance\x12-.injective_explorer_rpc.GetCw20BalanceRequest\x1a..injective_explorer_rpc.GetCw20BalanceResponse\x12]\n\x08Relayers\x12\'.injective_explorer_rpc.RelayersRequest\x1a(.injective_explorer_rpc.RelayersResponse\x12u\n\x10GetBankTransfers\x12/.injective_explorer_rpc.GetBankTransfersRequest\x1a\x30.injective_explorer_rpc.GetBankTransfersResponse\x12\x62\n\tStreamTxs\x12(.injective_explorer_rpc.StreamTxsRequest\x1a).injective_explorer_rpc.StreamTxsResponse0\x01\x12k\n\x0cStreamBlocks\x12+.injective_explorer_rpc.StreamBlocksRequest\x1a,.injective_explorer_rpc.StreamBlocksResponse0\x01\x42\xc2\x01\n\x1a\x63om.injective_explorer_rpcB\x19InjectiveExplorerRpcProtoP\x01Z\x19/injective_explorer_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveExplorerRpc\xca\x02\x14InjectiveExplorerRpc\xe2\x02 InjectiveExplorerRpc\\GPBMetadata\xea\x02\x14InjectiveExplorerRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_explorer_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\031/injective_explorer_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\032com.injective_explorer_rpcB\031InjectiveExplorerRpcProtoP\001Z\031/injective_explorer_rpcpb\242\002\003IXX\252\002\024InjectiveExplorerRpc\312\002\024InjectiveExplorerRpc\342\002 InjectiveExplorerRpc\\GPBMetadata\352\002\024InjectiveExplorerRpc' _globals['_EVENT_ATTRIBUTESENTRY']._loaded_options = None _globals['_EVENT_ATTRIBUTESENTRY']._serialized_options = b'8\001' _globals['_GETACCOUNTTXSREQUEST']._serialized_start=66 - _globals['_GETACCOUNTTXSREQUEST']._serialized_end=289 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=291 - _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=414 - _globals['_PAGING']._serialized_start=416 - _globals['_PAGING']._serialized_end=508 - _globals['_TXDETAILDATA']._serialized_start=511 - _globals['_TXDETAILDATA']._serialized_end=998 - _globals['_GASFEE']._serialized_start=1000 - _globals['_GASFEE']._serialized_end=1111 - _globals['_COSMOSCOIN']._serialized_start=1113 - _globals['_COSMOSCOIN']._serialized_end=1156 - _globals['_EVENT']._serialized_start=1159 - _globals['_EVENT']._serialized_end=1298 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1249 - _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1298 - _globals['_SIGNATURE']._serialized_start=1300 - _globals['_SIGNATURE']._serialized_end=1381 - _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1383 - _globals['_GETCONTRACTTXSREQUEST']._serialized_end=1492 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=1494 - _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=1618 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=1620 - _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=1734 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=1736 - _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=1828 - _globals['_GETBLOCKSREQUEST']._serialized_start=1830 - _globals['_GETBLOCKSREQUEST']._serialized_end=1920 - _globals['_GETBLOCKSRESPONSE']._serialized_start=1922 - _globals['_GETBLOCKSRESPONSE']._serialized_end=2038 - _globals['_BLOCKINFO']._serialized_start=2041 - _globals['_BLOCKINFO']._serialized_end=2253 - _globals['_TXDATARPC']._serialized_start=2256 - _globals['_TXDATARPC']._serialized_end=2448 - _globals['_GETBLOCKREQUEST']._serialized_start=2450 - _globals['_GETBLOCKREQUEST']._serialized_end=2479 - _globals['_GETBLOCKRESPONSE']._serialized_start=2481 - _globals['_GETBLOCKRESPONSE']._serialized_end=2581 - _globals['_BLOCKDETAILINFO']._serialized_start=2584 - _globals['_BLOCKDETAILINFO']._serialized_end=2818 - _globals['_TXDATA']._serialized_start=2821 - _globals['_TXDATA']._serialized_end=3046 - _globals['_GETVALIDATORSREQUEST']._serialized_start=3048 - _globals['_GETVALIDATORSREQUEST']._serialized_end=3070 - _globals['_GETVALIDATORSRESPONSE']._serialized_start=3072 - _globals['_GETVALIDATORSRESPONSE']._serialized_end=3171 - _globals['_VALIDATOR']._serialized_start=3174 - _globals['_VALIDATOR']._serialized_end=3817 - _globals['_VALIDATORDESCRIPTION']._serialized_start=3820 - _globals['_VALIDATORDESCRIPTION']._serialized_end=3956 - _globals['_VALIDATORUPTIME']._serialized_start=3958 - _globals['_VALIDATORUPTIME']._serialized_end=4013 - _globals['_SLASHINGEVENT']._serialized_start=4016 - _globals['_SLASHINGEVENT']._serialized_end=4165 - _globals['_GETVALIDATORREQUEST']._serialized_start=4167 - _globals['_GETVALIDATORREQUEST']._serialized_end=4205 - _globals['_GETVALIDATORRESPONSE']._serialized_start=4207 - _globals['_GETVALIDATORRESPONSE']._serialized_end=4305 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=4307 - _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=4351 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=4353 - _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=4463 - _globals['_GETTXSREQUEST']._serialized_start=4466 - _globals['_GETTXSREQUEST']._serialized_end=4665 - _globals['_GETTXSRESPONSE']._serialized_start=4667 - _globals['_GETTXSRESPONSE']._serialized_end=4777 - _globals['_GETTXBYTXHASHREQUEST']._serialized_start=4779 - _globals['_GETTXBYTXHASHREQUEST']._serialized_end=4815 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=4817 - _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=4919 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=4921 - _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=5011 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=5013 - _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=5096 - _globals['_PEGGYDEPOSITTX']._serialized_start=5099 - _globals['_PEGGYDEPOSITTX']._serialized_end=5347 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=5349 - _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=5442 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=5444 - _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=5533 - _globals['_PEGGYWITHDRAWALTX']._serialized_start=5536 - _globals['_PEGGYWITHDRAWALTX']._serialized_end=5875 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=5878 - _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=6047 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=6049 - _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=6130 - _globals['_IBCTRANSFERTX']._serialized_start=6133 - _globals['_IBCTRANSFERTX']._serialized_end=6481 - _globals['_GETWASMCODESREQUEST']._serialized_start=6483 - _globals['_GETWASMCODESREQUEST']._serialized_end=6559 - _globals['_GETWASMCODESRESPONSE']._serialized_start=6561 - _globals['_GETWASMCODESRESPONSE']._serialized_end=6679 - _globals['_WASMCODE']._serialized_start=6682 - _globals['_WASMCODE']._serialized_end=7023 - _globals['_CHECKSUM']._serialized_start=7025 - _globals['_CHECKSUM']._serialized_end=7068 - _globals['_CONTRACTPERMISSION']._serialized_start=7070 - _globals['_CONTRACTPERMISSION']._serialized_end=7128 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=7130 - _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=7171 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=7174 - _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=7530 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=7533 - _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=7680 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=7682 - _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=7808 - _globals['_WASMCONTRACT']._serialized_start=7811 - _globals['_WASMCONTRACT']._serialized_end=8238 - _globals['_CONTRACTFUND']._serialized_start=8240 - _globals['_CONTRACTFUND']._serialized_end=8285 - _globals['_CW20METADATA']._serialized_start=8288 - _globals['_CW20METADATA']._serialized_end=8428 - _globals['_CW20TOKENINFO']._serialized_start=8430 - _globals['_CW20TOKENINFO']._serialized_end=8515 - _globals['_CW20MARKETINGINFO']._serialized_start=8517 - _globals['_CW20MARKETINGINFO']._serialized_end=8607 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=8609 - _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=8668 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=8671 - _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=9118 - _globals['_GETCW20BALANCEREQUEST']._serialized_start=9120 - _globals['_GETCW20BALANCEREQUEST']._serialized_end=9175 - _globals['_GETCW20BALANCERESPONSE']._serialized_start=9177 - _globals['_GETCW20BALANCERESPONSE']._serialized_end=9257 - _globals['_WASMCW20BALANCE']._serialized_start=9260 - _globals['_WASMCW20BALANCE']._serialized_end=9418 - _globals['_RELAYERSREQUEST']._serialized_start=9420 - _globals['_RELAYERSREQUEST']._serialized_end=9458 - _globals['_RELAYERSRESPONSE']._serialized_start=9460 - _globals['_RELAYERSRESPONSE']._serialized_end=9533 - _globals['_RELAYERMARKETS']._serialized_start=9535 - _globals['_RELAYERMARKETS']._serialized_end=9621 - _globals['_RELAYER']._serialized_start=9623 - _globals['_RELAYER']._serialized_end=9659 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=9662 - _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=9876 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=9878 - _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=10004 - _globals['_BANKTRANSFER']._serialized_start=10007 - _globals['_BANKTRANSFER']._serialized_end=10150 - _globals['_COIN']._serialized_start=10152 - _globals['_COIN']._serialized_end=10189 - _globals['_STREAMTXSREQUEST']._serialized_start=10191 - _globals['_STREAMTXSREQUEST']._serialized_end=10209 - _globals['_STREAMTXSRESPONSE']._serialized_start=10212 - _globals['_STREAMTXSRESPONSE']._serialized_end=10412 - _globals['_STREAMBLOCKSREQUEST']._serialized_start=10414 - _globals['_STREAMBLOCKSREQUEST']._serialized_end=10435 - _globals['_STREAMBLOCKSRESPONSE']._serialized_start=10438 - _globals['_STREAMBLOCKSRESPONSE']._serialized_end=10661 - _globals['_INJECTIVEEXPLORERRPC']._serialized_start=10664 - _globals['_INJECTIVEEXPLORERRPC']._serialized_end=13166 + _globals['_GETACCOUNTTXSREQUEST']._serialized_end=390 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_start=393 + _globals['_GETACCOUNTTXSRESPONSE']._serialized_end=530 + _globals['_PAGING']._serialized_start=533 + _globals['_PAGING']._serialized_end=667 + _globals['_TXDETAILDATA']._serialized_start=670 + _globals['_TXDETAILDATA']._serialized_end=1353 + _globals['_GASFEE']._serialized_start=1356 + _globals['_GASFEE']._serialized_end=1501 + _globals['_COSMOSCOIN']._serialized_start=1503 + _globals['_COSMOSCOIN']._serialized_end=1561 + _globals['_EVENT']._serialized_start=1564 + _globals['_EVENT']._serialized_end=1733 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_start=1672 + _globals['_EVENT_ATTRIBUTESENTRY']._serialized_end=1733 + _globals['_SIGNATURE']._serialized_start=1735 + _globals['_SIGNATURE']._serialized_end=1854 + _globals['_GETCONTRACTTXSREQUEST']._serialized_start=1857 + _globals['_GETCONTRACTTXSREQUEST']._serialized_end=2010 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_start=2013 + _globals['_GETCONTRACTTXSRESPONSE']._serialized_end=2151 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_start=2154 + _globals['_GETCONTRACTTXSV2REQUEST']._serialized_end=2309 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_start=2311 + _globals['_GETCONTRACTTXSV2RESPONSE']._serialized_end=2415 + _globals['_GETBLOCKSREQUEST']._serialized_start=2417 + _globals['_GETBLOCKSREQUEST']._serialized_end=2539 + _globals['_GETBLOCKSRESPONSE']._serialized_start=2542 + _globals['_GETBLOCKSRESPONSE']._serialized_end=2672 + _globals['_BLOCKINFO']._serialized_start=2675 + _globals['_BLOCKINFO']._serialized_end=2976 + _globals['_TXDATARPC']._serialized_start=2979 + _globals['_TXDATARPC']._serialized_end=3267 + _globals['_GETBLOCKREQUEST']._serialized_start=3269 + _globals['_GETBLOCKREQUEST']._serialized_end=3302 + _globals['_GETBLOCKRESPONSE']._serialized_start=3304 + _globals['_GETBLOCKRESPONSE']._serialized_end=3421 + _globals['_BLOCKDETAILINFO']._serialized_start=3424 + _globals['_BLOCKDETAILINFO']._serialized_end=3757 + _globals['_TXDATA']._serialized_start=3760 + _globals['_TXDATA']._serialized_end=4099 + _globals['_GETVALIDATORSREQUEST']._serialized_start=4101 + _globals['_GETVALIDATORSREQUEST']._serialized_end=4123 + _globals['_GETVALIDATORSRESPONSE']._serialized_start=4125 + _globals['_GETVALIDATORSRESPONSE']._serialized_end=4241 + _globals['_VALIDATOR']._serialized_start=4244 + _globals['_VALIDATOR']._serialized_end=5193 + _globals['_VALIDATORDESCRIPTION']._serialized_start=5196 + _globals['_VALIDATORDESCRIPTION']._serialized_end=5396 + _globals['_VALIDATORUPTIME']._serialized_start=5398 + _globals['_VALIDATORUPTIME']._serialized_end=5474 + _globals['_SLASHINGEVENT']._serialized_start=5477 + _globals['_SLASHINGEVENT']._serialized_end=5701 + _globals['_GETVALIDATORREQUEST']._serialized_start=5703 + _globals['_GETVALIDATORREQUEST']._serialized_end=5750 + _globals['_GETVALIDATORRESPONSE']._serialized_start=5752 + _globals['_GETVALIDATORRESPONSE']._serialized_end=5867 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_start=5869 + _globals['_GETVALIDATORUPTIMEREQUEST']._serialized_end=5922 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_start=5924 + _globals['_GETVALIDATORUPTIMERESPONSE']._serialized_end=6051 + _globals['_GETTXSREQUEST']._serialized_start=6054 + _globals['_GETTXSREQUEST']._serialized_end=6345 + _globals['_GETTXSRESPONSE']._serialized_start=6347 + _globals['_GETTXSRESPONSE']._serialized_end=6471 + _globals['_GETTXBYTXHASHREQUEST']._serialized_start=6473 + _globals['_GETTXBYTXHASHREQUEST']._serialized_end=6515 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_start=6517 + _globals['_GETTXBYTXHASHRESPONSE']._serialized_end=6636 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_start=6638 + _globals['_GETPEGGYDEPOSITTXSREQUEST']._serialized_end=6759 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_start=6761 + _globals['_GETPEGGYDEPOSITTXSRESPONSE']._serialized_end=6851 + _globals['_PEGGYDEPOSITTX']._serialized_start=6854 + _globals['_PEGGYDEPOSITTX']._serialized_end=7231 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_start=7233 + _globals['_GETPEGGYWITHDRAWALTXSREQUEST']._serialized_end=7357 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_start=7359 + _globals['_GETPEGGYWITHDRAWALTXSRESPONSE']._serialized_end=7455 + _globals['_PEGGYWITHDRAWALTX']._serialized_start=7458 + _globals['_PEGGYWITHDRAWALTX']._serialized_end=7977 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_start=7980 + _globals['_GETIBCTRANSFERTXSREQUEST']._serialized_end=8224 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_start=8226 + _globals['_GETIBCTRANSFERTXSRESPONSE']._serialized_end=8314 + _globals['_IBCTRANSFERTX']._serialized_start=8317 + _globals['_IBCTRANSFERTX']._serialized_end=8859 + _globals['_GETWASMCODESREQUEST']._serialized_start=8861 + _globals['_GETWASMCODESREQUEST']._serialized_end=8966 + _globals['_GETWASMCODESRESPONSE']._serialized_start=8969 + _globals['_GETWASMCODESRESPONSE']._serialized_end=9101 + _globals['_WASMCODE']._serialized_start=9104 + _globals['_WASMCODE']._serialized_end=9586 + _globals['_CHECKSUM']._serialized_start=9588 + _globals['_CHECKSUM']._serialized_end=9648 + _globals['_CONTRACTPERMISSION']._serialized_start=9650 + _globals['_CONTRACTPERMISSION']._serialized_end=9729 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_start=9731 + _globals['_GETWASMCODEBYIDREQUEST']._serialized_end=9780 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_start=9783 + _globals['_GETWASMCODEBYIDRESPONSE']._serialized_end=10280 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_start=10283 + _globals['_GETWASMCONTRACTSREQUEST']._serialized_end=10492 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_start=10495 + _globals['_GETWASMCONTRACTSRESPONSE']._serialized_end=10635 + _globals['_WASMCONTRACT']._serialized_start=10638 + _globals['_WASMCONTRACT']._serialized_end=11255 + _globals['_CONTRACTFUND']._serialized_start=11257 + _globals['_CONTRACTFUND']._serialized_end=11317 + _globals['_CW20METADATA']._serialized_start=11320 + _globals['_CW20METADATA']._serialized_end=11486 + _globals['_CW20TOKENINFO']._serialized_start=11488 + _globals['_CW20TOKENINFO']._serialized_end=11610 + _globals['_CW20MARKETINGINFO']._serialized_start=11613 + _globals['_CW20MARKETINGINFO']._serialized_end=11742 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_start=11744 + _globals['_GETWASMCONTRACTBYADDRESSREQUEST']._serialized_end=11820 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_start=11823 + _globals['_GETWASMCONTRACTBYADDRESSRESPONSE']._serialized_end=12460 + _globals['_GETCW20BALANCEREQUEST']._serialized_start=12462 + _globals['_GETCW20BALANCEREQUEST']._serialized_end=12533 + _globals['_GETCW20BALANCERESPONSE']._serialized_start=12535 + _globals['_GETCW20BALANCERESPONSE']._serialized_end=12622 + _globals['_WASMCW20BALANCE']._serialized_start=12625 + _globals['_WASMCW20BALANCE']._serialized_end=12843 + _globals['_RELAYERSREQUEST']._serialized_start=12845 + _globals['_RELAYERSREQUEST']._serialized_end=12894 + _globals['_RELAYERSRESPONSE']._serialized_start=12896 + _globals['_RELAYERSRESPONSE']._serialized_end=12976 + _globals['_RELAYERMARKETS']._serialized_start=12978 + _globals['_RELAYERMARKETS']._serialized_end=13084 + _globals['_RELAYER']._serialized_start=13086 + _globals['_RELAYER']._serialized_end=13133 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_start=13136 + _globals['_GETBANKTRANSFERSREQUEST']._serialized_end=13453 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_start=13456 + _globals['_GETBANKTRANSFERSRESPONSE']._serialized_end=13596 + _globals['_BANKTRANSFER']._serialized_start=13599 + _globals['_BANKTRANSFER']._serialized_end=13799 + _globals['_COIN']._serialized_start=13801 + _globals['_COIN']._serialized_end=13853 + _globals['_STREAMTXSREQUEST']._serialized_start=13855 + _globals['_STREAMTXSREQUEST']._serialized_end=13873 + _globals['_STREAMTXSRESPONSE']._serialized_start=13876 + _globals['_STREAMTXSRESPONSE']._serialized_end=14172 + _globals['_STREAMBLOCKSREQUEST']._serialized_start=14174 + _globals['_STREAMBLOCKSREQUEST']._serialized_end=14195 + _globals['_STREAMBLOCKSRESPONSE']._serialized_start=14198 + _globals['_STREAMBLOCKSRESPONSE']._serialized_end=14510 + _globals['_INJECTIVEEXPLORERRPC']._serialized_start=14513 + _globals['_INJECTIVEEXPLORERRPC']._serialized_end=17015 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py index 05ca3a16..d4b9a9c9 100644 --- a/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_insurance_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_insurance_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_insurance_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"F\n\rFundsResponse\x12\x35\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"\xcb\x02\n\rInsuranceFund\x12\x15\n\rmarket_ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rdeposit_denom\x18\x03 \x01(\t\x12\x18\n\x10pool_token_denom\x18\x04 \x01(\t\x12)\n!redemption_notice_period_duration\x18\x05 \x01(\x12\x12\x0f\n\x07\x62\x61lance\x18\x06 \x01(\t\x12\x13\n\x0btotal_share\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x13\n\x0boracle_type\x18\n \x01(\t\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x12\x12>\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMeta\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\x1c\n\x0b\x46undRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"D\n\x0c\x46undResponse\x12\x34\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFund\"P\n\x12RedemptionsRequest\x12\x10\n\x08redeemer\x18\x01 \x01(\t\x12\x18\n\x10redemption_denom\x18\x02 \x01(\t\x12\x0e\n\x06status\x18\x03 \x01(\t\"`\n\x13RedemptionsResponse\x12I\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionSchedule\"\x84\x02\n\x12RedemptionSchedule\x12\x15\n\rredemption_id\x18\x01 \x01(\x04\x12\x0e\n\x06status\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12!\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12\x12\x19\n\x11redemption_amount\x18\x05 \x01(\t\x12\x18\n\x10redemption_denom\x18\x06 \x01(\t\x12\x14\n\x0crequested_at\x18\x07 \x01(\x12\x12\x18\n\x10\x64isbursed_amount\x18\x08 \x01(\t\x12\x17\n\x0f\x64isbursed_denom\x18\t \x01(\t\x12\x14\n\x0c\x64isbursed_at\x18\n \x01(\x12\x32\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\x1cZ\x1a/injective_insurance_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_insurance_rpc.proto\x12\x17injective_insurance_rpc\"\x0e\n\x0c\x46undsRequest\"M\n\rFundsResponse\x12<\n\x05\x66unds\x18\x01 \x03(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x05\x66unds\"\xf5\x03\n\rInsuranceFund\x12#\n\rmarket_ticker\x18\x01 \x01(\tR\x0cmarketTicker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rdeposit_denom\x18\x03 \x01(\tR\x0c\x64\x65positDenom\x12(\n\x10pool_token_denom\x18\x04 \x01(\tR\x0epoolTokenDenom\x12I\n!redemption_notice_period_duration\x18\x05 \x01(\x12R\x1eredemptionNoticePeriodDuration\x12\x18\n\x07\x62\x61lance\x18\x06 \x01(\tR\x07\x62\x61lance\x12\x1f\n\x0btotal_share\x18\x07 \x01(\tR\ntotalShare\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\n \x01(\tR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x12R\x06\x65xpiry\x12P\n\x12\x64\x65posit_token_meta\x18\x0c \x01(\x0b\x32\".injective_insurance_rpc.TokenMetaR\x10\x64\x65positTokenMeta\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"#\n\x0b\x46undRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"J\n\x0c\x46undResponse\x12:\n\x04\x66und\x18\x01 \x01(\x0b\x32&.injective_insurance_rpc.InsuranceFundR\x04\x66und\"s\n\x12RedemptionsRequest\x12\x1a\n\x08redeemer\x18\x01 \x01(\tR\x08redeemer\x12)\n\x10redemption_denom\x18\x02 \x01(\tR\x0fredemptionDenom\x12\x16\n\x06status\x18\x03 \x01(\tR\x06status\"u\n\x13RedemptionsResponse\x12^\n\x14redemption_schedules\x18\x01 \x03(\x0b\x32+.injective_insurance_rpc.RedemptionScheduleR\x13redemptionSchedules\"\x9b\x03\n\x12RedemptionSchedule\x12#\n\rredemption_id\x18\x01 \x01(\x04R\x0credemptionId\x12\x16\n\x06status\x18\x02 \x01(\tR\x06status\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12:\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x12R\x17\x63laimableRedemptionTime\x12+\n\x11redemption_amount\x18\x05 \x01(\tR\x10redemptionAmount\x12)\n\x10redemption_denom\x18\x06 \x01(\tR\x0fredemptionDenom\x12!\n\x0crequested_at\x18\x07 \x01(\x12R\x0brequestedAt\x12)\n\x10\x64isbursed_amount\x18\x08 \x01(\tR\x0f\x64isbursedAmount\x12\'\n\x0f\x64isbursed_denom\x18\t \x01(\tR\x0e\x64isbursedDenom\x12!\n\x0c\x64isbursed_at\x18\n \x01(\x12R\x0b\x64isbursedAt2\xae\x02\n\x15InjectiveInsuranceRPC\x12V\n\x05\x46unds\x12%.injective_insurance_rpc.FundsRequest\x1a&.injective_insurance_rpc.FundsResponse\x12S\n\x04\x46und\x12$.injective_insurance_rpc.FundRequest\x1a%.injective_insurance_rpc.FundResponse\x12h\n\x0bRedemptions\x12+.injective_insurance_rpc.RedemptionsRequest\x1a,.injective_insurance_rpc.RedemptionsResponseB\xc9\x01\n\x1b\x63om.injective_insurance_rpcB\x1aInjectiveInsuranceRpcProtoP\x01Z\x1a/injective_insurance_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectiveInsuranceRpc\xca\x02\x15InjectiveInsuranceRpc\xe2\x02!InjectiveInsuranceRpc\\GPBMetadata\xea\x02\x15InjectiveInsuranceRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_insurance_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_insurance_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_insurance_rpcB\032InjectiveInsuranceRpcProtoP\001Z\032/injective_insurance_rpcpb\242\002\003IXX\252\002\025InjectiveInsuranceRpc\312\002\025InjectiveInsuranceRpc\342\002!InjectiveInsuranceRpc\\GPBMetadata\352\002\025InjectiveInsuranceRpc' _globals['_FUNDSREQUEST']._serialized_start=67 _globals['_FUNDSREQUEST']._serialized_end=81 _globals['_FUNDSRESPONSE']._serialized_start=83 - _globals['_FUNDSRESPONSE']._serialized_end=153 - _globals['_INSURANCEFUND']._serialized_start=156 - _globals['_INSURANCEFUND']._serialized_end=487 - _globals['_TOKENMETA']._serialized_start=489 - _globals['_TOKENMETA']._serialized_end=599 - _globals['_FUNDREQUEST']._serialized_start=601 - _globals['_FUNDREQUEST']._serialized_end=629 - _globals['_FUNDRESPONSE']._serialized_start=631 - _globals['_FUNDRESPONSE']._serialized_end=699 - _globals['_REDEMPTIONSREQUEST']._serialized_start=701 - _globals['_REDEMPTIONSREQUEST']._serialized_end=781 - _globals['_REDEMPTIONSRESPONSE']._serialized_start=783 - _globals['_REDEMPTIONSRESPONSE']._serialized_end=879 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=882 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1142 - _globals['_INJECTIVEINSURANCERPC']._serialized_start=1145 - _globals['_INJECTIVEINSURANCERPC']._serialized_end=1447 + _globals['_FUNDSRESPONSE']._serialized_end=160 + _globals['_INSURANCEFUND']._serialized_start=163 + _globals['_INSURANCEFUND']._serialized_end=664 + _globals['_TOKENMETA']._serialized_start=667 + _globals['_TOKENMETA']._serialized_end=827 + _globals['_FUNDREQUEST']._serialized_start=829 + _globals['_FUNDREQUEST']._serialized_end=864 + _globals['_FUNDRESPONSE']._serialized_start=866 + _globals['_FUNDRESPONSE']._serialized_end=940 + _globals['_REDEMPTIONSREQUEST']._serialized_start=942 + _globals['_REDEMPTIONSREQUEST']._serialized_end=1057 + _globals['_REDEMPTIONSRESPONSE']._serialized_start=1059 + _globals['_REDEMPTIONSRESPONSE']._serialized_end=1176 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=1179 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1590 + _globals['_INJECTIVEINSURANCERPC']._serialized_start=1593 + _globals['_INJECTIVEINSURANCERPC']._serialized_end=1895 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py index e52826cf..b44a0888 100644 --- a/pyinjective/proto/exchange/injective_meta_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_meta_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_meta_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_meta_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\x8f\x01\n\x0fVersionResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12=\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntry\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\" \n\x0bInfoRequest\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\"\xc1\x01\n\x0cInfoResponse\x12\x11\n\ttimestamp\x18\x01 \x01(\x12\x12\x13\n\x0bserver_time\x18\x02 \x01(\x12\x12\x0f\n\x07version\x18\x03 \x01(\t\x12:\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntry\x12\x0e\n\x06region\x18\x05 \x01(\t\x1a,\n\nBuildEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"Q\n\x17StreamKeepaliveResponse\x12\r\n\x05\x65vent\x18\x01 \x01(\t\x12\x14\n\x0cnew_endpoint\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"&\n\x14TokenMetadataRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"Q\n\x15TokenMetadataResponse\x12\x38\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElement\"\x93\x01\n\x14TokenMetadataElement\x12\x18\n\x10\x65thereum_address\x18\x01 \x01(\t\x12\x14\n\x0c\x63oingecko_id\x18\x02 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x03 \x01(\t\x12\x0c\n\x04name\x18\x04 \x01(\t\x12\x0e\n\x06symbol\x18\x05 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11\x12\x0c\n\x04logo\x18\x07 \x01(\t2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\x17Z\x15/injective_meta_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!exchange/injective_meta_rpc.proto\x12\x12injective_meta_rpc\"\r\n\x0bPingRequest\"\x0e\n\x0cPingResponse\"\x10\n\x0eVersionRequest\"\xab\x01\n\x0fVersionResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x44\n\x05\x62uild\x18\x02 \x03(\x0b\x32..injective_meta_rpc.VersionResponse.BuildEntryR\x05\x62uild\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"+\n\x0bInfoRequest\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\"\xfc\x01\n\x0cInfoResponse\x12\x1c\n\ttimestamp\x18\x01 \x01(\x12R\ttimestamp\x12\x1f\n\x0bserver_time\x18\x02 \x01(\x12R\nserverTime\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x41\n\x05\x62uild\x18\x04 \x03(\x0b\x32+.injective_meta_rpc.InfoResponse.BuildEntryR\x05\x62uild\x12\x16\n\x06region\x18\x05 \x01(\tR\x06region\x1a\x38\n\nBuildEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value:\x02\x38\x01\"\x18\n\x16StreamKeepaliveRequest\"p\n\x17StreamKeepaliveResponse\x12\x14\n\x05\x65vent\x18\x01 \x01(\tR\x05\x65vent\x12!\n\x0cnew_endpoint\x18\x02 \x01(\tR\x0bnewEndpoint\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\".\n\x14TokenMetadataRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"Y\n\x15TokenMetadataResponse\x12@\n\x06tokens\x18\x01 \x03(\x0b\x32(.injective_meta_rpc.TokenMetadataElementR\x06tokens\"\xd6\x01\n\x14TokenMetadataElement\x12)\n\x10\x65thereum_address\x18\x01 \x01(\tR\x0f\x65thereumAddress\x12!\n\x0c\x63oingecko_id\x18\x02 \x01(\tR\x0b\x63oingeckoId\x12\x14\n\x05\x64\x65nom\x18\x03 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04name\x18\x04 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x05 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x06 \x01(\x11R\x08\x64\x65\x63imals\x12\x12\n\x04logo\x18\x07 \x01(\tR\x04logo2\xd0\x03\n\x10InjectiveMetaRPC\x12I\n\x04Ping\x12\x1f.injective_meta_rpc.PingRequest\x1a .injective_meta_rpc.PingResponse\x12R\n\x07Version\x12\".injective_meta_rpc.VersionRequest\x1a#.injective_meta_rpc.VersionResponse\x12I\n\x04Info\x12\x1f.injective_meta_rpc.InfoRequest\x1a .injective_meta_rpc.InfoResponse\x12l\n\x0fStreamKeepalive\x12*.injective_meta_rpc.StreamKeepaliveRequest\x1a+.injective_meta_rpc.StreamKeepaliveResponse0\x01\x12\x64\n\rTokenMetadata\x12(.injective_meta_rpc.TokenMetadataRequest\x1a).injective_meta_rpc.TokenMetadataResponseB\xa6\x01\n\x16\x63om.injective_meta_rpcB\x15InjectiveMetaRpcProtoP\x01Z\x15/injective_meta_rpcpb\xa2\x02\x03IXX\xaa\x02\x10InjectiveMetaRpc\xca\x02\x10InjectiveMetaRpc\xe2\x02\x1cInjectiveMetaRpc\\GPBMetadata\xea\x02\x10InjectiveMetaRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_meta_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\025/injective_meta_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective_meta_rpcB\025InjectiveMetaRpcProtoP\001Z\025/injective_meta_rpcpb\242\002\003IXX\252\002\020InjectiveMetaRpc\312\002\020InjectiveMetaRpc\342\002\034InjectiveMetaRpc\\GPBMetadata\352\002\020InjectiveMetaRpc' _globals['_VERSIONRESPONSE_BUILDENTRY']._loaded_options = None _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_options = b'8\001' _globals['_INFORESPONSE_BUILDENTRY']._loaded_options = None @@ -33,25 +43,25 @@ _globals['_VERSIONREQUEST']._serialized_start=88 _globals['_VERSIONREQUEST']._serialized_end=104 _globals['_VERSIONRESPONSE']._serialized_start=107 - _globals['_VERSIONRESPONSE']._serialized_end=250 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=206 - _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=250 - _globals['_INFOREQUEST']._serialized_start=252 - _globals['_INFOREQUEST']._serialized_end=284 - _globals['_INFORESPONSE']._serialized_start=287 - _globals['_INFORESPONSE']._serialized_end=480 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=206 - _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=250 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=482 - _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=506 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=508 - _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=589 - _globals['_TOKENMETADATAREQUEST']._serialized_start=591 - _globals['_TOKENMETADATAREQUEST']._serialized_end=629 - _globals['_TOKENMETADATARESPONSE']._serialized_start=631 - _globals['_TOKENMETADATARESPONSE']._serialized_end=712 - _globals['_TOKENMETADATAELEMENT']._serialized_start=715 - _globals['_TOKENMETADATAELEMENT']._serialized_end=862 - _globals['_INJECTIVEMETARPC']._serialized_start=865 - _globals['_INJECTIVEMETARPC']._serialized_end=1329 + _globals['_VERSIONRESPONSE']._serialized_end=278 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_start=222 + _globals['_VERSIONRESPONSE_BUILDENTRY']._serialized_end=278 + _globals['_INFOREQUEST']._serialized_start=280 + _globals['_INFOREQUEST']._serialized_end=323 + _globals['_INFORESPONSE']._serialized_start=326 + _globals['_INFORESPONSE']._serialized_end=578 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_start=222 + _globals['_INFORESPONSE_BUILDENTRY']._serialized_end=278 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_start=580 + _globals['_STREAMKEEPALIVEREQUEST']._serialized_end=604 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_start=606 + _globals['_STREAMKEEPALIVERESPONSE']._serialized_end=718 + _globals['_TOKENMETADATAREQUEST']._serialized_start=720 + _globals['_TOKENMETADATAREQUEST']._serialized_end=766 + _globals['_TOKENMETADATARESPONSE']._serialized_start=768 + _globals['_TOKENMETADATARESPONSE']._serialized_end=857 + _globals['_TOKENMETADATAELEMENT']._serialized_start=860 + _globals['_TOKENMETADATAELEMENT']._serialized_end=1074 + _globals['_INJECTIVEMETARPC']._serialized_start=1077 + _globals['_INJECTIVEMETARPC']._serialized_end=1541 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py index c4469143..60a3dbdb 100644 --- a/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_oracle_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_oracle_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_oracle_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,32 +24,32 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"C\n\x12OracleListResponse\x12-\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.Oracle\"g\n\x06Oracle\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x13\n\x0b\x62\x61se_symbol\x18\x02 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x03 \x01(\t\x12\x13\n\x0boracle_type\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\"k\n\x0cPriceRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x04 \x01(\r\"\x1e\n\rPriceResponse\x12\r\n\x05price\x18\x01 \x01(\t\"U\n\x13StreamPricesRequest\x12\x13\n\x0b\x62\x61se_symbol\x18\x01 \x01(\t\x12\x14\n\x0cquote_symbol\x18\x02 \x01(\t\x12\x13\n\x0boracle_type\x18\x03 \x01(\t\"8\n\x14StreamPricesResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\"2\n\x1cStreamPricesByMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"T\n\x1dStreamPricesByMarketsResponse\x12\r\n\x05price\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x12\x12\x11\n\tmarket_id\x18\x03 \x01(\t2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\x19Z\x17/injective_oracle_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#exchange/injective_oracle_rpc.proto\x12\x14injective_oracle_rpc\"\x13\n\x11OracleListRequest\"L\n\x12OracleListResponse\x12\x36\n\x07oracles\x18\x01 \x03(\x0b\x32\x1c.injective_oracle_rpc.OracleR\x07oracles\"\x9b\x01\n\x06Oracle\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1f\n\x0b\x62\x61se_symbol\x18\x02 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x03 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x04 \x01(\tR\noracleType\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\"\xa3\x01\n\x0cPriceRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x04 \x01(\rR\x11oracleScaleFactor\"%\n\rPriceResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\"z\n\x13StreamPricesRequest\x12\x1f\n\x0b\x62\x61se_symbol\x18\x01 \x01(\tR\nbaseSymbol\x12!\n\x0cquote_symbol\x18\x02 \x01(\tR\x0bquoteSymbol\x12\x1f\n\x0boracle_type\x18\x03 \x01(\tR\noracleType\"J\n\x14StreamPricesResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"=\n\x1cStreamPricesByMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"p\n\x1dStreamPricesByMarketsResponse\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId2\xb5\x03\n\x12InjectiveOracleRPC\x12_\n\nOracleList\x12\'.injective_oracle_rpc.OracleListRequest\x1a(.injective_oracle_rpc.OracleListResponse\x12P\n\x05Price\x12\".injective_oracle_rpc.PriceRequest\x1a#.injective_oracle_rpc.PriceResponse\x12g\n\x0cStreamPrices\x12).injective_oracle_rpc.StreamPricesRequest\x1a*.injective_oracle_rpc.StreamPricesResponse0\x01\x12\x82\x01\n\x15StreamPricesByMarkets\x12\x32.injective_oracle_rpc.StreamPricesByMarketsRequest\x1a\x33.injective_oracle_rpc.StreamPricesByMarketsResponse0\x01\x42\xb4\x01\n\x18\x63om.injective_oracle_rpcB\x17InjectiveOracleRpcProtoP\x01Z\x17/injective_oracle_rpcpb\xa2\x02\x03IXX\xaa\x02\x12InjectiveOracleRpc\xca\x02\x12InjectiveOracleRpc\xe2\x02\x1eInjectiveOracleRpc\\GPBMetadata\xea\x02\x12InjectiveOracleRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_oracle_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\027/injective_oracle_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.injective_oracle_rpcB\027InjectiveOracleRpcProtoP\001Z\027/injective_oracle_rpcpb\242\002\003IXX\252\002\022InjectiveOracleRpc\312\002\022InjectiveOracleRpc\342\002\036InjectiveOracleRpc\\GPBMetadata\352\002\022InjectiveOracleRpc' _globals['_ORACLELISTREQUEST']._serialized_start=61 _globals['_ORACLELISTREQUEST']._serialized_end=80 _globals['_ORACLELISTRESPONSE']._serialized_start=82 - _globals['_ORACLELISTRESPONSE']._serialized_end=149 - _globals['_ORACLE']._serialized_start=151 - _globals['_ORACLE']._serialized_end=254 - _globals['_PRICEREQUEST']._serialized_start=256 - _globals['_PRICEREQUEST']._serialized_end=363 - _globals['_PRICERESPONSE']._serialized_start=365 - _globals['_PRICERESPONSE']._serialized_end=395 - _globals['_STREAMPRICESREQUEST']._serialized_start=397 - _globals['_STREAMPRICESREQUEST']._serialized_end=482 - _globals['_STREAMPRICESRESPONSE']._serialized_start=484 - _globals['_STREAMPRICESRESPONSE']._serialized_end=540 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=542 - _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=592 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=594 - _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=678 - _globals['_INJECTIVEORACLERPC']._serialized_start=681 - _globals['_INJECTIVEORACLERPC']._serialized_end=1118 + _globals['_ORACLELISTRESPONSE']._serialized_end=158 + _globals['_ORACLE']._serialized_start=161 + _globals['_ORACLE']._serialized_end=316 + _globals['_PRICEREQUEST']._serialized_start=319 + _globals['_PRICEREQUEST']._serialized_end=482 + _globals['_PRICERESPONSE']._serialized_start=484 + _globals['_PRICERESPONSE']._serialized_end=521 + _globals['_STREAMPRICESREQUEST']._serialized_start=523 + _globals['_STREAMPRICESREQUEST']._serialized_end=645 + _globals['_STREAMPRICESRESPONSE']._serialized_start=647 + _globals['_STREAMPRICESRESPONSE']._serialized_end=721 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_start=723 + _globals['_STREAMPRICESBYMARKETSREQUEST']._serialized_end=784 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_start=786 + _globals['_STREAMPRICESBYMARKETSRESPONSE']._serialized_end=898 + _globals['_INJECTIVEORACLERPC']._serialized_start=901 + _globals['_INJECTIVEORACLERPC']._serialized_end=1338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py index bd9c8d14..210ef870 100644 --- a/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_portfolio_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_portfolio_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_portfolio_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,46 +24,46 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"C\n\x13TokenHoldersRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x63ursor\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x11\"^\n\x14TokenHoldersResponse\x12\x30\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.Holder\x12\x14\n\x0cnext_cursors\x18\x02 \x03(\t\"2\n\x06Holder\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x0f\n\x07\x62\x61lance\x18\x02 \x01(\t\"2\n\x17\x41\x63\x63ountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"Q\n\x18\x41\x63\x63ountPortfolioResponse\x12\x35\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.Portfolio\"\xe6\x01\n\tPortfolio\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\x12G\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNL\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\"x\n\x13SubaccountBalanceV2\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12;\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDeposit\"E\n\x11SubaccountDeposit\x12\x15\n\rtotal_balance\x18\x01 \x01(\t\x12\x19\n\x11\x61vailable_balance\x18\x02 \x01(\t\"j\n\x11PositionsWithUPNL\x12=\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePosition\x12\x16\n\x0eunrealized_pnl\x18\x02 \x01(\t\"\x97\x02\n\x12\x44\x65rivativePosition\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x10\n\x08quantity\x18\x05 \x01(\t\x12\x13\n\x0b\x65ntry_price\x18\x06 \x01(\t\x12\x0e\n\x06margin\x18\x07 \x01(\t\x12\x19\n\x11liquidation_price\x18\x08 \x01(\t\x12\x12\n\nmark_price\x18\t \x01(\t\x12&\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\t\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x12\n\ncreated_at\x18\r \x01(\x12\":\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\"a\n AccountPortfolioBalancesResponse\x12=\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalances\"\xa5\x01\n\x11PortfolioBalances\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x34\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.Coin\x12\x41\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2\"]\n\x1dStreamAccountPortfolioRequest\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0c\n\x04type\x18\x03 \x01(\t\"w\n\x1eStreamAccountPortfolioResponse\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x0e\n\x06\x61mount\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x11\n\ttimestamp\x18\x05 \x01(\x12\x32\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\x1cZ\x1a/injective_portfolio_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&exchange/injective_portfolio_rpc.proto\x12\x17injective_portfolio_rpc\"Y\n\x13TokenHoldersRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x63ursor\x18\x02 \x01(\tR\x06\x63ursor\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"t\n\x14TokenHoldersResponse\x12\x39\n\x07holders\x18\x01 \x03(\x0b\x32\x1f.injective_portfolio_rpc.HolderR\x07holders\x12!\n\x0cnext_cursors\x18\x02 \x03(\tR\x0bnextCursors\"K\n\x06Holder\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x18\n\x07\x62\x61lance\x18\x02 \x01(\tR\x07\x62\x61lance\"B\n\x17\x41\x63\x63ountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"\\\n\x18\x41\x63\x63ountPortfolioResponse\x12@\n\tportfolio\x18\x01 \x01(\x0b\x32\".injective_portfolio_rpc.PortfolioR\tportfolio\"\xa4\x02\n\tPortfolio\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\x12Z\n\x13positions_with_upnl\x18\x04 \x03(\x0b\x32*.injective_portfolio_rpc.PositionsWithUPNLR\x11positionsWithUpnl\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\x96\x01\n\x13SubaccountBalanceV2\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x44\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32*.injective_portfolio_rpc.SubaccountDepositR\x07\x64\x65posit\"e\n\x11SubaccountDeposit\x12#\n\rtotal_balance\x18\x01 \x01(\tR\x0ctotalBalance\x12+\n\x11\x61vailable_balance\x18\x02 \x01(\tR\x10\x61vailableBalance\"\x83\x01\n\x11PositionsWithUPNL\x12G\n\x08position\x18\x01 \x01(\x0b\x32+.injective_portfolio_rpc.DerivativePositionR\x08position\x12%\n\x0eunrealized_pnl\x18\x02 \x01(\tR\runrealizedPnl\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"J\n\x1f\x41\x63\x63ountPortfolioBalancesRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\"l\n AccountPortfolioBalancesResponse\x12H\n\tportfolio\x18\x01 \x01(\x0b\x32*.injective_portfolio_rpc.PortfolioBalancesR\tportfolio\"\xd0\x01\n\x11PortfolioBalances\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\rbank_balances\x18\x02 \x03(\x0b\x32\x1d.injective_portfolio_rpc.CoinR\x0c\x62\x61nkBalances\x12N\n\x0bsubaccounts\x18\x03 \x03(\x0b\x32,.injective_portfolio_rpc.SubaccountBalanceV2R\x0bsubaccounts\"\x81\x01\n\x1dStreamAccountPortfolioRequest\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xa5\x01\n\x1eStreamAccountPortfolioResponse\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x1c\n\ttimestamp\x18\x05 \x01(\x12R\ttimestamp2\x9d\x04\n\x15InjectivePortfolioRPC\x12k\n\x0cTokenHolders\x12,.injective_portfolio_rpc.TokenHoldersRequest\x1a-.injective_portfolio_rpc.TokenHoldersResponse\x12w\n\x10\x41\x63\x63ountPortfolio\x12\x30.injective_portfolio_rpc.AccountPortfolioRequest\x1a\x31.injective_portfolio_rpc.AccountPortfolioResponse\x12\x8f\x01\n\x18\x41\x63\x63ountPortfolioBalances\x12\x38.injective_portfolio_rpc.AccountPortfolioBalancesRequest\x1a\x39.injective_portfolio_rpc.AccountPortfolioBalancesResponse\x12\x8b\x01\n\x16StreamAccountPortfolio\x12\x36.injective_portfolio_rpc.StreamAccountPortfolioRequest\x1a\x37.injective_portfolio_rpc.StreamAccountPortfolioResponse0\x01\x42\xc9\x01\n\x1b\x63om.injective_portfolio_rpcB\x1aInjectivePortfolioRpcProtoP\x01Z\x1a/injective_portfolio_rpcpb\xa2\x02\x03IXX\xaa\x02\x15InjectivePortfolioRpc\xca\x02\x15InjectivePortfolioRpc\xe2\x02!InjectivePortfolioRpc\\GPBMetadata\xea\x02\x15InjectivePortfolioRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_portfolio_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\032/injective_portfolio_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective_portfolio_rpcB\032InjectivePortfolioRpcProtoP\001Z\032/injective_portfolio_rpcpb\242\002\003IXX\252\002\025InjectivePortfolioRpc\312\002\025InjectivePortfolioRpc\342\002!InjectivePortfolioRpc\\GPBMetadata\352\002\025InjectivePortfolioRpc' _globals['_TOKENHOLDERSREQUEST']._serialized_start=67 - _globals['_TOKENHOLDERSREQUEST']._serialized_end=134 - _globals['_TOKENHOLDERSRESPONSE']._serialized_start=136 - _globals['_TOKENHOLDERSRESPONSE']._serialized_end=230 - _globals['_HOLDER']._serialized_start=232 - _globals['_HOLDER']._serialized_end=282 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=284 - _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=334 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=336 - _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=417 - _globals['_PORTFOLIO']._serialized_start=420 - _globals['_PORTFOLIO']._serialized_end=650 - _globals['_COIN']._serialized_start=652 - _globals['_COIN']._serialized_end=689 - _globals['_SUBACCOUNTBALANCEV2']._serialized_start=691 - _globals['_SUBACCOUNTBALANCEV2']._serialized_end=811 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=813 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=882 - _globals['_POSITIONSWITHUPNL']._serialized_start=884 - _globals['_POSITIONSWITHUPNL']._serialized_end=990 - _globals['_DERIVATIVEPOSITION']._serialized_start=993 - _globals['_DERIVATIVEPOSITION']._serialized_end=1272 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1274 - _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1332 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1334 - _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1431 - _globals['_PORTFOLIOBALANCES']._serialized_start=1434 - _globals['_PORTFOLIOBALANCES']._serialized_end=1599 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=1601 - _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=1694 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=1696 - _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=1815 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=1818 - _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2359 + _globals['_TOKENHOLDERSREQUEST']._serialized_end=156 + _globals['_TOKENHOLDERSRESPONSE']._serialized_start=158 + _globals['_TOKENHOLDERSRESPONSE']._serialized_end=274 + _globals['_HOLDER']._serialized_start=276 + _globals['_HOLDER']._serialized_end=351 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_start=353 + _globals['_ACCOUNTPORTFOLIOREQUEST']._serialized_end=419 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_start=421 + _globals['_ACCOUNTPORTFOLIORESPONSE']._serialized_end=513 + _globals['_PORTFOLIO']._serialized_start=516 + _globals['_PORTFOLIO']._serialized_end=808 + _globals['_COIN']._serialized_start=810 + _globals['_COIN']._serialized_end=862 + _globals['_SUBACCOUNTBALANCEV2']._serialized_start=865 + _globals['_SUBACCOUNTBALANCEV2']._serialized_end=1015 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=1017 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=1118 + _globals['_POSITIONSWITHUPNL']._serialized_start=1121 + _globals['_POSITIONSWITHUPNL']._serialized_end=1252 + _globals['_DERIVATIVEPOSITION']._serialized_start=1255 + _globals['_DERIVATIVEPOSITION']._serialized_end=1687 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_start=1689 + _globals['_ACCOUNTPORTFOLIOBALANCESREQUEST']._serialized_end=1763 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_start=1765 + _globals['_ACCOUNTPORTFOLIOBALANCESRESPONSE']._serialized_end=1873 + _globals['_PORTFOLIOBALANCES']._serialized_start=1876 + _globals['_PORTFOLIOBALANCES']._serialized_end=2084 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_start=2087 + _globals['_STREAMACCOUNTPORTFOLIOREQUEST']._serialized_end=2216 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_start=2219 + _globals['_STREAMACCOUNTPORTFOLIORESPONSE']._serialized_end=2384 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_start=2387 + _globals['_INJECTIVEPORTFOLIORPC']._serialized_end=2928 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index 9299d5c8..d87cf1c1 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_spot_exchange_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_spot_exchange_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,112 +24,112 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"i\n\x0eMarketsRequest\x12\x15\n\rmarket_status\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x17\n\x0fmarket_statuses\x18\x04 \x03(\t\"O\n\x0fMarketsResponse\x12<\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"\x81\x03\n\x0eSpotMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_status\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12?\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12@\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMeta\x12\x16\n\x0emaker_fee_rate\x18\x08 \x01(\t\x12\x16\n\x0etaker_fee_rate\x18\t \x01(\t\x12\x1c\n\x14service_provider_fee\x18\n \x01(\t\x12\x1b\n\x13min_price_tick_size\x18\x0b \x01(\t\x12\x1e\n\x16min_quantity_tick_size\x18\x0c \x01(\t\"n\n\tTokenMeta\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\x12\x0e\n\x06symbol\x18\x03 \x01(\t\x12\x0c\n\x04logo\x18\x04 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11\x12\x12\n\nupdated_at\x18\x06 \x01(\x12\"\"\n\rMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"M\n\x0eMarketResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\"*\n\x14StreamMarketsRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x7f\n\x15StreamMarketsResponse\x12;\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfo\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\'\n\x12OrderbookV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"[\n\x13OrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\"\xaa\x01\n\x14SpotLimitOrderbookV2\x12\x35\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x36\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"@\n\nPriceLevel\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\")\n\x13OrderbooksV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"c\n\x14OrderbooksV2Response\x12K\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2\"u\n\x1aSingleSpotLimitOrderbookV2\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\".\n\x18StreamOrderbookV2Request\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\x9f\x01\n\x19StreamOrderbookV2Response\x12\x44\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"2\n\x1cStreamOrderbookUpdateRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"\xb2\x01\n\x1dStreamOrderbookUpdateResponse\x12S\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdates\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\x12\x11\n\tmarket_id\x18\x04 \x01(\t\"\xcb\x01\n\x15OrderbookLevelUpdates\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12;\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12<\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdate\x12\x12\n\nupdated_at\x18\x05 \x01(\x12\"Y\n\x10PriceLevelUpdate\x12\r\n\x05price\x18\x01 \x01(\t\x12\x10\n\x08quantity\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x11\n\ttimestamp\x18\x04 \x01(\x12\"\xfe\x01\n\rOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\x82\x01\n\x0eOrdersResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa1\x02\n\x0eSpotLimitOrder\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\r\n\x05price\x18\x05 \x01(\t\x12\x10\n\x08quantity\x18\x06 \x01(\t\x12\x19\n\x11unfilled_quantity\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\r\n\x05state\x18\n \x01(\t\x12\x12\n\ncreated_at\x18\x0b \x01(\x12\x12\x12\n\nupdated_at\x18\x0c \x01(\x12\x12\x0f\n\x07tx_hash\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t\"\x84\x02\n\x13StreamOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x12\n\norder_side\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x0c\n\x04skip\x18\x04 \x01(\x04\x12\r\n\x05limit\x18\x05 \x01(\x11\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\x12\n\nmarket_ids\x18\x08 \x03(\t\x12\x18\n\x10include_inactive\x18\t \x01(\x08\x12\x1f\n\x17subaccount_total_orders\x18\n \x01(\x08\x12\x10\n\x08trade_id\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"}\n\x14StreamOrdersResponse\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa4\x02\n\rTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"}\n\x0eTradesResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xa8\x02\n\tSpotTrade\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x1c\n\x14trade_execution_type\x18\x04 \x01(\t\x12\x17\n\x0ftrade_direction\x18\x05 \x01(\t\x12\x36\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevel\x12\x0b\n\x03\x66\x65\x65\x18\x07 \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\x08 \x01(\x12\x12\x15\n\rfee_recipient\x18\t \x01(\t\x12\x10\n\x08trade_id\x18\n \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x0b \x01(\t\x12\x0b\n\x03\x63id\x18\x0c \x01(\t\"\xaa\x02\n\x13StreamTradesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"x\n\x14StreamTradesResponse\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\xa6\x02\n\x0fTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x7f\n\x10TradesV2Response\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xac\x02\n\x15StreamTradesV2Request\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x16\n\x0e\x65xecution_side\x18\x02 \x01(\t\x12\x11\n\tdirection\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\x12\n\nmarket_ids\x18\t \x03(\t\x12\x16\n\x0esubaccount_ids\x18\n \x03(\t\x12\x17\n\x0f\x65xecution_types\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\r \x01(\t\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"z\n\x16StreamTradesV2Response\x12\x35\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"d\n\x1bSubaccountOrdersListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\"\x90\x01\n\x1cSubaccountOrdersListResponse\x12;\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrder\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\x8f\x01\n\x1bSubaccountTradesListRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x03 \x01(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\x0c\n\x04skip\x18\x05 \x01(\x04\x12\r\n\x05limit\x18\x06 \x01(\x11\"V\n\x1cSubaccountTradesListResponse\x12\x36\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTrade\"\xa3\x02\n\x14OrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x04\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0border_types\x18\x05 \x03(\t\x12\x11\n\tdirection\x18\x06 \x01(\t\x12\x12\n\nstart_time\x18\x07 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x08 \x01(\x12\x12\r\n\x05state\x18\t \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\n \x03(\t\x12\x12\n\nmarket_ids\x18\x0b \x03(\t\x12\x10\n\x08trade_id\x18\x0c \x01(\t\x12\x1b\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08\x12\x0b\n\x03\x63id\x18\x0e \x01(\t\"\x8b\x01\n\x15OrdersHistoryResponse\x12=\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x33\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\"\xc8\x02\n\x10SpotOrderHistory\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x11\n\tis_active\x18\x03 \x01(\x08\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x16\n\x0e\x65xecution_type\x18\x05 \x01(\t\x12\x12\n\norder_type\x18\x06 \x01(\t\x12\r\n\x05price\x18\x07 \x01(\t\x12\x15\n\rtrigger_price\x18\x08 \x01(\t\x12\x10\n\x08quantity\x18\t \x01(\t\x12\x17\n\x0f\x66illed_quantity\x18\n \x01(\t\x12\r\n\x05state\x18\x0b \x01(\t\x12\x12\n\ncreated_at\x18\x0c \x01(\x12\x12\x12\n\nupdated_at\x18\r \x01(\x12\x12\x11\n\tdirection\x18\x0e \x01(\t\x12\x0f\n\x07tx_hash\x18\x0f \x01(\t\x12\x0b\n\x03\x63id\x18\x10 \x01(\t\"\x96\x01\n\x1aStreamOrdersHistoryRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x13\n\x0border_types\x18\x03 \x03(\t\x12\x11\n\tdirection\x18\x04 \x01(\t\x12\r\n\x05state\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_types\x18\x06 \x03(\t\"\x86\x01\n\x1bStreamOrdersHistoryResponse\x12<\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistory\x12\x16\n\x0eoperation_type\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x12\"\x8a\x01\n\x18\x41tomicSwapHistoryRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x0c\n\x04skip\x18\x03 \x01(\x11\x12\r\n\x05limit\x18\x04 \x01(\x11\x12\x13\n\x0b\x66rom_number\x18\x05 \x01(\x11\x12\x11\n\tto_number\x18\x06 \x01(\x11\"\x87\x01\n\x19\x41tomicSwapHistoryResponse\x12\x33\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.Paging\x12\x35\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwap\"\xdc\x02\n\nAtomicSwap\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05route\x18\x02 \x01(\t\x12\x36\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x34\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12/\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.Coin\x12\x18\n\x10\x63ontract_address\x18\x06 \x01(\t\x12\x17\n\x0findex_by_sender\x18\x07 \x01(\x11\x12 \n\x18index_by_sender_contract\x18\x08 \x01(\x11\x12\x0f\n\x07tx_hash\x18\t \x01(\t\x12\x13\n\x0b\x65xecuted_at\x18\n \x01(\x12\x12\x15\n\rrefund_amount\x18\x0b \x01(\t\"%\n\x04\x43oin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB Z\x1e/injective_spot_exchange_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"\x9e\x01\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x04 \x03(\tR\x0emarketStatuses\"X\n\x0fMarketsResponse\x12\x45\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x07markets\"\xae\x04\n\x0eSpotMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12N\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\rbaseTokenMeta\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12P\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x08 \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\t \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\n \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0b \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x0c \x01(\tR\x13minQuantityTickSize\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"U\n\x0eMarketResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\"5\n\x14StreamMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xa1\x01\n\x15StreamMarketsResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"f\n\x13OrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"\xcc\x01\n\x14SpotLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x04\x62uys\x12=\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2R\norderbooks\"\x8a\x01\n\x1aSingleSpotLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xce\x01\n\x19StreamOrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xed\x01\n\x1dStreamOrderbookUpdateResponse\x12j\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\xf7\x01\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12\x43\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x83\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x92\x01\n\x0eOrdersResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x89\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x9e\x01\n\x14StreamOrdersResponse\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8d\x01\n\x0eTradesResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb2\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12=\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x99\x01\n\x14StreamTradesResponse\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8f\x01\n\x10TradesV2Response\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x16StreamTradesV2Response\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xa0\x01\n\x1cSubaccountOrdersListResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"^\n\x1cSubaccountTradesListResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\"\xb6\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05state\x18\t \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\n \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\x0b \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x15OrdersHistoryResponse\x12\x45\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xa7\x01\n\x1bStreamOrdersHistoryResponse\x12\x43\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x01\n\x18\x41tomicSwapHistoryRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x05 \x01(\x11R\nfromNumber\x12\x1b\n\tto_number\x18\x06 \x01(\x11R\x08toNumber\"\x95\x01\n\x19\x41tomicSwapHistoryResponse\x12;\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\x12;\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwapR\x04\x64\x61ta\"\xe0\x03\n\nAtomicSwap\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05route\x18\x02 \x01(\tR\x05route\x12\x42\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\nsourceCoin\x12>\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x08\x64\x65stCoin\x12\x35\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x04\x66\x65\x65s\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\x12&\n\x0findex_by_sender\x18\x07 \x01(\x11R\rindexBySender\x12\x37\n\x18index_by_sender_contract\x18\x08 \x01(\x11R\x15indexBySenderContract\x12\x17\n\x07tx_hash\x18\t \x01(\tR\x06txHash\x12\x1f\n\x0b\x65xecuted_at\x18\n \x01(\x12R\nexecutedAt\x12#\n\rrefund_amount\x18\x0b \x01(\tR\x0crefundAmount\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB\xe0\x01\n\x1f\x63om.injective_spot_exchange_rpcB\x1dInjectiveSpotExchangeRpcProtoP\x01Z\x1e/injective_spot_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x18InjectiveSpotExchangeRpc\xca\x02\x18InjectiveSpotExchangeRpc\xe2\x02$InjectiveSpotExchangeRpc\\GPBMetadata\xea\x02\x18InjectiveSpotExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_spot_exchange_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\036/injective_spot_exchange_rpcpb' - _globals['_MARKETSREQUEST']._serialized_start=75 - _globals['_MARKETSREQUEST']._serialized_end=180 - _globals['_MARKETSRESPONSE']._serialized_start=182 - _globals['_MARKETSRESPONSE']._serialized_end=261 - _globals['_SPOTMARKETINFO']._serialized_start=264 - _globals['_SPOTMARKETINFO']._serialized_end=649 - _globals['_TOKENMETA']._serialized_start=651 - _globals['_TOKENMETA']._serialized_end=761 - _globals['_MARKETREQUEST']._serialized_start=763 - _globals['_MARKETREQUEST']._serialized_end=797 - _globals['_MARKETRESPONSE']._serialized_start=799 - _globals['_MARKETRESPONSE']._serialized_end=876 - _globals['_STREAMMARKETSREQUEST']._serialized_start=878 - _globals['_STREAMMARKETSREQUEST']._serialized_end=920 - _globals['_STREAMMARKETSRESPONSE']._serialized_start=922 - _globals['_STREAMMARKETSRESPONSE']._serialized_end=1049 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=1051 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=1090 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1092 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1183 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1186 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1356 - _globals['_PRICELEVEL']._serialized_start=1358 - _globals['_PRICELEVEL']._serialized_end=1422 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1424 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1465 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1467 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=1566 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=1568 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=1685 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=1687 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=1733 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=1736 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=1895 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=1897 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=1947 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=1950 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2128 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2131 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2334 - _globals['_PRICELEVELUPDATE']._serialized_start=2336 - _globals['_PRICELEVELUPDATE']._serialized_end=2425 - _globals['_ORDERSREQUEST']._serialized_start=2428 - _globals['_ORDERSREQUEST']._serialized_end=2682 - _globals['_ORDERSRESPONSE']._serialized_start=2685 - _globals['_ORDERSRESPONSE']._serialized_end=2815 - _globals['_SPOTLIMITORDER']._serialized_start=2818 - _globals['_SPOTLIMITORDER']._serialized_end=3107 - _globals['_PAGING']._serialized_start=3109 - _globals['_PAGING']._serialized_end=3201 - _globals['_STREAMORDERSREQUEST']._serialized_start=3204 - _globals['_STREAMORDERSREQUEST']._serialized_end=3464 - _globals['_STREAMORDERSRESPONSE']._serialized_start=3466 - _globals['_STREAMORDERSRESPONSE']._serialized_end=3591 - _globals['_TRADESREQUEST']._serialized_start=3594 - _globals['_TRADESREQUEST']._serialized_end=3886 - _globals['_TRADESRESPONSE']._serialized_start=3888 - _globals['_TRADESRESPONSE']._serialized_end=4013 - _globals['_SPOTTRADE']._serialized_start=4016 - _globals['_SPOTTRADE']._serialized_end=4312 - _globals['_STREAMTRADESREQUEST']._serialized_start=4315 - _globals['_STREAMTRADESREQUEST']._serialized_end=4613 - _globals['_STREAMTRADESRESPONSE']._serialized_start=4615 - _globals['_STREAMTRADESRESPONSE']._serialized_end=4735 - _globals['_TRADESV2REQUEST']._serialized_start=4738 - _globals['_TRADESV2REQUEST']._serialized_end=5032 - _globals['_TRADESV2RESPONSE']._serialized_start=5034 - _globals['_TRADESV2RESPONSE']._serialized_end=5161 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=5164 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=5464 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=5466 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=5588 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=5590 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=5690 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=5693 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=5837 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=5840 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=5983 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=5985 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=6071 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=6074 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=6365 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=6368 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=6507 - _globals['_SPOTORDERHISTORY']._serialized_start=6510 - _globals['_SPOTORDERHISTORY']._serialized_end=6838 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=6841 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=6991 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=6994 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=7128 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=7131 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=7269 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=7272 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=7407 - _globals['_ATOMICSWAP']._serialized_start=7410 - _globals['_ATOMICSWAP']._serialized_end=7758 - _globals['_COIN']._serialized_start=7760 - _globals['_COIN']._serialized_end=7797 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=7800 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=10006 + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective_spot_exchange_rpcB\035InjectiveSpotExchangeRpcProtoP\001Z\036/injective_spot_exchange_rpcpb\242\002\003IXX\252\002\030InjectiveSpotExchangeRpc\312\002\030InjectiveSpotExchangeRpc\342\002$InjectiveSpotExchangeRpc\\GPBMetadata\352\002\030InjectiveSpotExchangeRpc' + _globals['_MARKETSREQUEST']._serialized_start=76 + _globals['_MARKETSREQUEST']._serialized_end=234 + _globals['_MARKETSRESPONSE']._serialized_start=236 + _globals['_MARKETSRESPONSE']._serialized_end=324 + _globals['_SPOTMARKETINFO']._serialized_start=327 + _globals['_SPOTMARKETINFO']._serialized_end=885 + _globals['_TOKENMETA']._serialized_start=888 + _globals['_TOKENMETA']._serialized_end=1048 + _globals['_MARKETREQUEST']._serialized_start=1050 + _globals['_MARKETREQUEST']._serialized_end=1094 + _globals['_MARKETRESPONSE']._serialized_start=1096 + _globals['_MARKETRESPONSE']._serialized_end=1181 + _globals['_STREAMMARKETSREQUEST']._serialized_start=1183 + _globals['_STREAMMARKETSREQUEST']._serialized_end=1236 + _globals['_STREAMMARKETSRESPONSE']._serialized_start=1239 + _globals['_STREAMMARKETSRESPONSE']._serialized_end=1400 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=1402 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=1451 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1453 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1555 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1558 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1762 + _globals['_PRICELEVEL']._serialized_start=1764 + _globals['_PRICELEVEL']._serialized_end=1856 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1858 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1910 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1912 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=2023 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=2026 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=2164 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=2166 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=2223 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=2226 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=2432 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=2434 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=2495 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=2498 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2735 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2738 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2985 + _globals['_PRICELEVELUPDATE']._serialized_start=2987 + _globals['_PRICELEVELUPDATE']._serialized_end=3114 + _globals['_ORDERSREQUEST']._serialized_start=3117 + _globals['_ORDERSREQUEST']._serialized_end=3504 + _globals['_ORDERSRESPONSE']._serialized_start=3507 + _globals['_ORDERSRESPONSE']._serialized_end=3653 + _globals['_SPOTLIMITORDER']._serialized_start=3656 + _globals['_SPOTLIMITORDER']._serialized_end=4096 + _globals['_PAGING']._serialized_start=4099 + _globals['_PAGING']._serialized_end=4233 + _globals['_STREAMORDERSREQUEST']._serialized_start=4236 + _globals['_STREAMORDERSREQUEST']._serialized_end=4629 + _globals['_STREAMORDERSRESPONSE']._serialized_start=4632 + _globals['_STREAMORDERSRESPONSE']._serialized_end=4790 + _globals['_TRADESREQUEST']._serialized_start=4793 + _globals['_TRADESREQUEST']._serialized_end=5240 + _globals['_TRADESRESPONSE']._serialized_start=5243 + _globals['_TRADESRESPONSE']._serialized_end=5384 + _globals['_SPOTTRADE']._serialized_start=5387 + _globals['_SPOTTRADE']._serialized_end=5821 + _globals['_STREAMTRADESREQUEST']._serialized_start=5824 + _globals['_STREAMTRADESREQUEST']._serialized_end=6277 + _globals['_STREAMTRADESRESPONSE']._serialized_start=6280 + _globals['_STREAMTRADESRESPONSE']._serialized_end=6433 + _globals['_TRADESV2REQUEST']._serialized_start=6436 + _globals['_TRADESV2REQUEST']._serialized_end=6885 + _globals['_TRADESV2RESPONSE']._serialized_start=6888 + _globals['_TRADESV2RESPONSE']._serialized_end=7031 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=7034 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=7489 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=7492 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=7647 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=7650 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=7787 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=7790 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=7950 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=7953 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=8159 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=8161 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=8255 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=8258 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=8696 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=8699 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=8854 + _globals['_SPOTORDERHISTORY']._serialized_start=8857 + _globals['_SPOTORDERHISTORY']._serialized_end=9356 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=9359 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=9579 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=9582 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=9749 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=9752 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=9951 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=9954 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=10103 + _globals['_ATOMICSWAP']._serialized_start=10106 + _globals['_ATOMICSWAP']._serialized_end=10586 + _globals['_COIN']._serialized_start=10588 + _globals['_COIN']._serialized_end=10640 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=10643 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=12849 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py index efc752c9..14c01ce6 100644 --- a/pyinjective/proto/exchange/injective_trading_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_trading_rpc_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: exchange/injective_trading_rpc.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'exchange/injective_trading_rpc.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,24 +24,24 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xfa\x01\n\x1cListTradingStrategiesRequest\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x19\n\x11pending_execution\x18\x05 \x01(\x08\x12\x12\n\nstart_time\x18\x06 \x01(\x12\x12\x10\n\x08\x65nd_time\x18\x07 \x01(\x12\x12\r\n\x05limit\x18\x08 \x01(\x11\x12\x0c\n\x04skip\x18\t \x01(\x04\x12\x15\n\rstrategy_type\x18\n \x03(\t\x12\x13\n\x0bmarket_type\x18\x0b \x01(\t\"\x8a\x01\n\x1dListTradingStrategiesResponse\x12:\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategy\x12-\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.Paging\"\xf1\x06\n\x0fTradingStrategy\x12\r\n\x05state\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x05 \x01(\t\x12\x17\n\x0f\x65xecution_price\x18\x06 \x01(\t\x12\x15\n\rbase_quantity\x18\x07 \x01(\t\x12\x16\n\x0equote_quantity\x18\x14 \x01(\t\x12\x13\n\x0blower_bound\x18\x08 \x01(\t\x12\x13\n\x0bupper_bound\x18\t \x01(\t\x12\x11\n\tstop_loss\x18\n \x01(\t\x12\x13\n\x0btake_profit\x18\x0b \x01(\t\x12\x10\n\x08swap_fee\x18\x0c \x01(\t\x12\x14\n\x0c\x62\x61se_deposit\x18\x11 \x01(\t\x12\x15\n\rquote_deposit\x18\x12 \x01(\t\x12\x18\n\x10market_mid_price\x18\x13 \x01(\t\x12#\n\x1bsubscription_quote_quantity\x18\x15 \x01(\t\x12\"\n\x1asubscription_base_quantity\x18\x16 \x01(\t\x12\x1d\n\x15number_of_grid_levels\x18\x17 \x01(\t\x12#\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08\x12\x13\n\x0bstop_reason\x18\x19 \x01(\t\x12\x19\n\x11pending_execution\x18\x1a \x01(\x08\x12\x16\n\x0e\x63reated_height\x18\r \x01(\x12\x12\x16\n\x0eremoved_height\x18\x0e \x01(\x12\x12\x12\n\ncreated_at\x18\x0f \x01(\x12\x12\x12\n\nupdated_at\x18\x10 \x01(\x12\x12\x11\n\texit_type\x18\x1b \x01(\t\x12;\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12=\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfig\x12\x15\n\rstrategy_type\x18\x1e \x01(\t\x12\x18\n\x10\x63ontract_version\x18\x1f \x01(\t\x12\x15\n\rcontract_name\x18 \x01(\t\x12\x13\n\x0bmarket_type\x18! \x01(\t\"3\n\nExitConfig\x12\x11\n\texit_type\x18\x01 \x01(\t\x12\x12\n\nexit_price\x18\x02 \x01(\t\"\\\n\x06Paging\x12\r\n\x05total\x18\x01 \x01(\x12\x12\x0c\n\x04\x66rom\x18\x02 \x01(\x11\x12\n\n\x02to\x18\x03 \x01(\x11\x12\x1b\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12\x12\x0c\n\x04next\x18\x05 \x03(\t2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\x1aZ\x18/injective_trading_rpcpbb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$exchange/injective_trading_rpc.proto\x12\x15injective_trading_rpc\"\xf6\x02\n\x1cListTradingStrategiesRequest\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12+\n\x11pending_execution\x18\x05 \x01(\x08R\x10pendingExecution\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05limit\x18\x08 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\t \x01(\x04R\x04skip\x12#\n\rstrategy_type\x18\n \x03(\tR\x0cstrategyType\x12\x1f\n\x0bmarket_type\x18\x0b \x01(\tR\nmarketType\"\x9e\x01\n\x1dListTradingStrategiesResponse\x12\x46\n\nstrategies\x18\x01 \x03(\x0b\x32&.injective_trading_rpc.TradingStrategyR\nstrategies\x12\x35\n\x06paging\x18\x02 \x01(\x0b\x32\x1d.injective_trading_rpc.PagingR\x06paging\"\xd9\n\n\x0fTradingStrategy\x12\x14\n\x05state\x18\x01 \x01(\tR\x05state\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x04 \x01(\tR\x0e\x61\x63\x63ountAddress\x12)\n\x10\x63ontract_address\x18\x05 \x01(\tR\x0f\x63ontractAddress\x12\'\n\x0f\x65xecution_price\x18\x06 \x01(\tR\x0e\x65xecutionPrice\x12#\n\rbase_quantity\x18\x07 \x01(\tR\x0c\x62\x61seQuantity\x12%\n\x0equote_quantity\x18\x14 \x01(\tR\rquoteQuantity\x12\x1f\n\x0blower_bound\x18\x08 \x01(\tR\nlowerBound\x12\x1f\n\x0bupper_bound\x18\t \x01(\tR\nupperBound\x12\x1b\n\tstop_loss\x18\n \x01(\tR\x08stopLoss\x12\x1f\n\x0btake_profit\x18\x0b \x01(\tR\ntakeProfit\x12\x19\n\x08swap_fee\x18\x0c \x01(\tR\x07swapFee\x12!\n\x0c\x62\x61se_deposit\x18\x11 \x01(\tR\x0b\x62\x61seDeposit\x12#\n\rquote_deposit\x18\x12 \x01(\tR\x0cquoteDeposit\x12(\n\x10market_mid_price\x18\x13 \x01(\tR\x0emarketMidPrice\x12>\n\x1bsubscription_quote_quantity\x18\x15 \x01(\tR\x19subscriptionQuoteQuantity\x12<\n\x1asubscription_base_quantity\x18\x16 \x01(\tR\x18subscriptionBaseQuantity\x12\x31\n\x15number_of_grid_levels\x18\x17 \x01(\tR\x12numberOfGridLevels\x12<\n\x1bshould_exit_with_quote_only\x18\x18 \x01(\x08R\x17shouldExitWithQuoteOnly\x12\x1f\n\x0bstop_reason\x18\x19 \x01(\tR\nstopReason\x12+\n\x11pending_execution\x18\x1a \x01(\x08R\x10pendingExecution\x12%\n\x0e\x63reated_height\x18\r \x01(\x12R\rcreatedHeight\x12%\n\x0eremoved_height\x18\x0e \x01(\x12R\rremovedHeight\x12\x1d\n\ncreated_at\x18\x0f \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x10 \x01(\x12R\tupdatedAt\x12\x1b\n\texit_type\x18\x1b \x01(\tR\x08\x65xitType\x12K\n\x10stop_loss_config\x18\x1c \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x0estopLossConfig\x12O\n\x12take_profit_config\x18\x1d \x01(\x0b\x32!.injective_trading_rpc.ExitConfigR\x10takeProfitConfig\x12#\n\rstrategy_type\x18\x1e \x01(\tR\x0cstrategyType\x12)\n\x10\x63ontract_version\x18\x1f \x01(\tR\x0f\x63ontractVersion\x12#\n\rcontract_name\x18 \x01(\tR\x0c\x63ontractName\x12\x1f\n\x0bmarket_type\x18! \x01(\tR\nmarketType\"H\n\nExitConfig\x12\x1b\n\texit_type\x18\x01 \x01(\tR\x08\x65xitType\x12\x1d\n\nexit_price\x18\x02 \x01(\tR\texitPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next2\x9a\x01\n\x13InjectiveTradingRPC\x12\x82\x01\n\x15ListTradingStrategies\x12\x33.injective_trading_rpc.ListTradingStrategiesRequest\x1a\x34.injective_trading_rpc.ListTradingStrategiesResponseB\xbb\x01\n\x19\x63om.injective_trading_rpcB\x18InjectiveTradingRpcProtoP\x01Z\x18/injective_trading_rpcpb\xa2\x02\x03IXX\xaa\x02\x13InjectiveTradingRpc\xca\x02\x13InjectiveTradingRpc\xe2\x02\x1fInjectiveTradingRpc\\GPBMetadata\xea\x02\x13InjectiveTradingRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'exchange.injective_trading_rpc_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\030/injective_trading_rpcpb' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective_trading_rpcB\030InjectiveTradingRpcProtoP\001Z\030/injective_trading_rpcpb\242\002\003IXX\252\002\023InjectiveTradingRpc\312\002\023InjectiveTradingRpc\342\002\037InjectiveTradingRpc\\GPBMetadata\352\002\023InjectiveTradingRpc' _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_start=64 - _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=314 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=317 - _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=455 - _globals['_TRADINGSTRATEGY']._serialized_start=458 - _globals['_TRADINGSTRATEGY']._serialized_end=1339 - _globals['_EXITCONFIG']._serialized_start=1341 - _globals['_EXITCONFIG']._serialized_end=1392 - _globals['_PAGING']._serialized_start=1394 - _globals['_PAGING']._serialized_end=1486 - _globals['_INJECTIVETRADINGRPC']._serialized_start=1489 - _globals['_INJECTIVETRADINGRPC']._serialized_end=1643 + _globals['_LISTTRADINGSTRATEGIESREQUEST']._serialized_end=438 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_start=441 + _globals['_LISTTRADINGSTRATEGIESRESPONSE']._serialized_end=599 + _globals['_TRADINGSTRATEGY']._serialized_start=602 + _globals['_TRADINGSTRATEGY']._serialized_end=1971 + _globals['_EXITCONFIG']._serialized_start=1973 + _globals['_EXITCONFIG']._serialized_end=2045 + _globals['_PAGING']._serialized_start=2048 + _globals['_PAGING']._serialized_end=2182 + _globals['_INJECTIVETRADINGRPC']._serialized_start=2185 + _globals['_INJECTIVETRADINGRPC']._serialized_end=2339 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/gogoproto/gogo_pb2.py b/pyinjective/proto/gogoproto/gogo_pb2.py index a295b103..daec3358 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2.py +++ b/pyinjective/proto/gogoproto/gogo_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: gogoproto/gogo.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'gogoproto/gogo.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -15,12 +25,12 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:;\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08:=\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08:5\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08:7\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\t:0\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08:A\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\t:;\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08:?\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08:<\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08:9\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08:0\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08:4\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08:4\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08:4\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08:3\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08:1\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08:7\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08:3\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08:4\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08:5\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08:7\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08:<\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08:1\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08:A\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08:9\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08:<\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08:>\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08:B\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08:@\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08:8\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08:6\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08:3\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08:4\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08:4\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08:<\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08:7\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08:=\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08:;\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08::\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08:;\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08:8\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08:/\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08:3\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08:3\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08:3\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08:2\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08:0\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08:6\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08:2\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08:3\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08:4\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08:6\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08:;\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08:0\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08:;\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08:=\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08:A\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08:?\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08:5\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08:2\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08:3\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08:6\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08:<\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08::\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08:1\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08:.\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08:3\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\t:3\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\t:0\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\t:1\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\t:1\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\t:0\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\t:2\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\t:0\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08:4\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08:3\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08:5\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tBH\n\x13\x63om.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x14gogoproto/gogo.proto\x12\tgogoproto\x1a google/protobuf/descriptor.proto:N\n\x13goproto_enum_prefix\x12\x1c.google.protobuf.EnumOptions\x18\xb1\xe4\x03 \x01(\x08R\x11goprotoEnumPrefix:R\n\x15goproto_enum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc5\xe4\x03 \x01(\x08R\x13goprotoEnumStringer:C\n\renum_stringer\x12\x1c.google.protobuf.EnumOptions\x18\xc6\xe4\x03 \x01(\x08R\x0c\x65numStringer:G\n\x0f\x65num_customname\x12\x1c.google.protobuf.EnumOptions\x18\xc7\xe4\x03 \x01(\tR\x0e\x65numCustomname::\n\x08\x65numdecl\x12\x1c.google.protobuf.EnumOptions\x18\xc8\xe4\x03 \x01(\x08R\x08\x65numdecl:V\n\x14\x65numvalue_customname\x12!.google.protobuf.EnumValueOptions\x18\xd1\x83\x04 \x01(\tR\x13\x65numvalueCustomname:N\n\x13goproto_getters_all\x12\x1c.google.protobuf.FileOptions\x18\x99\xec\x03 \x01(\x08R\x11goprotoGettersAll:U\n\x17goproto_enum_prefix_all\x12\x1c.google.protobuf.FileOptions\x18\x9a\xec\x03 \x01(\x08R\x14goprotoEnumPrefixAll:P\n\x14goproto_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\x9b\xec\x03 \x01(\x08R\x12goprotoStringerAll:J\n\x11verbose_equal_all\x12\x1c.google.protobuf.FileOptions\x18\x9c\xec\x03 \x01(\x08R\x0fverboseEqualAll:9\n\x08\x66\x61\x63\x65_all\x12\x1c.google.protobuf.FileOptions\x18\x9d\xec\x03 \x01(\x08R\x07\x66\x61\x63\x65\x41ll:A\n\x0cgostring_all\x12\x1c.google.protobuf.FileOptions\x18\x9e\xec\x03 \x01(\x08R\x0bgostringAll:A\n\x0cpopulate_all\x12\x1c.google.protobuf.FileOptions\x18\x9f\xec\x03 \x01(\x08R\x0bpopulateAll:A\n\x0cstringer_all\x12\x1c.google.protobuf.FileOptions\x18\xa0\xec\x03 \x01(\x08R\x0bstringerAll:?\n\x0bonlyone_all\x12\x1c.google.protobuf.FileOptions\x18\xa1\xec\x03 \x01(\x08R\nonlyoneAll:;\n\tequal_all\x12\x1c.google.protobuf.FileOptions\x18\xa5\xec\x03 \x01(\x08R\x08\x65qualAll:G\n\x0f\x64\x65scription_all\x12\x1c.google.protobuf.FileOptions\x18\xa6\xec\x03 \x01(\x08R\x0e\x64\x65scriptionAll:?\n\x0btestgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa7\xec\x03 \x01(\x08R\ntestgenAll:A\n\x0c\x62\x65nchgen_all\x12\x1c.google.protobuf.FileOptions\x18\xa8\xec\x03 \x01(\x08R\x0b\x62\x65nchgenAll:C\n\rmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xa9\xec\x03 \x01(\x08R\x0cmarshalerAll:G\n\x0funmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaa\xec\x03 \x01(\x08R\x0eunmarshalerAll:P\n\x14stable_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xab\xec\x03 \x01(\x08R\x12stableMarshalerAll:;\n\tsizer_all\x12\x1c.google.protobuf.FileOptions\x18\xac\xec\x03 \x01(\x08R\x08sizerAll:Y\n\x19goproto_enum_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xad\xec\x03 \x01(\x08R\x16goprotoEnumStringerAll:J\n\x11\x65num_stringer_all\x12\x1c.google.protobuf.FileOptions\x18\xae\xec\x03 \x01(\x08R\x0f\x65numStringerAll:P\n\x14unsafe_marshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xaf\xec\x03 \x01(\x08R\x12unsafeMarshalerAll:T\n\x16unsafe_unmarshaler_all\x12\x1c.google.protobuf.FileOptions\x18\xb0\xec\x03 \x01(\x08R\x14unsafeUnmarshalerAll:[\n\x1agoproto_extensions_map_all\x12\x1c.google.protobuf.FileOptions\x18\xb1\xec\x03 \x01(\x08R\x17goprotoExtensionsMapAll:X\n\x18goproto_unrecognized_all\x12\x1c.google.protobuf.FileOptions\x18\xb2\xec\x03 \x01(\x08R\x16goprotoUnrecognizedAll:I\n\x10gogoproto_import\x12\x1c.google.protobuf.FileOptions\x18\xb3\xec\x03 \x01(\x08R\x0fgogoprotoImport:E\n\x0eprotosizer_all\x12\x1c.google.protobuf.FileOptions\x18\xb4\xec\x03 \x01(\x08R\rprotosizerAll:?\n\x0b\x63ompare_all\x12\x1c.google.protobuf.FileOptions\x18\xb5\xec\x03 \x01(\x08R\ncompareAll:A\n\x0ctypedecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb6\xec\x03 \x01(\x08R\x0btypedeclAll:A\n\x0c\x65numdecl_all\x12\x1c.google.protobuf.FileOptions\x18\xb7\xec\x03 \x01(\x08R\x0b\x65numdeclAll:Q\n\x14goproto_registration\x12\x1c.google.protobuf.FileOptions\x18\xb8\xec\x03 \x01(\x08R\x13goprotoRegistration:G\n\x0fmessagename_all\x12\x1c.google.protobuf.FileOptions\x18\xb9\xec\x03 \x01(\x08R\x0emessagenameAll:R\n\x15goproto_sizecache_all\x12\x1c.google.protobuf.FileOptions\x18\xba\xec\x03 \x01(\x08R\x13goprotoSizecacheAll:N\n\x13goproto_unkeyed_all\x12\x1c.google.protobuf.FileOptions\x18\xbb\xec\x03 \x01(\x08R\x11goprotoUnkeyedAll:J\n\x0fgoproto_getters\x12\x1f.google.protobuf.MessageOptions\x18\x81\xf4\x03 \x01(\x08R\x0egoprotoGetters:L\n\x10goproto_stringer\x12\x1f.google.protobuf.MessageOptions\x18\x83\xf4\x03 \x01(\x08R\x0fgoprotoStringer:F\n\rverbose_equal\x12\x1f.google.protobuf.MessageOptions\x18\x84\xf4\x03 \x01(\x08R\x0cverboseEqual:5\n\x04\x66\x61\x63\x65\x12\x1f.google.protobuf.MessageOptions\x18\x85\xf4\x03 \x01(\x08R\x04\x66\x61\x63\x65:=\n\x08gostring\x12\x1f.google.protobuf.MessageOptions\x18\x86\xf4\x03 \x01(\x08R\x08gostring:=\n\x08populate\x12\x1f.google.protobuf.MessageOptions\x18\x87\xf4\x03 \x01(\x08R\x08populate:=\n\x08stringer\x12\x1f.google.protobuf.MessageOptions\x18\xc0\x8b\x04 \x01(\x08R\x08stringer:;\n\x07onlyone\x12\x1f.google.protobuf.MessageOptions\x18\x89\xf4\x03 \x01(\x08R\x07onlyone:7\n\x05\x65qual\x12\x1f.google.protobuf.MessageOptions\x18\x8d\xf4\x03 \x01(\x08R\x05\x65qual:C\n\x0b\x64\x65scription\x12\x1f.google.protobuf.MessageOptions\x18\x8e\xf4\x03 \x01(\x08R\x0b\x64\x65scription:;\n\x07testgen\x12\x1f.google.protobuf.MessageOptions\x18\x8f\xf4\x03 \x01(\x08R\x07testgen:=\n\x08\x62\x65nchgen\x12\x1f.google.protobuf.MessageOptions\x18\x90\xf4\x03 \x01(\x08R\x08\x62\x65nchgen:?\n\tmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x91\xf4\x03 \x01(\x08R\tmarshaler:C\n\x0bunmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x92\xf4\x03 \x01(\x08R\x0bunmarshaler:L\n\x10stable_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x93\xf4\x03 \x01(\x08R\x0fstableMarshaler:7\n\x05sizer\x12\x1f.google.protobuf.MessageOptions\x18\x94\xf4\x03 \x01(\x08R\x05sizer:L\n\x10unsafe_marshaler\x12\x1f.google.protobuf.MessageOptions\x18\x97\xf4\x03 \x01(\x08R\x0funsafeMarshaler:P\n\x12unsafe_unmarshaler\x12\x1f.google.protobuf.MessageOptions\x18\x98\xf4\x03 \x01(\x08R\x11unsafeUnmarshaler:W\n\x16goproto_extensions_map\x12\x1f.google.protobuf.MessageOptions\x18\x99\xf4\x03 \x01(\x08R\x14goprotoExtensionsMap:T\n\x14goproto_unrecognized\x12\x1f.google.protobuf.MessageOptions\x18\x9a\xf4\x03 \x01(\x08R\x13goprotoUnrecognized:A\n\nprotosizer\x12\x1f.google.protobuf.MessageOptions\x18\x9c\xf4\x03 \x01(\x08R\nprotosizer:;\n\x07\x63ompare\x12\x1f.google.protobuf.MessageOptions\x18\x9d\xf4\x03 \x01(\x08R\x07\x63ompare:=\n\x08typedecl\x12\x1f.google.protobuf.MessageOptions\x18\x9e\xf4\x03 \x01(\x08R\x08typedecl:C\n\x0bmessagename\x12\x1f.google.protobuf.MessageOptions\x18\xa1\xf4\x03 \x01(\x08R\x0bmessagename:N\n\x11goproto_sizecache\x12\x1f.google.protobuf.MessageOptions\x18\xa2\xf4\x03 \x01(\x08R\x10goprotoSizecache:J\n\x0fgoproto_unkeyed\x12\x1f.google.protobuf.MessageOptions\x18\xa3\xf4\x03 \x01(\x08R\x0egoprotoUnkeyed:;\n\x08nullable\x12\x1d.google.protobuf.FieldOptions\x18\xe9\xfb\x03 \x01(\x08R\x08nullable:5\n\x05\x65mbed\x12\x1d.google.protobuf.FieldOptions\x18\xea\xfb\x03 \x01(\x08R\x05\x65mbed:?\n\ncustomtype\x12\x1d.google.protobuf.FieldOptions\x18\xeb\xfb\x03 \x01(\tR\ncustomtype:?\n\ncustomname\x12\x1d.google.protobuf.FieldOptions\x18\xec\xfb\x03 \x01(\tR\ncustomname:9\n\x07jsontag\x12\x1d.google.protobuf.FieldOptions\x18\xed\xfb\x03 \x01(\tR\x07jsontag:;\n\x08moretags\x12\x1d.google.protobuf.FieldOptions\x18\xee\xfb\x03 \x01(\tR\x08moretags:;\n\x08\x63\x61sttype\x12\x1d.google.protobuf.FieldOptions\x18\xef\xfb\x03 \x01(\tR\x08\x63\x61sttype:9\n\x07\x63\x61stkey\x12\x1d.google.protobuf.FieldOptions\x18\xf0\xfb\x03 \x01(\tR\x07\x63\x61stkey:=\n\tcastvalue\x12\x1d.google.protobuf.FieldOptions\x18\xf1\xfb\x03 \x01(\tR\tcastvalue:9\n\x07stdtime\x12\x1d.google.protobuf.FieldOptions\x18\xf2\xfb\x03 \x01(\x08R\x07stdtime:A\n\x0bstdduration\x12\x1d.google.protobuf.FieldOptions\x18\xf3\xfb\x03 \x01(\x08R\x0bstdduration:?\n\nwktpointer\x12\x1d.google.protobuf.FieldOptions\x18\xf4\xfb\x03 \x01(\x08R\nwktpointer:C\n\x0c\x63\x61strepeated\x12\x1d.google.protobuf.FieldOptions\x18\xf5\xfb\x03 \x01(\tR\x0c\x63\x61strepeatedB\x85\x01\n\rcom.gogoprotoB\tGogoProtoP\x01Z%github.com/cosmos/gogoproto/gogoproto\xa2\x02\x03GXX\xaa\x02\tGogoproto\xca\x02\tGogoproto\xe2\x02\x15Gogoproto\\GPBMetadata\xea\x02\tGogoproto') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'gogoproto.gogo_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\023com.google.protobufB\nGoGoProtosZ%github.com/cosmos/gogoproto/gogoproto' + _globals['DESCRIPTOR']._serialized_options = b'\n\rcom.gogoprotoB\tGogoProtoP\001Z%github.com/cosmos/gogoproto/gogoproto\242\002\003GXX\252\002\tGogoproto\312\002\tGogoproto\342\002\025Gogoproto\\GPBMetadata\352\002\tGogoproto' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/annotations_pb2.py b/pyinjective/proto/google/api/annotations_pb2.py index 7a7930ca..99063bdc 100644 --- a/pyinjective/proto/google/api/annotations_pb2.py +++ b/pyinjective/proto/google/api/annotations_pb2.py @@ -1,27 +1,37 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/annotations.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/annotations.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import http_pb2 as google_dot_api_dot_http__pb2 +from pyinjective.proto.google.api import http_pb2 as google_dot_api_dot_http__pb2 from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:E\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleBn\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x04GAPIb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cgoogle/api/annotations.proto\x12\ngoogle.api\x1a\x15google/api/http.proto\x1a google/protobuf/descriptor.proto:K\n\x04http\x12\x1e.google.protobuf.MethodOptions\x18\xb0\xca\xbc\" \x01(\x0b\x32\x14.google.api.HttpRuleR\x04httpB\xae\x01\n\x0e\x63om.google.apiB\x10\x41nnotationsProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.annotations_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\004GAPI' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\020AnnotationsProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/http_pb2.py b/pyinjective/proto/google/api/http_pb2.py index 13a56dac..d4cb2ce9 100644 --- a/pyinjective/proto/google/api/http_pb2.py +++ b/pyinjective/proto/google/api/http_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: google/api/http.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'google/api/http.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,18 +24,18 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"T\n\x04Http\x12#\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRule\x12\'\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08\"\x81\x02\n\x08HttpRule\x12\x10\n\x08selector\x18\x01 \x01(\t\x12\r\n\x03get\x18\x02 \x01(\tH\x00\x12\r\n\x03put\x18\x03 \x01(\tH\x00\x12\x0e\n\x04post\x18\x04 \x01(\tH\x00\x12\x10\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00\x12\x0f\n\x05patch\x18\x06 \x01(\tH\x00\x12/\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00\x12\x0c\n\x04\x62ody\x18\x07 \x01(\t\x12\x15\n\rresponse_body\x18\x0c \x01(\t\x12\x31\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleB\t\n\x07pattern\"/\n\x11\x43ustomHttpPattern\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x0c\n\x04path\x18\x02 \x01(\tBj\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x04GAPIb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x15google/api/http.proto\x12\ngoogle.api\"y\n\x04Http\x12*\n\x05rules\x18\x01 \x03(\x0b\x32\x14.google.api.HttpRuleR\x05rules\x12\x45\n\x1f\x66ully_decode_reserved_expansion\x18\x02 \x01(\x08R\x1c\x66ullyDecodeReservedExpansion\"\xda\x02\n\x08HttpRule\x12\x1a\n\x08selector\x18\x01 \x01(\tR\x08selector\x12\x12\n\x03get\x18\x02 \x01(\tH\x00R\x03get\x12\x12\n\x03put\x18\x03 \x01(\tH\x00R\x03put\x12\x14\n\x04post\x18\x04 \x01(\tH\x00R\x04post\x12\x18\n\x06\x64\x65lete\x18\x05 \x01(\tH\x00R\x06\x64\x65lete\x12\x16\n\x05patch\x18\x06 \x01(\tH\x00R\x05patch\x12\x37\n\x06\x63ustom\x18\x08 \x01(\x0b\x32\x1d.google.api.CustomHttpPatternH\x00R\x06\x63ustom\x12\x12\n\x04\x62ody\x18\x07 \x01(\tR\x04\x62ody\x12#\n\rresponse_body\x18\x0c \x01(\tR\x0cresponseBody\x12\x45\n\x13\x61\x64\x64itional_bindings\x18\x0b \x03(\x0b\x32\x14.google.api.HttpRuleR\x12\x61\x64\x64itionalBindingsB\t\n\x07pattern\";\n\x11\x43ustomHttpPattern\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x12\n\x04path\x18\x02 \x01(\tR\x04pathB\xaa\x01\n\x0e\x63om.google.apiB\tHttpProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xf8\x01\x01\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'google.api.http_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\004GAPI' + _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\tHttpProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\370\001\001\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' _globals['_HTTP']._serialized_start=37 - _globals['_HTTP']._serialized_end=121 - _globals['_HTTPRULE']._serialized_start=124 - _globals['_HTTPRULE']._serialized_end=381 - _globals['_CUSTOMHTTPPATTERN']._serialized_start=383 - _globals['_CUSTOMHTTPPATTERN']._serialized_end=430 + _globals['_HTTP']._serialized_end=158 + _globals['_HTTPRULE']._serialized_start=161 + _globals['_HTTPRULE']._serialized_end=507 + _globals['_CUSTOMHTTPPATTERN']._serialized_start=509 + _globals['_CUSTOMHTTPPATTERN']._serialized_end=568 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py index cdbd63cd..e2c1494a 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/ack.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/ack.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"{\n\x1bIncentivizedAcknowledgement\x12\x1b\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0c\x12\x1f\n\x17\x66orward_relayer_address\x18\x02 \x01(\t\x12\x1e\n\x16underlying_app_success\x18\x03 \x01(\x08\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/ack.proto\x12\x17ibc.applications.fee.v1\"\xbc\x01\n\x1bIncentivizedAcknowledgement\x12/\n\x13\x61pp_acknowledgement\x18\x01 \x01(\x0cR\x12\x61ppAcknowledgement\x12\x36\n\x17\x66orward_relayer_address\x18\x02 \x01(\tR\x15\x66orwardRelayerAddress\x12\x34\n\x16underlying_app_success\x18\x03 \x01(\x08R\x14underlyingAppSuccessB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x41\x63kProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.ack_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=62 - _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=185 + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010AckProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_start=63 + _globals['_INCENTIVIZEDACKNOWLEDGEMENT']._serialized_end=251 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py index bab1a197..35d3e5d2 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/fee.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/fee.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xd7\x02\n\x03\x46\x65\x65\x12n\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12m\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\x12q\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coins\"{\n\tPacketFee\x12/\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00\x12\x16\n\x0erefund_address\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:\x13\x82\xe7\xb0*\x0erefund_address\"K\n\nPacketFees\x12=\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\"\x8d\x01\n\x14IdentifiedPacketFees\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12=\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/applications/fee/v1/fee.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xf4\x02\n\x03\x46\x65\x65\x12w\n\x08recv_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x07recvFee\x12u\n\x07\x61\x63k_fee\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\x06\x61\x63kFee\x12}\n\x0btimeout_fee\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBA\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x9a\xe7\xb0*\x0clegacy_coinsR\ntimeoutFee\"\x99\x01\n\tPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\x04\xc8\xde\x1f\x00R\x03\x66\x65\x65\x12%\n\x0erefund_address\x18\x02 \x01(\tR\rrefundAddress\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:\x13\x82\xe7\xb0*\x0erefund_address\"W\n\nPacketFees\x12I\n\x0bpacket_fees\x18\x01 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFees\"\xa3\x01\n\x14IdentifiedPacketFees\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12I\n\x0bpacket_fees\x18\x02 \x03(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\x04\xc8\xde\x1f\x00R\npacketFeesB\xdd\x01\n\x1b\x63om.ibc.applications.fee.v1B\x08\x46\x65\x65ProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.fee_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\010FeeProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_FEE'].fields_by_name['recv_fee']._loaded_options = None _globals['_FEE'].fields_by_name['recv_fee']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins\232\347\260*\014legacy_coins' _globals['_FEE'].fields_by_name['ack_fee']._loaded_options = None @@ -44,11 +54,11 @@ _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._loaded_options = None _globals['_IDENTIFIEDPACKETFEES'].fields_by_name['packet_fees']._serialized_options = b'\310\336\037\000' _globals['_FEE']._serialized_start=196 - _globals['_FEE']._serialized_end=539 - _globals['_PACKETFEE']._serialized_start=541 - _globals['_PACKETFEE']._serialized_end=664 - _globals['_PACKETFEES']._serialized_start=666 - _globals['_PACKETFEES']._serialized_end=741 - _globals['_IDENTIFIEDPACKETFEES']._serialized_start=744 - _globals['_IDENTIFIEDPACKETFEES']._serialized_end=885 + _globals['_FEE']._serialized_end=568 + _globals['_PACKETFEE']._serialized_start=571 + _globals['_PACKETFEE']._serialized_end=724 + _globals['_PACKETFEES']._serialized_start=726 + _globals['_PACKETFEES']._serialized_end=813 + _globals['_IDENTIFIEDPACKETFEES']._serialized_start=816 + _globals['_IDENTIFIEDPACKETFEES']._serialized_end=979 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py index f783ad91..2a1dbe17 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\xab\x03\n\x0cGenesisState\x12L\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12I\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00\x12\x62\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00\x12N\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00\"8\n\x11\x46\x65\x65\x45nabledChannel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"E\n\x0fRegisteredPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\r\n\x05payee\x18\x03 \x01(\t\"^\n\x1bRegisteredCounterpartyPayee\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x03 \x01(\t\"`\n\x15\x46orwardRelayerAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x36\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/fee/v1/genesis.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\"\x91\x04\n\x0cGenesisState\x12\\\n\x0fidentified_fees\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x0eidentifiedFees\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x02 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12[\n\x11registered_payees\x18\x03 \x03(\x0b\x32(.ibc.applications.fee.v1.RegisteredPayeeB\x04\xc8\xde\x1f\x00R\x10registeredPayees\x12\x80\x01\n\x1eregistered_counterparty_payees\x18\x04 \x03(\x0b\x32\x34.ibc.applications.fee.v1.RegisteredCounterpartyPayeeB\x04\xc8\xde\x1f\x00R\x1cregisteredCounterpartyPayees\x12_\n\x10\x66orward_relayers\x18\x05 \x03(\x0b\x32..ibc.applications.fee.v1.ForwardRelayerAddressB\x04\xc8\xde\x1f\x00R\x0f\x66orwardRelayers\"K\n\x11\x46\x65\x65\x45nabledChannel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"`\n\x0fRegisteredPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x03 \x01(\tR\x05payee\"\x85\x01\n\x1bRegisteredCounterpartyPayee\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x03 \x01(\tR\x11\x63ounterpartyPayee\"s\n\x15\x46orwardRelayerAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\tpacket_id\x18\x02 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetIdB\xe1\x01\n\x1b\x63om.ibc.applications.fee.v1B\x0cGenesisProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\014GenesisProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_GENESISSTATE'].fields_by_name['identified_fees']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['identified_fees']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['fee_enabled_channels']._loaded_options = None @@ -38,13 +48,13 @@ _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._loaded_options = None _globals['_FORWARDRELAYERADDRESS'].fields_by_name['packet_id']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=159 - _globals['_GENESISSTATE']._serialized_end=586 - _globals['_FEEENABLEDCHANNEL']._serialized_start=588 - _globals['_FEEENABLEDCHANNEL']._serialized_end=644 - _globals['_REGISTEREDPAYEE']._serialized_start=646 - _globals['_REGISTEREDPAYEE']._serialized_end=715 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=717 - _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=811 - _globals['_FORWARDRELAYERADDRESS']._serialized_start=813 - _globals['_FORWARDRELAYERADDRESS']._serialized_end=909 + _globals['_GENESISSTATE']._serialized_end=688 + _globals['_FEEENABLEDCHANNEL']._serialized_start=690 + _globals['_FEEENABLEDCHANNEL']._serialized_end=765 + _globals['_REGISTEREDPAYEE']._serialized_start=767 + _globals['_REGISTEREDPAYEE']._serialized_end=863 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_start=866 + _globals['_REGISTEREDCOUNTERPARTYPAYEE']._serialized_end=999 + _globals['_FORWARDRELAYERADDRESS']._serialized_start=1001 + _globals['_FORWARDRELAYERADDRESS']._serialized_end=1116 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py index fb919113..10905d4d 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/metadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"4\n\x08Metadata\x12\x13\n\x0b\x66\x65\x65_version\x18\x01 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x02 \x01(\tB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/applications/fee/v1/metadata.proto\x12\x17ibc.applications.fee.v1\"L\n\x08Metadata\x12\x1f\n\x0b\x66\x65\x65_version\x18\x01 \x01(\tR\nfeeVersion\x12\x1f\n\x0b\x61pp_version\x18\x02 \x01(\tR\nappVersionB\xe2\x01\n\x1b\x63om.ibc.applications.fee.v1B\rMetadataProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\rMetadataProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_METADATA']._serialized_start=67 - _globals['_METADATA']._serialized_end=119 + _globals['_METADATA']._serialized_end=143 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py index 356a52c5..a50fb07e 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import genesis_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_genesis__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"s\n\x1fQueryIncentivizedPacketsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xb2\x01\n QueryIncentivizedPacketsResponse\x12Q\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"n\n\x1eQueryIncentivizedPacketRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"s\n\x1fQueryIncentivizedPacketResponse\x12P\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00\"\xa2\x01\n)QueryIncentivizedPacketsForChannelRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x14\n\x0cquery_height\x18\x04 \x01(\x04\"\xb6\x01\n*QueryIncentivizedPacketsForChannelResponse\x12K\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFees\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"S\n\x19QueryTotalRecvFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"|\n\x1aQueryTotalRecvFeesResponse\x12^\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"R\n\x18QueryTotalAckFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"z\n\x19QueryTotalAckFeesResponse\x12]\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"V\n\x1cQueryTotalTimeoutFeesRequest\x12\x36\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00\"\x82\x01\n\x1dQueryTotalTimeoutFeesResponse\x12\x61\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"8\n\x11QueryPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"+\n\x12QueryPayeeResponse\x12\x15\n\rpayee_address\x18\x01 \x01(\t\"D\n\x1dQueryCounterpartyPayeeRequest\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07relayer\x18\x02 \x01(\t\"<\n\x1eQueryCounterpartyPayeeResponse\x12\x1a\n\x12\x63ounterparty_payee\x18\x01 \x01(\t\"r\n\x1eQueryFeeEnabledChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12\x14\n\x0cquery_height\x18\x02 \x01(\x04\"\xae\x01\n\x1fQueryFeeEnabledChannelsResponse\x12N\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"D\n\x1dQueryFeeEnabledChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"5\n\x1eQueryFeeEnabledChannelResponse\x12\x13\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08\x32\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB7Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/applications/fee/v1/query.proto\x12\x17ibc.applications.fee.v1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a%ibc/applications/fee/v1/genesis.proto\x1a!ibc/core/channel/v1/channel.proto\"\x8c\x01\n\x1fQueryIncentivizedPacketsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xd3\x01\n QueryIncentivizedPacketsResponse\x12\x66\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x85\x01\n\x1eQueryIncentivizedPacketRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\x87\x01\n\x1fQueryIncentivizedPacketResponse\x12\x64\n\x13incentivized_packet\x18\x01 \x01(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesB\x04\xc8\xde\x1f\x00R\x12incentivizedPacket\"\xce\x01\n)QueryIncentivizedPacketsForChannelRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12!\n\x0cquery_height\x18\x04 \x01(\x04R\x0bqueryHeight\"\xd7\x01\n*QueryIncentivizedPacketsForChannelResponse\x12`\n\x14incentivized_packets\x18\x01 \x03(\x0b\x32-.ibc.applications.fee.v1.IdentifiedPacketFeesR\x13incentivizedPackets\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"]\n\x19QueryTotalRecvFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x86\x01\n\x1aQueryTotalRecvFeesResponse\x12h\n\trecv_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08recvFees\"\\\n\x18QueryTotalAckFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x83\x01\n\x19QueryTotalAckFeesResponse\x12\x66\n\x08\x61\x63k_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07\x61\x63kFees\"`\n\x1cQueryTotalTimeoutFeesRequest\x12@\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\x04\xc8\xde\x1f\x00R\x08packetId\"\x8f\x01\n\x1dQueryTotalTimeoutFeesResponse\x12n\n\x0ctimeout_fees\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x0btimeoutFees\"L\n\x11QueryPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"9\n\x12QueryPayeeResponse\x12#\n\rpayee_address\x18\x01 \x01(\tR\x0cpayeeAddress\"X\n\x1dQueryCounterpartyPayeeRequest\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x02 \x01(\tR\x07relayer\"O\n\x1eQueryCounterpartyPayeeResponse\x12-\n\x12\x63ounterparty_payee\x18\x01 \x01(\tR\x11\x63ounterpartyPayee\"\x8b\x01\n\x1eQueryFeeEnabledChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12!\n\x0cquery_height\x18\x02 \x01(\x04R\x0bqueryHeight\"\xce\x01\n\x1fQueryFeeEnabledChannelsResponse\x12\x62\n\x14\x66\x65\x65_enabled_channels\x18\x01 \x03(\x0b\x32*.ibc.applications.fee.v1.FeeEnabledChannelB\x04\xc8\xde\x1f\x00R\x12\x66\x65\x65\x45nabledChannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"W\n\x1dQueryFeeEnabledChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"A\n\x1eQueryFeeEnabledChannelResponse\x12\x1f\n\x0b\x66\x65\x65_enabled\x18\x01 \x01(\x08R\nfeeEnabled2\xe6\x11\n\x05Query\x12\xb9\x01\n\x13IncentivizedPackets\x12\x38.ibc.applications.fee.v1.QueryIncentivizedPacketsRequest\x1a\x39.ibc.applications.fee.v1.QueryIncentivizedPacketsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/ibc/apps/fee/v1/incentivized_packets\x12\x8f\x02\n\x12IncentivizedPacket\x12\x37.ibc.applications.fee.v1.QueryIncentivizedPacketRequest\x1a\x38.ibc.applications.fee.v1.QueryIncentivizedPacketResponse\"\x85\x01\x82\xd3\xe4\x93\x02\x7f\x12}/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/incentivized_packet\x12\xfd\x01\n\x1dIncentivizedPacketsForChannel\x12\x42.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelRequest\x1a\x43.ibc.applications.fee.v1.QueryIncentivizedPacketsForChannelResponse\"S\x82\xd3\xe4\x93\x02M\x12K/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/incentivized_packets\x12\xfc\x01\n\rTotalRecvFees\x12\x32.ibc.applications.fee.v1.QueryTotalRecvFeesRequest\x1a\x33.ibc.applications.fee.v1.QueryTotalRecvFeesResponse\"\x81\x01\x82\xd3\xe4\x93\x02{\x12y/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_recv_fees\x12\xf8\x01\n\x0cTotalAckFees\x12\x31.ibc.applications.fee.v1.QueryTotalAckFeesRequest\x1a\x32.ibc.applications.fee.v1.QueryTotalAckFeesResponse\"\x80\x01\x82\xd3\xe4\x93\x02z\x12x/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_ack_fees\x12\x88\x02\n\x10TotalTimeoutFees\x12\x35.ibc.applications.fee.v1.QueryTotalTimeoutFeesRequest\x1a\x36.ibc.applications.fee.v1.QueryTotalTimeoutFeesResponse\"\x84\x01\x82\xd3\xe4\x93\x02~\x12|/ibc/apps/fee/v1/channels/{packet_id.channel_id}/ports/{packet_id.port_id}/sequences/{packet_id.sequence}/total_timeout_fees\x12\xa9\x01\n\x05Payee\x12*.ibc.applications.fee.v1.QueryPayeeRequest\x1a+.ibc.applications.fee.v1.QueryPayeeResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/payee\x12\xda\x01\n\x11\x43ounterpartyPayee\x12\x36.ibc.applications.fee.v1.QueryCounterpartyPayeeRequest\x1a\x37.ibc.applications.fee.v1.QueryCounterpartyPayeeResponse\"T\x82\xd3\xe4\x93\x02N\x12L/ibc/apps/fee/v1/channels/{channel_id}/relayers/{relayer}/counterparty_payee\x12\xad\x01\n\x12\x46\x65\x65\x45nabledChannels\x12\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelsRequest\x1a\x38.ibc.applications.fee.v1.QueryFeeEnabledChannelsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/fee/v1/fee_enabled\x12\xd0\x01\n\x11\x46\x65\x65\x45nabledChannel\x12\x36.ibc.applications.fee.v1.QueryFeeEnabledChannelRequest\x1a\x37.ibc.applications.fee.v1.QueryFeeEnabledChannelResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabledB\xdf\x01\n\x1b\x63om.ibc.applications.fee.v1B\nQueryProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\nQueryProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._loaded_options = None _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE'].fields_by_name['incentivized_packets']._serialized_options = b'\310\336\037\000' _globals['_QUERYINCENTIVIZEDPACKETREQUEST'].fields_by_name['packet_id']._loaded_options = None @@ -69,46 +79,46 @@ _globals['_QUERY'].methods_by_name['FeeEnabledChannels']._serialized_options = b'\202\323\344\223\002\036\022\034/ibc/apps/fee/v1/fee_enabled' _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._loaded_options = None _globals['_QUERY'].methods_by_name['FeeEnabledChannel']._serialized_options = b'\202\323\344\223\002D\022B/ibc/apps/fee/v1/channels/{channel_id}/ports/{port_id}/fee_enabled' - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=301 - _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=416 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=419 - _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=597 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=599 - _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=709 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=711 - _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=826 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=829 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=991 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=994 - _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1176 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1178 - _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1261 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1263 - _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1387 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1389 - _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1471 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1473 - _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1595 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1597 - _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1683 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1686 - _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=1816 - _globals['_QUERYPAYEEREQUEST']._serialized_start=1818 - _globals['_QUERYPAYEEREQUEST']._serialized_end=1874 - _globals['_QUERYPAYEERESPONSE']._serialized_start=1876 - _globals['_QUERYPAYEERESPONSE']._serialized_end=1919 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=1921 - _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=1989 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=1991 - _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2051 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2053 - _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2167 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2170 - _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2344 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2346 - _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2414 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2416 - _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2469 - _globals['_QUERY']._serialized_start=2472 - _globals['_QUERY']._serialized_end=4750 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_start=302 + _globals['_QUERYINCENTIVIZEDPACKETSREQUEST']._serialized_end=442 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_start=445 + _globals['_QUERYINCENTIVIZEDPACKETSRESPONSE']._serialized_end=656 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_start=659 + _globals['_QUERYINCENTIVIZEDPACKETREQUEST']._serialized_end=792 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_start=795 + _globals['_QUERYINCENTIVIZEDPACKETRESPONSE']._serialized_end=930 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_start=933 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELREQUEST']._serialized_end=1139 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_start=1142 + _globals['_QUERYINCENTIVIZEDPACKETSFORCHANNELRESPONSE']._serialized_end=1357 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_start=1359 + _globals['_QUERYTOTALRECVFEESREQUEST']._serialized_end=1452 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_start=1455 + _globals['_QUERYTOTALRECVFEESRESPONSE']._serialized_end=1589 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_start=1591 + _globals['_QUERYTOTALACKFEESREQUEST']._serialized_end=1683 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_start=1686 + _globals['_QUERYTOTALACKFEESRESPONSE']._serialized_end=1817 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_start=1819 + _globals['_QUERYTOTALTIMEOUTFEESREQUEST']._serialized_end=1915 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_start=1918 + _globals['_QUERYTOTALTIMEOUTFEESRESPONSE']._serialized_end=2061 + _globals['_QUERYPAYEEREQUEST']._serialized_start=2063 + _globals['_QUERYPAYEEREQUEST']._serialized_end=2139 + _globals['_QUERYPAYEERESPONSE']._serialized_start=2141 + _globals['_QUERYPAYEERESPONSE']._serialized_end=2198 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_start=2200 + _globals['_QUERYCOUNTERPARTYPAYEEREQUEST']._serialized_end=2288 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_start=2290 + _globals['_QUERYCOUNTERPARTYPAYEERESPONSE']._serialized_end=2369 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_start=2372 + _globals['_QUERYFEEENABLEDCHANNELSREQUEST']._serialized_end=2511 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_start=2514 + _globals['_QUERYFEEENABLEDCHANNELSRESPONSE']._serialized_end=2720 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_start=2722 + _globals['_QUERYFEEENABLEDCHANNELREQUEST']._serialized_end=2809 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_start=2811 + _globals['_QUERYFEEENABLEDCHANNELRESPONSE']._serialized_end=2876 + _globals['_QUERY']._serialized_start=2879 + _globals['_QUERY']._serialized_end=5157 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py index 5599fc25..9d590e73 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/fee/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/fee/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/fee/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.fee.v1 import fee_pb2 as ibc_dot_applications_dot_fee_dot_v1_dot_fee__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\x89\x01\n\x10MsgRegisterPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\r\n\x05payee\x18\x04 \x01(\t:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xae\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0f\n\x07relayer\x18\x03 \x01(\t\x12\x1a\n\x12\x63ounterparty_payee\x18\x04 \x01(\t:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\xcc\x01\n\x0fMsgPayPacketFee\x12\x34\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x16\n\x0esource_port_id\x18\x02 \x01(\t\x12\x19\n\x11source_channel_id\x18\x03 \x01(\t\x12\x0e\n\x06signer\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xcf\x01\n\x14MsgPayPacketFeeAsync\x12;\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x41\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x37Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/applications/fee/v1/tx.proto\x12\x17ibc.applications.fee.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/applications/fee/v1/fee.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x17\x63osmos/msg/v1/msg.proto\"\xac\x01\n\x10MsgRegisterPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12\x14\n\x05payee\x18\x04 \x01(\tR\x05payee:0\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x1b\x63osmos-sdk/MsgRegisterPayee\"\x1a\n\x18MsgRegisterPayeeResponse\"\xdd\x01\n\x1cMsgRegisterCounterpartyPayee\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x18\n\x07relayer\x18\x03 \x01(\tR\x07relayer\x12-\n\x12\x63ounterparty_payee\x18\x04 \x01(\tR\x11\x63ounterpartyPayee:<\x88\xa0\x1f\x00\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\'cosmos-sdk/MsgRegisterCounterpartyPayee\"&\n$MsgRegisterCounterpartyPayeeResponse\"\x82\x02\n\x0fMsgPayPacketFee\x12\x39\n\x03\x66\x65\x65\x18\x01 \x01(\x0b\x32\x1c.ibc.applications.fee.v1.FeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x03\x66\x65\x65\x12$\n\x0esource_port_id\x18\x02 \x01(\tR\x0csourcePortId\x12*\n\x11source_channel_id\x18\x03 \x01(\tR\x0fsourceChannelId\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:.\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*\x1a\x63osmos-sdk/MsgPayPacketFee\"\x19\n\x17MsgPayPacketFeeResponse\"\xe4\x01\n\x14MsgPayPacketFeeAsync\x12\x45\n\tpacket_id\x18\x01 \x01(\x0b\x32\x1d.ibc.core.channel.v1.PacketIdB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x08packetId\x12L\n\npacket_fee\x18\x02 \x01(\x0b\x32\".ibc.applications.fee.v1.PacketFeeB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\tpacketFee:7\x88\xa0\x1f\x00\x82\xe7\xb0*\npacket_fee\x8a\xe7\xb0*\x1f\x63osmos-sdk/MsgPayPacketFeeAsync\"\x1e\n\x1cMsgPayPacketFeeAsyncResponse2\xf6\x03\n\x03Msg\x12m\n\rRegisterPayee\x12).ibc.applications.fee.v1.MsgRegisterPayee\x1a\x31.ibc.applications.fee.v1.MsgRegisterPayeeResponse\x12\x91\x01\n\x19RegisterCounterpartyPayee\x12\x35.ibc.applications.fee.v1.MsgRegisterCounterpartyPayee\x1a=.ibc.applications.fee.v1.MsgRegisterCounterpartyPayeeResponse\x12j\n\x0cPayPacketFee\x12(.ibc.applications.fee.v1.MsgPayPacketFee\x1a\x30.ibc.applications.fee.v1.MsgPayPacketFeeResponse\x12y\n\x11PayPacketFeeAsync\x12-.ibc.applications.fee.v1.MsgPayPacketFeeAsync\x1a\x35.ibc.applications.fee.v1.MsgPayPacketFeeAsyncResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xdc\x01\n\x1b\x63om.ibc.applications.fee.v1B\x07TxProtoP\x01Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\xa2\x02\x03IAF\xaa\x02\x17Ibc.Applications.Fee.V1\xca\x02\x17Ibc\\Applications\\Fee\\V1\xe2\x02#Ibc\\Applications\\Fee\\V1\\GPBMetadata\xea\x02\x1aIbc::Applications::Fee::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.fee.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.ibc.applications.fee.v1B\007TxProtoP\001Z5github.com/cosmos/ibc-go/v8/modules/apps/29-fee/types\242\002\003IAF\252\002\027Ibc.Applications.Fee.V1\312\002\027Ibc\\Applications\\Fee\\V1\342\002#Ibc\\Applications\\Fee\\V1\\GPBMetadata\352\002\032Ibc::Applications::Fee::V1' _globals['_MSGREGISTERPAYEE']._loaded_options = None _globals['_MSGREGISTERPAYEE']._serialized_options = b'\210\240\037\000\202\347\260*\007relayer\212\347\260*\033cosmos-sdk/MsgRegisterPayee' _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._loaded_options = None @@ -44,21 +54,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERPAYEE']._serialized_start=198 - _globals['_MSGREGISTERPAYEE']._serialized_end=335 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=337 - _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=363 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=366 - _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=540 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=542 - _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=580 - _globals['_MSGPAYPACKETFEE']._serialized_start=583 - _globals['_MSGPAYPACKETFEE']._serialized_end=787 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=789 - _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=814 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=817 - _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1024 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1026 - _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1056 - _globals['_MSG']._serialized_start=1059 - _globals['_MSG']._serialized_end=1561 + _globals['_MSGREGISTERPAYEE']._serialized_end=370 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_start=372 + _globals['_MSGREGISTERPAYEERESPONSE']._serialized_end=398 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_start=401 + _globals['_MSGREGISTERCOUNTERPARTYPAYEE']._serialized_end=622 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_start=624 + _globals['_MSGREGISTERCOUNTERPARTYPAYEERESPONSE']._serialized_end=662 + _globals['_MSGPAYPACKETFEE']._serialized_start=665 + _globals['_MSGPAYPACKETFEE']._serialized_end=923 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_start=925 + _globals['_MSGPAYPACKETFEERESPONSE']._serialized_end=950 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_start=953 + _globals['_MSGPAYPACKETFEEASYNC']._serialized_end=1181 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_start=1183 + _globals['_MSGPAYPACKETFEEASYNCRESPONSE']._serialized_end=1213 + _globals['_MSG']._serialized_start=1216 + _globals['_MSG']._serialized_end=1718 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py index 53e2a4c1..67d5fbb5 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/controller.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/controller.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"$\n\x06Params\x12\x1a\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\nCibc/applications/interchain_accounts/controller/v1/controller.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\"7\n\x06Params\x12-\n\x12\x63ontroller_enabled\x18\x01 \x01(\x08R\x11\x63ontrollerEnabledB\x84\x03\n6com.ibc.applications.interchain_accounts.controller.v1B\x0f\x43ontrollerProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.controller_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\017ControllerProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_PARAMS']._serialized_start=123 - _globals['_PARAMS']._serialized_end=159 + _globals['_PARAMS']._serialized_end=178 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py index dba39064..a2e3664d 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/query_pb2.py @@ -1,41 +1,51 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"E\n\x1dQueryInterchainAccountRequest\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\"1\n\x1eQueryInterchainAccountResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\x14\n\x12QueryParamsRequest\"a\n\x13QueryParamsResponse\x12J\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.Params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsBRZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n>ibc/applications/interchain_accounts/controller/v1/query.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x1cgoogle/api/annotations.proto\"Z\n\x1dQueryInterchainAccountRequest\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\":\n\x1eQueryInterchainAccountResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\x14\n\x12QueryParamsRequest\"i\n\x13QueryParamsResponse\x12R\n\x06params\x18\x01 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsR\x06params2\xfc\x03\n\x05Query\x12\x9a\x02\n\x11InterchainAccount\x12Q.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountRequest\x1aR.ibc.applications.interchain_accounts.controller.v1.QueryInterchainAccountResponse\"^\x82\xd3\xe4\x93\x02X\x12V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}\x12\xd5\x01\n\x06Params\x12\x46.ibc.applications.interchain_accounts.controller.v1.QueryParamsRequest\x1aG.ibc.applications.interchain_accounts.controller.v1.QueryParamsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/ibc/apps/interchain_accounts/controller/v1/paramsB\xff\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\nQueryProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_QUERY'].methods_by_name['InterchainAccount']._loaded_options = None _globals['_QUERY'].methods_by_name['InterchainAccount']._serialized_options = b'\202\323\344\223\002X\022V/ibc/apps/interchain_accounts/controller/v1/owners/{owner}/connections/{connection_id}' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\0024\0222/ibc/apps/interchain_accounts/controller/v1/params' _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_start=217 - _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=286 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=288 - _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=337 - _globals['_QUERYPARAMSREQUEST']._serialized_start=339 - _globals['_QUERYPARAMSREQUEST']._serialized_end=359 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=361 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=458 - _globals['_QUERY']._serialized_start=461 - _globals['_QUERY']._serialized_end=969 + _globals['_QUERYINTERCHAINACCOUNTREQUEST']._serialized_end=307 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_start=309 + _globals['_QUERYINTERCHAINACCOUNTRESPONSE']._serialized_end=367 + _globals['_QUERYPARAMSREQUEST']._serialized_start=369 + _globals['_QUERYPARAMSREQUEST']._serialized_end=389 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=391 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=496 + _globals['_QUERY']._serialized_start=499 + _globals['_QUERY']._serialized_end=1007 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py index e155af64..aeb67f93 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/controller/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/controller/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.v1 import packet_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_v1_dot_packet__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\x93\x01\n\x1cMsgRegisterInterchainAccount\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12\x0f\n\x07version\x18\x03 \x01(\t\x12,\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"Q\n$MsgRegisterInterchainAccountResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xbc\x01\n\tMsgSendTx\x12\r\n\x05owner\x18\x01 \x01(\t\x12\x15\n\rconnection_id\x18\x02 \x01(\t\x12_\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00\x12\x18\n\x10relative_timeout\x18\x04 \x01(\x04:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"+\n\x11MsgSendTxResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x84\x01\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12P\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42RZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n;ibc/applications/interchain_accounts/controller/v1/tx.proto\x12\x32ibc.applications.interchain_accounts.controller.v1\x1a\x14gogoproto/gogo.proto\x1a\x34ibc/applications/interchain_accounts/v1/packet.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbb\x01\n\x1cMsgRegisterInterchainAccount\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version\x12\x36\n\x08ordering\x18\x04 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"d\n$MsgRegisterInterchainAccountResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId:\x04\x88\xa0\x1f\x00\"\xee\x01\n\tMsgSendTx\x12\x14\n\x05owner\x18\x01 \x01(\tR\x05owner\x12#\n\rconnection_id\x18\x02 \x01(\tR\x0c\x63onnectionId\x12k\n\x0bpacket_data\x18\x03 \x01(\x0b\x32\x44.ibc.applications.interchain_accounts.v1.InterchainAccountPacketDataB\x04\xc8\xde\x1f\x00R\npacketData\x12)\n\x10relative_timeout\x18\x04 \x01(\x04R\x0frelativeTimeout:\x0e\x88\xa0\x1f\x00\x82\xe7\xb0*\x05owner\"5\n\x11MsgSendTxResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"\x94\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12X\n\x06params\x18\x02 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\x8a\x04\n\x03Msg\x12\xc7\x01\n\x19RegisterInterchainAccount\x12P.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccount\x1aX.ibc.applications.interchain_accounts.controller.v1.MsgRegisterInterchainAccountResponse\x12\x8e\x01\n\x06SendTx\x12=.ibc.applications.interchain_accounts.controller.v1.MsgSendTx\x1a\x45.ibc.applications.interchain_accounts.controller.v1.MsgSendTxResponse\x12\xa0\x01\n\x0cUpdateParams\x12\x43.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParams\x1aK.ibc.applications.interchain_accounts.controller.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfc\x02\n6com.ibc.applications.interchain_accounts.controller.v1B\x07TxProtoP\x01ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\xa2\x02\x04IAIC\xaa\x02\x31Ibc.Applications.InterchainAccounts.Controller.V1\xca\x02\x31Ibc\\Applications\\InterchainAccounts\\Controller\\V1\xe2\x02=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\xea\x02\x35Ibc::Applications::InterchainAccounts::Controller::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.controller.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types' + _globals['DESCRIPTOR']._serialized_options = b'\n6com.ibc.applications.interchain_accounts.controller.v1B\007TxProtoP\001ZPgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/controller/types\242\002\004IAIC\252\0021Ibc.Applications.InterchainAccounts.Controller.V1\312\0021Ibc\\Applications\\InterchainAccounts\\Controller\\V1\342\002=Ibc\\Applications\\InterchainAccounts\\Controller\\V1\\GPBMetadata\352\0025Ibc::Applications::InterchainAccounts::Controller::V1' _globals['_MSGREGISTERINTERCHAINACCOUNT']._loaded_options = None _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\202\347\260*\005owner' _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._loaded_options = None @@ -44,17 +54,17 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_start=321 - _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=468 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=470 - _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=551 - _globals['_MSGSENDTX']._serialized_start=554 - _globals['_MSGSENDTX']._serialized_end=742 - _globals['_MSGSENDTXRESPONSE']._serialized_start=744 - _globals['_MSGSENDTXRESPONSE']._serialized_end=787 - _globals['_MSGUPDATEPARAMS']._serialized_start=790 - _globals['_MSGUPDATEPARAMS']._serialized_end=922 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=924 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=949 - _globals['_MSG']._serialized_start=952 - _globals['_MSG']._serialized_end=1474 + _globals['_MSGREGISTERINTERCHAINACCOUNT']._serialized_end=508 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_start=510 + _globals['_MSGREGISTERINTERCHAINACCOUNTRESPONSE']._serialized_end=610 + _globals['_MSGSENDTX']._serialized_start=613 + _globals['_MSGSENDTX']._serialized_end=851 + _globals['_MSGSENDTXRESPONSE']._serialized_start=853 + _globals['_MSGSENDTXRESPONSE']._serialized_end=906 + _globals['_MSGUPDATEPARAMS']._serialized_start=909 + _globals['_MSGUPDATEPARAMS']._serialized_end=1057 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1059 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1084 + _globals['_MSG']._serialized_start=1087 + _globals['_MSG']._serialized_end=1609 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py index 2386f482..c49e4fdd 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/genesis/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/genesis/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.controller.v1 import controller_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_controller_dot_v1_dot_controller__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\xe4\x01\n\x0cGenesisState\x12o\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00\x12\x63\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00\"\xc9\x02\n\x16\x43ontrollerGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\r\n\x05ports\x18\x03 \x03(\t\x12P\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00\"\xbc\x02\n\x10HostGenesisState\x12]\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00\x12o\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04port\x18\x03 \x01(\t\x12J\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00\"j\n\rActiveChannel\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x12\n\nchannel_id\x18\x03 \x01(\t\x12\x1d\n\x15is_middleware_enabled\x18\x04 \x01(\x08\"^\n\x1bRegisteredInterchainAccount\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x0f\n\x07port_id\x18\x02 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tBOZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n=ibc/applications/interchain_accounts/genesis/v1/genesis.proto\x12/ibc.applications.interchain_accounts.genesis.v1\x1a\x14gogoproto/gogo.proto\x1a\x43ibc/applications/interchain_accounts/controller/v1/controller.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8f\x02\n\x0cGenesisState\x12\x87\x01\n\x18\x63ontroller_genesis_state\x18\x01 \x01(\x0b\x32G.ibc.applications.interchain_accounts.genesis.v1.ControllerGenesisStateB\x04\xc8\xde\x1f\x00R\x16\x63ontrollerGenesisState\x12u\n\x12host_genesis_state\x18\x02 \x01(\x0b\x32\x41.ibc.applications.interchain_accounts.genesis.v1.HostGenesisStateB\x04\xc8\xde\x1f\x00R\x10hostGenesisState\"\xfd\x02\n\x16\x43ontrollerGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x14\n\x05ports\x18\x03 \x03(\tR\x05ports\x12X\n\x06params\x18\x04 \x01(\x0b\x32:.ibc.applications.interchain_accounts.controller.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xef\x02\n\x10HostGenesisState\x12m\n\x0f\x61\x63tive_channels\x18\x01 \x03(\x0b\x32>.ibc.applications.interchain_accounts.genesis.v1.ActiveChannelB\x04\xc8\xde\x1f\x00R\x0e\x61\x63tiveChannels\x12\x83\x01\n\x13interchain_accounts\x18\x02 \x03(\x0b\x32L.ibc.applications.interchain_accounts.genesis.v1.RegisteredInterchainAccountB\x04\xc8\xde\x1f\x00R\x12interchainAccounts\x12\x12\n\x04port\x18\x03 \x01(\tR\x04port\x12R\n\x06params\x18\x04 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\xa0\x01\n\rActiveChannel\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x03 \x01(\tR\tchannelId\x12\x32\n\x15is_middleware_enabled\x18\x04 \x01(\x08R\x13isMiddlewareEnabled\"\x84\x01\n\x1bRegisteredInterchainAccount\x12#\n\rconnection_id\x18\x01 \x01(\tR\x0c\x63onnectionId\x12\x17\n\x07port_id\x18\x02 \x01(\tR\x06portId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddressB\xef\x02\n3com.ibc.applications.interchain_accounts.genesis.v1B\x0cGenesisProtoP\x01ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\xa2\x02\x04IAIG\xaa\x02.Ibc.Applications.InterchainAccounts.Genesis.V1\xca\x02.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\xe2\x02:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\xea\x02\x32Ibc::Applications::InterchainAccounts::Genesis::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.genesis.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types' + _globals['DESCRIPTOR']._serialized_options = b'\n3com.ibc.applications.interchain_accounts.genesis.v1B\014GenesisProtoP\001ZMgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/genesis/types\242\002\004IAIG\252\002.Ibc.Applications.InterchainAccounts.Genesis.V1\312\002.Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\342\002:Ibc\\Applications\\InterchainAccounts\\Genesis\\V1\\GPBMetadata\352\0022Ibc::Applications::InterchainAccounts::Genesis::V1' _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['controller_genesis_state']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['host_genesis_state']._loaded_options = None @@ -42,13 +52,13 @@ _globals['_HOSTGENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_HOSTGENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=263 - _globals['_GENESISSTATE']._serialized_end=491 - _globals['_CONTROLLERGENESISSTATE']._serialized_start=494 - _globals['_CONTROLLERGENESISSTATE']._serialized_end=823 - _globals['_HOSTGENESISSTATE']._serialized_start=826 - _globals['_HOSTGENESISSTATE']._serialized_end=1142 - _globals['_ACTIVECHANNEL']._serialized_start=1144 - _globals['_ACTIVECHANNEL']._serialized_end=1250 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1252 - _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1346 + _globals['_GENESISSTATE']._serialized_end=534 + _globals['_CONTROLLERGENESISSTATE']._serialized_start=537 + _globals['_CONTROLLERGENESISSTATE']._serialized_end=918 + _globals['_HOSTGENESISSTATE']._serialized_start=921 + _globals['_HOSTGENESISSTATE']._serialized_end=1288 + _globals['_ACTIVECHANNEL']._serialized_start=1291 + _globals['_ACTIVECHANNEL']._serialized_end=1451 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_start=1454 + _globals['_REGISTEREDINTERCHAINACCOUNT']._serialized_end=1586 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py index a33171de..43d2406a 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/host.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/host.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"6\n\x06Params\x12\x14\n\x0chost_enabled\x18\x01 \x01(\x08\x12\x16\n\x0e\x61llow_messages\x18\x02 \x03(\t\"*\n\x0cQueryRequest\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n7ibc/applications/interchain_accounts/host/v1/host.proto\x12,ibc.applications.interchain_accounts.host.v1\"R\n\x06Params\x12!\n\x0chost_enabled\x18\x01 \x01(\x08R\x0bhostEnabled\x12%\n\x0e\x61llow_messages\x18\x02 \x03(\tR\rallowMessages\"6\n\x0cQueryRequest\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61taB\xda\x02\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.host_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\tHostProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_PARAMS']._serialized_start=105 - _globals['_PARAMS']._serialized_end=159 - _globals['_QUERYREQUEST']._serialized_start=161 - _globals['_QUERYREQUEST']._serialized_end=203 + _globals['_PARAMS']._serialized_end=187 + _globals['_QUERYREQUEST']._serialized_start=189 + _globals['_QUERYREQUEST']._serialized_end=243 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py index 07511197..9aa2f61e 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.Params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsBLZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n8ibc/applications/interchain_accounts/host/v1/query.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x14\n\x12QueryParamsRequest\"c\n\x13QueryParamsResponse\x12L\n\x06params\x18\x01 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsR\x06params2\xcd\x01\n\x05Query\x12\xc3\x01\n\x06Params\x12@.ibc.applications.interchain_accounts.host.v1.QueryParamsRequest\x1a\x41.ibc.applications.interchain_accounts.host.v1.QueryParamsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/interchain_accounts/host/v1/paramsB\xdb\x02\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\nQueryProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002.\022,/ibc/apps/interchain_accounts/host/v1/params' _globals['_QUERYPARAMSREQUEST']._serialized_start=193 _globals['_QUERYPARAMSREQUEST']._serialized_end=213 _globals['_QUERYPARAMSRESPONSE']._serialized_start=215 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=306 - _globals['_QUERY']._serialized_start=309 - _globals['_QUERY']._serialized_end=514 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=314 + _globals['_QUERY']._serialized_start=317 + _globals['_QUERY']._serialized_end=522 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py index aacfd578..b36a489f 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/host/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/host/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import host_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_host__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"~\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12J\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x83\x01\n\x12MsgModuleQuerySafe\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12L\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequest:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"?\n\x1aMsgModuleQuerySafeResponse\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x11\n\tresponses\x18\x02 \x03(\x0c\x32\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42LZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/host/v1/tx.proto\x12,ibc.applications.interchain_accounts.host.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x37ibc/applications/interchain_accounts/host/v1/host.proto\"\x8e\x01\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12R\n\x06params\x18\x02 \x01(\x0b\x32\x34.ibc.applications.interchain_accounts.host.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse\"\x95\x01\n\x12MsgModuleQuerySafe\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12V\n\x08requests\x18\x02 \x03(\x0b\x32:.ibc.applications.interchain_accounts.host.v1.QueryRequestR\x08requests:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"R\n\x1aMsgModuleQuerySafeResponse\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x1c\n\tresponses\x18\x02 \x03(\x0cR\tresponses2\xc3\x02\n\x03Msg\x12\x94\x01\n\x0cUpdateParams\x12=.ibc.applications.interchain_accounts.host.v1.MsgUpdateParams\x1a\x45.ibc.applications.interchain_accounts.host.v1.MsgUpdateParamsResponse\x12\x9d\x01\n\x0fModuleQuerySafe\x12@.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafe\x1aH.ibc.applications.interchain_accounts.host.v1.MsgModuleQuerySafeResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x02\n0com.ibc.applications.interchain_accounts.host.v1B\x07TxProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\xa2\x02\x04IAIH\xaa\x02+Ibc.Applications.InterchainAccounts.Host.V1\xca\x02+Ibc\\Applications\\InterchainAccounts\\Host\\V1\xe2\x02\x37Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\xea\x02/Ibc::Applications::InterchainAccounts::Host::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.host.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types' + _globals['DESCRIPTOR']._serialized_options = b'\n0com.ibc.applications.interchain_accounts.host.v1B\007TxProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/host/types\242\002\004IAIH\252\002+Ibc.Applications.InterchainAccounts.Host.V1\312\002+Ibc\\Applications\\InterchainAccounts\\Host\\V1\342\0027Ibc\\Applications\\InterchainAccounts\\Host\\V1\\GPBMetadata\352\002/Ibc::Applications::InterchainAccounts::Host::V1' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_MSGUPDATEPARAMS']._loaded_options = None @@ -33,14 +43,14 @@ _globals['_MSGMODULEQUERYSAFE']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_MSGUPDATEPARAMS']._serialized_start=207 - _globals['_MSGUPDATEPARAMS']._serialized_end=333 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=335 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=360 - _globals['_MSGMODULEQUERYSAFE']._serialized_start=363 - _globals['_MSGMODULEQUERYSAFE']._serialized_end=494 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=496 - _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=559 - _globals['_MSG']._serialized_start=562 - _globals['_MSG']._serialized_end=885 + _globals['_MSGUPDATEPARAMS']._serialized_start=208 + _globals['_MSGUPDATEPARAMS']._serialized_end=350 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=352 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=377 + _globals['_MSGMODULEQUERYSAFE']._serialized_start=380 + _globals['_MSGMODULEQUERYSAFE']._serialized_end=529 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_start=531 + _globals['_MSGMODULEQUERYSAFERESPONSE']._serialized_end=613 + _globals['_MSG']._serialized_start=616 + _globals['_MSG']._serialized_end=939 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py index 83d86202..67d91a1e 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.applications.interchain_accounts.host.v1 import tx_pb2 as ibc_dot_applications_dot_interchain__accounts_dot_host_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py index 26c5ce4d..1e0ee02b 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/account.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/account.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xb0\x01\n\x11InterchainAccount\x12<\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01\x12\x15\n\raccount_owner\x18\x02 \x01(\t:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n5ibc/applications/interchain_accounts/v1/account.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\"\xcb\x01\n\x11InterchainAccount\x12I\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x04\xd0\xde\x1f\x01R\x0b\x62\x61seAccount\x12#\n\raccount_owner\x18\x02 \x01(\tR\x0c\x61\x63\x63ountOwner:F\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xca\xb4-:ibc.applications.interchain_accounts.v1.InterchainAccountIB\xbd\x02\n+com.ibc.applications.interchain_accounts.v1B\x0c\x41\x63\x63ountProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\014AccountProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_INTERCHAINACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001' _globals['_INTERCHAINACCOUNT']._loaded_options = None _globals['_INTERCHAINACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\312\264-:ibc.applications.interchain_accounts.v1.InterchainAccountI' _globals['_INTERCHAINACCOUNT']._serialized_start=180 - _globals['_INTERCHAINACCOUNT']._serialized_end=356 + _globals['_INTERCHAINACCOUNT']._serialized_end=383 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py index c9cbc973..5c655152 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/metadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/metadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\x8d\x01\n\x08Metadata\x12\x0f\n\x07version\x18\x01 \x01(\t\x12 \n\x18\x63ontroller_connection_id\x18\x02 \x01(\t\x12\x1a\n\x12host_connection_id\x18\x03 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x04 \x01(\t\x12\x10\n\x08\x65ncoding\x18\x05 \x01(\t\x12\x0f\n\x07tx_type\x18\x06 \x01(\tBGZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6ibc/applications/interchain_accounts/v1/metadata.proto\x12\'ibc.applications.interchain_accounts.v1\"\xdb\x01\n\x08Metadata\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x38\n\x18\x63ontroller_connection_id\x18\x02 \x01(\tR\x16\x63ontrollerConnectionId\x12,\n\x12host_connection_id\x18\x03 \x01(\tR\x10hostConnectionId\x12\x18\n\x07\x61\x64\x64ress\x18\x04 \x01(\tR\x07\x61\x64\x64ress\x12\x1a\n\x08\x65ncoding\x18\x05 \x01(\tR\x08\x65ncoding\x12\x17\n\x07tx_type\x18\x06 \x01(\tR\x06txTypeB\xbe\x02\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.metadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\rMetadataProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_METADATA']._serialized_start=100 - _globals['_METADATA']._serialized_end=241 + _globals['_METADATA']._serialized_end=319 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py index a246e1fe..016c4db4 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2.py @@ -1,39 +1,49 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/interchain_accounts/v1/packet.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/interchain_accounts/v1/packet.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"v\n\x1bInterchainAccountPacketData\x12;\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.Type\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0c\n\x04memo\x18\x03 \x01(\t\"2\n\x08\x43osmosTx\x12&\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.Any*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42GZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n4ibc/applications/interchain_accounts/v1/packet.proto\x12\'ibc.applications.interchain_accounts.v1\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x1bInterchainAccountPacketData\x12\x41\n\x04type\x18\x01 \x01(\x0e\x32-.ibc.applications.interchain_accounts.v1.TypeR\x04type\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04memo\x18\x03 \x01(\tR\x04memo\"<\n\x08\x43osmosTx\x12\x30\n\x08messages\x18\x01 \x03(\x0b\x32\x14.google.protobuf.AnyR\x08messages*X\n\x04Type\x12%\n\x10TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12#\n\x0fTYPE_EXECUTE_TX\x10\x01\x1a\x0e\x8a\x9d \nEXECUTE_TX\x1a\x04\x88\xa3\x1e\x00\x42\xbc\x02\n+com.ibc.applications.interchain_accounts.v1B\x0bPacketProtoP\x01ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\xa2\x02\x03IAI\xaa\x02&Ibc.Applications.InterchainAccounts.V1\xca\x02&Ibc\\Applications\\InterchainAccounts\\V1\xe2\x02\x32Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\xea\x02)Ibc::Applications::InterchainAccounts::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.interchain_accounts.v1.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types' + _globals['DESCRIPTOR']._serialized_options = b'\n+com.ibc.applications.interchain_accounts.v1B\013PacketProtoP\001ZEgithub.com/cosmos/ibc-go/v8/modules/apps/27-interchain-accounts/types\242\002\003IAI\252\002&Ibc.Applications.InterchainAccounts.V1\312\002&Ibc\\Applications\\InterchainAccounts\\V1\342\0022Ibc\\Applications\\InterchainAccounts\\V1\\GPBMetadata\352\002)Ibc::Applications::InterchainAccounts::V1' _globals['_TYPE']._loaded_options = None _globals['_TYPE']._serialized_options = b'\210\243\036\000' _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._loaded_options = None _globals['_TYPE'].values_by_name["TYPE_EXECUTE_TX"]._serialized_options = b'\212\235 \nEXECUTE_TX' - _globals['_TYPE']._serialized_start=318 - _globals['_TYPE']._serialized_end=406 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=146 - _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=264 - _globals['_COSMOSTX']._serialized_start=266 - _globals['_COSMOSTX']._serialized_end=316 + _globals['_TYPE']._serialized_start=347 + _globals['_TYPE']._serialized_end=435 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_start=147 + _globals['_INTERCHAINACCOUNTPACKETDATA']._serialized_end=283 + _globals['_COSMOSTX']._serialized_start=285 + _globals['_COSMOSTX']._serialized_end=345 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py index 5f1c6310..de6838f8 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xcc\x01\n\nAllocation\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12`\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x12\n\nallow_list\x18\x04 \x03(\t\x12\x1b\n\x13\x61llowed_packet_data\x18\x05 \x03(\t\"\x84\x01\n\x15TransferAuthorization\x12\x43\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/authz.proto\x12\x1cibc.applications.transfer.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x91\x02\n\nAllocation\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12l\n\x0bspend_limit\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\nspendLimit\x12\x1d\n\nallow_list\x18\x04 \x03(\tR\tallowList\x12.\n\x13\x61llowed_packet_data\x18\x05 \x03(\tR\x11\x61llowedPacketData\"\x91\x01\n\x15TransferAuthorization\x12P\n\x0b\x61llocations\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.AllocationB\x04\xc8\xde\x1f\x00R\x0b\x61llocations:&\xca\xb4-\"cosmos.authz.v1beta1.AuthorizationB\xfa\x01\n com.ibc.applications.transfer.v1B\nAuthzProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nAuthzProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_ALLOCATION'].fields_by_name['spend_limit']._loaded_options = None _globals['_ALLOCATION'].fields_by_name['spend_limit']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_TRANSFERAUTHORIZATION'].fields_by_name['allocations']._loaded_options = None @@ -32,7 +42,7 @@ _globals['_TRANSFERAUTHORIZATION']._loaded_options = None _globals['_TRANSFERAUTHORIZATION']._serialized_options = b'\312\264-\"cosmos.authz.v1beta1.Authorization' _globals['_ALLOCATION']._serialized_start=156 - _globals['_ALLOCATION']._serialized_end=360 - _globals['_TRANSFERAUTHORIZATION']._serialized_start=363 - _globals['_TRANSFERAUTHORIZATION']._serialized_end=495 + _globals['_ALLOCATION']._serialized_end=429 + _globals['_TRANSFERAUTHORIZATION']._serialized_start=432 + _globals['_TRANSFERAUTHORIZATION']._serialized_end=577 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py index 9e7cb61b..dd3dfef1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\x90\x02\n\x0cGenesisState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12N\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12:\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*ibc/applications/transfer/v1/genesis.proto\x12\x1cibc.applications.transfer.v1\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\"\xbc\x02\n\x0cGenesisState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12[\n\x0c\x64\x65nom_traces\x18\x02 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12\x42\n\x06params\x18\x03 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0etotal_escrowed\x18\x04 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\rtotalEscrowedB\xfc\x01\n com.ibc.applications.transfer.v1B\x0cGenesisProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\014GenesisProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_GENESISSTATE'].fields_by_name['denom_traces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['total_escrowed']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_GENESISSTATE']._serialized_start=176 - _globals['_GENESISSTATE']._serialized_end=448 + _globals['_GENESISSTATE']._serialized_end=492 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py index 7bcdf0d5..012ab3c1 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\"&\n\x16QueryDenomTraceRequest\x12\x0c\n\x04hash\x18\x01 \x01(\t\"X\n\x17QueryDenomTraceResponse\x12=\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTrace\"U\n\x17QueryDenomTracesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa7\x01\n\x18QueryDenomTracesResponse\x12N\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06Traces\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"\x14\n\x12QueryParamsRequest\"K\n\x13QueryParamsResponse\x12\x34\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.Params\"&\n\x15QueryDenomHashRequest\x12\r\n\x05trace\x18\x01 \x01(\t\"&\n\x16QueryDenomHashResponse\x12\x0c\n\x04hash\x18\x01 \x01(\t\"@\n\x19QueryEscrowAddressRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"4\n\x1aQueryEscrowAddressResponse\x12\x16\n\x0e\x65scrow_address\x18\x01 \x01(\t\"0\n\x1fQueryTotalEscrowForDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"S\n QueryTotalEscrowForDenomResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x32\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(ibc/applications/transfer/v1/query.proto\x12\x1cibc.applications.transfer.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a+ibc/applications/transfer/v1/transfer.proto\x1a\x1cgoogle/api/annotations.proto\",\n\x16QueryDenomTraceRequest\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"d\n\x17QueryDenomTraceResponse\x12I\n\x0b\x64\x65nom_trace\x18\x01 \x01(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceR\ndenomTrace\"a\n\x17QueryDenomTracesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc0\x01\n\x18QueryDenomTracesResponse\x12[\n\x0c\x64\x65nom_traces\x18\x01 \x03(\x0b\x32(.ibc.applications.transfer.v1.DenomTraceB\x0e\xc8\xde\x1f\x00\xaa\xdf\x1f\x06TracesR\x0b\x64\x65nomTraces\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsR\x06params\"-\n\x15QueryDenomHashRequest\x12\x14\n\x05trace\x18\x01 \x01(\tR\x05trace\",\n\x16QueryDenomHashResponse\x12\x12\n\x04hash\x18\x01 \x01(\tR\x04hash\"S\n\x19QueryEscrowAddressRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"C\n\x1aQueryEscrowAddressResponse\x12%\n\x0e\x65scrow_address\x18\x01 \x01(\tR\rescrowAddress\"7\n\x1fQueryTotalEscrowForDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"[\n QueryTotalEscrowForDenomResponse\x12\x37\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount2\xd8\x08\n\x05Query\x12\xa8\x01\n\x0b\x44\x65nomTraces\x12\x35.ibc.applications.transfer.v1.QueryDenomTracesRequest\x1a\x36.ibc.applications.transfer.v1.QueryDenomTracesResponse\"*\x82\xd3\xe4\x93\x02$\x12\"/ibc/apps/transfer/v1/denom_traces\x12\xaf\x01\n\nDenomTrace\x12\x34.ibc.applications.transfer.v1.QueryDenomTraceRequest\x1a\x35.ibc.applications.transfer.v1.QueryDenomTraceResponse\"4\x82\xd3\xe4\x93\x02.\x12,/ibc/apps/transfer/v1/denom_traces/{hash=**}\x12\x93\x01\n\x06Params\x12\x30.ibc.applications.transfer.v1.QueryParamsRequest\x1a\x31.ibc.applications.transfer.v1.QueryParamsResponse\"$\x82\xd3\xe4\x93\x02\x1e\x12\x1c/ibc/apps/transfer/v1/params\x12\xad\x01\n\tDenomHash\x12\x33.ibc.applications.transfer.v1.QueryDenomHashRequest\x1a\x34.ibc.applications.transfer.v1.QueryDenomHashResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/apps/transfer/v1/denom_hashes/{trace=**}\x12\xd6\x01\n\rEscrowAddress\x12\x37.ibc.applications.transfer.v1.QueryEscrowAddressRequest\x1a\x38.ibc.applications.transfer.v1.QueryEscrowAddressResponse\"R\x82\xd3\xe4\x93\x02L\x12J/ibc/apps/transfer/v1/channels/{channel_id}/ports/{port_id}/escrow_address\x12\xd2\x01\n\x13TotalEscrowForDenom\x12=.ibc.applications.transfer.v1.QueryTotalEscrowForDenomRequest\x1a>.ibc.applications.transfer.v1.QueryTotalEscrowForDenomResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrowB\xfa\x01\n com.ibc.applications.transfer.v1B\nQueryProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\nQueryProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._loaded_options = None _globals['_QUERYDENOMTRACESRESPONSE'].fields_by_name['denom_traces']._serialized_options = b'\310\336\037\000\252\337\037\006Traces' _globals['_QUERYTOTALESCROWFORDENOMRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -44,29 +54,29 @@ _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._loaded_options = None _globals['_QUERY'].methods_by_name['TotalEscrowForDenom']._serialized_options = b'\202\323\344\223\0026\0224/ibc/apps/transfer/v1/denoms/{denom=**}/total_escrow' _globals['_QUERYDENOMTRACEREQUEST']._serialized_start=247 - _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=285 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=287 - _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=375 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=377 - _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=462 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=465 - _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=632 - _globals['_QUERYPARAMSREQUEST']._serialized_start=634 - _globals['_QUERYPARAMSREQUEST']._serialized_end=654 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=656 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=731 - _globals['_QUERYDENOMHASHREQUEST']._serialized_start=733 - _globals['_QUERYDENOMHASHREQUEST']._serialized_end=771 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=773 - _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=811 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=813 - _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=877 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=879 - _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=931 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=933 - _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=981 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=983 - _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1066 - _globals['_QUERY']._serialized_start=1069 - _globals['_QUERY']._serialized_end=2181 + _globals['_QUERYDENOMTRACEREQUEST']._serialized_end=291 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_start=293 + _globals['_QUERYDENOMTRACERESPONSE']._serialized_end=393 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_start=395 + _globals['_QUERYDENOMTRACESREQUEST']._serialized_end=492 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_start=495 + _globals['_QUERYDENOMTRACESRESPONSE']._serialized_end=687 + _globals['_QUERYPARAMSREQUEST']._serialized_start=689 + _globals['_QUERYPARAMSREQUEST']._serialized_end=709 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=711 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=794 + _globals['_QUERYDENOMHASHREQUEST']._serialized_start=796 + _globals['_QUERYDENOMHASHREQUEST']._serialized_end=841 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_start=843 + _globals['_QUERYDENOMHASHRESPONSE']._serialized_end=887 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_start=889 + _globals['_QUERYESCROWADDRESSREQUEST']._serialized_end=972 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_start=974 + _globals['_QUERYESCROWADDRESSRESPONSE']._serialized_end=1041 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_start=1043 + _globals['_QUERYTOTALESCROWFORDENOMREQUEST']._serialized_end=1098 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_start=1100 + _globals['_QUERYTOTALESCROWFORDENOMRESPONSE']._serialized_end=1191 + _globals['_QUERY']._serialized_start=1194 + _globals['_QUERY']._serialized_end=2306 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py index 341de825..4e11b30e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/transfer.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/transfer.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\".\n\nDenomTrace\x12\x0c\n\x04path\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\"7\n\x06Params\x12\x14\n\x0csend_enabled\x18\x01 \x01(\x08\x12\x17\n\x0freceive_enabled\x18\x02 \x01(\x08\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+ibc/applications/transfer/v1/transfer.proto\x12\x1cibc.applications.transfer.v1\"?\n\nDenomTrace\x12\x12\n\x04path\x18\x01 \x01(\tR\x04path\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\"T\n\x06Params\x12!\n\x0csend_enabled\x18\x01 \x01(\x08R\x0bsendEnabled\x12\'\n\x0freceive_enabled\x18\x02 \x01(\x08R\x0ereceiveEnabledB\xfd\x01\n com.ibc.applications.transfer.v1B\rTransferProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.transfer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\rTransferProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_DENOMTRACE']._serialized_start=77 - _globals['_DENOMTRACE']._serialized_end=123 - _globals['_PARAMS']._serialized_start=125 - _globals['_PARAMS']._serialized_end=180 + _globals['_DENOMTRACE']._serialized_end=140 + _globals['_PARAMS']._serialized_start=142 + _globals['_PARAMS']._serialized_end=226 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py index c638e565..41c77cf4 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from amino import amino_pb2 as amino_dot_amino__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.applications.transfer.v1 import transfer_pb2 as ibc_dot_applications_dot_transfer_dot_v1_dot_transfer__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\xa5\x02\n\x0bMsgTransfer\x12\x13\n\x0bsource_port\x18\x01 \x01(\t\x12\x16\n\x0esource_channel\x18\x02 \x01(\t\x12\x33\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x0e\n\x06sender\x18\x04 \x01(\t\x12\x10\n\x08receiver\x18\x05 \x01(\t\x12=\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01\x12\x19\n\x11timeout_timestamp\x18\x07 \x01(\x04\x12\x0c\n\x04memo\x18\x08 \x01(\t:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"-\n\x13MsgTransferResponse\x12\x10\n\x08sequence\x18\x01 \x01(\x04:\x04\x88\xa0\x1f\x00\"n\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12:\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x39Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%ibc/applications/transfer/v1/tx.proto\x12\x1cibc.applications.transfer.v1\x1a\x11\x61mino/amino.proto\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1fibc/core/client/v1/client.proto\x1a+ibc/applications/transfer/v1/transfer.proto\"\x80\x03\n\x0bMsgTransfer\x12\x1f\n\x0bsource_port\x18\x01 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x02 \x01(\tR\rsourceChannel\x12:\n\x05token\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\x05token\x12\x16\n\x06sender\x18\x04 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x05 \x01(\tR\x08receiver\x12L\n\x0etimeout_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\t\xc8\xde\x1f\x00\xa8\xe7\xb0*\x01R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x07 \x01(\x04R\x10timeoutTimestamp\x12\x12\n\x04memo\x18\x08 \x01(\tR\x04memo:*\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x16\x63osmos-sdk/MsgTransfer\"7\n\x13MsgTransferResponse\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"~\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x42\n\x06params\x18\x02 \x01(\x0b\x32$.ibc.applications.transfer.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xec\x01\n\x03Msg\x12h\n\x08Transfer\x12).ibc.applications.transfer.v1.MsgTransfer\x1a\x31.ibc.applications.transfer.v1.MsgTransferResponse\x12t\n\x0cUpdateParams\x12-.ibc.applications.transfer.v1.MsgUpdateParams\x1a\x35.ibc.applications.transfer.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n com.ibc.applications.transfer.v1B\x07TxProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V1\xca\x02\x1cIbc\\Applications\\Transfer\\V1\xe2\x02(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v1B\007TxProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V1\312\002\034Ibc\\Applications\\Transfer\\V1\342\002(Ibc\\Applications\\Transfer\\V1\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V1' _globals['_MSGTRANSFER'].fields_by_name['token']._loaded_options = None _globals['_MSGTRANSFER'].fields_by_name['token']._serialized_options = b'\310\336\037\000\250\347\260*\001' _globals['_MSGTRANSFER'].fields_by_name['timeout_height']._loaded_options = None @@ -43,13 +53,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGTRANSFER']._serialized_start=248 - _globals['_MSGTRANSFER']._serialized_end=541 - _globals['_MSGTRANSFERRESPONSE']._serialized_start=543 - _globals['_MSGTRANSFERRESPONSE']._serialized_end=588 - _globals['_MSGUPDATEPARAMS']._serialized_start=590 - _globals['_MSGUPDATEPARAMS']._serialized_end=700 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=702 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=727 - _globals['_MSG']._serialized_start=730 - _globals['_MSG']._serialized_end=966 + _globals['_MSGTRANSFER']._serialized_end=632 + _globals['_MSGTRANSFERRESPONSE']._serialized_start=634 + _globals['_MSGTRANSFERRESPONSE']._serialized_end=689 + _globals['_MSGUPDATEPARAMS']._serialized_start=691 + _globals['_MSGUPDATEPARAMS']._serialized_end=817 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=819 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=844 + _globals['_MSG']._serialized_start=847 + _globals['_MSG']._serialized_end=1083 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py index 78efc002..bf1b2a5e 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/applications/transfer/v2/packet.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/applications/transfer/v2/packet.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"h\n\x17\x46ungibleTokenPacketData\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0e\n\x06\x61mount\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t\x12\x10\n\x08receiver\x18\x04 \x01(\t\x12\x0c\n\x04memo\x18\x05 \x01(\tB9Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)ibc/applications/transfer/v2/packet.proto\x12\x1cibc.applications.transfer.v2\"\x8f\x01\n\x17\x46ungibleTokenPacketData\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x04 \x01(\tR\x08receiver\x12\x12\n\x04memo\x18\x05 \x01(\tR\x04memoB\xfb\x01\n com.ibc.applications.transfer.v2B\x0bPacketProtoP\x01Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\xa2\x02\x03IAT\xaa\x02\x1cIbc.Applications.Transfer.V2\xca\x02\x1cIbc\\Applications\\Transfer\\V2\xe2\x02(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\xea\x02\x1fIbc::Applications::Transfer::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.applications.transfer.v2.packet_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types' - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=75 - _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=179 + _globals['DESCRIPTOR']._serialized_options = b'\n com.ibc.applications.transfer.v2B\013PacketProtoP\001Z7github.com/cosmos/ibc-go/v8/modules/apps/transfer/types\242\002\003IAT\252\002\034Ibc.Applications.Transfer.V2\312\002\034Ibc\\Applications\\Transfer\\V2\342\002(Ibc\\Applications\\Transfer\\V2\\GPBMetadata\352\002\037Ibc::Applications::Transfer::V2' + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_start=76 + _globals['_FUNGIBLETOKENPACKETDATA']._serialized_end=219 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py index b48462d6..9f287c70 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/channel.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/channel.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xeb\x01\n\x07\x43hannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x06 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x9a\x02\n\x11IdentifiedChannel\x12)\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12,\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12=\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x63onnection_hops\x18\x04 \x03(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x0f\n\x07port_id\x18\x06 \x01(\t\x12\x12\n\nchannel_id\x18\x07 \x01(\t\x12\x18\n\x10upgrade_sequence\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"9\n\x0c\x43ounterparty\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe7\x01\n\x06Packet\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x13\n\x0bsource_port\x18\x02 \x01(\t\x12\x16\n\x0esource_channel\x18\x03 \x01(\t\x12\x18\n\x10\x64\x65stination_port\x18\x04 \x01(\t\x12\x1b\n\x13\x64\x65stination_channel\x18\x05 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x06 \x01(\x0c\x12\x38\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x19\n\x11timeout_timestamp\x18\x08 \x01(\x04:\x04\x88\xa0\x1f\x00\"X\n\x0bPacketState\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\x0c:\x04\x88\xa0\x1f\x00\"G\n\x08PacketId\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"@\n\x0f\x41\x63knowledgement\x12\x10\n\x06result\x18\x15 \x01(\x0cH\x00\x12\x0f\n\x05\x65rror\x18\x16 \x01(\tH\x00\x42\n\n\x08response\"N\n\x07Timeout\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\"E\n\x06Params\x12;\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/channel.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb4\x02\n\x07\x43hannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12)\n\x10upgrade_sequence\x18\x06 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xf6\x02\n\x11IdentifiedChannel\x12\x30\n\x05state\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x05state\x12\x36\n\x08ordering\x18\x02 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12K\n\x0c\x63ounterparty\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.CounterpartyB\x04\xc8\xde\x1f\x00R\x0c\x63ounterparty\x12\'\n\x0f\x63onnection_hops\x18\x04 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x17\n\x07port_id\x18\x06 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x07 \x01(\tR\tchannelId\x12)\n\x10upgrade_sequence\x18\x08 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"L\n\x0c\x43ounterparty\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xd8\x02\n\x06Packet\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1f\n\x0bsource_port\x18\x02 \x01(\tR\nsourcePort\x12%\n\x0esource_channel\x18\x03 \x01(\tR\rsourceChannel\x12)\n\x10\x64\x65stination_port\x18\x04 \x01(\tR\x0f\x64\x65stinationPort\x12/\n\x13\x64\x65stination_channel\x18\x05 \x01(\tR\x12\x64\x65stinationChannel\x12\x12\n\x04\x64\x61ta\x18\x06 \x01(\x0cR\x04\x64\x61ta\x12G\n\x0etimeout_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtimeoutHeight\x12+\n\x11timeout_timestamp\x18\x08 \x01(\x04R\x10timeoutTimestamp:\x04\x88\xa0\x1f\x00\"{\n\x0bPacketState\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"d\n\x08PacketId\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence:\x04\x88\xa0\x1f\x00\"O\n\x0f\x41\x63knowledgement\x12\x18\n\x06result\x18\x15 \x01(\x0cH\x00R\x06result\x12\x16\n\x05\x65rror\x18\x16 \x01(\tH\x00R\x05\x65rrorB\n\n\x08response\"a\n\x07Timeout\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\"U\n\x06Params\x12K\n\x0fupgrade_timeout\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x0eupgradeTimeout*\x85\x02\n\x05State\x12\x36\n\x1fSTATE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x11\x8a\x9d \rUNINITIALIZED\x12\x18\n\nSTATE_INIT\x10\x01\x1a\x08\x8a\x9d \x04INIT\x12\x1e\n\rSTATE_TRYOPEN\x10\x02\x1a\x0b\x8a\x9d \x07TRYOPEN\x12\x18\n\nSTATE_OPEN\x10\x03\x1a\x08\x8a\x9d \x04OPEN\x12\x1c\n\x0cSTATE_CLOSED\x10\x04\x1a\n\x8a\x9d \x06\x43LOSED\x12 \n\x0eSTATE_FLUSHING\x10\x05\x1a\x0c\x8a\x9d \x08\x46LUSHING\x12*\n\x13STATE_FLUSHCOMPLETE\x10\x06\x1a\x11\x8a\x9d \rFLUSHCOMPLETE\x1a\x04\x88\xa3\x1e\x00*w\n\x05Order\x12$\n\x16ORDER_NONE_UNSPECIFIED\x10\x00\x1a\x08\x8a\x9d \x04NONE\x12\"\n\x0fORDER_UNORDERED\x10\x01\x1a\r\x8a\x9d \tUNORDERED\x12\x1e\n\rORDER_ORDERED\x10\x02\x1a\x0b\x8a\x9d \x07ORDERED\x1a\x04\x88\xa3\x1e\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0c\x43hannelProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.channel_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014ChannelProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_STATE']._loaded_options = None _globals['_STATE']._serialized_options = b'\210\243\036\000' _globals['_STATE'].values_by_name["STATE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -70,26 +80,26 @@ _globals['_TIMEOUT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_PARAMS'].fields_by_name['upgrade_timeout']._loaded_options = None _globals['_PARAMS'].fields_by_name['upgrade_timeout']._serialized_options = b'\310\336\037\000' - _globals['_STATE']._serialized_start=1310 - _globals['_STATE']._serialized_end=1571 - _globals['_ORDER']._serialized_start=1573 - _globals['_ORDER']._serialized_end=1692 + _globals['_STATE']._serialized_start=1721 + _globals['_STATE']._serialized_end=1982 + _globals['_ORDER']._serialized_start=1984 + _globals['_ORDER']._serialized_end=2103 _globals['_CHANNEL']._serialized_start=114 - _globals['_CHANNEL']._serialized_end=349 - _globals['_IDENTIFIEDCHANNEL']._serialized_start=352 - _globals['_IDENTIFIEDCHANNEL']._serialized_end=634 - _globals['_COUNTERPARTY']._serialized_start=636 - _globals['_COUNTERPARTY']._serialized_end=693 - _globals['_PACKET']._serialized_start=696 - _globals['_PACKET']._serialized_end=927 - _globals['_PACKETSTATE']._serialized_start=929 - _globals['_PACKETSTATE']._serialized_end=1017 - _globals['_PACKETID']._serialized_start=1019 - _globals['_PACKETID']._serialized_end=1090 - _globals['_ACKNOWLEDGEMENT']._serialized_start=1092 - _globals['_ACKNOWLEDGEMENT']._serialized_end=1156 - _globals['_TIMEOUT']._serialized_start=1158 - _globals['_TIMEOUT']._serialized_end=1236 - _globals['_PARAMS']._serialized_start=1238 - _globals['_PARAMS']._serialized_end=1307 + _globals['_CHANNEL']._serialized_end=422 + _globals['_IDENTIFIEDCHANNEL']._serialized_start=425 + _globals['_IDENTIFIEDCHANNEL']._serialized_end=799 + _globals['_COUNTERPARTY']._serialized_start=801 + _globals['_COUNTERPARTY']._serialized_end=877 + _globals['_PACKET']._serialized_start=880 + _globals['_PACKET']._serialized_end=1224 + _globals['_PACKETSTATE']._serialized_start=1226 + _globals['_PACKETSTATE']._serialized_end=1349 + _globals['_PACKETID']._serialized_start=1351 + _globals['_PACKETID']._serialized_end=1451 + _globals['_ACKNOWLEDGEMENT']._serialized_start=1453 + _globals['_ACKNOWLEDGEMENT']._serialized_end=1532 + _globals['_TIMEOUT']._serialized_start=1534 + _globals['_TIMEOUT']._serialized_end=1631 + _globals['_PARAMS']._serialized_start=1633 + _globals['_PARAMS']._serialized_end=1718 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py index 68c6e425..e8c41c86 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb6\x04\n\x0cGenesisState\x12S\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannel\x12@\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12;\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x38\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00\x12\x41\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x41\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12@\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00\x12\x1d\n\x15next_channel_sequence\x18\x08 \x01(\x04\x12\x31\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00\"G\n\x0ePacketSequence\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/genesis.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xb2\x05\n\x0cGenesisState\x12]\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelB\x19\xc8\xde\x1f\x00\xfa\xde\x1f\x11IdentifiedChannelR\x08\x63hannels\x12R\n\x10\x61\x63knowledgements\x18\x02 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x10\x61\x63knowledgements\x12H\n\x0b\x63ommitments\x18\x03 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x0b\x63ommitments\x12\x42\n\x08receipts\x18\x04 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateB\x04\xc8\xde\x1f\x00R\x08receipts\x12P\n\x0esend_sequences\x18\x05 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rsendSequences\x12P\n\x0erecv_sequences\x18\x06 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\rrecvSequences\x12N\n\rack_sequences\x18\x07 \x03(\x0b\x32#.ibc.core.channel.v1.PacketSequenceB\x04\xc8\xde\x1f\x00R\x0c\x61\x63kSequences\x12\x32\n\x15next_channel_sequence\x18\x08 \x01(\x04R\x13nextChannelSequence\x12\x39\n\x06params\x18\t \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"d\n\x0ePacketSequence\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequenceB\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cGenesisProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014GenesisProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_GENESISSTATE'].fields_by_name['channels']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channels']._serialized_options = b'\310\336\037\000\372\336\037\021IdentifiedChannel' _globals['_GENESISSTATE'].fields_by_name['acknowledgements']._loaded_options = None @@ -41,7 +51,7 @@ _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=116 - _globals['_GENESISSTATE']._serialized_end=682 - _globals['_PACKETSEQUENCE']._serialized_start=684 - _globals['_PACKETSEQUENCE']._serialized_end=755 + _globals['_GENESISSTATE']._serialized_end=806 + _globals['_PACKETSEQUENCE']._serialized_start=808 + _globals['_PACKETSEQUENCE']._serialized_end=908 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py index 9f704ebb..91b09445 100644 --- a/pyinjective/proto/ibc/core/channel/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\":\n\x13QueryChannelRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x8c\x01\n\x14QueryChannelResponse\x12-\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x14QueryChannelsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc0\x01\n\x15QueryChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"p\n\x1eQueryConnectionChannelsRequest\x12\x12\n\nconnection\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xca\x01\n\x1fQueryConnectionChannelsResponse\x12\x38\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannel\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"E\n\x1eQueryChannelClientStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xb4\x01\n\x1fQueryChannelClientStateResponse\x12J\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientState\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"z\n!QueryChannelConsensusStateRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x17\n\x0frevision_number\x18\x03 \x01(\x04\x12\x17\n\x0frevision_height\x18\x04 \x01(\x04\"\xad\x01\n\"QueryChannelConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"U\n\x1cQueryPacketCommitmentRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"z\n\x1dQueryPacketCommitmentResponse\x12\x12\n\ncommitment\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x80\x01\n\x1dQueryPacketCommitmentsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xc6\x01\n\x1eQueryPacketCommitmentsResponse\x12\x35\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"R\n\x19QueryPacketReceiptRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"u\n\x1aQueryPacketReceiptResponse\x12\x10\n\x08received\x18\x02 \x01(\x08\x12\r\n\x05proof\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"Z\n!QueryPacketAcknowledgementRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x10\n\x08sequence\x18\x03 \x01(\x04\"\x84\x01\n\"QueryPacketAcknowledgementResponse\x12\x17\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0c\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\xaa\x01\n\"QueryPacketAcknowledgementsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12:\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\x12#\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04\"\xd0\x01\n#QueryPacketAcknowledgementsResponse\x12:\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketState\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\x12\x30\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"i\n\x1dQueryUnreceivedPacketsRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12#\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04\"e\n\x1eQueryUnreceivedPacketsResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"_\n\x1aQueryUnreceivedAcksRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1c\n\x14packet_ack_sequences\x18\x03 \x03(\x04\"b\n\x1bQueryUnreceivedAcksResponse\x12\x11\n\tsequences\x18\x01 \x03(\x04\x12\x30\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"F\n\x1fQueryNextSequenceReceiveRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x88\x01\n QueryNextSequenceReceiveResponse\x12\x1d\n\x15next_sequence_receive\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"C\n\x1cQueryNextSequenceSendRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x82\x01\n\x1dQueryNextSequenceSendResponse\x12\x1a\n\x12next_sequence_send\x18\x01 \x01(\x04\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"?\n\x18QueryUpgradeErrorRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\xa2\x01\n\x19QueryUpgradeErrorResponse\x12>\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\":\n\x13QueryUpgradeRequest\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\"\x92\x01\n\x14QueryUpgradeResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryChannelParamsRequest\"I\n\x1aQueryChannelParamsResponse\x12+\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.Params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/channel/v1/query.proto\x12\x13ibc.core.channel.v1\x1a\x1fibc/core/client/v1/client.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x19google/protobuf/any.proto\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/upgrade.proto\"M\n\x13QueryChannelRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa9\x01\n\x14QueryChannelResponse\x12\x36\n\x07\x63hannel\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"^\n\x14QueryChannelsRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xde\x01\n\x15QueryChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x88\x01\n\x1eQueryConnectionChannelsRequest\x12\x1e\n\nconnection\x18\x01 \x01(\tR\nconnection\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe8\x01\n\x1fQueryConnectionChannelsResponse\x12\x42\n\x08\x63hannels\x18\x01 \x03(\x0b\x32&.ibc.core.channel.v1.IdentifiedChannelR\x08\x63hannels\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"X\n\x1eQueryChannelClientStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xdf\x01\n\x1fQueryChannelClientStateResponse\x12\x61\n\x17identified_client_state\x18\x01 \x01(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateR\x15identifiedClientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xad\x01\n!QueryChannelConsensusStateRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\'\n\x0frevision_number\x18\x03 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x04 \x01(\x04R\x0erevisionHeight\"\xdb\x01\n\"QueryChannelConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x1b\n\tclient_id\x18\x02 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"r\n\x1cQueryPacketCommitmentRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x9a\x01\n\x1dQueryPacketCommitmentResponse\x12\x1e\n\ncommitment\x18\x01 \x01(\x0cR\ncommitment\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x9f\x01\n\x1dQueryPacketCommitmentsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xe7\x01\n\x1eQueryPacketCommitmentsResponse\x12\x42\n\x0b\x63ommitments\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x0b\x63ommitments\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"o\n\x19QueryPacketReceiptRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\x93\x01\n\x1aQueryPacketReceiptResponse\x12\x1a\n\x08received\x18\x02 \x01(\x08R\x08received\x12\x14\n\x05proof\x18\x03 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"w\n!QueryPacketAcknowledgementRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\"\xa9\x01\n\"QueryPacketAcknowledgementResponse\x12(\n\x0f\x61\x63knowledgement\x18\x01 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\xe4\x01\n\"QueryPacketAcknowledgementsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x46\n\npagination\x18\x03 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\x12>\n\x1bpacket_commitment_sequences\x18\x04 \x03(\x04R\x19packetCommitmentSequences\"\xf6\x01\n#QueryPacketAcknowledgementsResponse\x12L\n\x10\x61\x63knowledgements\x18\x01 \x03(\x0b\x32 .ibc.core.channel.v1.PacketStateR\x10\x61\x63knowledgements\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\x12\x38\n\x06height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x97\x01\n\x1dQueryUnreceivedPacketsRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12>\n\x1bpacket_commitment_sequences\x18\x03 \x03(\x04R\x19packetCommitmentSequences\"x\n\x1eQueryUnreceivedPacketsResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"\x86\x01\n\x1aQueryUnreceivedAcksRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x30\n\x14packet_ack_sequences\x18\x03 \x03(\x04R\x12packetAckSequences\"u\n\x1bQueryUnreceivedAcksResponse\x12\x1c\n\tsequences\x18\x01 \x03(\x04R\tsequences\x12\x38\n\x06height\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\"Y\n\x1fQueryNextSequenceReceiveRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xb1\x01\n QueryNextSequenceReceiveResponse\x12\x32\n\x15next_sequence_receive\x18\x01 \x01(\x04R\x13nextSequenceReceive\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"V\n\x1cQueryNextSequenceSendRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xa8\x01\n\x1dQueryNextSequenceSendResponse\x12,\n\x12next_sequence_send\x18\x01 \x01(\x04R\x10nextSequenceSend\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"R\n\x18QueryUpgradeErrorRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xc4\x01\n\x19QueryUpgradeErrorResponse\x12L\n\rerror_receipt\x18\x01 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"M\n\x13QueryUpgradeRequest\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\"\xaf\x01\n\x14QueryUpgradeResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x1b\n\x19QueryChannelParamsRequest\"Q\n\x1aQueryChannelParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsR\x06params2\xe5\x1b\n\x05Query\x12\xa2\x01\n\x07\x43hannel\x12(.ibc.core.channel.v1.QueryChannelRequest\x1a).ibc.core.channel.v1.QueryChannelResponse\"B\x82\xd3\xe4\x93\x02<\x12:/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}\x12\x88\x01\n\x08\x43hannels\x12).ibc.core.channel.v1.QueryChannelsRequest\x1a*.ibc.core.channel.v1.QueryChannelsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/ibc/core/channel/v1/channels\x12\xbf\x01\n\x12\x43onnectionChannels\x12\x33.ibc.core.channel.v1.QueryConnectionChannelsRequest\x1a\x34.ibc.core.channel.v1.QueryConnectionChannelsResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/channel/v1/connections/{connection}/channels\x12\xd0\x01\n\x12\x43hannelClientState\x12\x33.ibc.core.channel.v1.QueryChannelClientStateRequest\x1a\x34.ibc.core.channel.v1.QueryChannelClientStateResponse\"O\x82\xd3\xe4\x93\x02I\x12G/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/client_state\x12\x92\x02\n\x15\x43hannelConsensusState\x12\x36.ibc.core.channel.v1.QueryChannelConsensusStateRequest\x1a\x37.ibc.core.channel.v1.QueryChannelConsensusStateResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xdb\x01\n\x10PacketCommitment\x12\x31.ibc.core.channel.v1.QueryPacketCommitmentRequest\x1a\x32.ibc.core.channel.v1.QueryPacketCommitmentResponse\"`\x82\xd3\xe4\x93\x02Z\x12X/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{sequence}\x12\xd3\x01\n\x11PacketCommitments\x12\x32.ibc.core.channel.v1.QueryPacketCommitmentsRequest\x1a\x33.ibc.core.channel.v1.QueryPacketCommitmentsResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments\x12\xcf\x01\n\rPacketReceipt\x12..ibc.core.channel.v1.QueryPacketReceiptRequest\x1a/.ibc.core.channel.v1.QueryPacketReceiptResponse\"]\x82\xd3\xe4\x93\x02W\x12U/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_receipts/{sequence}\x12\xe3\x01\n\x15PacketAcknowledgement\x12\x36.ibc.core.channel.v1.QueryPacketAcknowledgementRequest\x1a\x37.ibc.core.channel.v1.QueryPacketAcknowledgementResponse\"Y\x82\xd3\xe4\x93\x02S\x12Q/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acks/{sequence}\x12\xe7\x01\n\x16PacketAcknowledgements\x12\x37.ibc.core.channel.v1.QueryPacketAcknowledgementsRequest\x1a\x38.ibc.core.channel.v1.QueryPacketAcknowledgementsResponse\"Z\x82\xd3\xe4\x93\x02T\x12R/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_acknowledgements\x12\x86\x02\n\x11UnreceivedPackets\x12\x32.ibc.core.channel.v1.QueryUnreceivedPacketsRequest\x1a\x33.ibc.core.channel.v1.QueryUnreceivedPacketsResponse\"\x87\x01\x82\xd3\xe4\x93\x02\x80\x01\x12~/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_commitment_sequences}/unreceived_packets\x12\xf1\x01\n\x0eUnreceivedAcks\x12/.ibc.core.channel.v1.QueryUnreceivedAcksRequest\x1a\x30.ibc.core.channel.v1.QueryUnreceivedAcksResponse\"|\x82\xd3\xe4\x93\x02v\x12t/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/packet_commitments/{packet_ack_sequences}/unreceived_acks\x12\xd4\x01\n\x13NextSequenceReceive\x12\x34.ibc.core.channel.v1.QueryNextSequenceReceiveRequest\x1a\x35.ibc.core.channel.v1.QueryNextSequenceReceiveResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence\x12\xd0\x01\n\x10NextSequenceSend\x12\x31.ibc.core.channel.v1.QueryNextSequenceSendRequest\x1a\x32.ibc.core.channel.v1.QueryNextSequenceSendResponse\"U\x82\xd3\xe4\x93\x02O\x12M/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/next_sequence_send\x12\xbf\x01\n\x0cUpgradeError\x12-.ibc.core.channel.v1.QueryUpgradeErrorRequest\x1a..ibc.core.channel.v1.QueryUpgradeErrorResponse\"P\x82\xd3\xe4\x93\x02J\x12H/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade_error\x12\xaa\x01\n\x07Upgrade\x12(.ibc.core.channel.v1.QueryUpgradeRequest\x1a).ibc.core.channel.v1.QueryUpgradeResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/ibc/core/channel/v1/channels/{channel_id}/ports/{port_id}/upgrade\x12\x95\x01\n\rChannelParams\x12..ibc.core.channel.v1.QueryChannelParamsRequest\x1a/.ibc.core.channel.v1.QueryChannelParamsResponse\"#\x82\xd3\xe4\x93\x02\x1d\x12\x1b/ibc/core/channel/v1/paramsB\xcf\x01\n\x17\x63om.ibc.core.channel.v1B\nQueryProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\nQueryProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCHANNELRESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCHANNELSRESPONSE'].fields_by_name['height']._loaded_options = None @@ -100,73 +110,73 @@ _globals['_QUERY'].methods_by_name['ChannelParams']._loaded_options = None _globals['_QUERY'].methods_by_name['ChannelParams']._serialized_options = b'\202\323\344\223\002\035\022\033/ibc/core/channel/v1/params' _globals['_QUERYCHANNELREQUEST']._serialized_start=282 - _globals['_QUERYCHANNELREQUEST']._serialized_end=340 - _globals['_QUERYCHANNELRESPONSE']._serialized_start=343 - _globals['_QUERYCHANNELRESPONSE']._serialized_end=483 - _globals['_QUERYCHANNELSREQUEST']._serialized_start=485 - _globals['_QUERYCHANNELSREQUEST']._serialized_end=567 - _globals['_QUERYCHANNELSRESPONSE']._serialized_start=570 - _globals['_QUERYCHANNELSRESPONSE']._serialized_end=762 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=764 - _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=876 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=879 - _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1081 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1083 - _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1152 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1155 - _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1335 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1337 - _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1459 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1462 - _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1635 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1637 - _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=1722 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=1724 - _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=1846 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=1849 - _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=1977 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=1980 - _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2178 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2180 - _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2262 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2264 - _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2381 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2383 - _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2473 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2476 - _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=2608 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=2611 - _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=2781 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=2784 - _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=2992 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=2994 - _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3099 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3101 - _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3202 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3204 - _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=3299 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=3301 - _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=3399 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=3401 - _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=3471 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=3474 - _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=3610 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=3612 - _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=3679 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=3682 - _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=3812 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=3814 - _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=3877 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=3880 - _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4042 - _globals['_QUERYUPGRADEREQUEST']._serialized_start=4044 - _globals['_QUERYUPGRADEREQUEST']._serialized_end=4102 - _globals['_QUERYUPGRADERESPONSE']._serialized_start=4105 - _globals['_QUERYUPGRADERESPONSE']._serialized_end=4251 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=4253 - _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=4280 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=4282 - _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=4355 - _globals['_QUERY']._serialized_start=4358 - _globals['_QUERY']._serialized_end=7915 + _globals['_QUERYCHANNELREQUEST']._serialized_end=359 + _globals['_QUERYCHANNELRESPONSE']._serialized_start=362 + _globals['_QUERYCHANNELRESPONSE']._serialized_end=531 + _globals['_QUERYCHANNELSREQUEST']._serialized_start=533 + _globals['_QUERYCHANNELSREQUEST']._serialized_end=627 + _globals['_QUERYCHANNELSRESPONSE']._serialized_start=630 + _globals['_QUERYCHANNELSRESPONSE']._serialized_end=852 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_start=855 + _globals['_QUERYCONNECTIONCHANNELSREQUEST']._serialized_end=991 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_start=994 + _globals['_QUERYCONNECTIONCHANNELSRESPONSE']._serialized_end=1226 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_start=1228 + _globals['_QUERYCHANNELCLIENTSTATEREQUEST']._serialized_end=1316 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_start=1319 + _globals['_QUERYCHANNELCLIENTSTATERESPONSE']._serialized_end=1542 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_start=1545 + _globals['_QUERYCHANNELCONSENSUSSTATEREQUEST']._serialized_end=1718 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_start=1721 + _globals['_QUERYCHANNELCONSENSUSSTATERESPONSE']._serialized_end=1940 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_start=1942 + _globals['_QUERYPACKETCOMMITMENTREQUEST']._serialized_end=2056 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_start=2059 + _globals['_QUERYPACKETCOMMITMENTRESPONSE']._serialized_end=2213 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_start=2216 + _globals['_QUERYPACKETCOMMITMENTSREQUEST']._serialized_end=2375 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_start=2378 + _globals['_QUERYPACKETCOMMITMENTSRESPONSE']._serialized_end=2609 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_start=2611 + _globals['_QUERYPACKETRECEIPTREQUEST']._serialized_end=2722 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_start=2725 + _globals['_QUERYPACKETRECEIPTRESPONSE']._serialized_end=2872 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_start=2874 + _globals['_QUERYPACKETACKNOWLEDGEMENTREQUEST']._serialized_end=2993 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_start=2996 + _globals['_QUERYPACKETACKNOWLEDGEMENTRESPONSE']._serialized_end=3165 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_start=3168 + _globals['_QUERYPACKETACKNOWLEDGEMENTSREQUEST']._serialized_end=3396 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_start=3399 + _globals['_QUERYPACKETACKNOWLEDGEMENTSRESPONSE']._serialized_end=3645 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_start=3648 + _globals['_QUERYUNRECEIVEDPACKETSREQUEST']._serialized_end=3799 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_start=3801 + _globals['_QUERYUNRECEIVEDPACKETSRESPONSE']._serialized_end=3921 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_start=3924 + _globals['_QUERYUNRECEIVEDACKSREQUEST']._serialized_end=4058 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_start=4060 + _globals['_QUERYUNRECEIVEDACKSRESPONSE']._serialized_end=4177 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_start=4179 + _globals['_QUERYNEXTSEQUENCERECEIVEREQUEST']._serialized_end=4268 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_start=4271 + _globals['_QUERYNEXTSEQUENCERECEIVERESPONSE']._serialized_end=4448 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_start=4450 + _globals['_QUERYNEXTSEQUENCESENDREQUEST']._serialized_end=4536 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_start=4539 + _globals['_QUERYNEXTSEQUENCESENDRESPONSE']._serialized_end=4707 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_start=4709 + _globals['_QUERYUPGRADEERRORREQUEST']._serialized_end=4791 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_start=4794 + _globals['_QUERYUPGRADEERRORRESPONSE']._serialized_end=4990 + _globals['_QUERYUPGRADEREQUEST']._serialized_start=4992 + _globals['_QUERYUPGRADEREQUEST']._serialized_end=5069 + _globals['_QUERYUPGRADERESPONSE']._serialized_start=5072 + _globals['_QUERYUPGRADERESPONSE']._serialized_end=5247 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_start=5249 + _globals['_QUERYCHANNELPARAMSREQUEST']._serialized_end=5276 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_start=5278 + _globals['_QUERYCHANNELPARAMSRESPONSE']._serialized_end=5359 + _globals['_QUERY']._serialized_start=5362 + _globals['_QUERY']._serialized_end=8919 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py index df3e0329..df3bef0c 100644 --- a/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.ibc.core.channel.v1 import upgrade_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_upgrade__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"{\n\x12MsgChannelOpenInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x33\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"G\n\x1aMsgChannelOpenInitResponse\x12\x12\n\nchannel_id\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\x85\x02\n\x11MsgChannelOpenTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x1f\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01\x12\x33\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x12\n\nproof_init\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"F\n\x19MsgChannelOpenTryResponse\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"\xe3\x01\n\x11MsgChannelOpenAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x1f\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\t\x12\x1c\n\x14\x63ounterparty_version\x18\x04 \x01(\t\x12\x11\n\tproof_try\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xa8\x01\n\x15MsgChannelOpenConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x11\n\tproof_ack\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"[\n\x13MsgChannelCloseInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xd1\x01\n\x16MsgChannelCloseConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x12\n\nproof_init\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xb5\x01\n\rMsgRecvPacket\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_commitment\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"V\n\x15MsgRecvPacketResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\nMsgTimeout\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x04 \x01(\x04\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"S\n\x12MsgTimeoutResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x91\x02\n\x11MsgTimeoutOnClose\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x18\n\x10proof_unreceived\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_close\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_recv\x18\x05 \x01(\x04\x12\x0e\n\x06signer\x18\x06 \x01(\t\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgTimeoutOnCloseResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xce\x01\n\x12MsgAcknowledgement\x12\x31\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\x12\x13\n\x0bproof_acked\x18\x03 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x05 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgAcknowledgementResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x97\x01\n\x15MsgChannelUpgradeInit\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\x38\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"t\n\x1dMsgChannelUpgradeInitResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\xe2\x02\n\x14MsgChannelUpgradeTry\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12(\n proposed_upgrade_connection_hops\x18\x03 \x03(\t\x12M\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04\x12\x15\n\rproof_channel\x18\x06 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x07 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\t \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xac\x01\n\x1cMsgChannelUpgradeTryResponse\x12\x33\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x18\n\x10upgrade_sequence\x18\x02 \x01(\x04\x12\x37\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x84\x02\n\x14MsgChannelUpgradeAck\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"]\n\x1cMsgChannelUpgradeAckResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\xc8\x02\n\x18MsgChannelUpgradeConfirm\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12@\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x15\n\rproof_upgrade\x18\x06 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x08 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"a\n MsgChannelUpgradeConfirmResponse\x12\x37\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultType:\x04\x88\xa0\x1f\x00\"\x93\x02\n\x15MsgChannelUpgradeOpen\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.State\x12%\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04\x12\x15\n\rproof_channel\x18\x05 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x07 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xf1\x01\n\x18MsgChannelUpgradeTimeout\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12@\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00\x12\x15\n\rproof_channel\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xf4\x01\n\x17MsgChannelUpgradeCancel\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12>\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13proof_error_receipt\x18\x04 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"k\n\x0fMsgUpdateParams\x12\x11\n\tauthority\x18\x01 \x01(\t\x12\x31\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"o\n\x18MsgPruneAcknowledgements\x12\x0f\n\x07port_id\x18\x01 \x01(\t\x12\x12\n\nchannel_id\x18\x02 \x01(\t\x12\r\n\x05limit\x18\x03 \x01(\x04\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n MsgPruneAcknowledgementsResponse\x12\x1e\n\x16total_pruned_sequences\x18\x01 \x01(\x04\x12!\n\x19total_remaining_sequences\x18\x02 \x01(\x04*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1cibc/core/channel/v1/tx.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1fibc/core/client/v1/client.proto\x1a!ibc/core/channel/v1/channel.proto\x1a!ibc/core/channel/v1/upgrade.proto\"\x94\x01\n\x12MsgChannelOpenInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12<\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x1aMsgChannelOpenInitResponse\x12\x1d\n\nchannel_id\x18\x01 \x01(\tR\tchannelId\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"\xde\x02\n\x11MsgChannelOpenTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x32\n\x13previous_channel_id\x18\x02 \x01(\tB\x02\x18\x01R\x11previousChannelId\x12<\n\x07\x63hannel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x07\x63hannel\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1d\n\nproof_init\x18\x05 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"Z\n\x19MsgChannelOpenTryResponse\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId:\x04\x88\xa0\x1f\x00\"\xc1\x02\n\x11MsgChannelOpenAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x36\n\x17\x63ounterparty_channel_id\x18\x03 \x01(\tR\x15\x63ounterpartyChannelId\x12\x31\n\x14\x63ounterparty_version\x18\x04 \x01(\tR\x13\x63ounterpartyVersion\x12\x1b\n\tproof_try\x18\x05 \x01(\x0cR\x08proofTry\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgChannelOpenAckResponse\"\xda\x01\n\x15MsgChannelOpenConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1b\n\tproof_ack\x18\x03 \x01(\x0cR\x08proofAck\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelOpenConfirmResponse\"v\n\x13MsgChannelCloseInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1d\n\x1bMsgChannelCloseInitResponse\"\xa1\x02\n\x16MsgChannelCloseConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x1d\n\nproof_init\x18\x03 \x01(\x0cR\tproofInit\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x06 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\" \n\x1eMsgChannelCloseConfirmResponse\"\xe3\x01\n\rMsgRecvPacket\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_commitment\x18\x02 \x01(\x0cR\x0fproofCommitment\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"^\n\x15MsgRecvPacketResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x8e\x02\n\nMsgTimeout\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x04 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"[\n\x12MsgTimeoutResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xfa\x02\n\x11MsgTimeoutOnClose\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12)\n\x10proof_unreceived\x18\x02 \x01(\x0cR\x0fproofUnreceived\x12\x1f\n\x0bproof_close\x18\x03 \x01(\x0cR\nproofClose\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12,\n\x12next_sequence_recv\x18\x05 \x01(\x04R\x10nextSequenceRecv\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x07 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"b\n\x19MsgTimeoutOnCloseResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x88\x02\n\x12MsgAcknowledgement\x12\x39\n\x06packet\x18\x01 \x01(\x0b\x32\x1b.ibc.core.channel.v1.PacketB\x04\xc8\xde\x1f\x00R\x06packet\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\x12\x1f\n\x0bproof_acked\x18\x03 \x01(\x0cR\nproofAcked\x12\x43\n\x0cproof_height\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x05 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"c\n\x1aMsgAcknowledgementResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x15MsgChannelUpgradeInit\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12@\n\x06\x66ields\x18\x03 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x8e\x01\n\x1dMsgChannelUpgradeInitResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence:\x04\x88\xa0\x1f\x00\"\xfd\x03\n\x14MsgChannelUpgradeTry\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12G\n proposed_upgrade_connection_hops\x18\x03 \x03(\tR\x1dproposedUpgradeConnectionHops\x12h\n\x1b\x63ounterparty_upgrade_fields\x18\x04 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x19\x63ounterpartyUpgradeFields\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x05 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x06 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x07 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x08 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\t \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\xce\x01\n\x1cMsgChannelUpgradeTryResponse\x12<\n\x07upgrade\x18\x01 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x07upgrade\x12)\n\x10upgrade_sequence\x18\x02 \x01(\x04R\x0fupgradeSequence\x12?\n\x06result\x18\x03 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xdd\x02\n\x14MsgChannelUpgradeAck\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_upgrade\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x05 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"e\n\x1cMsgChannelUpgradeAckResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\xbb\x03\n\x18MsgChannelUpgradeConfirm\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12U\n\x14\x63ounterparty_upgrade\x18\x04 \x01(\x0b\x32\x1c.ibc.core.channel.v1.UpgradeB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyUpgrade\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12#\n\rproof_upgrade\x18\x06 \x01(\x0cR\x0cproofUpgrade\x12\x43\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x08 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"i\n MsgChannelUpgradeConfirmResponse\x12?\n\x06result\x18\x01 \x01(\x0e\x32\'.ibc.core.channel.v1.ResponseResultTypeR\x06result:\x04\x88\xa0\x1f\x00\"\x80\x03\n\x15MsgChannelUpgradeOpen\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12X\n\x1a\x63ounterparty_channel_state\x18\x03 \x01(\x0e\x32\x1a.ibc.core.channel.v1.StateR\x18\x63ounterpartyChannelState\x12\x42\n\x1d\x63ounterparty_upgrade_sequence\x18\x04 \x01(\x04R\x1b\x63ounterpartyUpgradeSequence\x12#\n\rproof_channel\x18\x05 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x07 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgChannelUpgradeOpenResponse\"\xbc\x02\n\x18MsgChannelUpgradeTimeout\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12U\n\x14\x63ounterparty_channel\x18\x03 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelB\x04\xc8\xde\x1f\x00R\x13\x63ounterpartyChannel\x12#\n\rproof_channel\x18\x04 \x01(\x0cR\x0cproofChannel\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgChannelUpgradeTimeoutResponse\"\xbd\x02\n\x17MsgChannelUpgradeCancel\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12L\n\rerror_receipt\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.ErrorReceiptB\x04\xc8\xde\x1f\x00R\x0c\x65rrorReceipt\x12.\n\x13proof_error_receipt\x18\x04 \x01(\x0cR\x11proofErrorReceipt\x12\x43\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"!\n\x1fMsgChannelUpgradeCancelResponse\"~\n\x0fMsgUpdateParams\x12\x1c\n\tauthority\x18\x01 \x01(\tR\tauthority\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32\x1b.ibc.core.channel.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x12\x88\xa0\x1f\x00\x82\xe7\xb0*\tauthority\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\x18MsgPruneAcknowledgements\x12\x17\n\x07port_id\x18\x01 \x01(\tR\x06portId\x12\x1d\n\nchannel_id\x18\x02 \x01(\tR\tchannelId\x12\x14\n\x05limit\x18\x03 \x01(\x04R\x05limit\x12\x16\n\x06signer\x18\x04 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x94\x01\n MsgPruneAcknowledgementsResponse\x12\x34\n\x16total_pruned_sequences\x18\x01 \x01(\x04R\x14totalPrunedSequences\x12:\n\x19total_remaining_sequences\x18\x02 \x01(\x04R\x17totalRemainingSequences*\xd8\x01\n\x12ResponseResultType\x12\x35\n RESPONSE_RESULT_TYPE_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\'\n\x19RESPONSE_RESULT_TYPE_NOOP\x10\x01\x1a\x08\x8a\x9d \x04NOOP\x12-\n\x1cRESPONSE_RESULT_TYPE_SUCCESS\x10\x02\x1a\x0b\x8a\x9d \x07SUCCESS\x12-\n\x1cRESPONSE_RESULT_TYPE_FAILURE\x10\x03\x1a\x0b\x8a\x9d \x07\x46\x41ILURE\x1a\x04\x88\xa3\x1e\x00\x32\xec\x10\n\x03Msg\x12k\n\x0f\x43hannelOpenInit\x12\'.ibc.core.channel.v1.MsgChannelOpenInit\x1a/.ibc.core.channel.v1.MsgChannelOpenInitResponse\x12h\n\x0e\x43hannelOpenTry\x12&.ibc.core.channel.v1.MsgChannelOpenTry\x1a..ibc.core.channel.v1.MsgChannelOpenTryResponse\x12h\n\x0e\x43hannelOpenAck\x12&.ibc.core.channel.v1.MsgChannelOpenAck\x1a..ibc.core.channel.v1.MsgChannelOpenAckResponse\x12t\n\x12\x43hannelOpenConfirm\x12*.ibc.core.channel.v1.MsgChannelOpenConfirm\x1a\x32.ibc.core.channel.v1.MsgChannelOpenConfirmResponse\x12n\n\x10\x43hannelCloseInit\x12(.ibc.core.channel.v1.MsgChannelCloseInit\x1a\x30.ibc.core.channel.v1.MsgChannelCloseInitResponse\x12w\n\x13\x43hannelCloseConfirm\x12+.ibc.core.channel.v1.MsgChannelCloseConfirm\x1a\x33.ibc.core.channel.v1.MsgChannelCloseConfirmResponse\x12\\\n\nRecvPacket\x12\".ibc.core.channel.v1.MsgRecvPacket\x1a*.ibc.core.channel.v1.MsgRecvPacketResponse\x12S\n\x07Timeout\x12\x1f.ibc.core.channel.v1.MsgTimeout\x1a\'.ibc.core.channel.v1.MsgTimeoutResponse\x12h\n\x0eTimeoutOnClose\x12&.ibc.core.channel.v1.MsgTimeoutOnClose\x1a..ibc.core.channel.v1.MsgTimeoutOnCloseResponse\x12k\n\x0f\x41\x63knowledgement\x12\'.ibc.core.channel.v1.MsgAcknowledgement\x1a/.ibc.core.channel.v1.MsgAcknowledgementResponse\x12t\n\x12\x43hannelUpgradeInit\x12*.ibc.core.channel.v1.MsgChannelUpgradeInit\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeInitResponse\x12q\n\x11\x43hannelUpgradeTry\x12).ibc.core.channel.v1.MsgChannelUpgradeTry\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeTryResponse\x12q\n\x11\x43hannelUpgradeAck\x12).ibc.core.channel.v1.MsgChannelUpgradeAck\x1a\x31.ibc.core.channel.v1.MsgChannelUpgradeAckResponse\x12}\n\x15\x43hannelUpgradeConfirm\x12-.ibc.core.channel.v1.MsgChannelUpgradeConfirm\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeConfirmResponse\x12t\n\x12\x43hannelUpgradeOpen\x12*.ibc.core.channel.v1.MsgChannelUpgradeOpen\x1a\x32.ibc.core.channel.v1.MsgChannelUpgradeOpenResponse\x12}\n\x15\x43hannelUpgradeTimeout\x12-.ibc.core.channel.v1.MsgChannelUpgradeTimeout\x1a\x35.ibc.core.channel.v1.MsgChannelUpgradeTimeoutResponse\x12z\n\x14\x43hannelUpgradeCancel\x12,.ibc.core.channel.v1.MsgChannelUpgradeCancel\x1a\x34.ibc.core.channel.v1.MsgChannelUpgradeCancelResponse\x12i\n\x13UpdateChannelParams\x12$.ibc.core.channel.v1.MsgUpdateParams\x1a,.ibc.core.channel.v1.MsgUpdateParamsResponse\x12}\n\x15PruneAcknowledgements\x12-.ibc.core.channel.v1.MsgPruneAcknowledgements\x1a\x35.ibc.core.channel.v1.MsgPruneAcknowledgementsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xcc\x01\n\x17\x63om.ibc.core.channel.v1B\x07TxProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\007TxProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_RESPONSERESULTTYPE']._loaded_options = None _globals['_RESPONSERESULTTYPE']._serialized_options = b'\210\243\036\000' _globals['_RESPONSERESULTTYPE'].values_by_name["RESPONSE_RESULT_TYPE_UNSPECIFIED"]._loaded_options = None @@ -157,84 +167,84 @@ _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' - _globals['_RESPONSERESULTTYPE']._serialized_start=5624 - _globals['_RESPONSERESULTTYPE']._serialized_end=5840 - _globals['_MSGCHANNELOPENINIT']._serialized_start=203 - _globals['_MSGCHANNELOPENINIT']._serialized_end=326 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=328 - _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=399 - _globals['_MSGCHANNELOPENTRY']._serialized_start=402 - _globals['_MSGCHANNELOPENTRY']._serialized_end=663 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=665 - _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=735 - _globals['_MSGCHANNELOPENACK']._serialized_start=738 - _globals['_MSGCHANNELOPENACK']._serialized_end=965 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=967 - _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=994 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=997 - _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1165 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1167 - _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1198 - _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1200 - _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1291 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1293 - _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1322 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1325 - _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1534 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1536 - _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1568 - _globals['_MSGRECVPACKET']._serialized_start=1571 - _globals['_MSGRECVPACKET']._serialized_end=1752 - _globals['_MSGRECVPACKETRESPONSE']._serialized_start=1754 - _globals['_MSGRECVPACKETRESPONSE']._serialized_end=1840 - _globals['_MSGTIMEOUT']._serialized_start=1843 - _globals['_MSGTIMEOUT']._serialized_end=2049 - _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2051 - _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2134 - _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2137 - _globals['_MSGTIMEOUTONCLOSE']._serialized_end=2410 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=2412 - _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=2502 - _globals['_MSGACKNOWLEDGEMENT']._serialized_start=2505 - _globals['_MSGACKNOWLEDGEMENT']._serialized_end=2711 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=2713 - _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=2804 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=2807 - _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=2958 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=2960 - _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3076 - _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3079 - _globals['_MSGCHANNELUPGRADETRY']._serialized_end=3433 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=3436 - _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=3608 - _globals['_MSGCHANNELUPGRADEACK']._serialized_start=3611 - _globals['_MSGCHANNELUPGRADEACK']._serialized_end=3871 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=3873 - _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=3966 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=3969 - _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=4297 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=4299 - _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=4396 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=4399 - _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=4674 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=4676 - _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=4707 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=4710 - _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=4951 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=4953 - _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=4987 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=4990 - _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=5234 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=5236 - _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=5269 - _globals['_MSGUPDATEPARAMS']._serialized_start=5271 - _globals['_MSGUPDATEPARAMS']._serialized_end=5378 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=5380 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=5405 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=5407 - _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=5518 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=5520 - _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=5621 - _globals['_MSG']._serialized_start=5843 - _globals['_MSG']._serialized_end=7999 + _globals['_RESPONSERESULTTYPE']._serialized_start=7165 + _globals['_RESPONSERESULTTYPE']._serialized_end=7381 + _globals['_MSGCHANNELOPENINIT']._serialized_start=204 + _globals['_MSGCHANNELOPENINIT']._serialized_end=352 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_start=354 + _globals['_MSGCHANNELOPENINITRESPONSE']._serialized_end=445 + _globals['_MSGCHANNELOPENTRY']._serialized_start=448 + _globals['_MSGCHANNELOPENTRY']._serialized_end=798 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_start=800 + _globals['_MSGCHANNELOPENTRYRESPONSE']._serialized_end=890 + _globals['_MSGCHANNELOPENACK']._serialized_start=893 + _globals['_MSGCHANNELOPENACK']._serialized_end=1214 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_start=1216 + _globals['_MSGCHANNELOPENACKRESPONSE']._serialized_end=1243 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_start=1246 + _globals['_MSGCHANNELOPENCONFIRM']._serialized_end=1464 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_start=1466 + _globals['_MSGCHANNELOPENCONFIRMRESPONSE']._serialized_end=1497 + _globals['_MSGCHANNELCLOSEINIT']._serialized_start=1499 + _globals['_MSGCHANNELCLOSEINIT']._serialized_end=1617 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_start=1619 + _globals['_MSGCHANNELCLOSEINITRESPONSE']._serialized_end=1648 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_start=1651 + _globals['_MSGCHANNELCLOSECONFIRM']._serialized_end=1940 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_start=1942 + _globals['_MSGCHANNELCLOSECONFIRMRESPONSE']._serialized_end=1974 + _globals['_MSGRECVPACKET']._serialized_start=1977 + _globals['_MSGRECVPACKET']._serialized_end=2204 + _globals['_MSGRECVPACKETRESPONSE']._serialized_start=2206 + _globals['_MSGRECVPACKETRESPONSE']._serialized_end=2300 + _globals['_MSGTIMEOUT']._serialized_start=2303 + _globals['_MSGTIMEOUT']._serialized_end=2573 + _globals['_MSGTIMEOUTRESPONSE']._serialized_start=2575 + _globals['_MSGTIMEOUTRESPONSE']._serialized_end=2666 + _globals['_MSGTIMEOUTONCLOSE']._serialized_start=2669 + _globals['_MSGTIMEOUTONCLOSE']._serialized_end=3047 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_start=3049 + _globals['_MSGTIMEOUTONCLOSERESPONSE']._serialized_end=3147 + _globals['_MSGACKNOWLEDGEMENT']._serialized_start=3150 + _globals['_MSGACKNOWLEDGEMENT']._serialized_end=3414 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_start=3416 + _globals['_MSGACKNOWLEDGEMENTRESPONSE']._serialized_end=3515 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_start=3518 + _globals['_MSGCHANNELUPGRADEINIT']._serialized_end=3704 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_start=3707 + _globals['_MSGCHANNELUPGRADEINITRESPONSE']._serialized_end=3849 + _globals['_MSGCHANNELUPGRADETRY']._serialized_start=3852 + _globals['_MSGCHANNELUPGRADETRY']._serialized_end=4361 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_start=4364 + _globals['_MSGCHANNELUPGRADETRYRESPONSE']._serialized_end=4570 + _globals['_MSGCHANNELUPGRADEACK']._serialized_start=4573 + _globals['_MSGCHANNELUPGRADEACK']._serialized_end=4922 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_start=4924 + _globals['_MSGCHANNELUPGRADEACKRESPONSE']._serialized_end=5025 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_start=5028 + _globals['_MSGCHANNELUPGRADECONFIRM']._serialized_end=5471 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_start=5473 + _globals['_MSGCHANNELUPGRADECONFIRMRESPONSE']._serialized_end=5578 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_start=5581 + _globals['_MSGCHANNELUPGRADEOPEN']._serialized_end=5965 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_start=5967 + _globals['_MSGCHANNELUPGRADEOPENRESPONSE']._serialized_end=5998 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_start=6001 + _globals['_MSGCHANNELUPGRADETIMEOUT']._serialized_end=6317 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_start=6319 + _globals['_MSGCHANNELUPGRADETIMEOUTRESPONSE']._serialized_end=6353 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_start=6356 + _globals['_MSGCHANNELUPGRADECANCEL']._serialized_end=6673 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_start=6675 + _globals['_MSGCHANNELUPGRADECANCELRESPONSE']._serialized_end=6708 + _globals['_MSGUPDATEPARAMS']._serialized_start=6710 + _globals['_MSGUPDATEPARAMS']._serialized_end=6836 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=6838 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=6863 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_start=6866 + _globals['_MSGPRUNEACKNOWLEDGEMENTS']._serialized_end=7011 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_start=7014 + _globals['_MSGPRUNEACKNOWLEDGEMENTSRESPONSE']._serialized_end=7162 + _globals['_MSG']._serialized_start=7384 + _globals['_MSG']._serialized_end=9540 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py index 6d23febd..1a36a634 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/channel/v1/upgrade.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/channel/v1/upgrade.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\x9a\x01\n\x07Upgrade\x12\x38\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00\x12\x33\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12next_sequence_send\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"m\n\rUpgradeFields\x12,\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.Order\x12\x17\n\x0f\x63onnection_hops\x18\x02 \x03(\t\x12\x0f\n\x07version\x18\x03 \x01(\t:\x04\x88\xa0\x1f\x00\"7\n\x0c\x45rrorReceipt\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x0f\n\x07message\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42;Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/core/channel/v1/upgrade.proto\x12\x13ibc.core.channel.v1\x1a\x14gogoproto/gogo.proto\x1a!ibc/core/channel/v1/channel.proto\"\xbd\x01\n\x07Upgrade\x12@\n\x06\x66ields\x18\x01 \x01(\x0b\x32\".ibc.core.channel.v1.UpgradeFieldsB\x04\xc8\xde\x1f\x00R\x06\x66ields\x12<\n\x07timeout\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.TimeoutB\x04\xc8\xde\x1f\x00R\x07timeout\x12,\n\x12next_sequence_send\x18\x03 \x01(\x04R\x10nextSequenceSend:\x04\x88\xa0\x1f\x00\"\x90\x01\n\rUpgradeFields\x12\x36\n\x08ordering\x18\x01 \x01(\x0e\x32\x1a.ibc.core.channel.v1.OrderR\x08ordering\x12\'\n\x0f\x63onnection_hops\x18\x02 \x03(\tR\x0e\x63onnectionHops\x12\x18\n\x07version\x18\x03 \x01(\tR\x07version:\x04\x88\xa0\x1f\x00\"J\n\x0c\x45rrorReceipt\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x18\n\x07message\x18\x02 \x01(\tR\x07message:\x04\x88\xa0\x1f\x00\x42\xd1\x01\n\x17\x63om.ibc.core.channel.v1B\x0cUpgradeProtoP\x01Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\xa2\x02\x03ICC\xaa\x02\x13Ibc.Core.Channel.V1\xca\x02\x13Ibc\\Core\\Channel\\V1\xe2\x02\x1fIbc\\Core\\Channel\\V1\\GPBMetadata\xea\x02\x16Ibc::Core::Channel::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.channel.v1.upgrade_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\027com.ibc.core.channel.v1B\014UpgradeProtoP\001Z9github.com/cosmos/ibc-go/v8/modules/core/04-channel/types\242\002\003ICC\252\002\023Ibc.Core.Channel.V1\312\002\023Ibc\\Core\\Channel\\V1\342\002\037Ibc\\Core\\Channel\\V1\\GPBMetadata\352\002\026Ibc::Core::Channel::V1' _globals['_UPGRADE'].fields_by_name['fields']._loaded_options = None _globals['_UPGRADE'].fields_by_name['fields']._serialized_options = b'\310\336\037\000' _globals['_UPGRADE'].fields_by_name['timeout']._loaded_options = None @@ -35,9 +45,9 @@ _globals['_ERRORRECEIPT']._loaded_options = None _globals['_ERRORRECEIPT']._serialized_options = b'\210\240\037\000' _globals['_UPGRADE']._serialized_start=116 - _globals['_UPGRADE']._serialized_end=270 - _globals['_UPGRADEFIELDS']._serialized_start=272 - _globals['_UPGRADEFIELDS']._serialized_end=381 - _globals['_ERRORRECEIPT']._serialized_start=383 - _globals['_ERRORRECEIPT']._serialized_end=438 + _globals['_UPGRADE']._serialized_end=305 + _globals['_UPGRADEFIELDS']._serialized_start=308 + _globals['_UPGRADEFIELDS']._serialized_end=452 + _globals['_ERRORRECEIPT']._serialized_start=454 + _globals['_ERRORRECEIPT']._serialized_end=528 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py index 3510c2ab..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/upgrade_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2.py b/pyinjective/proto/ibc/core/client/v1/client_pb2.py index 749fbd2f..7301f896 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/client.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/client.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"V\n\x15IdentifiedClientState\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"{\n\x18\x43onsensusStateWithHeight\x12\x30\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\"x\n\x15\x43lientConsensusStates\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12L\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\"D\n\x06Height\x12\x17\n\x0frevision_number\x18\x01 \x01(\x04\x12\x17\n\x0frevision_height\x18\x02 \x01(\x04:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"!\n\x06Params\x12\x17\n\x0f\x61llowed_clients\x18\x01 \x03(\t\"\xd8\x01\n\x14\x43lientUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x37\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"\x12=\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\":$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xec\x01\n\x0fUpgradeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x30\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12U\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\":,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/client/v1/client.proto\x12\x12ibc.core.client.v1\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"m\n\x15IdentifiedClientState\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\"\x93\x01\n\x18\x43onsensusStateWithHeight\x12\x38\n\x06height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x06height\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\"\x93\x01\n\x15\x43lientConsensusStates\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12]\n\x10\x63onsensus_states\x18\x02 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\"d\n\x06Height\x12\'\n\x0frevision_number\x18\x01 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x02 \x01(\x04R\x0erevisionHeight:\x08\x88\xa0\x1f\x00\x98\xa0\x1f\x00\"1\n\x06Params\x12\'\n\x0f\x61llowed_clients\x18\x01 \x03(\tR\x0e\x61llowedClients\"\x91\x02\n\x14\x43lientUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12H\n\x11subject_client_id\x18\x03 \x01(\tB\x1c\xf2\xde\x1f\x18yaml:\"subject_client_id\"R\x0fsubjectClientId\x12Q\n\x14substitute_client_id\x18\x04 \x01(\tB\x1f\xf2\xde\x1f\x1byaml:\"substitute_client_id\"R\x12substituteClientId:$\x18\x01\x88\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\x9b\x02\n\x0fUpgradeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x36\n\x04plan\x18\x03 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12j\n\x15upgraded_client_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyB \xf2\xde\x1f\x1cyaml:\"upgraded_client_state\"R\x13upgradedClientState:,\x18\x01\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x01\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xca\x01\n\x16\x63om.ibc.core.client.v1B\x0b\x43lientProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.client_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\013ClientProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._loaded_options = None _globals['_CONSENSUSSTATEWITHHEIGHT'].fields_by_name['height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTCONSENSUSSTATES'].fields_by_name['consensus_states']._loaded_options = None @@ -45,17 +55,17 @@ _globals['_UPGRADEPROPOSAL']._loaded_options = None _globals['_UPGRADEPROPOSAL']._serialized_options = b'\030\001\210\240\037\000\230\240\037\000\350\240\037\001\312\264-\032cosmos.gov.v1beta1.Content' _globals['_IDENTIFIEDCLIENTSTATE']._serialized_start=169 - _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=255 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=257 - _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=380 - _globals['_CLIENTCONSENSUSSTATES']._serialized_start=382 - _globals['_CLIENTCONSENSUSSTATES']._serialized_end=502 - _globals['_HEIGHT']._serialized_start=504 - _globals['_HEIGHT']._serialized_end=572 - _globals['_PARAMS']._serialized_start=574 - _globals['_PARAMS']._serialized_end=607 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=610 - _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=826 - _globals['_UPGRADEPROPOSAL']._serialized_start=829 - _globals['_UPGRADEPROPOSAL']._serialized_end=1065 + _globals['_IDENTIFIEDCLIENTSTATE']._serialized_end=278 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_start=281 + _globals['_CONSENSUSSTATEWITHHEIGHT']._serialized_end=428 + _globals['_CLIENTCONSENSUSSTATES']._serialized_start=431 + _globals['_CLIENTCONSENSUSSTATES']._serialized_end=578 + _globals['_HEIGHT']._serialized_start=580 + _globals['_HEIGHT']._serialized_end=680 + _globals['_PARAMS']._serialized_start=682 + _globals['_PARAMS']._serialized_end=731 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_start=734 + _globals['_CLIENTUPDATEPROPOSAL']._serialized_end=1007 + _globals['_UPGRADEPROPOSAL']._serialized_start=1010 + _globals['_UPGRADEPROPOSAL']._serialized_end=1293 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py index 6221040e..57211c2e 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\x8d\x03\n\x0cGenesisState\x12Z\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12\x64\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStates\x12M\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00\x12\x30\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00\x12\x1c\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01\x12\x1c\n\x14next_client_sequence\x18\x06 \x01(\x04\"3\n\x0fGenesisMetadata\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\r\n\x05value\x18\x02 \x01(\x0c:\x04\x88\xa0\x1f\x00\"r\n\x19IdentifiedGenesisMetadata\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x42\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n ibc/core/client/v1/genesis.proto\x12\x12ibc.core.client.v1\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"\xe6\x03\n\x0cGenesisState\x12\x63\n\x07\x63lients\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x07\x63lients\x12v\n\x11\x63lients_consensus\x18\x02 \x03(\x0b\x32).ibc.core.client.v1.ClientConsensusStatesB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16\x43lientsConsensusStatesR\x10\x63lientsConsensus\x12^\n\x10\x63lients_metadata\x18\x03 \x03(\x0b\x32-.ibc.core.client.v1.IdentifiedGenesisMetadataB\x04\xc8\xde\x1f\x00R\x0f\x63lientsMetadata\x12\x38\n\x06params\x18\x04 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12-\n\x10\x63reate_localhost\x18\x05 \x01(\x08\x42\x02\x18\x01R\x0f\x63reateLocalhost\x12\x30\n\x14next_client_sequence\x18\x06 \x01(\x04R\x12nextClientSequence\"?\n\x0fGenesisMetadata\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x02 \x01(\x0cR\x05value:\x04\x88\xa0\x1f\x00\"\x8c\x01\n\x19IdentifiedGenesisMetadata\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12R\n\x0f\x63lient_metadata\x18\x02 \x03(\x0b\x32#.ibc.core.client.v1.GenesisMetadataB\x04\xc8\xde\x1f\x00R\x0e\x63lientMetadataB\xcb\x01\n\x16\x63om.ibc.core.client.v1B\x0cGenesisProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\014GenesisProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_GENESISSTATE'].fields_by_name['clients']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['clients']._serialized_options = b'\310\336\037\000\252\337\037\026IdentifiedClientStates' _globals['_GENESISSTATE'].fields_by_name['clients_consensus']._loaded_options = None @@ -39,9 +49,9 @@ _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._loaded_options = None _globals['_IDENTIFIEDGENESISMETADATA'].fields_by_name['client_metadata']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=112 - _globals['_GENESISSTATE']._serialized_end=509 - _globals['_GENESISMETADATA']._serialized_start=511 - _globals['_GENESISMETADATA']._serialized_end=562 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=564 - _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=678 + _globals['_GENESISSTATE']._serialized_end=598 + _globals['_GENESISMETADATA']._serialized_start=600 + _globals['_GENESISMETADATA']._serialized_end=663 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_start=666 + _globals['_IDENTIFIEDGENESISMETADATA']._serialized_end=806 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/query_pb2.py b/pyinjective/proto/ibc/core/client/v1/query_pb2.py index b72cc79c..d8360111 100644 --- a/pyinjective/proto/ibc/core/client/v1/query_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/query_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.cosmos.query.v1 import query_pb2 as cosmos_dot_query_dot_v1_dot_query__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\",\n\x17QueryClientStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"\x8d\x01\n\x18QueryClientStateResponse\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"V\n\x18QueryClientStatesRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xba\x01\n\x19QueryClientStatesResponse\x12`\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStates\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"x\n\x1aQueryConsensusStateRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x17\n\x0frevision_number\x18\x02 \x01(\x04\x12\x17\n\x0frevision_height\x18\x03 \x01(\x04\x12\x15\n\rlatest_height\x18\x04 \x01(\x08\"\x93\x01\n\x1bQueryConsensusStateResponse\x12-\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\"l\n\x1bQueryConsensusStatesRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa9\x01\n\x1cQueryConsensusStatesResponse\x12L\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"r\n!QueryConsensusStateHeightsRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12:\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"\xa4\x01\n\"QueryConsensusStateHeightsResponse\x12\x41\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"-\n\x18QueryClientStatusRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\"+\n\x19QueryClientStatusResponse\x12\x0e\n\x06status\x18\x01 \x01(\t\"\x1a\n\x18QueryClientParamsRequest\"G\n\x19QueryClientParamsResponse\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.Params\"!\n\x1fQueryUpgradedClientStateRequest\"W\n QueryUpgradedClientStateResponse\x12\x33\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"$\n\"QueryUpgradedConsensusStateRequest\"]\n#QueryUpgradedConsensusStateResponse\x12\x36\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\"\xef\x01\n\x1cQueryVerifyMembershipRequest\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\r\n\x05proof\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12=\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00\x12\r\n\x05value\x18\x05 \x01(\x0c\x12\x12\n\ntime_delay\x18\x06 \x01(\x04\x12\x13\n\x0b\x62lock_delay\x18\x07 \x01(\x04\"0\n\x1dQueryVerifyMembershipResponse\x12\x0f\n\x07success\x18\x01 \x01(\x08\x32\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1eibc/core/client/v1/query.proto\x12\x12ibc.core.client.v1\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x1b\x63osmos/query/v1/query.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x19google/protobuf/any.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"6\n\x17QueryClientStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"\xae\x01\n\x18QueryClientStateResponse\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"b\n\x18QueryClientStatesRequest\x12\x46\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xd4\x01\n\x19QueryClientStatesResponse\x12n\n\rclient_states\x18\x01 \x03(\x0b\x32).ibc.core.client.v1.IdentifiedClientStateB\x1e\xc8\xde\x1f\x00\xaa\xdf\x1f\x16IdentifiedClientStatesR\x0c\x63lientStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\xb0\x01\n\x1aQueryConsensusStateRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\'\n\x0frevision_number\x18\x02 \x01(\x04R\x0erevisionNumber\x12\'\n\x0frevision_height\x18\x03 \x01(\x04R\x0erevisionHeight\x12#\n\rlatest_height\x18\x04 \x01(\x08R\x0clatestHeight\"\xb7\x01\n\x1bQueryConsensusStateResponse\x12=\n\x0f\x63onsensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\"\x82\x01\n\x1bQueryConsensusStatesRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc6\x01\n\x1cQueryConsensusStatesResponse\x12]\n\x10\x63onsensus_states\x18\x01 \x03(\x0b\x32,.ibc.core.client.v1.ConsensusStateWithHeightB\x04\xc8\xde\x1f\x00R\x0f\x63onsensusStates\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"\x88\x01\n!QueryConsensusStateHeightsRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x46\n\npagination\x18\x02 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequestR\npagination\"\xc7\x01\n\"QueryConsensusStateHeightsResponse\x12X\n\x17\x63onsensus_state_heights\x18\x01 \x03(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x15\x63onsensusStateHeights\x12G\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponseR\npagination\"7\n\x18QueryClientStatusRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\"3\n\x19QueryClientStatusResponse\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"\x1a\n\x18QueryClientParamsRequest\"O\n\x19QueryClientParamsResponse\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsR\x06params\"!\n\x1fQueryUpgradedClientStateRequest\"l\n QueryUpgradedClientStateResponse\x12H\n\x15upgraded_client_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\"$\n\"QueryUpgradedConsensusStateRequest\"u\n#QueryUpgradedConsensusStateResponse\x12N\n\x18upgraded_consensus_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x16upgradedConsensusState\"\xb7\x02\n\x1cQueryVerifyMembershipRequest\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x14\n\x05proof\x18\x02 \x01(\x0cR\x05proof\x12\x43\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0bproofHeight\x12I\n\x0bmerkle_path\x18\x04 \x01(\x0b\x32\".ibc.core.commitment.v1.MerklePathB\x04\xc8\xde\x1f\x00R\nmerklePath\x12\x14\n\x05value\x18\x05 \x01(\x0cR\x05value\x12\x1d\n\ntime_delay\x18\x06 \x01(\x04R\ttimeDelay\x12\x1f\n\x0b\x62lock_delay\x18\x07 \x01(\x04R\nblockDelay\"9\n\x1dQueryVerifyMembershipResponse\x12\x18\n\x07success\x18\x01 \x01(\x08R\x07success2\x82\x0e\n\x05Query\x12\x9f\x01\n\x0b\x43lientState\x12+.ibc.core.client.v1.QueryClientStateRequest\x1a,.ibc.core.client.v1.QueryClientStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_states/{client_id}\x12\x96\x01\n\x0c\x43lientStates\x12,.ibc.core.client.v1.QueryClientStatesRequest\x1a-.ibc.core.client.v1.QueryClientStatesResponse\")\x82\xd3\xe4\x93\x02#\x12!/ibc/core/client/v1/client_states\x12\xdf\x01\n\x0e\x43onsensusState\x12..ibc.core.client.v1.QueryConsensusStateRequest\x1a/.ibc.core.client.v1.QueryConsensusStateResponse\"l\x82\xd3\xe4\x93\x02\x66\x12\x64/ibc/core/client/v1/consensus_states/{client_id}/revision/{revision_number}/height/{revision_height}\x12\xae\x01\n\x0f\x43onsensusStates\x12/.ibc.core.client.v1.QueryConsensusStatesRequest\x1a\x30.ibc.core.client.v1.QueryConsensusStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/ibc/core/client/v1/consensus_states/{client_id}\x12\xc8\x01\n\x15\x43onsensusStateHeights\x12\x35.ibc.core.client.v1.QueryConsensusStateHeightsRequest\x1a\x36.ibc.core.client.v1.QueryConsensusStateHeightsResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/ibc/core/client/v1/consensus_states/{client_id}/heights\x12\xa2\x01\n\x0c\x43lientStatus\x12,.ibc.core.client.v1.QueryClientStatusRequest\x1a-.ibc.core.client.v1.QueryClientStatusResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/client_status/{client_id}\x12\x8f\x01\n\x0c\x43lientParams\x12,.ibc.core.client.v1.QueryClientParamsRequest\x1a-.ibc.core.client.v1.QueryClientParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/ibc/core/client/v1/params\x12\xb4\x01\n\x13UpgradedClientState\x12\x33.ibc.core.client.v1.QueryUpgradedClientStateRequest\x1a\x34.ibc.core.client.v1.QueryUpgradedClientStateResponse\"2\x82\xd3\xe4\x93\x02,\x12*/ibc/core/client/v1/upgraded_client_states\x12\xc0\x01\n\x16UpgradedConsensusState\x12\x36.ibc.core.client.v1.QueryUpgradedConsensusStateRequest\x1a\x37.ibc.core.client.v1.QueryUpgradedConsensusStateResponse\"5\x82\xd3\xe4\x93\x02/\x12-/ibc/core/client/v1/upgraded_consensus_states\x12\xae\x01\n\x10VerifyMembership\x12\x30.ibc.core.client.v1.QueryVerifyMembershipRequest\x1a\x31.ibc.core.client.v1.QueryVerifyMembershipResponse\"5\x88\xe7\xb0*\x01\x82\xd3\xe4\x93\x02*\"%/ibc/core/client/v1/verify_membership:\x01*B\xc9\x01\n\x16\x63om.ibc.core.client.v1B\nQueryProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\nQueryProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._loaded_options = None _globals['_QUERYCLIENTSTATERESPONSE'].fields_by_name['proof_height']._serialized_options = b'\310\336\037\000' _globals['_QUERYCLIENTSTATESRESPONSE'].fields_by_name['client_states']._loaded_options = None @@ -64,45 +74,45 @@ _globals['_QUERY'].methods_by_name['VerifyMembership']._loaded_options = None _globals['_QUERY'].methods_by_name['VerifyMembership']._serialized_options = b'\210\347\260*\001\202\323\344\223\002*\"%/ibc/core/client/v1/verify_membership:\001*' _globals['_QUERYCLIENTSTATEREQUEST']._serialized_start=280 - _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=324 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=327 - _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=468 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=470 - _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=556 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=559 - _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=745 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=747 - _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=867 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=870 - _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1017 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1019 - _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1127 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1130 - _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1299 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1301 - _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1415 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1418 - _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1582 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1584 - _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1629 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1631 - _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1674 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1676 - _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=1702 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=1704 - _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=1775 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=1777 - _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=1810 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=1812 - _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=1899 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=1901 - _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=1937 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=1939 - _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2032 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2035 - _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2274 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2276 - _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2324 - _globals['_QUERY']._serialized_start=2327 - _globals['_QUERY']._serialized_end=4121 + _globals['_QUERYCLIENTSTATEREQUEST']._serialized_end=334 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_start=337 + _globals['_QUERYCLIENTSTATERESPONSE']._serialized_end=511 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_start=513 + _globals['_QUERYCLIENTSTATESREQUEST']._serialized_end=611 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_start=614 + _globals['_QUERYCLIENTSTATESRESPONSE']._serialized_end=826 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_start=829 + _globals['_QUERYCONSENSUSSTATEREQUEST']._serialized_end=1005 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_start=1008 + _globals['_QUERYCONSENSUSSTATERESPONSE']._serialized_end=1191 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_start=1194 + _globals['_QUERYCONSENSUSSTATESREQUEST']._serialized_end=1324 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_start=1327 + _globals['_QUERYCONSENSUSSTATESRESPONSE']._serialized_end=1525 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_start=1528 + _globals['_QUERYCONSENSUSSTATEHEIGHTSREQUEST']._serialized_end=1664 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_start=1667 + _globals['_QUERYCONSENSUSSTATEHEIGHTSRESPONSE']._serialized_end=1866 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_start=1868 + _globals['_QUERYCLIENTSTATUSREQUEST']._serialized_end=1923 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_start=1925 + _globals['_QUERYCLIENTSTATUSRESPONSE']._serialized_end=1976 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_start=1978 + _globals['_QUERYCLIENTPARAMSREQUEST']._serialized_end=2004 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_start=2006 + _globals['_QUERYCLIENTPARAMSRESPONSE']._serialized_end=2085 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_start=2087 + _globals['_QUERYUPGRADEDCLIENTSTATEREQUEST']._serialized_end=2120 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_start=2122 + _globals['_QUERYUPGRADEDCLIENTSTATERESPONSE']._serialized_end=2230 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_start=2232 + _globals['_QUERYUPGRADEDCONSENSUSSTATEREQUEST']._serialized_end=2268 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_start=2270 + _globals['_QUERYUPGRADEDCONSENSUSSTATERESPONSE']._serialized_end=2387 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_start=2390 + _globals['_QUERYVERIFYMEMBERSHIPREQUEST']._serialized_end=2701 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_start=2703 + _globals['_QUERYVERIFYMEMBERSHIPRESPONSE']._serialized_end=2760 + _globals['_QUERY']._serialized_start=2763 + _globals['_QUERY']._serialized_end=4557 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py index 471be9c9..135da2e9 100644 --- a/pyinjective/proto/ibc/core/client/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/core/client/v1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/client/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/client/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.upgrade.v1beta1 import upgrade_pb2 as cosmos_dot_upgrade_dot_v1beta1_dot_upgrade__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\x8d\x01\n\x0fMsgCreateClient\x12*\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"s\n\x0fMsgUpdateClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12,\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xe6\x01\n\x10MsgUpgradeClient\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12-\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x1c\n\x14proof_upgrade_client\x18\x04 \x01(\x0c\x12%\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0c\x12\x0e\n\x06signer\x18\x06 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"y\n\x15MsgSubmitMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12*\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"l\n\x10MsgRecoverClient\x12\x19\n\x11subject_client_id\x18\x01 \x01(\t\x12\x1c\n\x14substitute_client_id\x18\x02 \x01(\t\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\x9b\x01\n\x15MsgIBCSoftwareUpgrade\x12\x30\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00\x12\x33\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x0e\n\x06signer\x18\x03 \x01(\t:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"d\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42:Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bibc/core/client/v1/tx.proto\x12\x12ibc.core.client.v1\x1a\x17\x63osmos/msg/v1/msg.proto\x1a$cosmos/upgrade/v1beta1/upgrade.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x1fibc/core/client/v1/client.proto\"\xb2\x01\n\x0fMsgCreateClient\x12\x37\n\x0c\x63lient_state\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgCreateClientResponse\"\x94\x01\n\x0fMsgUpdateClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12;\n\x0e\x63lient_message\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\rclientMessage\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateClientResponse\"\xc5\x02\n\x10MsgUpgradeClient\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState\x12=\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState\x12\x30\n\x14proof_upgrade_client\x18\x04 \x01(\x0cR\x12proofUpgradeClient\x12\x41\n\x1dproof_upgrade_consensus_state\x18\x05 \x01(\x0cR\x1aproofUpgradeConsensusState\x12\x16\n\x06signer\x18\x06 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgUpgradeClientResponse\"\x99\x01\n\x15MsgSubmitMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x38\n\x0cmisbehaviour\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cmisbehaviour\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x11\x18\x01\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgSubmitMisbehaviourResponse\"\x99\x01\n\x10MsgRecoverClient\x12*\n\x11subject_client_id\x18\x01 \x01(\tR\x0fsubjectClientId\x12\x30\n\x14substitute_client_id\x18\x02 \x01(\tR\x12substituteClientId\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1a\n\x18MsgRecoverClientResponse\"\xbe\x01\n\x15MsgIBCSoftwareUpgrade\x12\x36\n\x04plan\x18\x01 \x01(\x0b\x32\x1c.cosmos.upgrade.v1beta1.PlanB\x04\xc8\xde\x1f\x00R\x04plan\x12H\n\x15upgraded_client_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x13upgradedClientState\x12\x16\n\x06signer\x18\x03 \x01(\tR\x06signer:\x0b\x82\xe7\xb0*\x06signer\"\x1f\n\x1dMsgIBCSoftwareUpgradeResponse\"t\n\x0fMsgUpdateParams\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.ibc.core.client.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xea\x05\n\x03Msg\x12`\n\x0c\x43reateClient\x12#.ibc.core.client.v1.MsgCreateClient\x1a+.ibc.core.client.v1.MsgCreateClientResponse\x12`\n\x0cUpdateClient\x12#.ibc.core.client.v1.MsgUpdateClient\x1a+.ibc.core.client.v1.MsgUpdateClientResponse\x12\x63\n\rUpgradeClient\x12$.ibc.core.client.v1.MsgUpgradeClient\x1a,.ibc.core.client.v1.MsgUpgradeClientResponse\x12r\n\x12SubmitMisbehaviour\x12).ibc.core.client.v1.MsgSubmitMisbehaviour\x1a\x31.ibc.core.client.v1.MsgSubmitMisbehaviourResponse\x12\x63\n\rRecoverClient\x12$.ibc.core.client.v1.MsgRecoverClient\x1a,.ibc.core.client.v1.MsgRecoverClientResponse\x12r\n\x12IBCSoftwareUpgrade\x12).ibc.core.client.v1.MsgIBCSoftwareUpgrade\x1a\x31.ibc.core.client.v1.MsgIBCSoftwareUpgradeResponse\x12\x66\n\x12UpdateClientParams\x12#.ibc.core.client.v1.MsgUpdateParams\x1a+.ibc.core.client.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xc6\x01\n\x16\x63om.ibc.core.client.v1B\x07TxProtoP\x01Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\xa2\x02\x03ICC\xaa\x02\x12Ibc.Core.Client.V1\xca\x02\x12Ibc\\Core\\Client\\V1\xe2\x02\x1eIbc\\Core\\Client\\V1\\GPBMetadata\xea\x02\x15Ibc::Core::Client::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.client.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.ibc.core.client.v1B\007TxProtoP\001Z8github.com/cosmos/ibc-go/v8/modules/core/02-client/types\242\002\003ICC\252\002\022Ibc.Core.Client.V1\312\002\022Ibc\\Core\\Client\\V1\342\002\036Ibc\\Core\\Client\\V1\\GPBMetadata\352\002\025Ibc::Core::Client::V1' _globals['_MSGCREATECLIENT']._loaded_options = None _globals['_MSGCREATECLIENT']._serialized_options = b'\210\240\037\000\202\347\260*\006signer' _globals['_MSGUPDATECLIENT']._loaded_options = None @@ -48,33 +58,33 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATECLIENT']._serialized_start=197 - _globals['_MSGCREATECLIENT']._serialized_end=338 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=340 - _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=365 - _globals['_MSGUPDATECLIENT']._serialized_start=367 - _globals['_MSGUPDATECLIENT']._serialized_end=482 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=484 - _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=509 - _globals['_MSGUPGRADECLIENT']._serialized_start=512 - _globals['_MSGUPGRADECLIENT']._serialized_end=742 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=744 - _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=770 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=772 - _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=893 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=895 - _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=926 - _globals['_MSGRECOVERCLIENT']._serialized_start=928 - _globals['_MSGRECOVERCLIENT']._serialized_end=1036 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1038 - _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1064 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1067 - _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1222 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1224 - _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1255 - _globals['_MSGUPDATEPARAMS']._serialized_start=1257 - _globals['_MSGUPDATEPARAMS']._serialized_end=1357 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1359 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1384 - _globals['_MSG']._serialized_start=1387 - _globals['_MSG']._serialized_end=2133 + _globals['_MSGCREATECLIENT']._serialized_end=375 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_start=377 + _globals['_MSGCREATECLIENTRESPONSE']._serialized_end=402 + _globals['_MSGUPDATECLIENT']._serialized_start=405 + _globals['_MSGUPDATECLIENT']._serialized_end=553 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_start=555 + _globals['_MSGUPDATECLIENTRESPONSE']._serialized_end=580 + _globals['_MSGUPGRADECLIENT']._serialized_start=583 + _globals['_MSGUPGRADECLIENT']._serialized_end=908 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_start=910 + _globals['_MSGUPGRADECLIENTRESPONSE']._serialized_end=936 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_start=939 + _globals['_MSGSUBMITMISBEHAVIOUR']._serialized_end=1092 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_start=1094 + _globals['_MSGSUBMITMISBEHAVIOURRESPONSE']._serialized_end=1125 + _globals['_MSGRECOVERCLIENT']._serialized_start=1128 + _globals['_MSGRECOVERCLIENT']._serialized_end=1281 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_start=1283 + _globals['_MSGRECOVERCLIENTRESPONSE']._serialized_end=1309 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_start=1312 + _globals['_MSGIBCSOFTWAREUPGRADE']._serialized_end=1502 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_start=1504 + _globals['_MSGIBCSOFTWAREUPGRADERESPONSE']._serialized_end=1535 + _globals['_MSGUPDATEPARAMS']._serialized_start=1537 + _globals['_MSGUPDATEPARAMS']._serialized_end=1653 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1655 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1680 + _globals['_MSG']._serialized_start=1683 + _globals['_MSG']._serialized_end=2429 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py index 636f49bf..f9351ac5 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2.py @@ -1,37 +1,47 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/core/commitment/v1/commitment.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/core/commitment/v1/commitment.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'ibc/core/commitment/v1/commitment.proto\x12\x16ibc.core.commitment.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\" \n\nMerkleRoot\x12\x0c\n\x04hash\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\x0cMerklePrefix\x12\x12\n\nkey_prefix\x18\x01 \x01(\x0c\"\x1e\n\nMerklePath\x12\x10\n\x08key_path\x18\x01 \x03(\t\"?\n\x0bMerkleProof\x12\x30\n\x06proofs\x18\x01 \x03(\x0b\x32 .cosmos.ics23.v1.CommitmentProofB>ZZZ\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB>Z\x82\xd3\xe4\x93\x02\x38\x12\x36/ibc/core/connection/v1/client_connections/{client_id}\x12\xd8\x01\n\x15\x43onnectionClientState\x12\x39.ibc.core.connection.v1.QueryConnectionClientStateRequest\x1a:.ibc.core.connection.v1.QueryConnectionClientStateResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/ibc/core/connection/v1/connections/{connection_id}/client_state\x12\x98\x02\n\x18\x43onnectionConsensusState\x12<.ibc.core.connection.v1.QueryConnectionConsensusStateRequest\x1a=.ibc.core.connection.v1.QueryConnectionConsensusStateResponse\"\x7f\x82\xd3\xe4\x93\x02y\x12w/ibc/core/connection/v1/connections/{connection_id}/consensus_state/revision/{revision_number}/height/{revision_height}\x12\xa7\x01\n\x10\x43onnectionParams\x12\x34.ibc.core.connection.v1.QueryConnectionParamsRequest\x1a\x35.ibc.core.connection.v1.QueryConnectionParamsResponse\"&\x82\xd3\xe4\x93\x02 \x12\x1e/ibc/core/connection/v1/paramsB\xe1\x01\n\x1a\x63om.ibc.core.connection.v1B\nQueryProtoP\x01Z\n\x15\x63ounterparty_versions\x18\x06 \x03(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12\x36\n\x0cproof_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x12\n\nproof_init\x18\x08 \x01(\x0c\x12\x14\n\x0cproof_client\x18\t \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\n \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\x0b \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x0c \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\r \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenTryResponse\"\xaa\x03\n\x14MsgConnectionOpenAck\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\"\n\x1a\x63ounterparty_connection_id\x18\x02 \x01(\t\x12\x30\n\x07version\x18\x03 \x01(\x0b\x32\x1f.ibc.core.connection.v1.Version\x12*\n\x0c\x63lient_state\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x36\n\x0cproof_height\x18\x05 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x11\n\tproof_try\x18\x06 \x01(\x0c\x12\x14\n\x0cproof_client\x18\x07 \x01(\x0c\x12\x17\n\x0fproof_consensus\x18\x08 \x01(\x0c\x12:\n\x10\x63onsensus_height\x18\t \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\n \x01(\t\x12\"\n\x1ahost_consensus_state_proof\x18\x0b \x01(\x0c:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x1e\n\x1cMsgConnectionOpenAckResponse\"\x9d\x01\n\x18MsgConnectionOpenConfirm\x12\x15\n\rconnection_id\x18\x01 \x01(\t\x12\x11\n\tproof_ack\x18\x02 \x01(\x0c\x12\x36\n\x0cproof_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06signer\x18\x04 \x01(\t:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\"\n MsgConnectionOpenConfirmResponse\"h\n\x0fMsgUpdateParams\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x34\n\x06params\x18\x02 \x01(\x0b\x32\x1e.ibc.core.connection.v1.ParamsB\x04\xc8\xde\x1f\x00:\x0f\x88\xa0\x1f\x00\x82\xe7\xb0*\x06signer\"\x19\n\x17MsgUpdateParamsResponse2\xf4\x04\n\x03Msg\x12z\n\x12\x43onnectionOpenInit\x12-.ibc.core.connection.v1.MsgConnectionOpenInit\x1a\x35.ibc.core.connection.v1.MsgConnectionOpenInitResponse\x12w\n\x11\x43onnectionOpenTry\x12,.ibc.core.connection.v1.MsgConnectionOpenTry\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenTryResponse\x12w\n\x11\x43onnectionOpenAck\x12,.ibc.core.connection.v1.MsgConnectionOpenAck\x1a\x34.ibc.core.connection.v1.MsgConnectionOpenAckResponse\x12\x83\x01\n\x15\x43onnectionOpenConfirm\x12\x30.ibc.core.connection.v1.MsgConnectionOpenConfirm\x1a\x38.ibc.core.connection.v1.MsgConnectionOpenConfirmResponse\x12r\n\x16UpdateConnectionParams\x12\'.ibc.core.connection.v1.MsgUpdateParams\x1a/.ibc.core.connection.v1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12\x46\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x12@\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00\x42\x30Z.github.com/cosmos/ibc-go/v8/modules/core/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1fibc/core/types/v1/genesis.proto\x12\x11ibc.core.types.v1\x1a\x14gogoproto/gogo.proto\x1a ibc/core/client/v1/genesis.proto\x1a$ibc/core/connection/v1/genesis.proto\x1a!ibc/core/channel/v1/genesis.proto\"\x8a\x02\n\x0cGenesisState\x12M\n\x0e\x63lient_genesis\x18\x01 \x01(\x0b\x32 .ibc.core.client.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\rclientGenesis\x12Y\n\x12\x63onnection_genesis\x18\x02 \x01(\x0b\x32$.ibc.core.connection.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x11\x63onnectionGenesis\x12P\n\x0f\x63hannel_genesis\x18\x03 \x01(\x0b\x32!.ibc.core.channel.v1.GenesisStateB\x04\xc8\xde\x1f\x00R\x0e\x63hannelGenesisB\xbc\x01\n\x15\x63om.ibc.core.types.v1B\x0cGenesisProtoP\x01Z.github.com/cosmos/ibc-go/v8/modules/core/types\xa2\x02\x03ICT\xaa\x02\x11Ibc.Core.Types.V1\xca\x02\x11Ibc\\Core\\Types\\V1\xe2\x02\x1dIbc\\Core\\Types\\V1\\GPBMetadata\xea\x02\x14Ibc::Core::Types::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.core.types.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z.github.com/cosmos/ibc-go/v8/modules/core/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.ibc.core.types.v1B\014GenesisProtoP\001Z.github.com/cosmos/ibc-go/v8/modules/core/types\242\002\003ICT\252\002\021Ibc.Core.Types.V1\312\002\021Ibc\\Core\\Types\\V1\342\002\035Ibc\\Core\\Types\\V1\\GPBMetadata\352\002\024Ibc::Core::Types::V1' _globals['_GENESISSTATE'].fields_by_name['client_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['client_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['connection_genesis']._loaded_options = None @@ -33,5 +43,5 @@ _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['channel_genesis']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=184 - _globals['_GENESISSTATE']._serialized_end=400 + _globals['_GENESISSTATE']._serialized_end=450 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py index 48efc944..37ac2962 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/localhost/v2/localhost.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/localhost/v2/localhost.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"L\n\x0b\x43lientState\x12\x37\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\x42JZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhostb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n-ibc/lightclients/localhost/v2/localhost.proto\x12\x1dibc.lightclients.localhost.v2\x1a\x1fibc/core/client/v1/client.proto\x1a\x14gogoproto/gogo.proto\"Z\n\x0b\x43lientState\x12\x45\n\rlatest_height\x18\x01 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight:\x04\x88\xa0\x1f\x00\x42\x94\x02\n!com.ibc.lightclients.localhost.v2B\x0eLocalhostProtoP\x01ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\xa2\x02\x03ILL\xaa\x02\x1dIbc.Lightclients.Localhost.V2\xca\x02\x1dIbc\\Lightclients\\Localhost\\V2\xe2\x02)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\xea\x02 Ibc::Lightclients::Localhost::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.localhost.v2.localhost_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.ibc.lightclients.localhost.v2B\016LocalhostProtoP\001ZHgithub.com/cosmos/ibc-go/v8/modules/light-clients/09-localhost;localhost\242\002\003ILL\252\002\035Ibc.Lightclients.Localhost.V2\312\002\035Ibc\\Lightclients\\Localhost\\V2\342\002)Ibc\\Lightclients\\Localhost\\V2\\GPBMetadata\352\002 Ibc::Lightclients::Localhost::V2' _globals['_CLIENTSTATE'].fields_by_name['latest_height']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['latest_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=135 - _globals['_CLIENTSTATE']._serialized_end=211 + _globals['_CLIENTSTATE']._serialized_end=225 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py index 00743462..690d9226 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v2/solomachine.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/solomachine/v2/solomachine.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 -from ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.connection.v1 import connection_pb2 as ibc_dot_core_dot_connection_dot_v1_dot_connection__pb2 +from pyinjective.proto.ibc.core.channel.v1 import channel_pb2 as ibc_dot_core_dot_channel_dot_v1_dot_channel__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa7\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusState\x12#\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x8d\x01\n\x06Header\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x11\n\tsignature\x18\x03 \x01(\x0c\x12,\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x05 \x01(\t:\x04\x88\xa0\x1f\x00\"\xcd\x01\n\x0cMisbehaviour\x12\x11\n\tclient_id\x18\x01 \x01(\t\x12\x10\n\x08sequence\x18\x02 \x01(\x04\x12H\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData\x12H\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndData:\x04\x88\xa0\x1f\x00\"\x8a\x01\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12<\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"\x97\x01\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12<\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataType\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\"Q\n\x0f\x43lientStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12*\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"W\n\x12\x43onsensusStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.Any:\x04\x88\xa0\x1f\x00\"d\n\x13\x43onnectionStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x39\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEnd:\x04\x88\xa0\x1f\x00\"U\n\x10\x43hannelStateData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12-\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.Channel:\x04\x88\xa0\x1f\x00\"8\n\x14PacketCommitmentData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x12\n\ncommitment\x18\x02 \x01(\x0c\"B\n\x19PacketAcknowledgementData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x17\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0c\"(\n\x18PacketReceiptAbsenceData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\";\n\x14NextSequenceRecvData\x12\x0c\n\x04path\x18\x01 \x01(\x0c\x12\x15\n\rnext_seq_recv\x18\x02 \x01(\x04*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x42Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v2/solomachine.proto\x12\x1fibc.lightclients.solomachine.v2\x1a\'ibc/core/connection/v1/connection.proto\x1a!ibc/core/channel/v1/channel.proto\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xe5\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v2.ConsensusStateR\x0e\x63onsensusState\x12=\n\x1b\x61llow_update_after_proposal\x18\x04 \x01(\x08R\x18\x61llowUpdateAfterProposal:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xcb\x01\n\x06Header\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x05 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xfd\x01\n\x0cMisbehaviour\x12\x1b\n\tclient_id\x18\x01 \x01(\tR\x08\x63lientId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x04 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v2.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"\xb0\x01\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x46\n\tdata_type\x18\x02 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xc9\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x46\n\tdata_type\x18\x04 \x01(\x0e\x32).ibc.lightclients.solomachine.v2.DataTypeR\x08\x64\x61taType\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"d\n\x0f\x43lientStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x37\n\x0c\x63lient_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0b\x63lientState:\x04\x88\xa0\x1f\x00\"m\n\x12\x43onsensusStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12=\n\x0f\x63onsensus_state\x18\x02 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"v\n\x13\x43onnectionStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x45\n\nconnection\x18\x02 \x01(\x0b\x32%.ibc.core.connection.v1.ConnectionEndR\nconnection:\x04\x88\xa0\x1f\x00\"d\n\x10\x43hannelStateData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x36\n\x07\x63hannel\x18\x02 \x01(\x0b\x32\x1c.ibc.core.channel.v1.ChannelR\x07\x63hannel:\x04\x88\xa0\x1f\x00\"J\n\x14PacketCommitmentData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\x1e\n\ncommitment\x18\x02 \x01(\x0cR\ncommitment\"Y\n\x19PacketAcknowledgementData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12(\n\x0f\x61\x63knowledgement\x18\x02 \x01(\x0cR\x0f\x61\x63knowledgement\".\n\x18PacketReceiptAbsenceData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\"N\n\x14NextSequenceRecvData\x12\x12\n\x04path\x18\x01 \x01(\x0cR\x04path\x12\"\n\rnext_seq_recv\x18\x02 \x01(\x04R\x0bnextSeqRecv*\x8c\x04\n\x08\x44\x61taType\x12\x38\n#DATA_TYPE_UNINITIALIZED_UNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12&\n\x16\x44\x41TA_TYPE_CLIENT_STATE\x10\x01\x1a\n\x8a\x9d \x06\x43LIENT\x12,\n\x19\x44\x41TA_TYPE_CONSENSUS_STATE\x10\x02\x1a\r\x8a\x9d \tCONSENSUS\x12.\n\x1a\x44\x41TA_TYPE_CONNECTION_STATE\x10\x03\x1a\x0e\x8a\x9d \nCONNECTION\x12(\n\x17\x44\x41TA_TYPE_CHANNEL_STATE\x10\x04\x1a\x0b\x8a\x9d \x07\x43HANNEL\x12\x35\n\x1b\x44\x41TA_TYPE_PACKET_COMMITMENT\x10\x05\x1a\x14\x8a\x9d \x10PACKETCOMMITMENT\x12?\n DATA_TYPE_PACKET_ACKNOWLEDGEMENT\x10\x06\x1a\x19\x8a\x9d \x15PACKETACKNOWLEDGEMENT\x12>\n DATA_TYPE_PACKET_RECEIPT_ABSENCE\x10\x07\x1a\x18\x8a\x9d \x14PACKETRECEIPTABSENCE\x12\x36\n\x1c\x44\x41TA_TYPE_NEXT_SEQUENCE_RECV\x10\x08\x1a\x14\x8a\x9d \x10NEXTSEQUENCERECV\x12 \n\x10\x44\x41TA_TYPE_HEADER\x10\t\x1a\n\x8a\x9d \x06HEADER\x1a\x04\x88\xa3\x1e\x00\x42\x98\x02\n#com.ibc.lightclients.solomachine.v2B\x10SolomachineProtoP\x01Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V2\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V2\xe2\x02+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V2b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v2.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7' + _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v2B\020SolomachineProtoP\001Z@github.com/cosmos/ibc-go/v8/modules/core/02-client/migrations/v7\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V2\312\002\037Ibc\\Lightclients\\Solomachine\\V2\342\002+Ibc\\Lightclients\\Solomachine\\V2\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V2' _globals['_DATATYPE']._loaded_options = None _globals['_DATATYPE']._serialized_options = b'\210\243\036\000' _globals['_DATATYPE'].values_by_name["DATA_TYPE_UNINITIALIZED_UNSPECIFIED"]._loaded_options = None @@ -72,38 +82,38 @@ _globals['_CONNECTIONSTATEDATA']._serialized_options = b'\210\240\037\000' _globals['_CHANNELSTATEDATA']._loaded_options = None _globals['_CHANNELSTATEDATA']._serialized_options = b'\210\240\037\000' - _globals['_DATATYPE']._serialized_start=1890 - _globals['_DATATYPE']._serialized_end=2414 + _globals['_DATATYPE']._serialized_start=2379 + _globals['_DATATYPE']._serialized_end=2903 _globals['_CLIENTSTATE']._serialized_start=212 - _globals['_CLIENTSTATE']._serialized_end=379 - _globals['_CONSENSUSSTATE']._serialized_start=381 - _globals['_CONSENSUSSTATE']._serialized_end=485 - _globals['_HEADER']._serialized_start=488 - _globals['_HEADER']._serialized_end=629 - _globals['_MISBEHAVIOUR']._serialized_start=632 - _globals['_MISBEHAVIOUR']._serialized_end=837 - _globals['_SIGNATUREANDDATA']._serialized_start=840 - _globals['_SIGNATUREANDDATA']._serialized_end=978 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=980 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1055 - _globals['_SIGNBYTES']._serialized_start=1058 - _globals['_SIGNBYTES']._serialized_end=1209 - _globals['_HEADERDATA']._serialized_start=1211 - _globals['_HEADERDATA']._serialized_end=1297 - _globals['_CLIENTSTATEDATA']._serialized_start=1299 - _globals['_CLIENTSTATEDATA']._serialized_end=1380 - _globals['_CONSENSUSSTATEDATA']._serialized_start=1382 - _globals['_CONSENSUSSTATEDATA']._serialized_end=1469 - _globals['_CONNECTIONSTATEDATA']._serialized_start=1471 - _globals['_CONNECTIONSTATEDATA']._serialized_end=1571 - _globals['_CHANNELSTATEDATA']._serialized_start=1573 - _globals['_CHANNELSTATEDATA']._serialized_end=1658 - _globals['_PACKETCOMMITMENTDATA']._serialized_start=1660 - _globals['_PACKETCOMMITMENTDATA']._serialized_end=1716 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=1718 - _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=1784 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=1786 - _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=1826 - _globals['_NEXTSEQUENCERECVDATA']._serialized_start=1828 - _globals['_NEXTSEQUENCERECVDATA']._serialized_end=1887 + _globals['_CLIENTSTATE']._serialized_end=441 + _globals['_CONSENSUSSTATE']._serialized_start=444 + _globals['_CONSENSUSSTATE']._serialized_end=583 + _globals['_HEADER']._serialized_start=586 + _globals['_HEADER']._serialized_end=789 + _globals['_MISBEHAVIOUR']._serialized_start=792 + _globals['_MISBEHAVIOUR']._serialized_end=1045 + _globals['_SIGNATUREANDDATA']._serialized_start=1048 + _globals['_SIGNATUREANDDATA']._serialized_end=1224 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=1226 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1327 + _globals['_SIGNBYTES']._serialized_start=1330 + _globals['_SIGNBYTES']._serialized_end=1531 + _globals['_HEADERDATA']._serialized_start=1533 + _globals['_HEADERDATA']._serialized_end=1646 + _globals['_CLIENTSTATEDATA']._serialized_start=1648 + _globals['_CLIENTSTATEDATA']._serialized_end=1748 + _globals['_CONSENSUSSTATEDATA']._serialized_start=1750 + _globals['_CONSENSUSSTATEDATA']._serialized_end=1859 + _globals['_CONNECTIONSTATEDATA']._serialized_start=1861 + _globals['_CONNECTIONSTATEDATA']._serialized_end=1979 + _globals['_CHANNELSTATEDATA']._serialized_start=1981 + _globals['_CHANNELSTATEDATA']._serialized_end=2081 + _globals['_PACKETCOMMITMENTDATA']._serialized_start=2083 + _globals['_PACKETCOMMITMENTDATA']._serialized_end=2157 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_start=2159 + _globals['_PACKETACKNOWLEDGEMENTDATA']._serialized_end=2248 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_start=2250 + _globals['_PACKETRECEIPTABSENCEDATA']._serialized_end=2296 + _globals['_NEXTSEQUENCERECVDATA']._serialized_start=2298 + _globals['_NEXTSEQUENCERECVDATA']._serialized_end=2376 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py index d90dba0b..c911d2d6 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/solomachine/v3/solomachine.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/solomachine/v3/solomachine.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x82\x01\n\x0b\x43lientState\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tis_frozen\x18\x02 \x01(\x08\x12H\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusState:\x04\x88\xa0\x1f\x00\"h\n\x0e\x43onsensusState\x12(\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x13\n\x0b\x64iversifier\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x04:\x04\x88\xa0\x1f\x00\"{\n\x06Header\x12\x11\n\ttimestamp\x18\x01 \x01(\x04\x12\x11\n\tsignature\x18\x02 \x01(\x0c\x12,\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x04 \x01(\t:\x04\x88\xa0\x1f\x00\"\xba\x01\n\x0cMisbehaviour\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12H\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData\x12H\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndData:\x04\x88\xa0\x1f\x00\"Z\n\x10SignatureAndData\x12\x11\n\tsignature\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\x12\x11\n\ttimestamp\x18\x04 \x01(\x04:\x04\x88\xa0\x1f\x00\"K\n\x18TimestampedSignatureData\x12\x16\n\x0esignature_data\x18\x01 \x01(\x0c\x12\x11\n\ttimestamp\x18\x02 \x01(\x04:\x04\x88\xa0\x1f\x00\"g\n\tSignBytes\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x13\n\x0b\x64iversifier\x18\x03 \x01(\t\x12\x0c\n\x04path\x18\x04 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x05 \x01(\x0c:\x04\x88\xa0\x1f\x00\"V\n\nHeaderData\x12)\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x17\n\x0fnew_diversifier\x18\x02 \x01(\t:\x04\x88\xa0\x1f\x00\x42NZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachineb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n1ibc/lightclients/solomachine/v3/solomachine.proto\x12\x1fibc.lightclients.solomachine.v3\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\xa6\x01\n\x0b\x43lientState\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tis_frozen\x18\x02 \x01(\x08R\x08isFrozen\x12X\n\x0f\x63onsensus_state\x18\x03 \x01(\x0b\x32/.ibc.lightclients.solomachine.v3.ConsensusStateR\x0e\x63onsensusState:\x04\x88\xa0\x1f\x00\"\x8b\x01\n\x0e\x43onsensusState\x12\x33\n\npublic_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tpublicKey\x12 \n\x0b\x64iversifier\x18\x02 \x01(\tR\x0b\x64iversifier\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\xaf\x01\n\x06Header\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x1c\n\tsignature\x18\x02 \x01(\x0cR\tsignature\x12:\n\x0enew_public_key\x18\x03 \x01(\x0b\x32\x14.google.protobuf.AnyR\x0cnewPublicKey\x12\'\n\x0fnew_diversifier\x18\x04 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\"\xe0\x01\n\x0cMisbehaviour\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12V\n\rsignature_one\x18\x02 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureOne\x12V\n\rsignature_two\x18\x03 \x01(\x0b\x32\x31.ibc.lightclients.solomachine.v3.SignatureAndDataR\x0csignatureTwo:\x04\x88\xa0\x1f\x00\"|\n\x10SignatureAndData\x12\x1c\n\tsignature\x18\x01 \x01(\x0cR\tsignature\x12\x12\n\x04path\x18\x02 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\x12\x1c\n\ttimestamp\x18\x04 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"e\n\x18TimestampedSignatureData\x12%\n\x0esignature_data\x18\x01 \x01(\x0cR\rsignatureData\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp:\x04\x88\xa0\x1f\x00\"\x95\x01\n\tSignBytes\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12 \n\x0b\x64iversifier\x18\x03 \x01(\tR\x0b\x64iversifier\x12\x12\n\x04path\x18\x04 \x01(\x0cR\x04path\x12\x12\n\x04\x64\x61ta\x18\x05 \x01(\x0cR\x04\x64\x61ta:\x04\x88\xa0\x1f\x00\"q\n\nHeaderData\x12\x34\n\x0bnew_pub_key\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\tnewPubKey\x12\'\n\x0fnew_diversifier\x18\x02 \x01(\tR\x0enewDiversifier:\x04\x88\xa0\x1f\x00\x42\xa4\x02\n#com.ibc.lightclients.solomachine.v3B\x10SolomachineProtoP\x01ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\xa2\x02\x03ILS\xaa\x02\x1fIbc.Lightclients.Solomachine.V3\xca\x02\x1fIbc\\Lightclients\\Solomachine\\V3\xe2\x02+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\xea\x02\"Ibc::Lightclients::Solomachine::V3b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.solomachine.v3.solomachine_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine' + _globals['DESCRIPTOR']._serialized_options = b'\n#com.ibc.lightclients.solomachine.v3B\020SolomachineProtoP\001ZLgithub.com/cosmos/ibc-go/v8/modules/light-clients/06-solomachine;solomachine\242\002\003ILS\252\002\037Ibc.Lightclients.Solomachine.V3\312\002\037Ibc\\Lightclients\\Solomachine\\V3\342\002+Ibc\\Lightclients\\Solomachine\\V3\\GPBMetadata\352\002\"Ibc::Lightclients::Solomachine::V3' _globals['_CLIENTSTATE']._loaded_options = None _globals['_CLIENTSTATE']._serialized_options = b'\210\240\037\000' _globals['_CONSENSUSSTATE']._loaded_options = None @@ -41,19 +51,19 @@ _globals['_HEADERDATA']._loaded_options = None _globals['_HEADERDATA']._serialized_options = b'\210\240\037\000' _globals['_CLIENTSTATE']._serialized_start=136 - _globals['_CLIENTSTATE']._serialized_end=266 - _globals['_CONSENSUSSTATE']._serialized_start=268 - _globals['_CONSENSUSSTATE']._serialized_end=372 - _globals['_HEADER']._serialized_start=374 - _globals['_HEADER']._serialized_end=497 - _globals['_MISBEHAVIOUR']._serialized_start=500 - _globals['_MISBEHAVIOUR']._serialized_end=686 - _globals['_SIGNATUREANDDATA']._serialized_start=688 - _globals['_SIGNATUREANDDATA']._serialized_end=778 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=780 - _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=855 - _globals['_SIGNBYTES']._serialized_start=857 - _globals['_SIGNBYTES']._serialized_end=960 - _globals['_HEADERDATA']._serialized_start=962 - _globals['_HEADERDATA']._serialized_end=1048 + _globals['_CLIENTSTATE']._serialized_end=302 + _globals['_CONSENSUSSTATE']._serialized_start=305 + _globals['_CONSENSUSSTATE']._serialized_end=444 + _globals['_HEADER']._serialized_start=447 + _globals['_HEADER']._serialized_end=622 + _globals['_MISBEHAVIOUR']._serialized_start=625 + _globals['_MISBEHAVIOUR']._serialized_end=849 + _globals['_SIGNATUREANDDATA']._serialized_start=851 + _globals['_SIGNATUREANDDATA']._serialized_end=975 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_start=977 + _globals['_TIMESTAMPEDSIGNATUREDATA']._serialized_end=1078 + _globals['_SIGNBYTES']._serialized_start=1081 + _globals['_SIGNBYTES']._serialized_end=1230 + _globals['_HEADERDATA']._serialized_start=1232 + _globals['_HEADERDATA']._serialized_end=1345 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py index 99fce3bb..be8f21fc 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/tendermint/v1/tendermint.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/tendermint/v1/tendermint.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.cosmos.ics23.v1 import proofs_pb2 as cosmos_dot_ics23_dot_v1_dot_proofs__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -from ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.ibc.core.commitment.v1 import commitment_pb2 as ibc_dot_core_dot_commitment_dot_v1_dot_commitment__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xb2\x04\n\x0b\x43lientState\x12\x10\n\x08\x63hain_id\x18\x01 \x01(\t\x12\x43\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00\x12<\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12=\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12<\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x37\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12\x37\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12/\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpec\x12\x14\n\x0cupgrade_path\x18\t \x03(\t\x12%\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01\x12+\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01:\x04\x88\xa0\x1f\x00\"\xdb\x01\n\x0e\x43onsensusState\x12\x37\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00\x12R\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytes:\x04\x88\xa0\x1f\x00\"\xb9\x01\n\x0cMisbehaviour\x12\x15\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01\x12\x45\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1\x12\x45\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2:\x04\x88\xa0\x1f\x00\"\xf2\x01\n\x06Header\x12;\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\x12\x38\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00\x12:\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"2\n\x08\x46raction\x12\x11\n\tnumerator\x18\x01 \x01(\x04\x12\x13\n\x0b\x64\x65nominator\x18\x02 \x01(\x04\x42LZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermintb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/ibc/lightclients/tendermint/v1/tendermint.proto\x12\x1eibc.lightclients.tendermint.v1\x1a tendermint/types/validator.proto\x1a\x1ctendermint/types/types.proto\x1a\x1c\x63osmos/ics23/v1/proofs.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1fibc/core/client/v1/client.proto\x1a\'ibc/core/commitment/v1/commitment.proto\x1a\x14gogoproto/gogo.proto\"\xe2\x05\n\x0b\x43lientState\x12\x19\n\x08\x63hain_id\x18\x01 \x01(\tR\x07\x63hainId\x12O\n\x0btrust_level\x18\x02 \x01(\x0b\x32(.ibc.lightclients.tendermint.v1.FractionB\x04\xc8\xde\x1f\x00R\ntrustLevel\x12L\n\x0ftrusting_period\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0etrustingPeriod\x12N\n\x10unbonding_period\x18\x04 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0funbondingPeriod\x12K\n\x0fmax_clock_drift\x18\x05 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\rmaxClockDrift\x12\x45\n\rfrozen_height\x18\x06 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0c\x66rozenHeight\x12\x45\n\rlatest_height\x18\x07 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\x0clatestHeight\x12;\n\x0bproof_specs\x18\x08 \x03(\x0b\x32\x1a.cosmos.ics23.v1.ProofSpecR\nproofSpecs\x12!\n\x0cupgrade_path\x18\t \x03(\tR\x0bupgradePath\x12=\n\x19\x61llow_update_after_expiry\x18\n \x01(\x08\x42\x02\x18\x01R\x16\x61llowUpdateAfterExpiry\x12I\n\x1f\x61llow_update_after_misbehaviour\x18\x0b \x01(\x08\x42\x02\x18\x01R\x1c\x61llowUpdateAfterMisbehaviour:\x04\x88\xa0\x1f\x00\"\x80\x02\n\x0e\x43onsensusState\x12\x42\n\ttimestamp\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12<\n\x04root\x18\x02 \x01(\x0b\x32\".ibc.core.commitment.v1.MerkleRootB\x04\xc8\xde\x1f\x00R\x04root\x12\x66\n\x14next_validators_hash\x18\x03 \x01(\x0c\x42\x34\xfa\xde\x1f\x30github.com/cometbft/cometbft/libs/bytes.HexBytesR\x12nextValidatorsHash:\x04\x88\xa0\x1f\x00\"\xd5\x01\n\x0cMisbehaviour\x12\x1f\n\tclient_id\x18\x01 \x01(\tB\x02\x18\x01R\x08\x63lientId\x12N\n\x08header_1\x18\x02 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header1R\x07header1\x12N\n\x08header_2\x18\x03 \x01(\x0b\x32&.ibc.lightclients.tendermint.v1.HeaderB\x0b\xe2\xde\x1f\x07Header2R\x07header2:\x04\x88\xa0\x1f\x00\"\xb0\x02\n\x06Header\x12I\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderB\x04\xd0\xde\x1f\x01R\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\x12G\n\x0etrusted_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00R\rtrustedHeight\x12M\n\x12trusted_validators\x18\x04 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x11trustedValidators\"J\n\x08\x46raction\x12\x1c\n\tnumerator\x18\x01 \x01(\x04R\tnumerator\x12 \n\x0b\x64\x65nominator\x18\x02 \x01(\x04R\x0b\x64\x65nominatorB\x9c\x02\n\"com.ibc.lightclients.tendermint.v1B\x0fTendermintProtoP\x01ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\xa2\x02\x03ILT\xaa\x02\x1eIbc.Lightclients.Tendermint.V1\xca\x02\x1eIbc\\Lightclients\\Tendermint\\V1\xe2\x02*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\xea\x02!Ibc::Lightclients::Tendermint::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'ibc.lightclients.tendermint.v1.tendermint_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.ibc.lightclients.tendermint.v1B\017TendermintProtoP\001ZJgithub.com/cosmos/ibc-go/v8/modules/light-clients/07-tendermint;tendermint\242\002\003ILT\252\002\036Ibc.Lightclients.Tendermint.V1\312\002\036Ibc\\Lightclients\\Tendermint\\V1\342\002*Ibc\\Lightclients\\Tendermint\\V1\\GPBMetadata\352\002!Ibc::Lightclients::Tendermint::V1' _globals['_CLIENTSTATE'].fields_by_name['trust_level']._loaded_options = None _globals['_CLIENTSTATE'].fields_by_name['trust_level']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE'].fields_by_name['trusting_period']._loaded_options = None @@ -69,13 +79,13 @@ _globals['_HEADER'].fields_by_name['trusted_height']._loaded_options = None _globals['_HEADER'].fields_by_name['trusted_height']._serialized_options = b'\310\336\037\000' _globals['_CLIENTSTATE']._serialized_start=339 - _globals['_CLIENTSTATE']._serialized_end=901 - _globals['_CONSENSUSSTATE']._serialized_start=904 - _globals['_CONSENSUSSTATE']._serialized_end=1123 - _globals['_MISBEHAVIOUR']._serialized_start=1126 - _globals['_MISBEHAVIOUR']._serialized_end=1311 - _globals['_HEADER']._serialized_start=1314 - _globals['_HEADER']._serialized_end=1556 - _globals['_FRACTION']._serialized_start=1558 - _globals['_FRACTION']._serialized_end=1608 + _globals['_CLIENTSTATE']._serialized_end=1077 + _globals['_CONSENSUSSTATE']._serialized_start=1080 + _globals['_CONSENSUSSTATE']._serialized_end=1336 + _globals['_MISBEHAVIOUR']._serialized_start=1339 + _globals['_MISBEHAVIOUR']._serialized_end=1552 + _globals['_HEADER']._serialized_start=1555 + _globals['_HEADER']._serialized_end=1859 + _globals['_FRACTION']._serialized_start=1861 + _globals['_FRACTION']._serialized_end=1935 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py index 7a95d7ec..5629e776 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&ibc/lightclients/wasm/v1/genesis.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\"K\n\x0cGenesisState\x12;\n\tcontracts\x18\x01 \x03(\x0b\x32\".ibc.lightclients.wasm.v1.ContractB\x04\xc8\xde\x1f\x00\"$\n\x08\x43ontract\x12\x12\n\ncode_bytes\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py index f1f9a938..2b80b3e0 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/query_pb2.py @@ -1,41 +1,51 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$ibc/lightclients/wasm/v1/query.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\"S\n\x15QueryChecksumsRequest\x12:\n\npagination\x18\x01 \x01(\x0b\x32&.cosmos.base.query.v1beta1.PageRequest\"h\n\x16QueryChecksumsResponse\x12\x11\n\tchecksums\x18\x01 \x03(\t\x12;\n\npagination\x18\x02 \x01(\x0b\x32\'.cosmos.base.query.v1beta1.PageResponse\"$\n\x10QueryCodeRequest\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\t\"!\n\x11QueryCodeResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x32\xc4\x02\n\x05Query\x12\x9b\x01\n\tChecksums\x12/.ibc.lightclients.wasm.v1.QueryChecksumsRequest\x1a\x30.ibc.lightclients.wasm.v1.QueryChecksumsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/ibc/lightclients/wasm/v1/checksums\x12\x9c\x01\n\x04\x43ode\x12*.ibc.lightclients.wasm.v1.QueryCodeRequest\x1a+.ibc.lightclients.wasm.v1.QueryCodeResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/ibc/lightclients/wasm/v1/checksums/{checksum}/codeB>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.ibc.lightclients.wasm.v1 import query_pb2 as ibc_dot_lightclients_dot_wasm_dot_v1_dot_query__pb2 class QueryStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py index 12e8326f..a8feb6fc 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/tx_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!ibc/lightclients/wasm/v1/tx.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x17\x63osmos/msg/v1/msg.proto\"C\n\x0cMsgStoreCode\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x16\n\x0ewasm_byte_code\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"(\n\x14MsgStoreCodeResponse\x12\x10\n\x08\x63hecksum\x18\x01 \x01(\x0c\"B\n\x11MsgRemoveChecksum\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1b\n\x19MsgRemoveChecksumResponse\"c\n\x12MsgMigrateContract\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x11\n\tclient_id\x18\x02 \x01(\t\x12\x10\n\x08\x63hecksum\x18\x03 \x01(\x0c\x12\x0b\n\x03msg\x18\x04 \x01(\x0c:\x0b\x82\xe7\xb0*\x06signer\"\x1c\n\x1aMsgMigrateContractResponse2\xdc\x02\n\x03Msg\x12\x63\n\tStoreCode\x12&.ibc.lightclients.wasm.v1.MsgStoreCode\x1a..ibc.lightclients.wasm.v1.MsgStoreCodeResponse\x12r\n\x0eRemoveChecksum\x12+.ibc.lightclients.wasm.v1.MsgRemoveChecksum\x1a\x33.ibc.lightclients.wasm.v1.MsgRemoveChecksumResponse\x12u\n\x0fMigrateContract\x12,.ibc.lightclients.wasm.v1.MsgMigrateContract\x1a\x34.ibc.lightclients.wasm.v1.MsgMigrateContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.ibc.lightclients.wasm.v1 import tx_pb2 as ibc_dot_lightclients_dot_wasm_dot_v1_dot_tx__pb2 class MsgStub(object): diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py index aaf604be..1712aacd 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/wasm_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: ibc/lightclients/wasm/v1/wasm.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'ibc/lightclients/wasm/v1/wasm.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.ibc.core.client.v1 import client_pb2 as ibc_dot_core_dot_client_dot_v1_dot_client__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#ibc/lightclients/wasm/v1/wasm.proto\x12\x18ibc.lightclients.wasm.v1\x1a\x14gogoproto/gogo.proto\x1a\x1fibc/core/client/v1/client.proto\"l\n\x0b\x43lientState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x10\n\x08\x63hecksum\x18\x02 \x01(\x0c\x12\x37\n\rlatest_height\x18\x03 \x01(\x0b\x32\x1a.ibc.core.client.v1.HeightB\x04\xc8\xde\x1f\x00:\x04\x88\xa0\x1f\x00\"$\n\x0e\x43onsensusState\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"#\n\rClientMessage\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c:\x04\x88\xa0\x1f\x00\"\"\n\tChecksums\x12\x11\n\tchecksums\x18\x01 \x03(\x0c:\x02\x18\x01\x42>Z={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py index f3694a41..d119209a 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/auction.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/auction.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\x83\x01\n\x06Params\x12\x16\n\x0e\x61uction_period\x18\x01 \x01(\x03\x12H\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"s\n\x03\x42id\x12+\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"s\n\x11LastAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"j\n\x08\x45ventBid\x12\x0e\n\x06\x62idder\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"t\n\x12\x45ventAuctionResult\x12\x0e\n\x06winner\x18\x01 \x01(\t\x12?\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\r\n\x05round\x18\x03 \x01(\x04\"\x9d\x01\n\x11\x45ventAuctionStart\x12\r\n\x05round\x18\x01 \x01(\x04\x12\x18\n\x10\x65nding_timestamp\x18\x02 \x01(\x03\x12_\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/auction.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x06Params\x12%\n\x0e\x61uction_period\x18\x01 \x01(\x03R\rauctionPeriod\x12\x61\n\x1bmin_next_bid_increment_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17minNextBidIncrementRate:\x17\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0e\x61uction/Params\"\x83\x01\n\x03\x42id\x12\x33\n\x06\x62idder\x18\x01 \x01(\tB\x1b\xea\xde\x1f\x06\x62idder\xf2\xde\x1f\ryaml:\"bidder\"R\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\"\x8a\x01\n\x11LastAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x81\x01\n\x08\x45ventBid\x12\x16\n\x06\x62idder\x18\x01 \x01(\tR\x06\x62idder\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\x8b\x01\n\x12\x45ventAuctionResult\x12\x16\n\x06winner\x18\x01 \x01(\tR\x06winner\x12G\n\x06\x61mount\x18\x02 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\"\xc0\x01\n\x11\x45ventAuctionStart\x12\x14\n\x05round\x18\x01 \x01(\x04R\x05round\x12)\n\x10\x65nding_timestamp\x18\x02 \x01(\x03R\x0f\x65ndingTimestamp\x12j\n\nnew_basket\x18\x03 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tnewBasketB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0c\x41uctionProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.auction_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014AuctionProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['min_next_bid_increment_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS']._loaded_options = None @@ -42,15 +52,15 @@ _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._loaded_options = None _globals['_EVENTAUCTIONSTART'].fields_by_name['new_basket']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._serialized_start=144 - _globals['_PARAMS']._serialized_end=275 - _globals['_BID']._serialized_start=277 - _globals['_BID']._serialized_end=392 - _globals['_LASTAUCTIONRESULT']._serialized_start=394 - _globals['_LASTAUCTIONRESULT']._serialized_end=509 - _globals['_EVENTBID']._serialized_start=511 - _globals['_EVENTBID']._serialized_end=617 - _globals['_EVENTAUCTIONRESULT']._serialized_start=619 - _globals['_EVENTAUCTIONRESULT']._serialized_end=735 - _globals['_EVENTAUCTIONSTART']._serialized_start=738 - _globals['_EVENTAUCTIONSTART']._serialized_end=895 + _globals['_PARAMS']._serialized_end=315 + _globals['_BID']._serialized_start=318 + _globals['_BID']._serialized_end=449 + _globals['_LASTAUCTIONRESULT']._serialized_start=452 + _globals['_LASTAUCTIONRESULT']._serialized_end=590 + _globals['_EVENTBID']._serialized_start=593 + _globals['_EVENTBID']._serialized_end=722 + _globals['_EVENTAUCTIONRESULT']._serialized_start=725 + _globals['_EVENTAUCTIONRESULT']._serialized_end=864 + _globals['_EVENTAUCTIONSTART']._serialized_start=867 + _globals['_EVENTAUCTIONSTART']._serialized_end=1059 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py index 8c75a10e..73e733c9 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\x80\x02\n\x0cGenesisState\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x15\n\rauction_round\x18\x02 \x01(\x04\x12\x33\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.Bid\x12 \n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03\x12I\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/auction/v1beta1/genesis.proto\x12\x19injective.auction.v1beta1\x1a\'injective/auction/v1beta1/auction.proto\x1a\x14gogoproto/gogo.proto\"\xcd\x02\n\x0cGenesisState\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rauction_round\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12?\n\x0bhighest_bid\x18\x03 \x01(\x0b\x32\x1e.injective.auction.v1beta1.BidR\nhighestBid\x12\x38\n\x18\x61uction_ending_timestamp\x18\x04 \x01(\x03R\x16\x61uctionEndingTimestamp\x12\\\n\x13last_auction_result\x18\x05 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResultB\x82\x02\n\x1d\x63om.injective.auction.v1beta1B\x0cGenesisProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\014GenesisProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=134 - _globals['_GENESISSTATE']._serialized_end=390 + _globals['_GENESISSTATE']._serialized_end=467 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py index 26d5e1e7..676cf0ce 100644 --- a/pyinjective/proto/injective/auction/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.injective.auction.v1beta1 import genesis_pb2 as injective_dot_auction_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"U\n\x1aQueryAuctionParamsResponse\x12\x37\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\"\n QueryCurrentAuctionBasketRequest\"\x82\x02\n!QueryCurrentAuctionBasketResponse\x12[\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x14\n\x0c\x61uctionRound\x18\x02 \x01(\x04\x12\x1a\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03\x12\x15\n\rhighestBidder\x18\x04 \x01(\t\x12\x37\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisState\"\x1f\n\x1dQueryLastAuctionResultRequest\"k\n\x1eQueryLastAuctionResultResponse\x12I\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultBOZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/auction/v1beta1/query.proto\x12\x19injective.auction.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\'injective/auction/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x1b\n\x19QueryAuctionParamsRequest\"]\n\x1aQueryAuctionParamsResponse\x12?\n\x06params\x18\x01 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\"\n QueryCurrentAuctionBasketRequest\"\xcd\x02\n!QueryCurrentAuctionBasketResponse\x12\x63\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x06\x61mount\x12\"\n\x0c\x61uctionRound\x18\x02 \x01(\x04R\x0c\x61uctionRound\x12.\n\x12\x61uctionClosingTime\x18\x03 \x01(\x03R\x12\x61uctionClosingTime\x12$\n\rhighestBidder\x18\x04 \x01(\tR\rhighestBidder\x12I\n\x10highestBidAmount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10highestBidAmount\"\x19\n\x17QueryModuleStateRequest\"Y\n\x18QueryModuleStateResponse\x12=\n\x05state\x18\x01 \x01(\x0b\x32\'.injective.auction.v1beta1.GenesisStateR\x05state\"\x1f\n\x1dQueryLastAuctionResultRequest\"~\n\x1eQueryLastAuctionResultResponse\x12\\\n\x13last_auction_result\x18\x01 \x01(\x0b\x32,.injective.auction.v1beta1.LastAuctionResultR\x11lastAuctionResult2\xe4\x05\n\x05Query\x12\xa7\x01\n\rAuctionParams\x12\x34.injective.auction.v1beta1.QueryAuctionParamsRequest\x1a\x35.injective.auction.v1beta1.QueryAuctionParamsResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/params\x12\xbc\x01\n\x14\x43urrentAuctionBasket\x12;.injective.auction.v1beta1.QueryCurrentAuctionBasketRequest\x1a<.injective.auction.v1beta1.QueryCurrentAuctionBasketResponse\")\x82\xd3\xe4\x93\x02#\x12!/injective/auction/v1beta1/basket\x12\xae\x01\n\x12\x41uctionModuleState\x12\x32.injective.auction.v1beta1.QueryModuleStateRequest\x1a\x33.injective.auction.v1beta1.QueryModuleStateResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/auction/v1beta1/module_state\x12\xc0\x01\n\x11LastAuctionResult\x12\x38.injective.auction.v1beta1.QueryLastAuctionResultRequest\x1a\x39.injective.auction.v1beta1.QueryLastAuctionResultResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/auction/v1beta1/last_auction_resultB\x80\x02\n\x1d\x63om.injective.auction.v1beta1B\nQueryProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\nQueryProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYAUCTIONPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE'].fields_by_name['amount']._loaded_options = None @@ -44,19 +54,19 @@ _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_start=234 _globals['_QUERYAUCTIONPARAMSREQUEST']._serialized_end=261 _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_start=263 - _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=348 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=350 - _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=384 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=387 - _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=645 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=647 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=672 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=674 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=756 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=758 - _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=789 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=791 - _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=898 - _globals['_QUERY']._serialized_start=901 - _globals['_QUERY']._serialized_end=1641 + _globals['_QUERYAUCTIONPARAMSRESPONSE']._serialized_end=356 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_start=358 + _globals['_QUERYCURRENTAUCTIONBASKETREQUEST']._serialized_end=392 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_start=395 + _globals['_QUERYCURRENTAUCTIONBASKETRESPONSE']._serialized_end=728 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=730 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=755 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=757 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=846 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_start=848 + _globals['_QUERYLASTAUCTIONRESULTREQUEST']._serialized_end=879 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_start=881 + _globals['_QUERYLASTAUCTIONRESULTRESPONSE']._serialized_end=1007 + _globals['_QUERY']._serialized_start=1010 + _globals['_QUERY']._serialized_end=1750 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py index 578a21f4..d4400e97 100644 --- a/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/auction/v1beta1/tx_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/auction/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/auction/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.auction.v1beta1 import auction_pb2 as injective_dot_auction_dot_v1beta1_dot_auction__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x84\x01\n\x06MsgBid\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x33\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\r\n\x05round\x18\x03 \x01(\x04:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xa3\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x37\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42OZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\"injective/auction/v1beta1/tx.proto\x12\x19injective.auction.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\'injective/auction/v1beta1/auction.proto\x1a\x11\x61mino/amino.proto\"\x9e\x01\n\x06MsgBid\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12>\n\nbid_amount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbidAmount\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x0e\x61uction/MsgBid\"\x10\n\x0eMsgBidResponse\"\xb6\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12?\n\x06params\x18\x02 \x01(\x0b\x32!.injective.auction.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:*\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x17\x61uction/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xd1\x01\n\x03Msg\x12S\n\x03\x42id\x12!.injective.auction.v1beta1.MsgBid\x1a).injective.auction.v1beta1.MsgBidResponse\x12n\n\x0cUpdateParams\x12*.injective.auction.v1beta1.MsgUpdateParams\x1a\x32.injective.auction.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xfd\x01\n\x1d\x63om.injective.auction.v1beta1B\x07TxProtoP\x01ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\xa2\x02\x03IAX\xaa\x02\x19Injective.Auction.V1beta1\xca\x02\x19Injective\\Auction\\V1beta1\xe2\x02%Injective\\Auction\\V1beta1\\GPBMetadata\xea\x02\x1bInjective::Auction::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.auction.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\035com.injective.auction.v1beta1B\007TxProtoP\001ZMgithub.com/InjectiveLabs/injective-core/injective-chain/modules/auction/types\242\002\003IAX\252\002\031Injective.Auction.V1beta1\312\002\031Injective\\Auction\\V1beta1\342\002%Injective\\Auction\\V1beta1\\GPBMetadata\352\002\033Injective::Auction::V1beta1' _globals['_MSGBID'].fields_by_name['bid_amount']._loaded_options = None _globals['_MSGBID'].fields_by_name['bid_amount']._serialized_options = b'\310\336\037\000' _globals['_MSGBID']._loaded_options = None @@ -41,13 +51,13 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGBID']._serialized_start=232 - _globals['_MSGBID']._serialized_end=364 - _globals['_MSGBIDRESPONSE']._serialized_start=366 - _globals['_MSGBIDRESPONSE']._serialized_end=382 - _globals['_MSGUPDATEPARAMS']._serialized_start=385 - _globals['_MSGUPDATEPARAMS']._serialized_end=548 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=550 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=575 - _globals['_MSG']._serialized_start=578 - _globals['_MSG']._serialized_end=787 + _globals['_MSGBID']._serialized_end=390 + _globals['_MSGBIDRESPONSE']._serialized_start=392 + _globals['_MSGBIDRESPONSE']._serialized_end=408 + _globals['_MSGUPDATEPARAMS']._serialized_start=411 + _globals['_MSGUPDATEPARAMS']._serialized_end=593 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=595 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=620 + _globals['_MSG']._serialized_start=623 + _globals['_MSG']._serialized_end=832 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py index 84cc035a..00142fcd 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/crypto/v1beta1/ethsecp256k1/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/crypto/v1beta1/ethsecp256k1/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"J\n\x06PubKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"H\n\x07PrivKey\x12\x0b\n\x03key\x18\x01 \x01(\x0c:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0injective/crypto/v1beta1/ethsecp256k1/keys.proto\x12%injective.crypto.v1beta1.ethsecp256k1\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"O\n\x06PubKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:3\x98\xa0\x1f\x00\x8a\xe7\xb0*\x1cinjective/PubKeyEthSecp256k1\x92\xe7\xb0*\tkey_field\"M\n\x07PrivKey\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key:0\x8a\xe7\xb0*\x1dinjective/PrivKeyEthSecp256k1\x92\xe7\xb0*\tkey_fieldB\xbb\x02\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\xa2\x02\x04ICVE\xaa\x02%Injective.Crypto.V1beta1.Ethsecp256k1\xca\x02%Injective\\Crypto\\V1beta1\\Ethsecp256k1\xe2\x02\x31Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\xea\x02(Injective::Crypto::V1beta1::Ethsecp256k1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.crypto.v1beta1.ethsecp256k1.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1' + _globals['DESCRIPTOR']._serialized_options = b'\n)com.injective.crypto.v1beta1.ethsecp256k1B\tKeysProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/crypto/ethsecp256k1\242\002\004ICVE\252\002%Injective.Crypto.V1beta1.Ethsecp256k1\312\002%Injective\\Crypto\\V1beta1\\Ethsecp256k1\342\0021Injective\\Crypto\\V1beta1\\Ethsecp256k1\\GPBMetadata\352\002(Injective::Crypto::V1beta1::Ethsecp256k1' _globals['_PUBKEY']._loaded_options = None _globals['_PUBKEY']._serialized_options = b'\230\240\037\000\212\347\260*\034injective/PubKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PRIVKEY']._loaded_options = None _globals['_PRIVKEY']._serialized_options = b'\212\347\260*\035injective/PrivKeyEthSecp256k1\222\347\260*\tkey_field' _globals['_PUBKEY']._serialized_start=132 - _globals['_PUBKEY']._serialized_end=206 - _globals['_PRIVKEY']._serialized_start=208 - _globals['_PRIVKEY']._serialized_end=280 + _globals['_PUBKEY']._serialized_end=211 + _globals['_PRIVKEY']._serialized_start=213 + _globals['_PRIVKEY']._serialized_end=290 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py index 52226e62..70d2a1a8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/authz.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/authz.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x80\x01\n\x19\x43reateSpotLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x82\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\x8c\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"v\n\x14\x43\x61ncelSpotOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x82\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\x8c\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\x8e\x01\n CreateDerivativeMarketOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\x98\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x82\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\x8e\x01\n BatchCancelDerivativeOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\x98\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x14\n\x0cspot_markets\x18\x02 \x03(\t\x12\x1a\n\x12\x64\x65rivative_markets\x18\x03 \x03(\t:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/authz.proto\x12\x1ainjective.exchange.v1beta1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x99\x01\n\x19\x43reateSpotLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:8\xca\xb4-\rAuthorization\x8a\xe7\xb0*\"exchange/CreateSpotLimitOrderAuthz\"\x9b\x01\n\x1a\x43reateSpotMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CreateSpotMarketOrderAuthz\"\xa5\x01\n\x1f\x42\x61tchCreateSpotLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/BatchCreateSpotLimitOrdersAuthz\"\x8f\x01\n\x14\x43\x61ncelSpotOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:3\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1d\x65xchange/CancelSpotOrderAuthz\"\x9b\x01\n\x1a\x42\x61tchCancelSpotOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/BatchCancelSpotOrdersAuthz\"\xa5\x01\n\x1f\x43reateDerivativeLimitOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:>\xca\xb4-\rAuthorization\x8a\xe7\xb0*(exchange/CreateDerivativeLimitOrderAuthz\"\xa7\x01\n CreateDerivativeMarketOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/CreateDerivativeMarketOrderAuthz\"\xb1\x01\n%BatchCreateDerivativeLimitOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:D\xca\xb4-\rAuthorization\x8a\xe7\xb0*.exchange/BatchCreateDerivativeLimitOrdersAuthz\"\x9b\x01\n\x1a\x43\x61ncelDerivativeOrderAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:9\xca\xb4-\rAuthorization\x8a\xe7\xb0*#exchange/CancelDerivativeOrderAuthz\"\xa7\x01\n BatchCancelDerivativeOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds:?\xca\xb4-\rAuthorization\x8a\xe7\xb0*)exchange/BatchCancelDerivativeOrdersAuthz\"\xc6\x01\n\x16\x42\x61tchUpdateOrdersAuthz\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12!\n\x0cspot_markets\x18\x02 \x03(\tR\x0bspotMarkets\x12-\n\x12\x64\x65rivative_markets\x18\x03 \x03(\tR\x11\x64\x65rivativeMarkets:5\xca\xb4-\rAuthorization\x8a\xe7\xb0*\x1f\x65xchange/BatchUpdateOrdersAuthzB\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nAuthzProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.authz_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nAuthzProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_CREATESPOTLIMITORDERAUTHZ']._loaded_options = None _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\"exchange/CreateSpotLimitOrderAuthz' _globals['_CREATESPOTMARKETORDERAUTHZ']._loaded_options = None @@ -47,25 +57,25 @@ _globals['_BATCHUPDATEORDERSAUTHZ']._loaded_options = None _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_options = b'\312\264-\rAuthorization\212\347\260*\037exchange/BatchUpdateOrdersAuthz' _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_start=117 - _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=245 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=248 - _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=378 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=381 - _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=521 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=523 - _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=641 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=644 - _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=774 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=777 - _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=917 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=920 - _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1062 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1065 - _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1217 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1220 - _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1350 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1353 - _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1495 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1498 - _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1650 + _globals['_CREATESPOTLIMITORDERAUTHZ']._serialized_end=270 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_start=273 + _globals['_CREATESPOTMARKETORDERAUTHZ']._serialized_end=428 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_start=431 + _globals['_BATCHCREATESPOTLIMITORDERSAUTHZ']._serialized_end=596 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_start=599 + _globals['_CANCELSPOTORDERAUTHZ']._serialized_end=742 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_start=745 + _globals['_BATCHCANCELSPOTORDERSAUTHZ']._serialized_end=900 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_start=903 + _globals['_CREATEDERIVATIVELIMITORDERAUTHZ']._serialized_end=1068 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_start=1071 + _globals['_CREATEDERIVATIVEMARKETORDERAUTHZ']._serialized_end=1238 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_start=1241 + _globals['_BATCHCREATEDERIVATIVELIMITORDERSAUTHZ']._serialized_end=1418 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_start=1421 + _globals['_CANCELDERIVATIVEORDERAUTHZ']._serialized_end=1576 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_start=1579 + _globals['_BATCHCANCELDERIVATIVEORDERSAUTHZ']._serialized_end=1746 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_start=1749 + _globals['_BATCHUPDATEORDERSAUTHZ']._serialized_end=1947 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py index 64c2584b..786ce6d7 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb4\x01\n\x17\x45ventBatchSpotExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12@\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12\x34\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLog\"\x9d\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x16\n\x0eis_liquidation\x18\x03 \x01(\x08\x12?\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionType\x12>\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLog\"\xeb\x01\n\x1d\x45ventLostFundsFromLiquidation\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12T\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12J\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"t\n\x1c\x45ventBatchDerivativePosition\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x41\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPosition\"\x7f\n\x1b\x45ventDerivativeMarketPaused\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1b\n\x13total_missing_funds\x18\x03 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x04 \x01(\t\"d\n\x1b\x45ventMarketBeyondBankruptcy\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1c\n\x14missing_market_funds\x18\x03 \x01(\t\"_\n\x18\x45ventAllPositionsHaircut\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x14\n\x0csettle_price\x18\x02 \x01(\t\x12\x1a\n\x12missing_funds_rate\x18\x03 \x01(\t\"g\n\x1e\x45ventBinaryOptionsMarketUpdate\x12\x45\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\x12\x45ventNewSpotOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\x12?\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder\"\xba\x01\n\x18\x45ventNewDerivativeOrders\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12\x45\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\"j\n\x14\x45ventCancelSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"U\n\x15\x45ventSpotMarketUpdate\x12<\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00\"\x81\x02\n\x1a\x45ventPerpetualMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01\x12I\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01\"\xc3\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00\x12]\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01\"\x90\x02\n!EventPerpetualMarketFundingUpdate\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12I\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\x12\x19\n\x11is_hourly_funding\x18\x03 \x01(\x08\x12\x39\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"u\n\x16\x45ventSubaccountDeposit\x12\x13\n\x0bsrc_address\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"v\n\x17\x45ventSubaccountWithdraw\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x13\n\x0b\x64st_address\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x87\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12\x19\n\x11src_subaccount_id\x18\x01 \x01(\t\x12\x19\n\x11\x64st_subaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"]\n\x17\x45ventBatchDepositUpdate\x12\x42\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdate\"\xaa\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12M\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\x12<\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xef\x01\n\x1a\x45ventCancelDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12Z\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01\"]\n\x18\x45ventFeeDiscountSchedule\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"\xbf\x01\n EventTradingRewardCampaignUpdate\x12L\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\"e\n\x1e\x45ventTradingRewardDistribution\x12\x43\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewards\"\x94\x01\n\"EventNewConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrder\x12\x0c\n\x04hash\x18\x03 \x01(\x0c\x12\x11\n\tis_market\x18\x04 \x01(\x08\"\xed\x01\n%EventCancelConditionalDerivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\risLimitCancel\x18\x02 \x01(\x08\x12K\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01\x12M\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01\"\xa9\x01\n&EventConditionalDerivativeOrderTrigger\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x16\n\x0eisLimitTrigger\x18\x02 \x01(\x08\x12\x1c\n\x14triggered_order_hash\x18\x03 \x01(\x0c\x12\x19\n\x11placed_order_hash\x18\x04 \x01(\x0c\x12\x1b\n\x13triggered_order_cid\x18\x05 \x01(\t\"N\n\x0e\x45ventOrderFail\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0c\x12\x0e\n\x06hashes\x18\x02 \x03(\x0c\x12\r\n\x05\x66lags\x18\x03 \x03(\r\x12\x0c\n\x04\x63ids\x18\x04 \x03(\t\"~\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12O\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\"\xa2\x01\n\x14\x45ventOrderbookUpdate\x12\x41\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\x12G\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdate\"X\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x38\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\x0c\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"k\n\x18\x45ventGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"g\n\x14\x45ventGrantActivation\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\x12-\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"5\n\x11\x45ventInvalidGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t\"v\n\x14\x45ventOrderCancelFail\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x05 \x01(\tBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/exchange/v1beta1/events.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xdc\x01\n\x17\x45ventBatchSpotExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12O\n\rexecutionType\x18\x03 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12<\n\x06trades\x18\x04 \x03(\x0b\x32$.injective.exchange.v1beta1.TradeLogR\x06trades\"\xe7\x02\n\x1d\x45ventBatchDerivativeExecution\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12%\n\x0eis_liquidation\x18\x03 \x01(\x08R\risLiquidation\x12R\n\x12\x63umulative_funding\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12O\n\rexecutionType\x18\x05 \x01(\x0e\x32).injective.exchange.v1beta1.ExecutionTypeR\rexecutionType\x12\x46\n\x06trades\x18\x06 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativeTradeLogR\x06trades\"\xc2\x02\n\x1d\x45ventLostFundsFromLiquidation\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12x\n\'lost_funds_from_available_during_payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"lostFundsFromAvailableDuringPayout\x12\x65\n\x1dlost_funds_from_order_cancels\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19lostFundsFromOrderCancels\"\x89\x01\n\x1c\x45ventBatchDerivativePosition\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\tpositions\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.SubaccountPositionR\tpositions\"\xbb\x01\n\x1b\x45ventDerivativeMarketPaused\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12.\n\x13total_missing_funds\x18\x03 \x01(\tR\x11totalMissingFunds\x12,\n\x12missing_funds_rate\x18\x04 \x01(\tR\x10missingFundsRate\"\x8f\x01\n\x1b\x45ventMarketBeyondBankruptcy\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12\x30\n\x14missing_market_funds\x18\x03 \x01(\tR\x12missingMarketFunds\"\x88\x01\n\x18\x45ventAllPositionsHaircut\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12!\n\x0csettle_price\x18\x02 \x01(\tR\x0bsettlePrice\x12,\n\x12missing_funds_rate\x18\x03 \x01(\tR\x10missingFundsRate\"o\n\x1e\x45ventBinaryOptionsMarketUpdate\x12M\n\x06market\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xc9\x01\n\x12\x45ventNewSpotOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12I\n\nbuy_orders\x18\x02 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\tbuyOrders\x12K\n\x0bsell_orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\nsellOrders\"\xdb\x01\n\x18\x45ventNewDerivativeOrders\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\nbuy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\tbuyOrders\x12Q\n\x0bsell_orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\nsellOrders\"{\n\x14\x45ventCancelSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"]\n\x15\x45ventSpotMarketUpdate\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketB\x04\xc8\xde\x1f\x00R\x06market\"\xa7\x02\n\x1a\x45ventPerpetualMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12i\n\x15perpetual_market_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x01R\x13perpetualMarketInfo\x12R\n\x07\x66unding\x18\x03 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x01R\x07\x66unding\"\xe4\x01\n\x1e\x45ventExpiryFuturesMarketUpdate\x12J\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketB\x04\xc8\xde\x1f\x00R\x06market\x12v\n\x1a\x65xpiry_futures_market_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x01R\x17\x65xpiryFuturesMarketInfo\"\xcc\x02\n!EventPerpetualMarketFundingUpdate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12R\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x07\x66unding\x12*\n\x11is_hourly_funding\x18\x03 \x01(\x08R\x0fisHourlyFunding\x12\x46\n\x0c\x66unding_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x66undingRate\x12\x42\n\nmark_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\"\x97\x01\n\x16\x45ventSubaccountDeposit\x12\x1f\n\x0bsrc_address\x18\x01 \x01(\tR\nsrcAddress\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x98\x01\n\x17\x45ventSubaccountWithdraw\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12\x1f\n\x0b\x64st_address\x18\x02 \x01(\tR\ndstAddress\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xb1\x01\n\x1e\x45ventSubaccountBalanceTransfer\x12*\n\x11src_subaccount_id\x18\x01 \x01(\tR\x0fsrcSubaccountId\x12*\n\x11\x64st_subaccount_id\x18\x02 \x01(\tR\x0f\x64stSubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"m\n\x17\x45ventBatchDepositUpdate\x12R\n\x0f\x64\x65posit_updates\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DepositUpdateR\x0e\x64\x65positUpdates\"\xc7\x01\n\x1b\x44\x65rivativeMarketOrderCancel\x12Z\n\x0cmarket_order\x18\x01 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\x12L\n\x0f\x63\x61ncel_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x63\x61ncelQuantity\"\xa7\x02\n\x1a\x45ventCancelDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12m\n\x13market_order_cancel\x18\x04 \x01(\x0b\x32\x37.injective.exchange.v1beta1.DerivativeMarketOrderCancelB\x04\xc8\xde\x1f\x01R\x11marketOrderCancel\"g\n\x18\x45ventFeeDiscountSchedule\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule\"\xe2\x01\n EventTradingRewardCampaignUpdate\x12Z\n\rcampaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools\"u\n\x1e\x45ventTradingRewardDistribution\x12S\n\x0f\x61\x63\x63ount_rewards\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.AccountRewardsR\x0e\x61\x63\x63ountRewards\"\xb5\x01\n\"EventNewConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderR\x05order\x12\x12\n\x04hash\x18\x03 \x01(\x0cR\x04hash\x12\x1b\n\tis_market\x18\x04 \x01(\x08R\x08isMarket\"\x9f\x02\n%EventCancelConditionalDerivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12$\n\risLimitCancel\x18\x02 \x01(\x08R\risLimitCancel\x12W\n\x0blimit_order\x18\x03 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x01R\nlimitOrder\x12Z\n\x0cmarket_order\x18\x04 \x01(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderB\x04\xc8\xde\x1f\x01R\x0bmarketOrder\"\xfb\x01\n&EventConditionalDerivativeOrderTrigger\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12&\n\x0eisLimitTrigger\x18\x02 \x01(\x08R\x0eisLimitTrigger\x12\x30\n\x14triggered_order_hash\x18\x03 \x01(\x0cR\x12triggeredOrderHash\x12*\n\x11placed_order_hash\x18\x04 \x01(\x0cR\x0fplacedOrderHash\x12.\n\x13triggered_order_cid\x18\x05 \x01(\tR\x11triggeredOrderCid\"l\n\x0e\x45ventOrderFail\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\x0cR\x07\x61\x63\x63ount\x12\x16\n\x06hashes\x18\x02 \x03(\x0cR\x06hashes\x12\x14\n\x05\x66lags\x18\x03 \x03(\rR\x05\x66lags\x12\x12\n\x04\x63ids\x18\x04 \x03(\tR\x04\x63ids\"\x94\x01\n+EventAtomicMarketOrderFeeMultipliersUpdated\x12\x65\n\x16market_fee_multipliers\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\"\xc2\x01\n\x14\x45ventOrderbookUpdate\x12N\n\x0cspot_updates\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x0bspotUpdates\x12Z\n\x12\x64\x65rivative_updates\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.OrderbookUpdateR\x11\x64\x65rivativeUpdates\"h\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x43\n\torderbook\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\x0cR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"|\n\x18\x45ventGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"\x81\x01\n\x14\x45ventGrantActivation\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"G\n\x11\x45ventInvalidGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter\"\xab\x01\n\x14\x45ventOrderCancelFail\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\x12 \n\x0b\x64\x65scription\x18\x05 \x01(\tR\x0b\x64\x65scriptionB\x87\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0b\x45ventsProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\013EventsProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._loaded_options = None _globals['_EVENTBATCHDERIVATIVEEXECUTION'].fields_by_name['cumulative_funding']._serialized_options = b'\310\336\037\001\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTLOSTFUNDSFROMLIQUIDATION'].fields_by_name['lost_funds_from_available_during_payout']._loaded_options = None @@ -75,75 +85,75 @@ _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._loaded_options = None _globals['_EVENTGRANTACTIVATION'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTBATCHSPOTEXECUTION']._serialized_start=208 - _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=388 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=391 - _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=676 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=679 - _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=914 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=916 - _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1032 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1034 - _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1161 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1163 - _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1263 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1265 - _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1360 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1362 - _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1465 - _globals['_EVENTNEWSPOTORDERS']._serialized_start=1468 - _globals['_EVENTNEWSPOTORDERS']._serialized_end=1636 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=1639 - _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=1825 - _globals['_EVENTCANCELSPOTORDER']._serialized_start=1827 - _globals['_EVENTCANCELSPOTORDER']._serialized_end=1933 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=1935 - _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2020 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2023 - _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2280 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2283 - _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=2478 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=2481 - _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=2753 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=2755 - _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=2872 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=2874 - _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=2992 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=2995 - _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3130 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3132 - _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3225 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3228 - _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=3398 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=3401 - _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=3640 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=3642 - _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=3735 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=3738 - _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=3929 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=3931 - _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4032 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4035 - _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=4183 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=4186 - _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=4423 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=4426 - _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=4595 - _globals['_EVENTORDERFAIL']._serialized_start=4597 - _globals['_EVENTORDERFAIL']._serialized_end=4675 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=4677 - _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=4803 - _globals['_EVENTORDERBOOKUPDATE']._serialized_start=4806 - _globals['_EVENTORDERBOOKUPDATE']._serialized_end=4968 - _globals['_ORDERBOOKUPDATE']._serialized_start=4970 - _globals['_ORDERBOOKUPDATE']._serialized_end=5058 - _globals['_ORDERBOOK']._serialized_start=5061 - _globals['_ORDERBOOK']._serialized_end=5202 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=5204 - _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=5311 - _globals['_EVENTGRANTACTIVATION']._serialized_start=5313 - _globals['_EVENTGRANTACTIVATION']._serialized_end=5416 - _globals['_EVENTINVALIDGRANT']._serialized_start=5418 - _globals['_EVENTINVALIDGRANT']._serialized_end=5471 - _globals['_EVENTORDERCANCELFAIL']._serialized_start=5473 - _globals['_EVENTORDERCANCELFAIL']._serialized_end=5591 + _globals['_EVENTBATCHSPOTEXECUTION']._serialized_end=428 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_start=431 + _globals['_EVENTBATCHDERIVATIVEEXECUTION']._serialized_end=790 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_start=793 + _globals['_EVENTLOSTFUNDSFROMLIQUIDATION']._serialized_end=1115 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_start=1118 + _globals['_EVENTBATCHDERIVATIVEPOSITION']._serialized_end=1255 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_start=1258 + _globals['_EVENTDERIVATIVEMARKETPAUSED']._serialized_end=1445 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_start=1448 + _globals['_EVENTMARKETBEYONDBANKRUPTCY']._serialized_end=1591 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_start=1594 + _globals['_EVENTALLPOSITIONSHAIRCUT']._serialized_end=1730 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_start=1732 + _globals['_EVENTBINARYOPTIONSMARKETUPDATE']._serialized_end=1843 + _globals['_EVENTNEWSPOTORDERS']._serialized_start=1846 + _globals['_EVENTNEWSPOTORDERS']._serialized_end=2047 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_start=2050 + _globals['_EVENTNEWDERIVATIVEORDERS']._serialized_end=2269 + _globals['_EVENTCANCELSPOTORDER']._serialized_start=2271 + _globals['_EVENTCANCELSPOTORDER']._serialized_end=2394 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_start=2396 + _globals['_EVENTSPOTMARKETUPDATE']._serialized_end=2489 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_start=2492 + _globals['_EVENTPERPETUALMARKETUPDATE']._serialized_end=2787 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_start=2790 + _globals['_EVENTEXPIRYFUTURESMARKETUPDATE']._serialized_end=3018 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_start=3021 + _globals['_EVENTPERPETUALMARKETFUNDINGUPDATE']._serialized_end=3353 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_start=3356 + _globals['_EVENTSUBACCOUNTDEPOSIT']._serialized_end=3507 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_start=3510 + _globals['_EVENTSUBACCOUNTWITHDRAW']._serialized_end=3662 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_start=3665 + _globals['_EVENTSUBACCOUNTBALANCETRANSFER']._serialized_end=3842 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_start=3844 + _globals['_EVENTBATCHDEPOSITUPDATE']._serialized_end=3953 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_start=3956 + _globals['_DERIVATIVEMARKETORDERCANCEL']._serialized_end=4155 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_start=4158 + _globals['_EVENTCANCELDERIVATIVEORDER']._serialized_end=4453 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_start=4455 + _globals['_EVENTFEEDISCOUNTSCHEDULE']._serialized_end=4558 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_start=4561 + _globals['_EVENTTRADINGREWARDCAMPAIGNUPDATE']._serialized_end=4787 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_start=4789 + _globals['_EVENTTRADINGREWARDDISTRIBUTION']._serialized_end=4906 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_start=4909 + _globals['_EVENTNEWCONDITIONALDERIVATIVEORDER']._serialized_end=5090 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_start=5093 + _globals['_EVENTCANCELCONDITIONALDERIVATIVEORDER']._serialized_end=5380 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_start=5383 + _globals['_EVENTCONDITIONALDERIVATIVEORDERTRIGGER']._serialized_end=5634 + _globals['_EVENTORDERFAIL']._serialized_start=5636 + _globals['_EVENTORDERFAIL']._serialized_end=5744 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_start=5747 + _globals['_EVENTATOMICMARKETORDERFEEMULTIPLIERSUPDATED']._serialized_end=5895 + _globals['_EVENTORDERBOOKUPDATE']._serialized_start=5898 + _globals['_EVENTORDERBOOKUPDATE']._serialized_end=6092 + _globals['_ORDERBOOKUPDATE']._serialized_start=6094 + _globals['_ORDERBOOKUPDATE']._serialized_end=6198 + _globals['_ORDERBOOK']._serialized_start=6201 + _globals['_ORDERBOOK']._serialized_end=6375 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_start=6377 + _globals['_EVENTGRANTAUTHORIZATIONS']._serialized_end=6501 + _globals['_EVENTGRANTACTIVATION']._serialized_start=6504 + _globals['_EVENTGRANTACTIVATION']._serialized_end=6633 + _globals['_EVENTINVALIDGRANT']._serialized_start=6635 + _globals['_EVENTINVALIDGRANT']._serialized_end=6706 + _globals['_EVENTORDERCANCELFAIL']._serialized_start=6709 + _globals['_EVENTORDERCANCELFAIL']._serialized_end=6880 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 6bda7c87..2d0a07bd 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/exchange.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/exchange.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd6\x0e\n\x06Params\x12H\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12N\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12H\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12H\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12N\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12 \n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03\x12\x18\n\x10\x66unding_multiple\x18\n \x01(\x03\x12\x43\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12L\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\r\x12N\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12(\n trading_rewards_vesting_duration\x18\x10 \x01(\x03\x12I\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12R\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x62\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevel\x12T\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12Z\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12^\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08\x12\'\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03\x12\x39\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03\x12\x17\n\x0f\x65xchange_admins\x18\x1b \x03(\t:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"k\n\x13MarketFeeMultiplier\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12;\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x04\x88\xa0\x1f\x00\"\xd7\x06\n\x10\x44\x65rivativeMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x13\n\x0boracle_base\x18\x02 \x01(\t\x12\x14\n\x0coracle_quote\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x13\n\x0bquote_denom\x18\x06 \x01(\t\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0bisPerpetual\x18\r \x01(\x08\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x12 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xbb\x06\n\x13\x42inaryOptionsMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x15\n\roracle_symbol\x18\x02 \x01(\t\x12\x17\n\x0foracle_provider\x18\x03 \x01(\t\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x05 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x07 \x01(\x03\x12\r\n\x05\x61\x64min\x18\x08 \x01(\t\x12\x13\n\x0bquote_denom\x18\t \x01(\t\x12\x11\n\tmarket_id\x18\n \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x13 \x01(\r:\x04\x88\xa0\x1f\x00\"\xfc\x01\n\x17\x45xpiryFuturesMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1c\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03\x12\x1c\n\x14twap_start_timestamp\x18\x03 \x01(\x03\x12S\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xeb\x01\n\x13PerpetualMarketInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x44\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16next_funding_timestamp\x18\x04 \x01(\x03\x12\x18\n\x10\x66unding_interval\x18\x05 \x01(\x03\"\xb0\x01\n\x16PerpetualMarketFunding\x12?\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0elast_timestamp\x18\x03 \x01(\x03\"r\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12=\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\".\n\x14NextFundingTimestamp\x12\x16\n\x0enext_timestamp\x18\x01 \x01(\x03\"\xc3\x01\n\x0eMidPriceAndTOB\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xbd\x04\n\nSpotMarket\x12\x0e\n\x06ticker\x18\x01 \x01(\t\x12\x12\n\nbase_denom\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tmarket_id\x18\x07 \x01(\t\x12\x38\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\r \x01(\r\"\x85\x01\n\x07\x44\x65posit\x12>\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"%\n\x14SubaccountTradeNonce\x12\r\n\x05nonce\x18\x01 \x01(\r\"\xb1\x01\n\tOrderInfo\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x15\n\rfee_recipient\x18\x02 \x01(\t\x12\x32\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xd6\x01\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x93\x02\n\x0eSpotLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\"\x98\x02\n\x0fSpotMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x03 \x01(\x0c\x12\x39\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x91\x02\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xd3\x02\n\x1bSubaccountOrderbookMetadata\x12!\n\x19vanilla_limit_order_count\x18\x01 \x01(\r\x12%\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\r\x12K\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\'\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\r\x12+\n#reduce_only_conditional_order_count\x18\x06 \x01(\r\"\x9f\x01\n\x0fSubaccountOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cisReduceOnly\x18\x03 \x01(\x08\x12\x0b\n\x03\x63id\x18\x04 \x01(\t\"e\n\x13SubaccountOrderData\x12:\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrder\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\"\xce\x02\n\x14\x44\x65rivativeLimitOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\xd2\x02\n\x15\x44\x65rivativeMarketOrder\x12?\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00\x12\x39\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderType\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12:\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x06 \x01(\x0c\"\x87\x02\n\x08Position\x12\x0e\n\x06isLong\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"8\n\x14MarketOrderIndicator\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05isBuy\x18\x02 \x01(\x08\"\x84\x02\n\x08TradeLog\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x03 \x01(\x0c\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"\xde\x01\n\rPositionDelta\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12?\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xcd\x02\n\x12\x44\x65rivativeTradeLog\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x41\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x05 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\x12\x30\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"c\n\x12SubaccountPosition\x12\x36\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.Position\x12\x15\n\rsubaccount_id\x18\x02 \x01(\x0c\"`\n\x11SubaccountDeposit\x12\x15\n\rsubaccount_id\x18\x01 \x01(\x0c\x12\x34\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"_\n\rDepositUpdate\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12?\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDeposit\"\x9e\x01\n\x10PointsMultiplier\x12\x44\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x44\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x98\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x1f\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\t\x12S\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\x12%\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\t\x12Y\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00\"\x98\x01\n\x12\x43\x61mpaignRewardPool\x12\x17\n\x0fstart_timestamp\x18\x01 \x01(\x03\x12i\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"\xd4\x01\n\x19TradingRewardCampaignInfo\x12!\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x02 \x03(\t\x12]\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x04 \x03(\t\"\x84\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12@\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x34\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x33\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xc0\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12\x14\n\x0c\x62ucket_count\x18\x01 \x01(\x04\x12\x17\n\x0f\x62ucket_duration\x18\x02 \x01(\x03\x12\x14\n\x0cquote_denoms\x18\x03 \x03(\t\x12\x43\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x1f\n\x17\x64isqualified_market_ids\x18\x05 \x03(\t\"9\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\x15\n\rttl_timestamp\x18\x02 \x01(\x03\"\x84\x01\n\x0cVolumeRecord\x12\x39\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x7f\n\x0e\x41\x63\x63ountRewards\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\\\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"h\n\x0cTradeRecords\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"\'\n\rSubaccountIDs\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\x0c\"\x8b\x01\n\x0bTradeRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x05Level\x12.\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12.\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"z\n\x1f\x41ggregateSubaccountVolumeRecord\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"q\n\x1c\x41ggregateAccountVolumeRecord\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"a\n\x0cMarketVolume\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12>\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\"0\n\rDenomDecimals\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04\"T\n\x12GrantAuthorization\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"M\n\x0b\x41\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"m\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x38\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x10\n\x08is_valid\x18\x03 \x01(\x08*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x8f\x15\n\x06Params\x12\x65\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x1bspotMarketInstantListingFee\x12q\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R!derivativeMarketInstantListingFee\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotMakerFeeRate\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotTakerFeeRate\x12m\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeMakerFeeRate\x12m\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeTakerFeeRate\x12\x64\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultInitialMarginRatio\x12l\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultMaintenanceMarginRatio\x12\x38\n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03R\x16\x64\x65\x66\x61ultFundingInterval\x12)\n\x10\x66unding_multiple\x18\n \x01(\x03R\x0f\x66undingMultiple\x12X\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12i\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x64\x65\x66\x61ultHourlyFundingRateCap\x12\x64\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultHourlyInterestRate\x12\x44\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\rR\x1bmaxDerivativeOrderSideCount\x12s\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR#injRewardStakedRequirementThreshold\x12G\n trading_rewards_vesting_duration\x18\x10 \x01(\x03R\x1dtradingRewardsVestingDuration\x12\x64\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19liquidatorRewardShareRate\x12x\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R$binaryOptionsMarketInstantListingFee\x12\x80\x01\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevelR\x1c\x61tomicMarketOrderAccessLevel\x12x\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"spotAtomicMarketOrderFeeMultiplier\x12\x84\x01\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR(derivativeAtomicMarketOrderFeeMultiplier\x12\x8b\x01\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR+binaryOptionsAtomicMarketOrderFeeMultiplier\x12^\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16minimalProtocolFeeRate\x12[\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08R&isInstantDerivativeMarketLaunchEnabled\x12\x44\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03R\x1bpostOnlyModeHeightThreshold\x12g\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03R,marginDecreasePriceTimestampThresholdSeconds\x12\'\n\x0f\x65xchange_admins\x18\x1b \x03(\tR\x0e\x65xchangeAdmins:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"\x84\x01\n\x13MarketFeeMultiplier\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rfeeMultiplier:\x04\x88\xa0\x1f\x00\"\xec\x08\n\x10\x44\x65rivativeMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x02 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x03 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12 \n\x0bisPerpetual\x18\r \x01(\x08R\x0bisPerpetual\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x12 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xd7\x08\n\x13\x42inaryOptionsMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x02 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x03 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x07 \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x08 \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\t \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\n \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12N\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x46\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xe4\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x31\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03R\x13\x65xpirationTimestamp\x12\x30\n\x14twap_start_timestamp\x18\x03 \x01(\x03R\x12twapStartTimestamp\x12w\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"expirationTwapStartPriceCumulative\x12N\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"\xc6\x02\n\x13PerpetualMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14hourlyFundingRateCap\x12U\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x04 \x01(\x03R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x05 \x01(\x03R\x0f\x66undingInterval\"\xe3\x01\n\x16PerpetualMarketFunding\x12R\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x03R\rlastTimestamp\"\x8d\x01\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"=\n\x14NextFundingTimestamp\x12%\n\x0enext_timestamp\x18\x01 \x01(\x03R\rnextTimestamp\"\xea\x01\n\x0eMidPriceAndTOB\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xec\x05\n\nSpotMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12@\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\r \x01(\rR\x10\x61\x64minPermissions\"\xa5\x01\n\x07\x44\x65posit\x12P\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10\x61vailableBalance\x12H\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctotalBalance\",\n\x14SubaccountTradeNonce\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\xe3\x01\n\tOrderInfo\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12#\n\rfee_recipient\x18\x02 \x01(\tR\x0c\x66\x65\x65Recipient\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\x84\x02\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xcc\x02\n\x0eSpotLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\"\xd4\x02\n\x0fSpotMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x46\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12\x1d\n\norder_hash\x18\x03 \x01(\x0cR\torderHash\x12\x44\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xc7\x02\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xfc\x03\n\x1bSubaccountOrderbookMetadata\x12\x39\n\x19vanilla_limit_order_count\x18\x01 \x01(\rR\x16vanillaLimitOrderCount\x12@\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\rR\x19reduceOnlyLimitOrderCount\x12h\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x61ggregateReduceOnlyQuantity\x12\x61\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61ggregateVanillaQuantity\x12\x45\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\rR\x1cvanillaConditionalOrderCount\x12L\n#reduce_only_conditional_order_count\x18\x06 \x01(\rR\x1freduceOnlyConditionalOrderCount\"\xc3\x01\n\x0fSubaccountOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\"\n\x0cisReduceOnly\x18\x03 \x01(\x08R\x0cisReduceOnly\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\"w\n\x13SubaccountOrderData\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrderR\x05order\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\"\x8f\x03\n\x14\x44\x65rivativeLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\x95\x03\n\x15\x44\x65rivativeMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12\x44\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmarginHold\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\xc5\x02\n\x08Position\x12\x16\n\x06isLong\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"I\n\x14MarketOrderIndicator\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x02 \x01(\x08R\x05isBuy\"\xcd\x02\n\x08TradeLog\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x03 \x01(\x0cR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"\x9a\x02\n\rPositionDelta\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12R\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x65xecutionQuantity\x12N\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65xecutionMargin\x12L\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x65xecutionPrice\"\xa1\x03\n\x12\x44\x65rivativeTradeLog\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\x12\x35\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03pnl\"{\n\x12SubaccountPosition\x12@\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\"w\n\x11SubaccountDeposit\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12=\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x07\x64\x65posit\"p\n\rDepositUpdate\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDepositR\x08\x64\x65posits\"\xcc\x01\n\x10PointsMultiplier\x12[\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15makerPointsMultiplier\x12[\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15takerPointsMultiplier\"\xfe\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x35\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\tR\x14\x62oostedSpotMarketIds\x12j\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x15spotMarketMultipliers\x12\x41\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\tR\x1a\x62oostedDerivativeMarketIds\x12v\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x1b\x64\x65rivativeMarketMultipliers\"\xbc\x01\n\x12\x43\x61mpaignRewardPool\x12\'\n\x0fstart_timestamp\x18\x01 \x01(\x03R\x0estartTimestamp\x12}\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x12maxCampaignRewards\"\xa9\x02\n\x19TradingRewardCampaignInfo\x12:\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03R\x17\x63\x61mpaignDurationSeconds\x12!\n\x0cquote_denoms\x18\x02 \x03(\tR\x0bquoteDenoms\x12u\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfoR\x16tradingRewardBoostInfo\x12\x36\n\x17\x64isqualified_market_ids\x18\x04 \x03(\tR\x15\x64isqualifiedMarketIds\"\xc0\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12S\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11makerDiscountRate\x12S\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11takerDiscountRate\x12\x42\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0cstakedAmount\x12;\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"\x8c\x02\n\x13\x46\x65\x65\x44iscountSchedule\x12!\n\x0c\x62ucket_count\x18\x01 \x01(\x04R\x0b\x62ucketCount\x12\'\n\x0f\x62ucket_duration\x18\x02 \x01(\x03R\x0e\x62ucketDuration\x12!\n\x0cquote_denoms\x18\x03 \x03(\tR\x0bquoteDenoms\x12N\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\ttierInfos\x12\x36\n\x17\x64isqualified_market_ids\x18\x05 \x03(\tR\x15\x64isqualifiedMarketIds\"M\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12#\n\rttl_timestamp\x18\x02 \x01(\x03R\x0cttlTimestamp\"\x9e\x01\n\x0cVolumeRecord\x12\x46\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmakerVolume\x12\x46\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0btakerVolume\"\x91\x01\n\x0e\x41\x63\x63ountRewards\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x65\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07rewards\"\x86\x01\n\x0cTradeRecords\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Y\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\x12latestTradeRecords\"6\n\rSubaccountIDs\x12%\n\x0esubaccount_ids\x18\x01 \x03(\x0cR\rsubaccountIds\"\xa7\x01\n\x0bTradeRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"m\n\x05Level\x12\x31\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01p\x12\x31\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01q\"\x97\x01\n\x1f\x41ggregateSubaccountVolumeRecord\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"\x89\x01\n\x1c\x41ggregateAccountVolumeRecord\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"s\n\x0cMarketVolume\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"A\n\rDenomDecimals\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04R\x08\x64\x65\x63imals\"e\n\x12GrantAuthorization\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"^\n\x0b\x41\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"\x90\x01\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12I\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0fnetGrantedStake\x12\x19\n\x08is_valid\x18\x03 \x01(\x08R\x07isValid*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rExchangeProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.exchange_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rExchangeProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._loaded_options = None _globals['_ORDERTYPE'].values_by_name["UNSPECIFIED"]._serialized_options = b'\212\235 \013UNSPECIFIED' _globals['_ORDERTYPE'].values_by_name["BUY"]._loaded_options = None @@ -296,116 +306,116 @@ _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=12264 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=12380 - _globals['_MARKETSTATUS']._serialized_start=12382 - _globals['_MARKETSTATUS']._serialized_end=12466 - _globals['_ORDERTYPE']._serialized_start=12469 - _globals['_ORDERTYPE']._serialized_end=12784 - _globals['_EXECUTIONTYPE']._serialized_start=12787 - _globals['_EXECUTIONTYPE']._serialized_end=12962 - _globals['_ORDERMASK']._serialized_start=12965 - _globals['_ORDERMASK']._serialized_end=13230 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=15910 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=16026 + _globals['_MARKETSTATUS']._serialized_start=16028 + _globals['_MARKETSTATUS']._serialized_end=16112 + _globals['_ORDERTYPE']._serialized_start=16115 + _globals['_ORDERTYPE']._serialized_end=16430 + _globals['_EXECUTIONTYPE']._serialized_start=16433 + _globals['_EXECUTIONTYPE']._serialized_end=16608 + _globals['_ORDERMASK']._serialized_start=16611 + _globals['_ORDERMASK']._serialized_end=16876 _globals['_PARAMS']._serialized_start=186 - _globals['_PARAMS']._serialized_end=2064 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2066 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=2173 - _globals['_DERIVATIVEMARKET']._serialized_start=2176 - _globals['_DERIVATIVEMARKET']._serialized_end=3031 - _globals['_BINARYOPTIONSMARKET']._serialized_start=3034 - _globals['_BINARYOPTIONSMARKET']._serialized_end=3861 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=3864 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=4116 - _globals['_PERPETUALMARKETINFO']._serialized_start=4119 - _globals['_PERPETUALMARKETINFO']._serialized_end=4354 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=4357 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=4533 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=4535 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=4649 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=4651 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=4697 - _globals['_MIDPRICEANDTOB']._serialized_start=4700 - _globals['_MIDPRICEANDTOB']._serialized_end=4895 - _globals['_SPOTMARKET']._serialized_start=4898 - _globals['_SPOTMARKET']._serialized_end=5471 - _globals['_DEPOSIT']._serialized_start=5474 - _globals['_DEPOSIT']._serialized_end=5607 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=5609 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=5646 - _globals['_ORDERINFO']._serialized_start=5649 - _globals['_ORDERINFO']._serialized_end=5826 - _globals['_SPOTORDER']._serialized_start=5829 - _globals['_SPOTORDER']._serialized_end=6043 - _globals['_SPOTLIMITORDER']._serialized_start=6046 - _globals['_SPOTLIMITORDER']._serialized_end=6321 - _globals['_SPOTMARKETORDER']._serialized_start=6324 - _globals['_SPOTMARKETORDER']._serialized_end=6604 - _globals['_DERIVATIVEORDER']._serialized_start=6607 - _globals['_DERIVATIVEORDER']._serialized_end=6880 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=6883 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=7222 - _globals['_SUBACCOUNTORDER']._serialized_start=7225 - _globals['_SUBACCOUNTORDER']._serialized_end=7384 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=7386 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=7487 - _globals['_DERIVATIVELIMITORDER']._serialized_start=7490 - _globals['_DERIVATIVELIMITORDER']._serialized_end=7824 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=7827 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=8165 - _globals['_POSITION']._serialized_start=8168 - _globals['_POSITION']._serialized_end=8431 - _globals['_MARKETORDERINDICATOR']._serialized_start=8433 - _globals['_MARKETORDERINDICATOR']._serialized_end=8489 - _globals['_TRADELOG']._serialized_start=8492 - _globals['_TRADELOG']._serialized_end=8752 - _globals['_POSITIONDELTA']._serialized_start=8755 - _globals['_POSITIONDELTA']._serialized_end=8977 - _globals['_DERIVATIVETRADELOG']._serialized_start=8980 - _globals['_DERIVATIVETRADELOG']._serialized_end=9313 - _globals['_SUBACCOUNTPOSITION']._serialized_start=9315 - _globals['_SUBACCOUNTPOSITION']._serialized_end=9414 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=9416 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=9512 - _globals['_DEPOSITUPDATE']._serialized_start=9514 - _globals['_DEPOSITUPDATE']._serialized_end=9609 - _globals['_POINTSMULTIPLIER']._serialized_start=9612 - _globals['_POINTSMULTIPLIER']._serialized_end=9770 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=9773 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=10053 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=10056 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=10208 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=10211 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=10423 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=10426 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=10686 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=10689 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=10881 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=10883 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=10940 - _globals['_VOLUMERECORD']._serialized_start=10943 - _globals['_VOLUMERECORD']._serialized_end=11075 - _globals['_ACCOUNTREWARDS']._serialized_start=11077 - _globals['_ACCOUNTREWARDS']._serialized_end=11204 - _globals['_TRADERECORDS']._serialized_start=11206 - _globals['_TRADERECORDS']._serialized_end=11310 - _globals['_SUBACCOUNTIDS']._serialized_start=11312 - _globals['_SUBACCOUNTIDS']._serialized_end=11351 - _globals['_TRADERECORD']._serialized_start=11354 - _globals['_TRADERECORD']._serialized_end=11493 - _globals['_LEVEL']._serialized_start=11495 - _globals['_LEVEL']._serialized_end=11598 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=11600 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=11722 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=11724 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=11837 - _globals['_MARKETVOLUME']._serialized_start=11839 - _globals['_MARKETVOLUME']._serialized_end=11936 - _globals['_DENOMDECIMALS']._serialized_start=11938 - _globals['_DENOMDECIMALS']._serialized_end=11986 - _globals['_GRANTAUTHORIZATION']._serialized_start=11988 - _globals['_GRANTAUTHORIZATION']._serialized_end=12072 - _globals['_ACTIVEGRANT']._serialized_start=12074 - _globals['_ACTIVEGRANT']._serialized_end=12151 - _globals['_EFFECTIVEGRANT']._serialized_start=12153 - _globals['_EFFECTIVEGRANT']._serialized_end=12262 + _globals['_PARAMS']._serialized_end=2889 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2892 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=3024 + _globals['_DERIVATIVEMARKET']._serialized_start=3027 + _globals['_DERIVATIVEMARKET']._serialized_end=4159 + _globals['_BINARYOPTIONSMARKET']._serialized_start=4162 + _globals['_BINARYOPTIONSMARKET']._serialized_end=5273 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=5276 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=5632 + _globals['_PERPETUALMARKETINFO']._serialized_start=5635 + _globals['_PERPETUALMARKETINFO']._serialized_end=5961 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=5964 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=6191 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=6194 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=6335 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=6337 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=6398 + _globals['_MIDPRICEANDTOB']._serialized_start=6401 + _globals['_MIDPRICEANDTOB']._serialized_end=6635 + _globals['_SPOTMARKET']._serialized_start=6638 + _globals['_SPOTMARKET']._serialized_end=7386 + _globals['_DEPOSIT']._serialized_start=7389 + _globals['_DEPOSIT']._serialized_end=7554 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=7556 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=7600 + _globals['_ORDERINFO']._serialized_start=7603 + _globals['_ORDERINFO']._serialized_end=7830 + _globals['_SPOTORDER']._serialized_start=7833 + _globals['_SPOTORDER']._serialized_end=8093 + _globals['_SPOTLIMITORDER']._serialized_start=8096 + _globals['_SPOTLIMITORDER']._serialized_end=8428 + _globals['_SPOTMARKETORDER']._serialized_start=8431 + _globals['_SPOTMARKETORDER']._serialized_end=8771 + _globals['_DERIVATIVEORDER']._serialized_start=8774 + _globals['_DERIVATIVEORDER']._serialized_end=9101 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=9104 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=9612 + _globals['_SUBACCOUNTORDER']._serialized_start=9615 + _globals['_SUBACCOUNTORDER']._serialized_end=9810 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=9812 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=9931 + _globals['_DERIVATIVELIMITORDER']._serialized_start=9934 + _globals['_DERIVATIVELIMITORDER']._serialized_end=10333 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=10336 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=10741 + _globals['_POSITION']._serialized_start=10744 + _globals['_POSITION']._serialized_end=11069 + _globals['_MARKETORDERINDICATOR']._serialized_start=11071 + _globals['_MARKETORDERINDICATOR']._serialized_end=11144 + _globals['_TRADELOG']._serialized_start=11147 + _globals['_TRADELOG']._serialized_end=11480 + _globals['_POSITIONDELTA']._serialized_start=11483 + _globals['_POSITIONDELTA']._serialized_end=11765 + _globals['_DERIVATIVETRADELOG']._serialized_start=11768 + _globals['_DERIVATIVETRADELOG']._serialized_end=12185 + _globals['_SUBACCOUNTPOSITION']._serialized_start=12187 + _globals['_SUBACCOUNTPOSITION']._serialized_end=12310 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=12312 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=12431 + _globals['_DEPOSITUPDATE']._serialized_start=12433 + _globals['_DEPOSITUPDATE']._serialized_end=12545 + _globals['_POINTSMULTIPLIER']._serialized_start=12548 + _globals['_POINTSMULTIPLIER']._serialized_end=12752 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=12755 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=13137 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=13140 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=13328 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=13331 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=13628 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=13631 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=13951 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=13954 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=14222 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=14224 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=14301 + _globals['_VOLUMERECORD']._serialized_start=14304 + _globals['_VOLUMERECORD']._serialized_end=14462 + _globals['_ACCOUNTREWARDS']._serialized_start=14465 + _globals['_ACCOUNTREWARDS']._serialized_end=14610 + _globals['_TRADERECORDS']._serialized_start=14613 + _globals['_TRADERECORDS']._serialized_end=14747 + _globals['_SUBACCOUNTIDS']._serialized_start=14749 + _globals['_SUBACCOUNTIDS']._serialized_end=14803 + _globals['_TRADERECORD']._serialized_start=14806 + _globals['_TRADERECORD']._serialized_end=14973 + _globals['_LEVEL']._serialized_start=14975 + _globals['_LEVEL']._serialized_end=15084 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=15087 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=15238 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=15241 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=15378 + _globals['_MARKETVOLUME']._serialized_start=15380 + _globals['_MARKETVOLUME']._serialized_end=15495 + _globals['_DENOMDECIMALS']._serialized_start=15497 + _globals['_DENOMDECIMALS']._serialized_end=15562 + _globals['_GRANTAUTHORIZATION']._serialized_start=15564 + _globals['_GRANTAUTHORIZATION']._serialized_end=15665 + _globals['_ACTIVEGRANT']._serialized_start=15667 + _globals['_ACTIVEGRANT']._serialized_end=15761 + _globals['_EFFECTIVEGRANT']._serialized_start=15764 + _globals['_EFFECTIVEGRANT']._serialized_end=15908 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py index cf0273a2..39eab950 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import tx_pb2 as injective_dot_exchange_dot_v1beta1_dot_tx__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xa8\x16\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12<\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12H\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12G\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00\x12S\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00\x12;\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\x12G\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\x12R\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00\x12h\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00\x12T\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\x12\x65\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00\x12p\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00\x12 \n\x18is_spot_exchange_enabled\x18\r \x01(\x08\x12\'\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08\x12[\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12n\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\x12\\\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTL\x12h\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccounts\x12#\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12}\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPoints\x12!\n\x19rewards_opt_out_addresses\x18\x18 \x03(\t\x12J\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\x12O\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\x12:\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\t\x12\x30\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\t\x12G\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\x12\x65\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBook\x12O\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier\x12J\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequence\x12W\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecord\x12@\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\x12Q\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizations\x12\x42\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrant\"8\n\x11OrderbookSequence\x12\x10\n\x08sequence\x18\x01 \x01(\x04\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"n\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12@\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"\x84\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x1e\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03\x12\x41\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolume\"U\n\rAccountVolume\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"j\n\"TradingRewardCampaignAccountPoints\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\x33\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa8\x01\n)TradingRewardCampaignAccountPendingPoints\x12#\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03\x12V\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPoints\"{\n\rSpotOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12:\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x87\x01\n\x13\x44\x65rivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x11\n\tisBuySide\x18\x02 \x01(\x08\x12@\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf3\x02\n\x1e\x43onditionalDerivativeOrderBook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12J\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12L\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder\x12K\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrder\x12M\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrder:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"p\n\x07\x42\x61lance\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x35\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x80\x01\n\x12\x44\x65rivativePosition\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x36\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.Position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8a\x01\n\x0fSubaccountNonce\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12V\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"{\n\x1c\x45xpiryFuturesMarketInfoState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12H\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfo\"u\n\x1bPerpetualMarketFundingState\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x43\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xcc\x01\n\x17\x46ullGrantAuthorizations\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x39\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12%\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03\x12>\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization\"a\n\x0f\x46ullActiveGrant\x12\x0f\n\x07grantee\x18\x01 \x01(\t\x12=\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/exchange/v1beta1/genesis.proto\x12\x1ainjective.exchange.v1beta1\x1a)injective/exchange/v1beta1/exchange.proto\x1a#injective/exchange/v1beta1/tx.proto\x1a\x14gogoproto/gogo.proto\"\xab\x1d\n\x0cGenesisState\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12I\n\x0cspot_markets\x18\x02 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x0bspotMarkets\x12[\n\x12\x64\x65rivative_markets\x18\x03 \x03(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x11\x64\x65rivativeMarkets\x12V\n\x0espot_orderbook\x18\x04 \x03(\x0b\x32).injective.exchange.v1beta1.SpotOrderBookB\x04\xc8\xde\x1f\x00R\rspotOrderbook\x12h\n\x14\x64\x65rivative_orderbook\x18\x05 \x03(\x0b\x32/.injective.exchange.v1beta1.DerivativeOrderBookB\x04\xc8\xde\x1f\x00R\x13\x64\x65rivativeOrderbook\x12\x45\n\x08\x62\x61lances\x18\x06 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\x12R\n\tpositions\x18\x07 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\tpositions\x12i\n\x17subaccount_trade_nonces\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.SubaccountNonceB\x04\xc8\xde\x1f\x00R\x15subaccountTradeNonces\x12\x86\x01\n expiry_futures_market_info_state\x18\t \x03(\x0b\x32\x38.injective.exchange.v1beta1.ExpiryFuturesMarketInfoStateB\x04\xc8\xde\x1f\x00R\x1c\x65xpiryFuturesMarketInfoState\x12i\n\x15perpetual_market_info\x18\n \x03(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x13perpetualMarketInfo\x12\x82\x01\n\x1eperpetual_market_funding_state\x18\x0b \x03(\x0b\x32\x37.injective.exchange.v1beta1.PerpetualMarketFundingStateB\x04\xc8\xde\x1f\x00R\x1bperpetualMarketFundingState\x12\x95\x01\n&derivative_market_settlement_scheduled\x18\x0c \x03(\x0b\x32:.injective.exchange.v1beta1.DerivativeMarketSettlementInfoB\x04\xc8\xde\x1f\x00R#derivativeMarketSettlementScheduled\x12\x37\n\x18is_spot_exchange_enabled\x18\r \x01(\x08R\x15isSpotExchangeEnabled\x12\x45\n\x1fis_derivatives_exchange_enabled\x18\x0e \x01(\x08R\x1cisDerivativesExchangeEnabled\x12v\n\x1ctrading_reward_campaign_info\x18\x0f \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x10 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12\x92\x01\n&trading_reward_campaign_account_points\x18\x11 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\"tradingRewardCampaignAccountPoints\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x12 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\x12w\n\x1d\x66\x65\x65_discount_account_tier_ttl\x18\x13 \x03(\x0b\x32\x35.injective.exchange.v1beta1.FeeDiscountAccountTierTTLR\x19\x66\x65\x65\x44iscountAccountTierTtl\x12\x89\x01\n#fee_discount_bucket_volume_accounts\x18\x14 \x03(\x0b\x32;.injective.exchange.v1beta1.FeeDiscountBucketVolumeAccountsR\x1f\x66\x65\x65\x44iscountBucketVolumeAccounts\x12<\n\x1bis_first_fee_cycle_finished\x18\x15 \x01(\x08R\x17isFirstFeeCycleFinished\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x16 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12\xa8\x01\n.pending_trading_reward_campaign_account_points\x18\x17 \x03(\x0b\x32\x45.injective.exchange.v1beta1.TradingRewardCampaignAccountPendingPointsR)pendingTradingRewardCampaignAccountPoints\x12\x39\n\x19rewards_opt_out_addresses\x18\x18 \x03(\tR\x16rewardsOptOutAddresses\x12\x62\n\x18historical_trade_records\x18\x19 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x16historicalTradeRecords\x12\x65\n\x16\x62inary_options_markets\x18\x1a \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x14\x62inaryOptionsMarkets\x12h\n2binary_options_market_ids_scheduled_for_settlement\x18\x1b \x03(\tR,binaryOptionsMarketIdsScheduledForSettlement\x12T\n(spot_market_ids_scheduled_to_force_close\x18\x1c \x03(\tR\"spotMarketIdsScheduledToForceClose\x12V\n\x0e\x64\x65nom_decimals\x18\x1d \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\x12\x86\x01\n!conditional_derivative_orderbooks\x18\x1e \x03(\x0b\x32:.injective.exchange.v1beta1.ConditionalDerivativeOrderBookR\x1f\x63onditionalDerivativeOrderbooks\x12\x65\n\x16market_fee_multipliers\x18\x1f \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers\x12^\n\x13orderbook_sequences\x18 \x03(\x0b\x32-.injective.exchange.v1beta1.OrderbookSequenceR\x12orderbookSequences\x12j\n\x12subaccount_volumes\x18! \x03(\x0b\x32;.injective.exchange.v1beta1.AggregateSubaccountVolumeRecordR\x11subaccountVolumes\x12O\n\x0emarket_volumes\x18\" \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\x12\x66\n\x14grant_authorizations\x18# \x03(\x0b\x32\x33.injective.exchange.v1beta1.FullGrantAuthorizationsR\x13grantAuthorizations\x12P\n\ractive_grants\x18$ \x03(\x0b\x32+.injective.exchange.v1beta1.FullActiveGrantR\x0c\x61\x63tiveGrants\"L\n\x11OrderbookSequence\x12\x1a\n\x08sequence\x18\x01 \x01(\x04R\x08sequence\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x80\x01\n\x19\x46\x65\x65\x44iscountAccountTierTTL\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12I\n\x08tier_ttl\x18\x02 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\x07tierTtl\"\xa9\x01\n\x1f\x46\x65\x65\x44iscountBucketVolumeAccounts\x12\x34\n\x16\x62ucket_start_timestamp\x18\x01 \x01(\x03R\x14\x62ucketStartTimestamp\x12P\n\x0e\x61\x63\x63ount_volume\x18\x02 \x03(\x0b\x32).injective.exchange.v1beta1.AccountVolumeR\raccountVolume\"f\n\rAccountVolume\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"{\n\"TradingRewardCampaignAccountPoints\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12;\n\x06points\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06points\"\xd1\x01\n)TradingRewardCampaignAccountPendingPoints\x12=\n\x1breward_pool_start_timestamp\x18\x01 \x01(\x03R\x18rewardPoolStartTimestamp\x12\x65\n\x0e\x61\x63\x63ount_points\x18\x02 \x03(\x0b\x32>.injective.exchange.v1beta1.TradingRewardCampaignAccountPointsR\raccountPoints\"\x98\x01\n\rSpotOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12\x42\n\x06orders\x18\x03 \x03(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa4\x01\n\x13\x44\x65rivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1c\n\tisBuySide\x18\x02 \x01(\x08R\tisBuySide\x12H\n\x06orders\x18\x03 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x06orders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc1\x03\n\x1e\x43onditionalDerivativeOrderBook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x10limit_buy_orders\x18\x02 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0elimitBuyOrders\x12]\n\x11market_buy_orders\x18\x03 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x0fmarketBuyOrders\x12\\\n\x11limit_sell_orders\x18\x04 \x03(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderR\x0flimitSellOrders\x12_\n\x12market_sell_orders\x18\x05 \x03(\x0b\x32\x31.injective.exchange.v1beta1.DerivativeMarketOrderR\x10marketSellOrders:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x8f\x01\n\x07\x42\x61lance\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12?\n\x08\x64\x65posits\x18\x03 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa2\x01\n\x12\x44\x65rivativePosition\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12@\n\x08position\x18\x03 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n\x0fSubaccountNonce\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12l\n\x16subaccount_trade_nonce\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.SubaccountTradeNonceB\x04\xc8\xde\x1f\x00R\x14subaccountTradeNonce:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x91\x01\n\x1c\x45xpiryFuturesMarketInfoState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12T\n\x0bmarket_info\x18\x02 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoR\nmarketInfo\"\x88\x01\n\x1bPerpetualMarketFundingState\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x07\x66unding\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x07\x66unding\"\x8b\x02\n\x17\x46ullGrantAuthorizations\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12K\n\x12total_grant_amount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x41\n\x1dlast_delegations_checked_time\x18\x03 \x01(\x03R\x1alastDelegationsCheckedTime\x12\x46\n\x06grants\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants\"w\n\x0f\x46ullActiveGrant\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12J\n\x0c\x61\x63tive_grant\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x0b\x61\x63tiveGrantB\x88\x02\n\x1e\x63om.injective.exchange.v1beta1B\x0cGenesisProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\014GenesisProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['spot_orderbook']._loaded_options = None @@ -68,37 +78,37 @@ _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._loaded_options = None _globals['_FULLGRANTAUTHORIZATIONS'].fields_by_name['total_grant_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_GENESISSTATE']._serialized_start=175 - _globals['_GENESISSTATE']._serialized_end=3031 - _globals['_ORDERBOOKSEQUENCE']._serialized_start=3033 - _globals['_ORDERBOOKSEQUENCE']._serialized_end=3089 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=3091 - _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=3201 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=3204 - _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=3336 - _globals['_ACCOUNTVOLUME']._serialized_start=3338 - _globals['_ACCOUNTVOLUME']._serialized_end=3423 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=3425 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=3531 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=3534 - _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=3702 - _globals['_SPOTORDERBOOK']._serialized_start=3704 - _globals['_SPOTORDERBOOK']._serialized_end=3827 - _globals['_DERIVATIVEORDERBOOK']._serialized_start=3830 - _globals['_DERIVATIVEORDERBOOK']._serialized_end=3965 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=3968 - _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=4339 - _globals['_BALANCE']._serialized_start=4341 - _globals['_BALANCE']._serialized_end=4453 - _globals['_DERIVATIVEPOSITION']._serialized_start=4456 - _globals['_DERIVATIVEPOSITION']._serialized_end=4584 - _globals['_SUBACCOUNTNONCE']._serialized_start=4587 - _globals['_SUBACCOUNTNONCE']._serialized_end=4725 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=4727 - _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=4850 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=4852 - _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=4969 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=4972 - _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=5176 - _globals['_FULLACTIVEGRANT']._serialized_start=5178 - _globals['_FULLACTIVEGRANT']._serialized_end=5275 + _globals['_GENESISSTATE']._serialized_end=3930 + _globals['_ORDERBOOKSEQUENCE']._serialized_start=3932 + _globals['_ORDERBOOKSEQUENCE']._serialized_end=4008 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_start=4011 + _globals['_FEEDISCOUNTACCOUNTTIERTTL']._serialized_end=4139 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_start=4142 + _globals['_FEEDISCOUNTBUCKETVOLUMEACCOUNTS']._serialized_end=4311 + _globals['_ACCOUNTVOLUME']._serialized_start=4313 + _globals['_ACCOUNTVOLUME']._serialized_end=4415 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_start=4417 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPOINTS']._serialized_end=4540 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_start=4543 + _globals['_TRADINGREWARDCAMPAIGNACCOUNTPENDINGPOINTS']._serialized_end=4752 + _globals['_SPOTORDERBOOK']._serialized_start=4755 + _globals['_SPOTORDERBOOK']._serialized_end=4907 + _globals['_DERIVATIVEORDERBOOK']._serialized_start=4910 + _globals['_DERIVATIVEORDERBOOK']._serialized_end=5074 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_start=5077 + _globals['_CONDITIONALDERIVATIVEORDERBOOK']._serialized_end=5526 + _globals['_BALANCE']._serialized_start=5529 + _globals['_BALANCE']._serialized_end=5672 + _globals['_DERIVATIVEPOSITION']._serialized_start=5675 + _globals['_DERIVATIVEPOSITION']._serialized_end=5837 + _globals['_SUBACCOUNTNONCE']._serialized_start=5840 + _globals['_SUBACCOUNTNONCE']._serialized_end=6014 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_start=6017 + _globals['_EXPIRYFUTURESMARKETINFOSTATE']._serialized_end=6162 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_start=6165 + _globals['_PERPETUALMARKETFUNDINGSTATE']._serialized_end=6301 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_start=6304 + _globals['_FULLGRANTAUTHORIZATIONS']._serialized_end=6571 + _globals['_FULLACTIVEGRANT']._serialized_start=6573 + _globals['_FULLACTIVEGRANT']._serialized_end=6692 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py index 9ae28250..c53c01fc 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb5\x05\n\x1dSpotMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12\x14\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xaa\x01\n\x16\x45xchangeEnableProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12>\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\n\n!BatchExchangeModificationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x65\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposal\x12q\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposal\x12Z\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposal\x12\x64\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposal\x12m\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposal\x12p\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposal\x12m\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposal\x12q\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposal\x12_\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposal\x12N\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposal\x12\x66\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposal:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xbc\x04\n\x18SpotMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x12\n\nbase_denom\x18\x04 \x01(\t\x12\x13\n\x0bquote_denom\x18\x05 \x01(\t\x12@\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xbf\x06\n\x1dPerpetualMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x41\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xed\x05\n!BinaryOptionsMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x15\n\roracle_symbol\x18\x04 \x01(\t\x12\x17\n\x0foracle_provider\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x1c\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\t \x01(\x03\x12\r\n\x05\x61\x64min\x18\n \x01(\t\x12\x13\n\x0bquote_denom\x18\x0b \x01(\t\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x61\x64min_permissions\x18\x11 \x01(\r:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xd7\x06\n!ExpiryFuturesMarketLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0e\n\x06ticker\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12\x13\n\x0boracle_base\x18\x05 \x01(\t\x12\x14\n\x0coracle_quote\x18\x06 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x39\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\t \x01(\x03\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x90\x08\n#DerivativeMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12\x41\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12?\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12?\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"5\n\tAdminInfo\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x19\n\x11\x61\x64min_permissions\x18\x02 \x01(\r\"\xea\x01\n\x1eMarketForcedSettlementProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12=\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xd5\x01\n\x1bUpdateDenomDecimalsProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xdf\x06\n&BinaryOptionsMarketParamUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12;\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12=\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05\x61\x64min\x18\x0c \x01(\t\x12\x38\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus\x12G\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParams\x12\x14\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01\x12\x39\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\x90\x01\n\x14ProviderOracleParams\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\x91\x01\n\x0cOracleParams\x12\x13\n\x0boracle_base\x18\x01 \x01(\t\x12\x14\n\x0coracle_quote\x18\x02 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x03 \x01(\r\x12\x39\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xbf\x02\n#TradingRewardCampaignLaunchProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12M\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xa0\x03\n#TradingRewardCampaignUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12L\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12W\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12U\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"e\n\x11RewardPointUpdate\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\t\x12\x37\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x99\x02\n(TradingRewardPendingPointsUpdateProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x03 \x01(\x03\x12K\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdate:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xc5\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x41\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\xe6\x01\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12J\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposal:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\x89\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12O\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplier:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESBPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/proposal.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd3\x06\n\x1dSpotMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12@\n\x06status\x18\t \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12\x1c\n\x06ticker\x18\n \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0c \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/SpotMarketParamUpdateProposal\"\xcc\x01\n\x16\x45xchangeEnableProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12L\n\x0c\x65xchangeType\x18\x03 \x01(\x0e\x32(.injective.exchange.v1beta1.ExchangeTypeR\x0c\x65xchangeType:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x8a\xe7\xb0*\x1f\x65xchange/ExchangeEnableProposal\"\x96\r\n!BatchExchangeModificationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x85\x01\n\"spot_market_param_update_proposals\x18\x03 \x03(\x0b\x32\x39.injective.exchange.v1beta1.SpotMarketParamUpdateProposalR\x1espotMarketParamUpdateProposals\x12\x97\x01\n(derivative_market_param_update_proposals\x18\x04 \x03(\x0b\x32?.injective.exchange.v1beta1.DerivativeMarketParamUpdateProposalR$derivativeMarketParamUpdateProposals\x12u\n\x1cspot_market_launch_proposals\x18\x05 \x03(\x0b\x32\x34.injective.exchange.v1beta1.SpotMarketLaunchProposalR\x19spotMarketLaunchProposals\x12\x84\x01\n!perpetual_market_launch_proposals\x18\x06 \x03(\x0b\x32\x39.injective.exchange.v1beta1.PerpetualMarketLaunchProposalR\x1eperpetualMarketLaunchProposals\x12\x91\x01\n&expiry_futures_market_launch_proposals\x18\x07 \x03(\x0b\x32=.injective.exchange.v1beta1.ExpiryFuturesMarketLaunchProposalR\"expiryFuturesMarketLaunchProposals\x12\x95\x01\n\'trading_reward_campaign_update_proposal\x18\x08 \x01(\x0b\x32?.injective.exchange.v1beta1.TradingRewardCampaignUpdateProposalR#tradingRewardCampaignUpdateProposal\x12\x91\x01\n&binary_options_market_launch_proposals\x18\t \x03(\x0b\x32=.injective.exchange.v1beta1.BinaryOptionsMarketLaunchProposalR\"binaryOptionsMarketLaunchProposals\x12\x94\x01\n%binary_options_param_update_proposals\x18\n \x03(\x0b\x32\x42.injective.exchange.v1beta1.BinaryOptionsMarketParamUpdateProposalR!binaryOptionsParamUpdateProposals\x12|\n\x1e\x64\x65nom_decimals_update_proposal\x18\x0b \x01(\x0b\x32\x37.injective.exchange.v1beta1.UpdateDenomDecimalsProposalR\x1b\x64\x65nomDecimalsUpdateProposal\x12\x63\n\x15\x66\x65\x65_discount_proposal\x18\x0c \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountProposalR\x13\x66\x65\x65\x44iscountProposal\x12\x87\x01\n\"market_forced_settlement_proposals\x18\r \x03(\x0b\x32:.injective.exchange.v1beta1.MarketForcedSettlementProposalR\x1fmarketForcedSettlementProposals:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BatchExchangeModificationProposal\"\xca\x05\n\x18SpotMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x05 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x46\n\x0cmin_notional\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x0b \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:L\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*!exchange/SpotMarketLaunchProposal\"\xa6\x08\n\x1dPerpetualMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12U\n\x14initial_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x10 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&exchange/PerpetualMarketLaunchProposal\"\xe5\x07\n!BinaryOptionsMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\n \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0b \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x11 \x01(\rR\x10\x61\x64minPermissions:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/BinaryOptionsMarketLaunchProposal\"\xc6\x08\n!ExpiryFuturesMarketLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x05 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x06 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x08 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\t \x01(\x03R\x06\x65xpiry\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12R\n\x13min_price_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:U\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0**exchange/ExpiryFuturesMarketLaunchProposal\"\x92\n\n#DerivativeMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12S\n\x12HourlyInterestRate\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12HourlyInterestRate\x12W\n\x14HourlyFundingRateCap\x18\x0c \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14HourlyFundingRateCap\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12M\n\roracle_params\x18\x0e \x01(\x0b\x32(.injective.exchange.v1beta1.OracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x44\n\nadmin_info\x18\x11 \x01(\x0b\x32%.injective.exchange.v1beta1.AdminInfoR\tadminInfo:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/DerivativeMarketParamUpdateProposal\"N\n\tAdminInfo\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x02 \x01(\rR\x10\x61\x64minPermissions\"\x99\x02\n\x1eMarketForcedSettlementProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'exchange/MarketForcedSettlementProposal\"\xf8\x01\n\x1bUpdateDenomDecimalsProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12P\n\x0e\x64\x65nom_decimals\x18\x03 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsR\rdenomDecimals:O\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*$exchange/UpdateDenomDecimalsProposal\"\xc2\x08\n&BinaryOptionsMarketParamUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12R\n\x13min_price_tick_size\x18\x07 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x08 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12N\n\x10settlement_price\x18\x0b \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12@\n\x06status\x18\r \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12U\n\roracle_params\x18\x0e \x01(\x0b\x32\x30.injective.exchange.v1beta1.ProviderOracleParamsR\x0coracleParams\x12\x1c\n\x06ticker\x18\x0f \x01(\tB\x04\xc8\xde\x1f\x01R\x06ticker\x12\x46\n\x0cmin_notional\x18\x10 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:Z\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*/exchange/BinaryOptionsMarketParamUpdateProposal\"\xc1\x01\n\x14ProviderOracleParams\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xc9\x01\n\x0cOracleParams\x12\x1f\n\x0boracle_base\x18\x01 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x02 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x03 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xf6\x02\n#TradingRewardCampaignLaunchProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12\x62\n\x15\x63\x61mpaign_reward_pools\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x13\x63\x61mpaignRewardPools:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignLaunchProposal\"\xfc\x03\n#TradingRewardCampaignUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12Z\n\rcampaign_info\x18\x03 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x0c\x63\x61mpaignInfo\x12u\n\x1f\x63\x61mpaign_reward_pools_additions\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1c\x63\x61mpaignRewardPoolsAdditions\x12q\n\x1d\x63\x61mpaign_reward_pools_updates\x18\x05 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR\x1a\x63\x61mpaignRewardPoolsUpdates:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,exchange/TradingRewardCampaignUpdateProposal\"\x80\x01\n\x11RewardPointUpdate\x12\'\n\x0f\x61\x63\x63ount_address\x18\x01 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x42\n\nnew_points\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tnewPoints\"\xd7\x02\n(TradingRewardPendingPointsUpdateProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x34\n\x16pending_pool_timestamp\x18\x03 \x01(\x03R\x14pendingPoolTimestamp\x12_\n\x14reward_point_updates\x18\x04 \x03(\x0b\x32-.injective.exchange.v1beta1.RewardPointUpdateR\x12rewardPointUpdates:\\\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*1exchange/TradingRewardPendingPointsUpdateProposal\"\xe3\x01\n\x13\x46\x65\x65\x44iscountProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x08schedule\x18\x03 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x08schedule:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1c\x65xchange/FeeDiscountProposal\"\x85\x02\n\x1f\x42\x61tchCommunityPoolSpendProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\tproposals\x18\x03 \x03(\x0b\x32\x37.cosmos.distribution.v1beta1.CommunityPoolSpendProposalR\tproposals:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(exchange/BatchCommunityPoolSpendProposal\"\xb3\x02\n.AtomicMarketOrderFeeMultiplierScheduleProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x65\n\x16market_fee_multipliers\x18\x03 \x03(\x0b\x32/.injective.exchange.v1beta1.MarketFeeMultiplierR\x14marketFeeMultipliers:b\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal*x\n\x0c\x45xchangeType\x12\x32\n\x14\x45XCHANGE_UNSPECIFIED\x10\x00\x1a\x18\x8a\x9d \x14\x45XCHANGE_UNSPECIFIED\x12\x12\n\x04SPOT\x10\x01\x1a\x08\x8a\x9d \x04SPOT\x12 \n\x0b\x44\x45RIVATIVES\x10\x02\x1a\x0f\x8a\x9d \x0b\x44\x45RIVATIVESB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rProposalProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\rProposalProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._loaded_options = None _globals['_EXCHANGETYPE'].values_by_name["EXCHANGE_UNSPECIFIED"]._serialized_options = b'\212\235 \024EXCHANGE_UNSPECIFIED' _globals['_EXCHANGETYPE'].values_by_name["SPOT"]._loaded_options = None @@ -174,48 +184,48 @@ _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*(exchange/BatchCommunityPoolSpendProposal' _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._loaded_options = None _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*7exchange/AtomicMarketOrderFeeMultiplierScheduleProposal' - _globals['_EXCHANGETYPE']._serialized_start=10062 - _globals['_EXCHANGETYPE']._serialized_end=10182 + _globals['_EXCHANGETYPE']._serialized_start=12535 + _globals['_EXCHANGETYPE']._serialized_end=12655 _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_start=329 - _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1022 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1025 - _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1195 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1198 - _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=2500 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=2503 - _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3075 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3078 - _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=3909 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=3912 - _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=4661 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=4664 - _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=5519 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=5522 - _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=6562 - _globals['_ADMININFO']._serialized_start=6564 - _globals['_ADMININFO']._serialized_end=6617 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=6620 - _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=6854 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=6857 - _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=7070 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=7073 - _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=7936 - _globals['_PROVIDERORACLEPARAMS']._serialized_start=7939 - _globals['_PROVIDERORACLEPARAMS']._serialized_end=8083 - _globals['_ORACLEPARAMS']._serialized_start=8086 - _globals['_ORACLEPARAMS']._serialized_end=8231 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=8234 - _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=8553 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=8556 - _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=8972 - _globals['_REWARDPOINTUPDATE']._serialized_start=8974 - _globals['_REWARDPOINTUPDATE']._serialized_end=9075 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=9078 - _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=9359 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=9362 - _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=9559 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=9562 - _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=9792 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=9795 - _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=10060 + _globals['_SPOTMARKETPARAMUPDATEPROPOSAL']._serialized_end=1180 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_start=1183 + _globals['_EXCHANGEENABLEPROPOSAL']._serialized_end=1387 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_start=1390 + _globals['_BATCHEXCHANGEMODIFICATIONPROPOSAL']._serialized_end=3076 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_start=3079 + _globals['_SPOTMARKETLAUNCHPROPOSAL']._serialized_end=3793 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_start=3796 + _globals['_PERPETUALMARKETLAUNCHPROPOSAL']._serialized_end=4858 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_start=4861 + _globals['_BINARYOPTIONSMARKETLAUNCHPROPOSAL']._serialized_end=5858 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_start=5861 + _globals['_EXPIRYFUTURESMARKETLAUNCHPROPOSAL']._serialized_end=6955 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_start=6958 + _globals['_DERIVATIVEMARKETPARAMUPDATEPROPOSAL']._serialized_end=8256 + _globals['_ADMININFO']._serialized_start=8258 + _globals['_ADMININFO']._serialized_end=8336 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_start=8339 + _globals['_MARKETFORCEDSETTLEMENTPROPOSAL']._serialized_end=8620 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_start=8623 + _globals['_UPDATEDENOMDECIMALSPROPOSAL']._serialized_end=8871 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_start=8874 + _globals['_BINARYOPTIONSMARKETPARAMUPDATEPROPOSAL']._serialized_end=9964 + _globals['_PROVIDERORACLEPARAMS']._serialized_start=9967 + _globals['_PROVIDERORACLEPARAMS']._serialized_end=10160 + _globals['_ORACLEPARAMS']._serialized_start=10163 + _globals['_ORACLEPARAMS']._serialized_end=10364 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_start=10367 + _globals['_TRADINGREWARDCAMPAIGNLAUNCHPROPOSAL']._serialized_end=10741 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_start=10744 + _globals['_TRADINGREWARDCAMPAIGNUPDATEPROPOSAL']._serialized_end=11252 + _globals['_REWARDPOINTUPDATE']._serialized_start=11255 + _globals['_REWARDPOINTUPDATE']._serialized_end=11383 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_start=11386 + _globals['_TRADINGREWARDPENDINGPOINTSUPDATEPROPOSAL']._serialized_end=11729 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_start=11732 + _globals['_FEEDISCOUNTPROPOSAL']._serialized_end=11959 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_start=11962 + _globals['_BATCHCOMMUNITYPOOLSPENDPROPOSAL']._serialized_end=12223 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_start=12226 + _globals['_ATOMICMARKETORDERFEEMULTIPLIERSCHEDULEPROPOSAL']._serialized_end=12533 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py index d6d3ffa1..01e365b8 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import genesis_pb2 as injective_dot_exchange_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"6\n\nSubaccount\x12\x0e\n\x06trader\x18\x01 \x01(\t\x12\x18\n\x10subaccount_nonce\x18\x02 \x01(\r\"H\n\x1cQuerySubaccountOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xaa\x01\n\x1dQuerySubaccountOrdersResponse\x12\x43\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\x12\x44\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderData\"\x94\x01\n%SubaccountOrderbookMetadataWithMarket\x12I\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadata\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\r\n\x05isBuy\x18\x03 \x01(\x08\"\x1c\n\x1aQueryExchangeParamsRequest\"W\n\x1bQueryExchangeParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"y\n\x1eQuerySubaccountDepositsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12@\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x1fQuerySubaccountDepositsResponse\x12[\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntry\x1aT\n\rDepositsEntry\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\x32\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"\\\n\x1dQueryExchangeBalancesResponse\x12;\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00\".\n\x1bQueryAggregateVolumeRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"c\n\x1cQueryAggregateVolumeResponse\x12\x43\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"D\n\x1cQueryAggregateVolumesRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"\xc8\x01\n\x1dQueryAggregateVolumesResponse\x12[\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecord\x12J\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"6\n!QueryAggregateMarketVolumeRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"d\n\"QueryAggregateMarketVolumeResponse\x12>\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00\")\n\x18QueryDenomDecimalRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\",\n\x19QueryDenomDecimalResponse\x12\x0f\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04\"+\n\x19QueryDenomDecimalsRequest\x12\x0e\n\x06\x64\x65noms\x18\x01 \x03(\t\"e\n\x1aQueryDenomDecimalsResponse\x12G\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00\"8\n\"QueryAggregateMarketVolumesRequest\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"`\n#QueryAggregateMarketVolumesResponse\x12\x39\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolume\"E\n\x1dQuerySubaccountDepositRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"W\n\x1eQuerySubaccountDepositResponse\x12\x35\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.Deposit\"=\n\x17QuerySpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"S\n\x18QuerySpotMarketsResponse\x12\x37\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"+\n\x16QuerySpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"Q\n\x17QuerySpotMarketResponse\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\"\x88\x02\n\x19QuerySpotOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x39\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSide\x12\x46\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x97\x01\n\x1aQuerySpotOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\x95\x01\n\x0e\x46ullSpotMarket\x12\x36\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarket\x12K\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\"a\n\x1bQueryFullSpotMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"[\n\x1cQueryFullSpotMarketsResponse\x12;\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"O\n\x1aQueryFullSpotMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08\"Y\n\x1bQueryFullSpotMarketResponse\x12:\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarket\"`\n\x1eQuerySpotOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"d\n\x1fQuerySpotOrdersByHashesResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"H\n\x1cQueryTraderSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"R\n$QueryAccountAddressSpotOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xe9\x01\n\x15TrimmedSpotLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\r\n\x05isBuy\x18\x04 \x01(\x08\x12\x12\n\norder_hash\x18\x05 \x01(\t\x12\x0b\n\x03\x63id\x18\x06 \x01(\t\"b\n\x1dQueryTraderSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"j\n%QueryAccountAddressSpotOrdersResponse\x12\x41\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrder\"3\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xd4\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"9\n$QueryDerivativeMidPriceAndTOBRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"\xda\x01\n%QueryDerivativeMidPriceAndTOBResponse\x12\x36\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12<\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x8b\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\r\n\x05limit\x18\x02 \x01(\x04\x12\x46\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x01\n QueryDerivativeOrderbookResponse\x12;\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12<\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"\xd1\x02\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x38\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9d\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x39\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategy\x12<\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"N\n\"QueryTraderDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"X\n*QueryAccountAddressDerivativeOrdersRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x17\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\t\"\xaf\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x12\n\norder_hash\x18\x06 \x01(\t\x12\x0b\n\x03\x63id\x18\x07 \x01(\t\"n\n#QueryTraderDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"v\n+QueryAccountAddressDerivativeOrdersResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"f\n$QueryDerivativeOrdersByHashesRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x14\n\x0corder_hashes\x18\x03 \x03(\t\"p\n%QueryDerivativeOrdersByHashesResponse\x12G\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrder\"c\n\x1dQueryDerivativeMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\x12\x1e\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08\"w\n\nPriceLevel\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\xa6\x01\n\x14PerpetualMarketState\x12\x44\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfo\x12H\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFunding\"\xfb\x02\n\x14\x46ullDerivativeMarket\x12<\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarket\x12J\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00\x12K\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00\x12\x37\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12K\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01\x42\x06\n\x04info\"c\n\x1eQueryDerivativeMarketsResponse\x12\x41\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"1\n\x1cQueryDerivativeMarketRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"a\n\x1dQueryDerivativeMarketResponse\x12@\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarket\"8\n#QueryDerivativeMarketAddressRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"N\n$QueryDerivativeMarketAddressResponse\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\"9\n QuerySubaccountTradeNonceRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"8\n\x1fQuerySubaccountPositionsRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"R\n&QuerySubaccountPositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"[\n/QuerySubaccountEffectivePositionInMarketRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"<\n#QuerySubaccountOrderMetadataRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\"g\n QuerySubaccountPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"d\n\'QuerySubaccountPositionInMarketResponse\x12\x39\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01\"\xd4\x01\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x0f\n\x07is_long\x18\x01 \x01(\x08\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"v\n0QuerySubaccountEffectivePositionInMarketResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01\"4\n\x1fQueryPerpetualMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"g\n QueryPerpetualMarketInfoResponse\x12\x43\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00\"8\n#QueryExpiryFuturesMarketInfoRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"o\n$QueryExpiryFuturesMarketInfoResponse\x12G\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00\"7\n\"QueryPerpetualMarketFundingRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"n\n#QueryPerpetualMarketFundingResponse\x12G\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00\"\x81\x01\n$QuerySubaccountOrderMetadataResponse\x12Y\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00\"2\n!QuerySubaccountTradeNonceResponse\x12\r\n\x05nonce\x18\x01 \x01(\r\"\x19\n\x17QueryModuleStateRequest\"S\n\x18QueryModuleStateResponse\x12\x37\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisState\"\x17\n\x15QueryPositionsRequest\"]\n\x16QueryPositionsResponse\x12\x43\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00\"Q\n\x1dQueryTradeRewardPointsRequest\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\x12\x1e\n\x16pending_pool_timestamp\x18\x02 \x01(\x03\"j\n\x1eQueryTradeRewardPointsResponse\x12H\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"!\n\x1fQueryTradeRewardCampaignRequest\"\xdd\x03\n QueryTradeRewardCampaignResponse\x12[\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfo\x12]\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12\x46\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x65\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPool\x12N\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"2\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"8\n QueryIsOptedOutOfRewardsResponse\x12\x14\n\x0cis_opted_out\x18\x01 \x01(\x08\"\'\n%QueryOptedOutOfRewardsAccountsRequest\":\n&QueryOptedOutOfRewardsAccountsResponse\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"5\n\"QueryFeeDiscountAccountInfoRequest\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\"\xc5\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x12\n\ntier_level\x18\x01 \x01(\x04\x12\x45\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfo\x12\x43\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTL\"!\n\x1fQueryFeeDiscountScheduleRequest\"r\n QueryFeeDiscountScheduleResponse\x12N\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountSchedule\"4\n\x1dQueryBalanceMismatchesRequest\x12\x13\n\x0b\x64ust_factor\x18\x01 \x01(\x03\"\xd3\x02\n\x0f\x42\x61lanceMismatch\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"i\n\x1eQueryBalanceMismatchesResponse\x12G\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatch\"%\n#QueryBalanceWithBalanceHoldsRequest\"\xe3\x01\n\x15\x42\x61lanceWithMarginHold\x12\x14\n\x0csubaccountId\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\x12\x36\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"}\n$QueryBalanceWithBalanceHoldsResponse\x12U\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHold\"\'\n%QueryFeeDiscountTierStatisticsRequest\",\n\rTierStatistic\x12\x0c\n\x04tier\x18\x01 \x01(\x04\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"g\n&QueryFeeDiscountTierStatisticsResponse\x12=\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatistic\"\x17\n\x15MitoVaultInfosRequest\"\x80\x01\n\x16MitoVaultInfosResponse\x12\x18\n\x10master_addresses\x18\x01 \x03(\t\x12\x1c\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\t\x12\x16\n\x0espot_addresses\x18\x03 \x03(\t\x12\x16\n\x0e\x63w20_addresses\x18\x04 \x03(\t\"6\n\x1dQueryMarketIDFromVaultRequest\x12\x15\n\rvault_address\x18\x01 \x01(\t\"3\n\x1eQueryMarketIDFromVaultResponse\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"7\n\"QueryHistoricalTradeRecordsRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"f\n#QueryHistoricalTradeRecordsResponse\x12?\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecords\"y\n\x13TradeHistoryOptions\x12\x1a\n\x12trade_grouping_sec\x18\x01 \x01(\x04\x12\x0f\n\x07max_age\x18\x02 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x04 \x01(\x08\x12\x18\n\x10include_metadata\x18\x05 \x01(\x08\"\x81\x01\n\x1cQueryMarketVolatilityRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12N\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptions\"\xda\x01\n\x1dQueryMarketVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12<\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecord\"+\n\x19QueryBinaryMarketsRequest\x12\x0e\n\x06status\x18\x01 \x01(\t\"^\n\x1aQueryBinaryMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarket\"Y\n-QueryTraderDerivativeConditionalOrdersRequest\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\"\xd7\x02\n!TrimmedDerivativeConditionalOrder\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x18\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuy\x12\x1c\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimit\x12\x12\n\norder_hash\x18\x07 \x01(\t\x12\x0b\n\x03\x63id\x18\x08 \x01(\t\"\x7f\n.QueryTraderDerivativeConditionalOrdersResponse\x12M\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrder\"C\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"j\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x37\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"/\n\x1cQueryActiveStakeGrantRequest\x12\x0f\n\x07grantee\x18\x01 \x01(\t\"\x9c\x01\n\x1dQueryActiveStakeGrantResponse\x12\x36\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrant\x12\x43\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrant\"B\n\x1eQueryGrantAuthorizationRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\x12\x0f\n\x07grantee\x18\x02 \x01(\t\"P\n\x1fQueryGrantAuthorizationResponse\x12-\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\"2\n\x1fQueryGrantAuthorizationsRequest\x12\x0f\n\x07granter\x18\x01 \x01(\t\"\x9d\x01\n QueryGrantAuthorizationsResponse\x12\x39\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}BPZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/exchange/v1beta1/query.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a(injective/exchange/v1beta1/genesis.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x14gogoproto/gogo.proto\"O\n\nSubaccount\x12\x16\n\x06trader\x18\x01 \x01(\tR\x06trader\x12)\n\x10subaccount_nonce\x18\x02 \x01(\rR\x0fsubaccountNonce\"`\n\x1cQuerySubaccountOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\xc1\x01\n\x1dQuerySubaccountOrdersResponse\x12N\n\nbuy_orders\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\tbuyOrders\x12P\n\x0bsell_orders\x18\x02 \x03(\x0b\x32/.injective.exchange.v1beta1.SubaccountOrderDataR\nsellOrders\"\xaf\x01\n%SubaccountOrderbookMetadataWithMarket\x12S\n\x08metadata\x18\x01 \x01(\x0b\x32\x37.injective.exchange.v1beta1.SubaccountOrderbookMetadataR\x08metadata\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x03 \x01(\x08R\x05isBuy\"\x1c\n\x1aQueryExchangeParamsRequest\"_\n\x1bQueryExchangeParamsResponse\x12@\n\x06params\x18\x01 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x93\x01\n\x1eQuerySubaccountDepositsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12L\n\nsubaccount\x18\x02 \x01(\x0b\x32&.injective.exchange.v1beta1.SubaccountB\x04\xc8\xde\x1f\x01R\nsubaccount\"\xea\x01\n\x1fQuerySubaccountDepositsResponse\x12\x65\n\x08\x64\x65posits\x18\x01 \x03(\x0b\x32I.injective.exchange.v1beta1.QuerySubaccountDepositsResponse.DepositsEntryR\x08\x64\x65posits\x1a`\n\rDepositsEntry\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x39\n\x05value\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x05value:\x02\x38\x01\"\x1e\n\x1cQueryExchangeBalancesRequest\"f\n\x1dQueryExchangeBalancesResponse\x12\x45\n\x08\x62\x61lances\x18\x01 \x03(\x0b\x32#.injective.exchange.v1beta1.BalanceB\x04\xc8\xde\x1f\x00R\x08\x62\x61lances\"7\n\x1bQueryAggregateVolumeRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"u\n\x1cQueryAggregateVolumeResponse\x12U\n\x11\x61ggregate_volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x10\x61ggregateVolumes\"Y\n\x1cQueryAggregateVolumesRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\xf9\x01\n\x1dQueryAggregateVolumesResponse\x12t\n\x19\x61ggregate_account_volumes\x18\x01 \x03(\x0b\x32\x38.injective.exchange.v1beta1.AggregateAccountVolumeRecordR\x17\x61ggregateAccountVolumes\x12\x62\n\x18\x61ggregate_market_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x16\x61ggregateMarketVolumes\"@\n!QueryAggregateMarketVolumeRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"l\n\"QueryAggregateMarketVolumeResponse\x12\x46\n\x06volume\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"0\n\x18QueryDenomDecimalRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"5\n\x19QueryDenomDecimalResponse\x12\x18\n\x07\x64\x65\x63imal\x18\x01 \x01(\x04R\x07\x64\x65\x63imal\"3\n\x19QueryDenomDecimalsRequest\x12\x16\n\x06\x64\x65noms\x18\x01 \x03(\tR\x06\x64\x65noms\"t\n\x1aQueryDenomDecimalsResponse\x12V\n\x0e\x64\x65nom_decimals\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.DenomDecimalsB\x04\xc8\xde\x1f\x00R\rdenomDecimals\"C\n\"QueryAggregateMarketVolumesRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"i\n#QueryAggregateMarketVolumesResponse\x12\x42\n\x07volumes\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\x07volumes\"Z\n\x1dQuerySubaccountDepositRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"a\n\x1eQuerySubaccountDepositResponse\x12?\n\x08\x64\x65posits\x18\x01 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x08\x64\x65posits\"P\n\x17QuerySpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"\\\n\x18QuerySpotMarketsResponse\x12@\n\x07markets\x18\x01 \x03(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x07markets\"5\n\x16QuerySpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"Y\n\x17QuerySpotMarketResponse\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\"\xd6\x02\n\x19QuerySpotOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12\x44\n\norder_side\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderSideR\torderSide\x12_\n\x19limit_cumulative_notional\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\x12_\n\x19limit_cumulative_quantity\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeQuantity\"\xb8\x01\n\x1aQuerySpotOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\xad\x01\n\x0e\x46ullSpotMarket\x12>\n\x06market\x18\x01 \x01(\x0b\x32&.injective.exchange.v1beta1.SpotMarketR\x06market\x12[\n\x11mid_price_and_tob\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTob\"\x88\x01\n\x1bQueryFullSpotMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"d\n\x1cQueryFullSpotMarketsResponse\x12\x44\n\x07markets\x18\x01 \x03(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x07markets\"m\n\x1aQueryFullSpotMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x32\n\x16with_mid_price_and_tob\x18\x02 \x01(\x08R\x12withMidPriceAndTob\"a\n\x1bQueryFullSpotMarketResponse\x12\x42\n\x06market\x18\x01 \x01(\x0b\x32*.injective.exchange.v1beta1.FullSpotMarketR\x06market\"\x85\x01\n\x1eQuerySpotOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"l\n\x1fQuerySpotOrdersByHashesResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"`\n\x1cQueryTraderSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"l\n$QueryAccountAddressSpotOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x9b\x02\n\x15TrimmedSpotLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x14\n\x05isBuy\x18\x04 \x01(\x08R\x05isBuy\x12\x1d\n\norder_hash\x18\x05 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id\"j\n\x1dQueryTraderSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"r\n%QueryAccountAddressSpotOrdersResponse\x12I\n\x06orders\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.TrimmedSpotLimitOrderR\x06orders\"=\n\x1eQuerySpotMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\xfb\x01\n\x1fQuerySpotMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"C\n$QueryDerivativeMidPriceAndTOBRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\x81\x02\n%QueryDerivativeMidPriceAndTOBResponse\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xb5\x01\n\x1fQueryDerivativeOrderbookRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05limit\x18\x02 \x01(\x04R\x05limit\x12_\n\x19limit_cumulative_notional\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17limitCumulativeNotional\"\xbe\x01\n QueryDerivativeOrderbookResponse\x12K\n\x10\x62uys_price_level\x18\x01 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0e\x62uysPriceLevel\x12M\n\x11sells_price_level\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\x0fsellsPriceLevel\"\x9c\x03\n.QueryTraderSpotOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x44\n\x0b\x62\x61se_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nbaseAmount\x12\x46\n\x0cquote_amount\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x05 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x06 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"\xdc\x02\n4QueryTraderDerivativeOrdersToCancelUpToAmountRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x46\n\x0cquote_amount\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bquoteAmount\x12L\n\x08strategy\x18\x04 \x01(\x0e\x32\x30.injective.exchange.v1beta1.CancellationStrategyR\x08strategy\x12L\n\x0freference_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ereferencePrice\"f\n\"QueryTraderDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"r\n*QueryAccountAddressDerivativeOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\"\xe9\x02\n\x1bTrimmedDerivativeLimitOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12\x1d\n\norder_hash\x18\x06 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"v\n#QueryTraderDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"~\n+QueryAccountAddressDerivativeOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8b\x01\n$QueryDerivativeOrdersByHashesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12!\n\x0corder_hashes\x18\x03 \x03(\tR\x0borderHashes\"x\n%QueryDerivativeOrdersByHashesResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective.exchange.v1beta1.TrimmedDerivativeLimitOrderR\x06orders\"\x8a\x01\n\x1dQueryDerivativeMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\x12\x32\n\x16with_mid_price_and_tob\x18\x03 \x01(\x08R\x12withMidPriceAndTob\"\x88\x01\n\nPriceLevel\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"\xbf\x01\n\x14PerpetualMarketState\x12P\n\x0bmarket_info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoR\nmarketInfo\x12U\n\x0c\x66unding_info\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingR\x0b\x66undingInfo\"\xba\x03\n\x14\x46ullDerivativeMarket\x12\x44\n\x06market\x18\x01 \x01(\x0b\x32,.injective.exchange.v1beta1.DerivativeMarketR\x06market\x12Y\n\x0eperpetual_info\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.PerpetualMarketStateH\x00R\rperpetualInfo\x12X\n\x0c\x66utures_info\x18\x03 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoH\x00R\x0b\x66uturesInfo\x12\x42\n\nmark_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmarkPrice\x12[\n\x11mid_price_and_tob\x18\x05 \x01(\x0b\x32*.injective.exchange.v1beta1.MidPriceAndTOBB\x04\xc8\xde\x1f\x01R\x0emidPriceAndTobB\x06\n\x04info\"l\n\x1eQueryDerivativeMarketsResponse\x12J\n\x07markets\x18\x01 \x03(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x07markets\";\n\x1cQueryDerivativeMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"i\n\x1dQueryDerivativeMarketResponse\x12H\n\x06market\x18\x01 \x01(\x0b\x32\x30.injective.exchange.v1beta1.FullDerivativeMarketR\x06market\"B\n#QueryDerivativeMarketAddressRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"e\n$QueryDerivativeMarketAddressResponse\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\"G\n QuerySubaccountTradeNonceRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"F\n\x1fQuerySubaccountPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"j\n&QuerySubaccountPositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"s\n/QuerySubaccountEffectivePositionInMarketRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"J\n#QuerySubaccountOrderMetadataRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\"n\n QuerySubaccountPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"k\n\'QuerySubaccountPositionInMarketResponse\x12@\n\x05state\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionB\x04\xc8\xde\x1f\x01R\x05state\"\x83\x02\n\x11\x45\x66\x66\x65\x63tivePosition\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12N\n\x10\x65\x66\x66\x65\x63tive_margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65\x66\x66\x65\x63tiveMargin\"}\n0QuerySubaccountEffectivePositionInMarketResponse\x12I\n\x05state\x18\x01 \x01(\x0b\x32-.injective.exchange.v1beta1.EffectivePositionB\x04\xc8\xde\x1f\x01R\x05state\">\n\x1fQueryPerpetualMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"m\n QueryPerpetualMarketInfoResponse\x12I\n\x04info\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.PerpetualMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"B\n#QueryExpiryFuturesMarketInfoRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n$QueryExpiryFuturesMarketInfoResponse\x12M\n\x04info\x18\x01 \x01(\x0b\x32\x33.injective.exchange.v1beta1.ExpiryFuturesMarketInfoB\x04\xc8\xde\x1f\x00R\x04info\"A\n\"QueryPerpetualMarketFundingRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"u\n#QueryPerpetualMarketFundingResponse\x12N\n\x05state\x18\x01 \x01(\x0b\x32\x32.injective.exchange.v1beta1.PerpetualMarketFundingB\x04\xc8\xde\x1f\x00R\x05state\"\x8b\x01\n$QuerySubaccountOrderMetadataResponse\x12\x63\n\x08metadata\x18\x01 \x03(\x0b\x32\x41.injective.exchange.v1beta1.SubaccountOrderbookMetadataWithMarketB\x04\xc8\xde\x1f\x00R\x08metadata\"9\n!QuerySubaccountTradeNonceResponse\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\x19\n\x17QueryModuleStateRequest\"Z\n\x18QueryModuleStateResponse\x12>\n\x05state\x18\x01 \x01(\x0b\x32(.injective.exchange.v1beta1.GenesisStateR\x05state\"\x17\n\x15QueryPositionsRequest\"d\n\x16QueryPositionsResponse\x12J\n\x05state\x18\x01 \x03(\x0b\x32..injective.exchange.v1beta1.DerivativePositionB\x04\xc8\xde\x1f\x00R\x05state\"q\n\x1dQueryTradeRewardPointsRequest\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\x12\x34\n\x16pending_pool_timestamp\x18\x02 \x01(\x03R\x14pendingPoolTimestamp\"\x84\x01\n\x1eQueryTradeRewardPointsResponse\x12\x62\n\x1b\x61\x63\x63ount_trade_reward_points\x18\x01 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61\x63\x63ountTradeRewardPoints\"!\n\x1fQueryTradeRewardCampaignRequest\"\xfe\x04\n QueryTradeRewardCampaignResponse\x12v\n\x1ctrading_reward_campaign_info\x18\x01 \x01(\x0b\x32\x35.injective.exchange.v1beta1.TradingRewardCampaignInfoR\x19tradingRewardCampaignInfo\x12\x80\x01\n%trading_reward_pool_campaign_schedule\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR!tradingRewardPoolCampaignSchedule\x12^\n\x19total_trade_reward_points\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16totalTradeRewardPoints\x12\x8f\x01\n-pending_trading_reward_pool_campaign_schedule\x18\x04 \x03(\x0b\x32..injective.exchange.v1beta1.CampaignRewardPoolR(pendingTradingRewardPoolCampaignSchedule\x12m\n!pending_total_trade_reward_points\x18\x05 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dpendingTotalTradeRewardPoints\";\n\x1fQueryIsOptedOutOfRewardsRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"D\n QueryIsOptedOutOfRewardsResponse\x12 \n\x0cis_opted_out\x18\x01 \x01(\x08R\nisOptedOut\"\'\n%QueryOptedOutOfRewardsAccountsRequest\"D\n&QueryOptedOutOfRewardsAccountsResponse\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\">\n\"QueryFeeDiscountAccountInfoRequest\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\"\xe9\x01\n#QueryFeeDiscountAccountInfoResponse\x12\x1d\n\ntier_level\x18\x01 \x01(\x04R\ttierLevel\x12R\n\x0c\x61\x63\x63ount_info\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\x0b\x61\x63\x63ountInfo\x12O\n\x0b\x61\x63\x63ount_ttl\x18\x03 \x01(\x0b\x32..injective.exchange.v1beta1.FeeDiscountTierTTLR\naccountTtl\"!\n\x1fQueryFeeDiscountScheduleRequest\"\x87\x01\n QueryFeeDiscountScheduleResponse\x12\x63\n\x15\x66\x65\x65_discount_schedule\x18\x01 \x01(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountScheduleR\x13\x66\x65\x65\x44iscountSchedule\"@\n\x1dQueryBalanceMismatchesRequest\x12\x1f\n\x0b\x64ust_factor\x18\x01 \x01(\x03R\ndustFactor\"\xa2\x03\n\x0f\x42\x61lanceMismatch\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12J\n\x0e\x65xpected_total\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rexpectedTotal\x12\x43\n\ndifference\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\ndifference\"|\n\x1eQueryBalanceMismatchesResponse\x12Z\n\x12\x62\x61lance_mismatches\x18\x01 \x03(\x0b\x32+.injective.exchange.v1beta1.BalanceMismatchR\x11\x62\x61lanceMismatches\"%\n#QueryBalanceWithBalanceHoldsRequest\"\x97\x02\n\x15\x42\x61lanceWithMarginHold\x12\"\n\x0csubaccountId\x18\x01 \x01(\tR\x0csubaccountId\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\x12\x41\n\tavailable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tavailable\x12\x39\n\x05total\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05total\x12\x46\n\x0c\x62\x61lance_hold\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\"\x96\x01\n$QueryBalanceWithBalanceHoldsResponse\x12n\n\x1a\x62\x61lance_with_balance_holds\x18\x01 \x03(\x0b\x32\x31.injective.exchange.v1beta1.BalanceWithMarginHoldR\x17\x62\x61lanceWithBalanceHolds\"\'\n%QueryFeeDiscountTierStatisticsRequest\"9\n\rTierStatistic\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"s\n&QueryFeeDiscountTierStatisticsResponse\x12I\n\nstatistics\x18\x01 \x03(\x0b\x32).injective.exchange.v1beta1.TierStatisticR\nstatistics\"\x17\n\x15MitoVaultInfosRequest\"\xc4\x01\n\x16MitoVaultInfosResponse\x12)\n\x10master_addresses\x18\x01 \x03(\tR\x0fmasterAddresses\x12\x31\n\x14\x64\x65rivative_addresses\x18\x02 \x03(\tR\x13\x64\x65rivativeAddresses\x12%\n\x0espot_addresses\x18\x03 \x03(\tR\rspotAddresses\x12%\n\x0e\x63w20_addresses\x18\x04 \x03(\tR\rcw20Addresses\"D\n\x1dQueryMarketIDFromVaultRequest\x12#\n\rvault_address\x18\x01 \x01(\tR\x0cvaultAddress\"=\n\x1eQueryMarketIDFromVaultResponse\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"A\n\"QueryHistoricalTradeRecordsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"t\n#QueryHistoricalTradeRecordsResponse\x12M\n\rtrade_records\x18\x01 \x03(\x0b\x32(.injective.exchange.v1beta1.TradeRecordsR\x0ctradeRecords\"\xb7\x01\n\x13TradeHistoryOptions\x12,\n\x12trade_grouping_sec\x18\x01 \x01(\x04R\x10tradeGroupingSec\x12\x17\n\x07max_age\x18\x02 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x04 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x05 \x01(\x08R\x0fincludeMetadata\"\xa0\x01\n\x1cQueryMarketVolatilityRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x63\n\x15trade_history_options\x18\x02 \x01(\x0b\x32/.injective.exchange.v1beta1.TradeHistoryOptionsR\x13tradeHistoryOptions\"\x83\x02\n\x1dQueryMarketVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12H\n\x0braw_history\x18\x03 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\nrawHistory\"3\n\x19QueryBinaryMarketsRequest\x12\x16\n\x06status\x18\x01 \x01(\tR\x06status\"g\n\x1aQueryBinaryMarketsResponse\x12I\n\x07markets\x18\x01 \x03(\x0b\x32/.injective.exchange.v1beta1.BinaryOptionsMarketR\x07markets\"q\n-QueryTraderDerivativeConditionalOrdersRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\"\x9e\x03\n!TrimmedDerivativeConditionalOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12G\n\x0ctriggerPrice\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1f\n\x05isBuy\x18\x05 \x01(\x08\x42\t\xea\xde\x1f\x05isBuyR\x05isBuy\x12%\n\x07isLimit\x18\x06 \x01(\x08\x42\x0b\xea\xde\x1f\x07isLimitR\x07isLimit\x12\x1d\n\norder_hash\x18\x07 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x08 \x01(\tR\x03\x63id\"\x87\x01\n.QueryTraderDerivativeConditionalOrdersResponse\x12U\n\x06orders\x18\x01 \x03(\x0b\x32=.injective.exchange.v1beta1.TrimmedDerivativeConditionalOrderR\x06orders\"M\n.QueryMarketAtomicExecutionFeeMultiplierRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"v\n/QueryMarketAtomicExecutionFeeMultiplierResponse\x12\x43\n\nmultiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmultiplier\"8\n\x1cQueryActiveStakeGrantRequest\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\"\xb3\x01\n\x1dQueryActiveStakeGrantResponse\x12=\n\x05grant\x18\x01 \x01(\x0b\x32\'.injective.exchange.v1beta1.ActiveGrantR\x05grant\x12S\n\x0f\x65\x66\x66\x65\x63tive_grant\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.EffectiveGrantR\x0e\x65\x66\x66\x65\x63tiveGrant\"T\n\x1eQueryGrantAuthorizationRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x18\n\x07grantee\x18\x02 \x01(\tR\x07grantee\"X\n\x1fQueryGrantAuthorizationResponse\x12\x35\n\x06\x61mount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\";\n\x1fQueryGrantAuthorizationsRequest\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\"\xb7\x01\n QueryGrantAuthorizationsResponse\x12K\n\x12total_grant_amount\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10totalGrantAmount\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants*4\n\tOrderSide\x12\x14\n\x10Side_Unspecified\x10\x00\x12\x07\n\x03\x42uy\x10\x01\x12\x08\n\x04Sell\x10\x02*V\n\x14\x43\x61ncellationStrategy\x12\x14\n\x10UnspecifiedOrder\x10\x00\x12\x13\n\x0f\x46romWorstToBest\x10\x01\x12\x13\n\x0f\x46romBestToWorst\x10\x02\x32\xcd\x65\n\x05Query\x12\xba\x01\n\x13QueryExchangeParams\x12\x36.injective.exchange.v1beta1.QueryExchangeParamsRequest\x1a\x37.injective.exchange.v1beta1.QueryExchangeParamsResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/exchange/v1beta1/exchangeParams\x12\xce\x01\n\x12SubaccountDeposits\x12:.injective.exchange.v1beta1.QuerySubaccountDepositsRequest\x1a;.injective.exchange.v1beta1.QuerySubaccountDepositsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/exchange/subaccountDeposits\x12\xca\x01\n\x11SubaccountDeposit\x12\x39.injective.exchange.v1beta1.QuerySubaccountDepositRequest\x1a:.injective.exchange.v1beta1.QuerySubaccountDepositResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/exchange/subaccountDeposit\x12\xc6\x01\n\x10\x45xchangeBalances\x12\x38.injective.exchange.v1beta1.QueryExchangeBalancesRequest\x1a\x39.injective.exchange.v1beta1.QueryExchangeBalancesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/exchangeBalances\x12\xcc\x01\n\x0f\x41ggregateVolume\x12\x37.injective.exchange.v1beta1.QueryAggregateVolumeRequest\x1a\x38.injective.exchange.v1beta1.QueryAggregateVolumeResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/exchange/aggregateVolume/{account}\x12\xc6\x01\n\x10\x41ggregateVolumes\x12\x38.injective.exchange.v1beta1.QueryAggregateVolumesRequest\x1a\x39.injective.exchange.v1beta1.QueryAggregateVolumesResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/exchange/aggregateVolumes\x12\xe6\x01\n\x15\x41ggregateMarketVolume\x12=.injective.exchange.v1beta1.QueryAggregateMarketVolumeRequest\x1a>.injective.exchange.v1beta1.QueryAggregateMarketVolumeResponse\"N\x82\xd3\xe4\x93\x02H\x12\x46/injective/exchange/v1beta1/exchange/aggregateMarketVolume/{market_id}\x12\xde\x01\n\x16\x41ggregateMarketVolumes\x12>.injective.exchange.v1beta1.QueryAggregateMarketVolumesRequest\x1a?.injective.exchange.v1beta1.QueryAggregateMarketVolumesResponse\"C\x82\xd3\xe4\x93\x02=\x12;/injective/exchange/v1beta1/exchange/aggregateMarketVolumes\x12\xbf\x01\n\x0c\x44\x65nomDecimal\x12\x34.injective.exchange.v1beta1.QueryDenomDecimalRequest\x1a\x35.injective.exchange.v1beta1.QueryDenomDecimalResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/exchange/denom_decimal/{denom}\x12\xbb\x01\n\rDenomDecimals\x12\x35.injective.exchange.v1beta1.QueryDenomDecimalsRequest\x1a\x36.injective.exchange.v1beta1.QueryDenomDecimalsResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/exchange/v1beta1/exchange/denom_decimals\x12\xaa\x01\n\x0bSpotMarkets\x12\x33.injective.exchange.v1beta1.QuerySpotMarketsRequest\x1a\x34.injective.exchange.v1beta1.QuerySpotMarketsResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/spot/markets\x12\xb3\x01\n\nSpotMarket\x12\x32.injective.exchange.v1beta1.QuerySpotMarketRequest\x1a\x33.injective.exchange.v1beta1.QuerySpotMarketResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/spot/markets/{market_id}\x12\xbb\x01\n\x0f\x46ullSpotMarkets\x12\x37.injective.exchange.v1beta1.QueryFullSpotMarketsRequest\x1a\x38.injective.exchange.v1beta1.QueryFullSpotMarketsResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/exchange/v1beta1/spot/full_markets\x12\xc3\x01\n\x0e\x46ullSpotMarket\x12\x36.injective.exchange.v1beta1.QueryFullSpotMarketRequest\x1a\x37.injective.exchange.v1beta1.QueryFullSpotMarketResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/spot/full_market/{market_id}\x12\xbe\x01\n\rSpotOrderbook\x12\x35.injective.exchange.v1beta1.QuerySpotOrderbookRequest\x1a\x36.injective.exchange.v1beta1.QuerySpotOrderbookResponse\">\x82\xd3\xe4\x93\x02\x38\x12\x36/injective/exchange/v1beta1/spot/orderbook/{market_id}\x12\xd4\x01\n\x10TraderSpotOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/spot/orders/{market_id}/{subaccount_id}\x12\xf6\x01\n\x18\x41\x63\x63ountAddressSpotOrders\x12@.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersRequest\x1a\x41.injective.exchange.v1beta1.QueryAccountAddressSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders/{market_id}/account/{account_address}\x12\xe4\x01\n\x12SpotOrdersByHashes\x12:.injective.exchange.v1beta1.QuerySpotOrdersByHashesRequest\x1a;.injective.exchange.v1beta1.QuerySpotOrdersByHashesResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/orders_by_hashes/{market_id}/{subaccount_id}\x12\xc3\x01\n\x10SubaccountOrders\x12\x38.injective.exchange.v1beta1.QuerySubaccountOrdersRequest\x1a\x39.injective.exchange.v1beta1.QuerySubaccountOrdersResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/orders/{subaccount_id}\x12\xe7\x01\n\x19TraderSpotTransientOrders\x12\x38.injective.exchange.v1beta1.QueryTraderSpotOrdersRequest\x1a\x39.injective.exchange.v1beta1.QueryTraderSpotOrdersResponse\"U\x82\xd3\xe4\x93\x02O\x12M/injective/exchange/v1beta1/spot/transient_orders/{market_id}/{subaccount_id}\x12\xd5\x01\n\x12SpotMidPriceAndTOB\x12:.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBRequest\x1a;.injective.exchange.v1beta1.QuerySpotMidPriceAndTOBResponse\"F\x82\xd3\xe4\x93\x02@\x12>/injective/exchange/v1beta1/spot/mid_price_and_tob/{market_id}\x12\xed\x01\n\x18\x44\x65rivativeMidPriceAndTOB\x12@.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeMidPriceAndTOBResponse\"L\x82\xd3\xe4\x93\x02\x46\x12\x44/injective/exchange/v1beta1/derivative/mid_price_and_tob/{market_id}\x12\xd6\x01\n\x13\x44\x65rivativeOrderbook\x12;.injective.exchange.v1beta1.QueryDerivativeOrderbookRequest\x1a<.injective.exchange.v1beta1.QueryDerivativeOrderbookResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"Q\x82\xd3\xe4\x93\x02K\x12I/injective/exchange/v1beta1/derivative/orders/{market_id}/{subaccount_id}\x12\x8e\x02\n\x1e\x41\x63\x63ountAddressDerivativeOrders\x12\x46.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersRequest\x1aG.injective.exchange.v1beta1.QueryAccountAddressDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders/{market_id}/account/{account_address}\x12\xfc\x01\n\x18\x44\x65rivativeOrdersByHashes\x12@.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesRequest\x1a\x41.injective.exchange.v1beta1.QueryDerivativeOrdersByHashesResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/orders_by_hashes/{market_id}/{subaccount_id}\x12\xff\x01\n\x1fTraderDerivativeTransientOrders\x12>.injective.exchange.v1beta1.QueryTraderDerivativeOrdersRequest\x1a?.injective.exchange.v1beta1.QueryTraderDerivativeOrdersResponse\"[\x82\xd3\xe4\x93\x02U\x12S/injective/exchange/v1beta1/derivative/transient_orders/{market_id}/{subaccount_id}\x12\xc2\x01\n\x11\x44\x65rivativeMarkets\x12\x39.injective.exchange.v1beta1.QueryDerivativeMarketsRequest\x1a:.injective.exchange.v1beta1.QueryDerivativeMarketsResponse\"6\x82\xd3\xe4\x93\x02\x30\x12./injective/exchange/v1beta1/derivative/markets\x12\xcb\x01\n\x10\x44\x65rivativeMarket\x12\x38.injective.exchange.v1beta1.QueryDerivativeMarketRequest\x1a\x39.injective.exchange.v1beta1.QueryDerivativeMarketResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/derivative/markets/{market_id}\x12\xe7\x01\n\x17\x44\x65rivativeMarketAddress\x12?.injective.exchange.v1beta1.QueryDerivativeMarketAddressRequest\x1a@.injective.exchange.v1beta1.QueryDerivativeMarketAddressResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/derivative/market_address/{market_id}\x12\xd1\x01\n\x14SubaccountTradeNonce\x12<.injective.exchange.v1beta1.QuerySubaccountTradeNonceRequest\x1a=.injective.exchange.v1beta1.QuerySubaccountTradeNonceResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/exchange/{subaccount_id}\x12\xb2\x01\n\x13\x45xchangeModuleState\x12\x33.injective.exchange.v1beta1.QueryModuleStateRequest\x1a\x34.injective.exchange.v1beta1.QueryModuleStateResponse\"0\x82\xd3\xe4\x93\x02*\x12(/injective/exchange/v1beta1/module_state\x12\xa1\x01\n\tPositions\x12\x31.injective.exchange.v1beta1.QueryPositionsRequest\x1a\x32.injective.exchange.v1beta1.QueryPositionsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/exchange/v1beta1/positions\x12\xcf\x01\n\x13SubaccountPositions\x12;.injective.exchange.v1beta1.QuerySubaccountPositionsRequest\x1a<.injective.exchange.v1beta1.QuerySubaccountPositionsResponse\"=\x82\xd3\xe4\x93\x02\x37\x12\x35/injective/exchange/v1beta1/positions/{subaccount_id}\x12\xf0\x01\n\x1aSubaccountPositionInMarket\x12\x42.injective.exchange.v1beta1.QuerySubaccountPositionInMarketRequest\x1a\x43.injective.exchange.v1beta1.QuerySubaccountPositionInMarketResponse\"I\x82\xd3\xe4\x93\x02\x43\x12\x41/injective/exchange/v1beta1/positions/{subaccount_id}/{market_id}\x12\x95\x02\n#SubaccountEffectivePositionInMarket\x12K.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketRequest\x1aL.injective.exchange.v1beta1.QuerySubaccountEffectivePositionInMarketResponse\"S\x82\xd3\xe4\x93\x02M\x12K/injective/exchange/v1beta1/effective_positions/{subaccount_id}/{market_id}\x12\xd7\x01\n\x13PerpetualMarketInfo\x12;.injective.exchange.v1beta1.QueryPerpetualMarketInfoRequest\x1a<.injective.exchange.v1beta1.QueryPerpetualMarketInfoResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/perpetual_market_info/{market_id}\x12\xe0\x01\n\x17\x45xpiryFuturesMarketInfo\x12?.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoRequest\x1a@.injective.exchange.v1beta1.QueryExpiryFuturesMarketInfoResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/expiry_market_info/{market_id}\x12\xe3\x01\n\x16PerpetualMarketFunding\x12>.injective.exchange.v1beta1.QueryPerpetualMarketFundingRequest\x1a?.injective.exchange.v1beta1.QueryPerpetualMarketFundingResponse\"H\x82\xd3\xe4\x93\x02\x42\x12@/injective/exchange/v1beta1/perpetual_market_funding/{market_id}\x12\xe0\x01\n\x17SubaccountOrderMetadata\x12?.injective.exchange.v1beta1.QuerySubaccountOrderMetadataRequest\x1a@.injective.exchange.v1beta1.QuerySubaccountOrderMetadataResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/order_metadata/{subaccount_id}\x12\xc3\x01\n\x11TradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/exchange/v1beta1/trade_reward_points\x12\xd2\x01\n\x18PendingTradeRewardPoints\x12\x39.injective.exchange.v1beta1.QueryTradeRewardPointsRequest\x1a:.injective.exchange.v1beta1.QueryTradeRewardPointsResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/pending_trade_reward_points\x12\xcb\x01\n\x13TradeRewardCampaign\x12;.injective.exchange.v1beta1.QueryTradeRewardCampaignRequest\x1a<.injective.exchange.v1beta1.QueryTradeRewardCampaignResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/trade_reward_campaign\x12\xe2\x01\n\x16\x46\x65\x65\x44iscountAccountInfo\x12>.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoRequest\x1a?.injective.exchange.v1beta1.QueryFeeDiscountAccountInfoResponse\"G\x82\xd3\xe4\x93\x02\x41\x12?/injective/exchange/v1beta1/fee_discount_account_info/{account}\x12\xcb\x01\n\x13\x46\x65\x65\x44iscountSchedule\x12;.injective.exchange.v1beta1.QueryFeeDiscountScheduleRequest\x1a<.injective.exchange.v1beta1.QueryFeeDiscountScheduleResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/exchange/v1beta1/fee_discount_schedule\x12\xd0\x01\n\x11\x42\x61lanceMismatches\x12\x39.injective.exchange.v1beta1.QueryBalanceMismatchesRequest\x1a:.injective.exchange.v1beta1.QueryBalanceMismatchesResponse\"D\x82\xd3\xe4\x93\x02>\x12.injective.exchange.v1beta1.QueryHistoricalTradeRecordsRequest\x1a?.injective.exchange.v1beta1.QueryHistoricalTradeRecordsResponse\"<\x82\xd3\xe4\x93\x02\x36\x12\x34/injective/exchange/v1beta1/historical_trade_records\x12\xd7\x01\n\x13IsOptedOutOfRewards\x12;.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsRequest\x1a<.injective.exchange.v1beta1.QueryIsOptedOutOfRewardsResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/exchange/v1beta1/is_opted_out_of_rewards/{account}\x12\xe5\x01\n\x19OptedOutOfRewardsAccounts\x12\x41.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsRequest\x1a\x42.injective.exchange.v1beta1.QueryOptedOutOfRewardsAccountsResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/opted_out_of_rewards_accounts\x12\xca\x01\n\x10MarketVolatility\x12\x38.injective.exchange.v1beta1.QueryMarketVolatilityRequest\x1a\x39.injective.exchange.v1beta1.QueryMarketVolatilityResponse\"A\x82\xd3\xe4\x93\x02;\x12\x39/injective/exchange/v1beta1/market_volatility/{market_id}\x12\xc1\x01\n\x14\x42inaryOptionsMarkets\x12\x35.injective.exchange.v1beta1.QueryBinaryMarketsRequest\x1a\x36.injective.exchange.v1beta1.QueryBinaryMarketsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/exchange/v1beta1/binary_options/markets\x12\x99\x02\n!TraderDerivativeConditionalOrders\x12I.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersRequest\x1aJ.injective.exchange.v1beta1.QueryTraderDerivativeConditionalOrdersResponse\"]\x82\xd3\xe4\x93\x02W\x12U/injective/exchange/v1beta1/derivative/orders/conditional/{market_id}/{subaccount_id}\x12\xfe\x01\n\"MarketAtomicExecutionFeeMultiplier\x12J.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierRequest\x1aK.injective.exchange.v1beta1.QueryMarketAtomicExecutionFeeMultiplierResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/exchange/v1beta1/atomic_order_fee_multiplier\x12\xc9\x01\n\x10\x41\x63tiveStakeGrant\x12\x38.injective.exchange.v1beta1.QueryActiveStakeGrantRequest\x1a\x39.injective.exchange.v1beta1.QueryActiveStakeGrantResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/exchange/v1beta1/active_stake_grant/{grantee}\x12\xda\x01\n\x12GrantAuthorization\x12:.injective.exchange.v1beta1.QueryGrantAuthorizationRequest\x1a;.injective.exchange.v1beta1.QueryGrantAuthorizationResponse\"K\x82\xd3\xe4\x93\x02\x45\x12\x43/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}\x12\xd4\x01\n\x13GrantAuthorizations\x12;.injective.exchange.v1beta1.QueryGrantAuthorizationsRequest\x1a<.injective.exchange.v1beta1.QueryGrantAuthorizationsResponse\"B\x82\xd3\xe4\x93\x02<\x12:/injective/exchange/v1beta1/grant_authorizations/{granter}B\x86\x02\n\x1e\x63om.injective.exchange.v1beta1B\nQueryProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\nQueryProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYEXCHANGEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST'].fields_by_name['subaccount']._loaded_options = None @@ -277,272 +287,272 @@ _globals['_QUERY'].methods_by_name['GrantAuthorization']._serialized_options = b'\202\323\344\223\002E\022C/injective/exchange/v1beta1/grant_authorization/{granter}/{grantee}' _globals['_QUERY'].methods_by_name['GrantAuthorizations']._loaded_options = None _globals['_QUERY'].methods_by_name['GrantAuthorizations']._serialized_options = b'\202\323\344\223\002<\022:/injective/exchange/v1beta1/grant_authorizations/{granter}' - _globals['_ORDERSIDE']._serialized_start=14580 - _globals['_ORDERSIDE']._serialized_end=14632 - _globals['_CANCELLATIONSTRATEGY']._serialized_start=14634 - _globals['_CANCELLATIONSTRATEGY']._serialized_end=14720 + _globals['_ORDERSIDE']._serialized_start=17324 + _globals['_ORDERSIDE']._serialized_end=17376 + _globals['_CANCELLATIONSTRATEGY']._serialized_start=17378 + _globals['_CANCELLATIONSTRATEGY']._serialized_end=17464 _globals['_SUBACCOUNT']._serialized_start=246 - _globals['_SUBACCOUNT']._serialized_end=300 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=302 - _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=374 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=377 - _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=547 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=550 - _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=698 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=700 - _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=728 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=730 - _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=817 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=819 - _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=940 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=943 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1155 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1071 - _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1155 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1157 - _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1187 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1189 - _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1281 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1283 - _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1329 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1331 - _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1430 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1432 - _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1500 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1503 - _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1703 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1705 - _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=1759 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=1761 - _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=1861 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=1863 - _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=1904 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=1906 - _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=1950 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=1952 - _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=1995 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=1997 - _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2098 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2100 - _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2156 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2158 - _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2254 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2256 - _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2325 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2327 - _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2414 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2416 - _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2477 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2479 - _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2562 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2564 - _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=2607 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=2609 - _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=2690 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=2693 - _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=2957 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=2960 - _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3111 - _globals['_FULLSPOTMARKET']._serialized_start=3114 - _globals['_FULLSPOTMARKET']._serialized_end=3263 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3265 - _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3362 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3364 - _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=3455 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=3457 - _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=3536 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=3538 - _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=3627 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=3629 - _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=3725 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=3727 - _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=3827 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=3829 - _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=3901 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=3903 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=3985 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=3988 - _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=4221 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=4223 - _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=4321 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=4323 - _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=4429 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=4431 - _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=4482 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=4485 - _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=4697 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=4699 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=4756 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=4759 - _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=4977 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=4980 - _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=5119 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=5122 - _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=5279 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5282 - _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5619 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=5622 - _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=5907 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=5909 - _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=5987 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=5989 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=6077 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=6080 - _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=6383 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=6385 - _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=6495 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=6497 - _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=6615 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=6617 - _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=6719 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=6721 - _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=6833 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=6835 - _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=6934 - _globals['_PRICELEVEL']._serialized_start=6936 - _globals['_PRICELEVEL']._serialized_end=7055 - _globals['_PERPETUALMARKETSTATE']._serialized_start=7058 - _globals['_PERPETUALMARKETSTATE']._serialized_end=7224 - _globals['_FULLDERIVATIVEMARKET']._serialized_start=7227 - _globals['_FULLDERIVATIVEMARKET']._serialized_end=7606 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=7608 - _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=7707 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=7709 - _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=7758 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=7760 - _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=7857 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=7859 - _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=7915 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=7917 - _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=7995 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=7997 - _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=8054 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=8056 - _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=8112 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=8114 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=8196 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=8198 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=8289 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=8291 - _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=8351 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=8353 - _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=8456 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=8458 - _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=8558 - _globals['_EFFECTIVEPOSITION']._serialized_start=8561 - _globals['_EFFECTIVEPOSITION']._serialized_end=8773 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=8775 - _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=8893 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=8895 - _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=8947 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=8949 - _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=9052 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=9054 - _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=9110 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=9112 - _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=9223 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=9225 - _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=9280 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=9282 - _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=9392 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=9395 - _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=9524 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=9526 - _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=9576 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=9578 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=9603 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=9605 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=9688 - _globals['_QUERYPOSITIONSREQUEST']._serialized_start=9690 - _globals['_QUERYPOSITIONSREQUEST']._serialized_end=9713 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=9715 - _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=9808 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=9810 - _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=9891 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=9893 - _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=9999 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=10001 - _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=10034 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=10037 - _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=10514 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=10516 - _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=10566 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=10568 - _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=10624 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=10626 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=10665 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=10667 - _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=10725 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=10727 - _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=10780 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=10783 - _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=10980 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=10982 - _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=11015 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=11017 - _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=11131 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=11133 - _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=11185 - _globals['_BALANCEMISMATCH']._serialized_start=11188 - _globals['_BALANCEMISMATCH']._serialized_end=11527 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=11529 - _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=11634 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=11636 - _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=11673 - _globals['_BALANCEWITHMARGINHOLD']._serialized_start=11676 - _globals['_BALANCEWITHMARGINHOLD']._serialized_end=11903 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=11905 - _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=12030 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=12032 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=12071 - _globals['_TIERSTATISTIC']._serialized_start=12073 - _globals['_TIERSTATISTIC']._serialized_end=12117 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=12119 - _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=12222 - _globals['_MITOVAULTINFOSREQUEST']._serialized_start=12224 - _globals['_MITOVAULTINFOSREQUEST']._serialized_end=12247 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=12250 - _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=12378 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=12380 - _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=12434 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=12436 - _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=12487 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=12489 - _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=12544 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=12546 - _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=12648 - _globals['_TRADEHISTORYOPTIONS']._serialized_start=12650 - _globals['_TRADEHISTORYOPTIONS']._serialized_end=12771 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=12774 - _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=12903 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=12906 - _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=13124 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=13126 - _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=13169 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=13171 - _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=13265 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=13267 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=13356 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=13359 - _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=13702 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=13704 - _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=13831 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=13833 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=13900 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=13902 - _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=14008 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=14010 - _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=14057 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=14060 - _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=14216 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=14218 - _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=14284 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=14286 - _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=14366 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=14368 - _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=14418 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=14421 - _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=14578 - _globals['_QUERY']._serialized_start=14723 - _globals['_QUERY']._serialized_end=27728 + _globals['_SUBACCOUNT']._serialized_end=325 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_start=327 + _globals['_QUERYSUBACCOUNTORDERSREQUEST']._serialized_end=423 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_start=426 + _globals['_QUERYSUBACCOUNTORDERSRESPONSE']._serialized_end=619 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_start=622 + _globals['_SUBACCOUNTORDERBOOKMETADATAWITHMARKET']._serialized_end=797 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_start=799 + _globals['_QUERYEXCHANGEPARAMSREQUEST']._serialized_end=827 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_start=829 + _globals['_QUERYEXCHANGEPARAMSRESPONSE']._serialized_end=924 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_start=927 + _globals['_QUERYSUBACCOUNTDEPOSITSREQUEST']._serialized_end=1074 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_start=1077 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE']._serialized_end=1311 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_start=1215 + _globals['_QUERYSUBACCOUNTDEPOSITSRESPONSE_DEPOSITSENTRY']._serialized_end=1311 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_start=1313 + _globals['_QUERYEXCHANGEBALANCESREQUEST']._serialized_end=1343 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_start=1345 + _globals['_QUERYEXCHANGEBALANCESRESPONSE']._serialized_end=1447 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_start=1449 + _globals['_QUERYAGGREGATEVOLUMEREQUEST']._serialized_end=1504 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_start=1506 + _globals['_QUERYAGGREGATEVOLUMERESPONSE']._serialized_end=1623 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_start=1625 + _globals['_QUERYAGGREGATEVOLUMESREQUEST']._serialized_end=1714 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_start=1717 + _globals['_QUERYAGGREGATEVOLUMESRESPONSE']._serialized_end=1966 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_start=1968 + _globals['_QUERYAGGREGATEMARKETVOLUMEREQUEST']._serialized_end=2032 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_start=2034 + _globals['_QUERYAGGREGATEMARKETVOLUMERESPONSE']._serialized_end=2142 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_start=2144 + _globals['_QUERYDENOMDECIMALREQUEST']._serialized_end=2192 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_start=2194 + _globals['_QUERYDENOMDECIMALRESPONSE']._serialized_end=2247 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_start=2249 + _globals['_QUERYDENOMDECIMALSREQUEST']._serialized_end=2300 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_start=2302 + _globals['_QUERYDENOMDECIMALSRESPONSE']._serialized_end=2418 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_start=2420 + _globals['_QUERYAGGREGATEMARKETVOLUMESREQUEST']._serialized_end=2487 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_start=2489 + _globals['_QUERYAGGREGATEMARKETVOLUMESRESPONSE']._serialized_end=2594 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_start=2596 + _globals['_QUERYSUBACCOUNTDEPOSITREQUEST']._serialized_end=2686 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_start=2688 + _globals['_QUERYSUBACCOUNTDEPOSITRESPONSE']._serialized_end=2785 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_start=2787 + _globals['_QUERYSPOTMARKETSREQUEST']._serialized_end=2867 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_start=2869 + _globals['_QUERYSPOTMARKETSRESPONSE']._serialized_end=2961 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_start=2963 + _globals['_QUERYSPOTMARKETREQUEST']._serialized_end=3016 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_start=3018 + _globals['_QUERYSPOTMARKETRESPONSE']._serialized_end=3107 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_start=3110 + _globals['_QUERYSPOTORDERBOOKREQUEST']._serialized_end=3452 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_start=3455 + _globals['_QUERYSPOTORDERBOOKRESPONSE']._serialized_end=3639 + _globals['_FULLSPOTMARKET']._serialized_start=3642 + _globals['_FULLSPOTMARKET']._serialized_end=3815 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_start=3818 + _globals['_QUERYFULLSPOTMARKETSREQUEST']._serialized_end=3954 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_start=3956 + _globals['_QUERYFULLSPOTMARKETSRESPONSE']._serialized_end=4056 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_start=4058 + _globals['_QUERYFULLSPOTMARKETREQUEST']._serialized_end=4167 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_start=4169 + _globals['_QUERYFULLSPOTMARKETRESPONSE']._serialized_end=4266 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_start=4269 + _globals['_QUERYSPOTORDERSBYHASHESREQUEST']._serialized_end=4402 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_start=4404 + _globals['_QUERYSPOTORDERSBYHASHESRESPONSE']._serialized_end=4512 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_start=4514 + _globals['_QUERYTRADERSPOTORDERSREQUEST']._serialized_end=4610 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_start=4612 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSREQUEST']._serialized_end=4720 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_start=4723 + _globals['_TRIMMEDSPOTLIMITORDER']._serialized_end=5006 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_start=5008 + _globals['_QUERYTRADERSPOTORDERSRESPONSE']._serialized_end=5114 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_start=5116 + _globals['_QUERYACCOUNTADDRESSSPOTORDERSRESPONSE']._serialized_end=5230 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_start=5232 + _globals['_QUERYSPOTMIDPRICEANDTOBREQUEST']._serialized_end=5293 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_start=5296 + _globals['_QUERYSPOTMIDPRICEANDTOBRESPONSE']._serialized_end=5547 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_start=5549 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBREQUEST']._serialized_end=5616 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_start=5619 + _globals['_QUERYDERIVATIVEMIDPRICEANDTOBRESPONSE']._serialized_end=5876 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_start=5879 + _globals['_QUERYDERIVATIVEORDERBOOKREQUEST']._serialized_end=6060 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_start=6063 + _globals['_QUERYDERIVATIVEORDERBOOKRESPONSE']._serialized_end=6253 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6256 + _globals['_QUERYTRADERSPOTORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=6668 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_start=6671 + _globals['_QUERYTRADERDERIVATIVEORDERSTOCANCELUPTOAMOUNTREQUEST']._serialized_end=7019 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_start=7021 + _globals['_QUERYTRADERDERIVATIVEORDERSREQUEST']._serialized_end=7123 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_start=7125 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSREQUEST']._serialized_end=7239 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_start=7242 + _globals['_TRIMMEDDERIVATIVELIMITORDER']._serialized_end=7603 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_start=7605 + _globals['_QUERYTRADERDERIVATIVEORDERSRESPONSE']._serialized_end=7723 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_start=7725 + _globals['_QUERYACCOUNTADDRESSDERIVATIVEORDERSRESPONSE']._serialized_end=7851 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_start=7854 + _globals['_QUERYDERIVATIVEORDERSBYHASHESREQUEST']._serialized_end=7993 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_start=7995 + _globals['_QUERYDERIVATIVEORDERSBYHASHESRESPONSE']._serialized_end=8115 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_start=8118 + _globals['_QUERYDERIVATIVEMARKETSREQUEST']._serialized_end=8256 + _globals['_PRICELEVEL']._serialized_start=8259 + _globals['_PRICELEVEL']._serialized_end=8395 + _globals['_PERPETUALMARKETSTATE']._serialized_start=8398 + _globals['_PERPETUALMARKETSTATE']._serialized_end=8589 + _globals['_FULLDERIVATIVEMARKET']._serialized_start=8592 + _globals['_FULLDERIVATIVEMARKET']._serialized_end=9034 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_start=9036 + _globals['_QUERYDERIVATIVEMARKETSRESPONSE']._serialized_end=9144 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_start=9146 + _globals['_QUERYDERIVATIVEMARKETREQUEST']._serialized_end=9205 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_start=9207 + _globals['_QUERYDERIVATIVEMARKETRESPONSE']._serialized_end=9312 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_start=9314 + _globals['_QUERYDERIVATIVEMARKETADDRESSREQUEST']._serialized_end=9380 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_start=9382 + _globals['_QUERYDERIVATIVEMARKETADDRESSRESPONSE']._serialized_end=9483 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_start=9485 + _globals['_QUERYSUBACCOUNTTRADENONCEREQUEST']._serialized_end=9556 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_start=9558 + _globals['_QUERYSUBACCOUNTPOSITIONSREQUEST']._serialized_end=9628 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_start=9630 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETREQUEST']._serialized_end=9736 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_start=9738 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETREQUEST']._serialized_end=9853 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_start=9855 + _globals['_QUERYSUBACCOUNTORDERMETADATAREQUEST']._serialized_end=9929 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_start=9931 + _globals['_QUERYSUBACCOUNTPOSITIONSRESPONSE']._serialized_end=10041 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_start=10043 + _globals['_QUERYSUBACCOUNTPOSITIONINMARKETRESPONSE']._serialized_end=10150 + _globals['_EFFECTIVEPOSITION']._serialized_start=10153 + _globals['_EFFECTIVEPOSITION']._serialized_end=10412 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_start=10414 + _globals['_QUERYSUBACCOUNTEFFECTIVEPOSITIONINMARKETRESPONSE']._serialized_end=10539 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_start=10541 + _globals['_QUERYPERPETUALMARKETINFOREQUEST']._serialized_end=10603 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_start=10605 + _globals['_QUERYPERPETUALMARKETINFORESPONSE']._serialized_end=10714 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_start=10716 + _globals['_QUERYEXPIRYFUTURESMARKETINFOREQUEST']._serialized_end=10782 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_start=10784 + _globals['_QUERYEXPIRYFUTURESMARKETINFORESPONSE']._serialized_end=10901 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_start=10903 + _globals['_QUERYPERPETUALMARKETFUNDINGREQUEST']._serialized_end=10968 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_start=10970 + _globals['_QUERYPERPETUALMARKETFUNDINGRESPONSE']._serialized_end=11087 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_start=11090 + _globals['_QUERYSUBACCOUNTORDERMETADATARESPONSE']._serialized_end=11229 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_start=11231 + _globals['_QUERYSUBACCOUNTTRADENONCERESPONSE']._serialized_end=11288 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=11290 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=11315 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=11317 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=11407 + _globals['_QUERYPOSITIONSREQUEST']._serialized_start=11409 + _globals['_QUERYPOSITIONSREQUEST']._serialized_end=11432 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_start=11434 + _globals['_QUERYPOSITIONSRESPONSE']._serialized_end=11534 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_start=11536 + _globals['_QUERYTRADEREWARDPOINTSREQUEST']._serialized_end=11649 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_start=11652 + _globals['_QUERYTRADEREWARDPOINTSRESPONSE']._serialized_end=11784 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_start=11786 + _globals['_QUERYTRADEREWARDCAMPAIGNREQUEST']._serialized_end=11819 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_start=11822 + _globals['_QUERYTRADEREWARDCAMPAIGNRESPONSE']._serialized_end=12460 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_start=12462 + _globals['_QUERYISOPTEDOUTOFREWARDSREQUEST']._serialized_end=12521 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_start=12523 + _globals['_QUERYISOPTEDOUTOFREWARDSRESPONSE']._serialized_end=12591 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_start=12593 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSREQUEST']._serialized_end=12632 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_start=12634 + _globals['_QUERYOPTEDOUTOFREWARDSACCOUNTSRESPONSE']._serialized_end=12702 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_start=12704 + _globals['_QUERYFEEDISCOUNTACCOUNTINFOREQUEST']._serialized_end=12766 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_start=12769 + _globals['_QUERYFEEDISCOUNTACCOUNTINFORESPONSE']._serialized_end=13002 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_start=13004 + _globals['_QUERYFEEDISCOUNTSCHEDULEREQUEST']._serialized_end=13037 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_start=13040 + _globals['_QUERYFEEDISCOUNTSCHEDULERESPONSE']._serialized_end=13175 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_start=13177 + _globals['_QUERYBALANCEMISMATCHESREQUEST']._serialized_end=13241 + _globals['_BALANCEMISMATCH']._serialized_start=13244 + _globals['_BALANCEMISMATCH']._serialized_end=13662 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_start=13664 + _globals['_QUERYBALANCEMISMATCHESRESPONSE']._serialized_end=13788 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_start=13790 + _globals['_QUERYBALANCEWITHBALANCEHOLDSREQUEST']._serialized_end=13827 + _globals['_BALANCEWITHMARGINHOLD']._serialized_start=13830 + _globals['_BALANCEWITHMARGINHOLD']._serialized_end=14109 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_start=14112 + _globals['_QUERYBALANCEWITHBALANCEHOLDSRESPONSE']._serialized_end=14262 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_start=14264 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSREQUEST']._serialized_end=14303 + _globals['_TIERSTATISTIC']._serialized_start=14305 + _globals['_TIERSTATISTIC']._serialized_end=14362 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_start=14364 + _globals['_QUERYFEEDISCOUNTTIERSTATISTICSRESPONSE']._serialized_end=14479 + _globals['_MITOVAULTINFOSREQUEST']._serialized_start=14481 + _globals['_MITOVAULTINFOSREQUEST']._serialized_end=14504 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_start=14507 + _globals['_MITOVAULTINFOSRESPONSE']._serialized_end=14703 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_start=14705 + _globals['_QUERYMARKETIDFROMVAULTREQUEST']._serialized_end=14773 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_start=14775 + _globals['_QUERYMARKETIDFROMVAULTRESPONSE']._serialized_end=14836 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_start=14838 + _globals['_QUERYHISTORICALTRADERECORDSREQUEST']._serialized_end=14903 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_start=14905 + _globals['_QUERYHISTORICALTRADERECORDSRESPONSE']._serialized_end=15021 + _globals['_TRADEHISTORYOPTIONS']._serialized_start=15024 + _globals['_TRADEHISTORYOPTIONS']._serialized_end=15207 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_start=15210 + _globals['_QUERYMARKETVOLATILITYREQUEST']._serialized_end=15370 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_start=15373 + _globals['_QUERYMARKETVOLATILITYRESPONSE']._serialized_end=15632 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_start=15634 + _globals['_QUERYBINARYMARKETSREQUEST']._serialized_end=15685 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_start=15687 + _globals['_QUERYBINARYMARKETSRESPONSE']._serialized_end=15790 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_start=15792 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSREQUEST']._serialized_end=15905 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_start=15908 + _globals['_TRIMMEDDERIVATIVECONDITIONALORDER']._serialized_end=16322 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_start=16325 + _globals['_QUERYTRADERDERIVATIVECONDITIONALORDERSRESPONSE']._serialized_end=16460 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_start=16462 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERREQUEST']._serialized_end=16539 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_start=16541 + _globals['_QUERYMARKETATOMICEXECUTIONFEEMULTIPLIERRESPONSE']._serialized_end=16659 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_start=16661 + _globals['_QUERYACTIVESTAKEGRANTREQUEST']._serialized_end=16717 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_start=16720 + _globals['_QUERYACTIVESTAKEGRANTRESPONSE']._serialized_end=16899 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_start=16901 + _globals['_QUERYGRANTAUTHORIZATIONREQUEST']._serialized_end=16985 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_start=16987 + _globals['_QUERYGRANTAUTHORIZATIONRESPONSE']._serialized_end=17075 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_start=17077 + _globals['_QUERYGRANTAUTHORIZATIONSREQUEST']._serialized_end=17136 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_start=17139 + _globals['_QUERYGRANTAUTHORIZATIONSRESPONSE']._serialized_end=17322 + _globals['_QUERY']._serialized_start=17467 + _globals['_QUERY']._serialized_end=30472 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py index 4c87a127..5eab3485 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/exchange/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/exchange/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.distribution.v1beta1 import distribution_pb2 as cosmos_dot_distribution_dot_v1beta1_dot_distribution__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xce\x02\n\x13MsgUpdateSpotMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xec\x03\n\x19MsgUpdateDerivativeMarket\x12\r\n\x05\x61\x64min\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x12\n\nnew_ticker\x18\x03 \x01(\t\x12\x44\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12I\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xa5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x91\x01\n\nMsgDeposit\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\x93\x01\n\x0bMsgWithdraw\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\x9f\x01\n\x17MsgCreateSpotLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"L\n\x1fMsgCreateSpotLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xac\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12;\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\x80\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe4\x02\n\x1aMsgInstantSpotMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x12\n\nbase_denom\x18\x03 \x01(\t\x12\x13\n\x0bquote_denom\x18\x04 \x01(\t\x12@\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xe1\x05\n\x1fMsgInstantPerpetualMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12\x39\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12;\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\xaf\x05\n#MsgInstantBinaryOptionsMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x15\n\roracle_symbol\x18\x03 \x01(\t\x12\x17\n\x0foracle_provider\x18\x04 \x01(\t\x12\x39\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x06 \x01(\r\x12;\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\t \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\n \x01(\x03\x12\r\n\x05\x61\x64min\x18\x0b \x01(\t\x12\x13\n\x0bquote_denom\x18\x0c \x01(\t\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xf9\x05\n#MsgInstantExpiryFuturesMarketLaunch\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x1b\n\x13oracle_scale_factor\x18\x07 \x01(\r\x12\x0e\n\x06\x65xpiry\x18\x08 \x01(\x03\x12;\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12@\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xa1\x01\n\x18MsgCreateSpotMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12:\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\x98\x01\n MsgCreateSpotMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12I\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x01\n\x16SpotMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xad\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"R\n%MsgCreateDerivativeLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb3\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"U\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12\x0b\n\x03\x63id\x18\x02 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xba\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x41\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\x86\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12\x14\n\x0corder_hashes\x18\x01 \x03(\t\x12\x1b\n\x13\x63reated_orders_cids\x18\x02 \x03(\t\x12\x1a\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xa0\x01\n\x12MsgCancelSpotOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x0b\n\x03\x63id\x18\x05 \x01(\t:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\x9c\x01\n\x18MsgBatchCancelSpotOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"=\n MsgBatchCancelSpotOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xae\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"F\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xe9\x05\n\x14MsgBatchUpdateOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12%\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\t\x12+\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\t\x12J\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12P\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12J\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01\x12V\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01\x12T\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01\x12/\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\t\x12Z\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\xd9\x03\n\x1cMsgBatchUpdateOrdersResponse\x12\x1b\n\x13spot_cancel_success\x18\x01 \x03(\x08\x12!\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08\x12\x19\n\x11spot_order_hashes\x18\x03 \x03(\t\x12\x1f\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\t\x12%\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08\x12#\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\t\x12 \n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\t\x12\x1f\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\t\x12&\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\t\x12%\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\t\x12*\n\"created_binary_options_orders_cids\x18\x0b \x03(\t\x12)\n!failed_binary_options_orders_cids\x18\x0c \x03(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xaf\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xa4\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc3\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12\x35\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12G\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00\x12\x33\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xb5\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12@\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xa7\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x12\n\norder_hash\x18\x01 \x01(\t\x12O\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\x03 \x01(\t:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc0\x01\n\x18MsgCancelDerivativeOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\xc6\x01\n\x1bMsgCancelBinaryOptionsOrder\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x15\n\rsubaccount_id\x18\x03 \x01(\t\x12\x12\n\norder_hash\x18\x04 \x01(\t\x12\x12\n\norder_mask\x18\x05 \x01(\x05\x12\x0b\n\x03\x63id\x18\x06 \x01(\t:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"j\n\tOrderData\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x12\n\norder_hash\x18\x03 \x01(\t\x12\x12\n\norder_mask\x18\x04 \x01(\x05\x12\x0b\n\x03\x63id\x18\x05 \x01(\t\"\xa8\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x39\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"C\n&MsgBatchCancelDerivativeOrdersResponse\x12\x0f\n\x07success\x18\x01 \x03(\x08:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc9\x01\n\x15MsgSubaccountTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\xc5\x01\n\x13MsgExternalTransfer\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12/\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xc1\x01\n\x14MsgLiquidatePosition\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t\x12@\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\x87\x01\n\x18MsgEmergencySettleMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x11\n\tmarket_id\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xe8\x01\n\x19MsgIncreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xe8\x01\n\x19MsgDecreasePositionMargin\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1c\n\x14source_subaccount_id\x18\x02 \x01(\t\x12!\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\t\x12\x11\n\tmarket_id\x18\x04 \x01(\t\x12\x33\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xa4\x01\n\x1cMsgPrivilegedExecuteContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\r\n\x05\x66unds\x18\x02 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x03 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x04 \x01(\t:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\x9c\x01\n$MsgPrivilegedExecuteContractResponse\x12_\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"U\n\x10MsgRewardsOptOut\x12\x0e\n\x06sender\x18\x01 \x01(\t:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\x87\x01\n\x15MsgReclaimLockedFunds\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x1b\n\x13lockedAccountPubKey\x18\x02 \x01(\x0c\x12\x11\n\tsignature\x18\x03 \x01(\x0c:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"r\n\x0bMsgSignData\x12K\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddress\x12\x16\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61ta\"g\n\nMsgSignDoc\x12\x1b\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04type\x12<\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00\"\xb7\x02\n!MsgAdminUpdateBinaryOptionsMarket\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12=\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1c\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03\x12\x1c\n\x14settlement_timestamp\x18\x05 \x01(\x03\x12\x38\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatus::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\x9b\x01\n\x17MsgAuthorizeStakeGrants\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12>\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorization:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"h\n\x15MsgActivateStakeGrant\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0f\n\x07granter\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42PZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/exchange/v1beta1/tx.proto\x12\x1ainjective.exchange.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a.cosmos/distribution/v1beta1/distribution.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a)injective/exchange/v1beta1/exchange.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xa7\x03\n\x13MsgUpdateSpotMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional:3\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\x1c\x65xchange/MsgUpdateSpotMarket\"\x1d\n\x1bMsgUpdateSpotMarketResponse\"\xf7\x04\n\x19MsgUpdateDerivativeMarket\x12\x14\n\x05\x61\x64min\x18\x01 \x01(\tR\x05\x61\x64min\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nnew_ticker\x18\x03 \x01(\tR\tnewTicker\x12Y\n\x17new_min_price_tick_size\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13newMinPriceTickSize\x12_\n\x1anew_min_quantity_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16newMinQuantityTickSize\x12M\n\x10new_min_notional\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0enewMinNotional\x12\\\n\x18new_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15newInitialMarginRatio\x12\x64\n\x1cnew_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19newMaintenanceMarginRatio:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x05\x61\x64min\x8a\xe7\xb0*\"exchange/MsgUpdateDerivativeMarket\"#\n!MsgUpdateDerivativeMarketResponse\"\xb8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12@\n\x06params\x18\x02 \x01(\x0b\x32\".injective.exchange.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:+\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x18\x65xchange/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaf\x01\n\nMsgDeposit\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:+\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x13\x65xchange/MsgDeposit\"\x14\n\x12MsgDepositResponse\"\xb1\x01\n\x0bMsgWithdraw\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x14\x65xchange/MsgWithdraw\"\x15\n\x13MsgWithdrawResponse\"\xae\x01\n\x17MsgCreateSpotLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgCreateSpotLimitOrder\"\\\n\x1fMsgCreateSpotLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgBatchCreateSpotLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x43\n\x06orders\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x06orders:>\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgBatchCreateSpotLimitOrders\"\xb2\x01\n%MsgBatchCreateSpotLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbf\x03\n\x1aMsgInstantSpotMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x03 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x04 \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:;\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#exchange/MsgInstantSpotMarketLaunch\"$\n\"MsgInstantSpotMarketLaunchResponse\"\xb1\x07\n\x1fMsgInstantPerpetualMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12\x45\n\x0boracle_type\x18\x07 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12I\n\x0emaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*(exchange/MsgInstantPerpetualMarketLaunch\")\n\'MsgInstantPerpetualMarketLaunchResponse\"\x89\x07\n#MsgInstantBinaryOptionsMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x03 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x04 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x05 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x06 \x01(\rR\x11oracleScaleFactor\x12I\n\x0emaker_fee_rate\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12\x31\n\x14\x65xpiration_timestamp\x18\t \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\n \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x0b \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\x0c \x01(\tR\nquoteDenom\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantBinaryOptionsMarketLaunch\"-\n+MsgInstantBinaryOptionsMarketLaunchResponse\"\xd1\x07\n#MsgInstantExpiryFuturesMarketLaunch\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x16\n\x06\x65xpiry\x18\x08 \x01(\x03R\x06\x65xpiry\x12I\n\x0emaker_fee_rate\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12U\n\x14initial_margin_ratio\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12R\n\x13min_price_tick_size\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x0e \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional:D\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgInstantExpiryFuturesMarketLaunch\"-\n+MsgInstantExpiryFuturesMarketLaunchResponse\"\xb0\x01\n\x18MsgCreateSpotMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x41\n\x05order\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x00R\x05order:9\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCreateSpotMarketOrder\"\xb1\x01\n MsgCreateSpotMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12R\n\x07results\x18\x02 \x01(\x0b\x32\x32.injective.exchange.v1beta1.SpotMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd5\x01\n\x16SpotMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n\x1dMsgCreateDerivativeLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order::\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*&exchange/MsgCreateDerivativeLimitOrder\"b\n%MsgCreateDerivativeLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc2\x01\n MsgCreateBinaryOptionsLimitOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:=\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)exchange/MsgCreateBinaryOptionsLimitOrder\"e\n(MsgCreateBinaryOptionsLimitOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x02 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xca\x01\n#MsgBatchCreateDerivativeLimitOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12I\n\x06orders\x18\x02 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x06orders:@\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*,exchange/MsgBatchCreateDerivativeLimitOrders\"\xb8\x01\n+MsgBatchCreateDerivativeLimitOrdersResponse\x12!\n\x0corder_hashes\x18\x01 \x03(\tR\x0borderHashes\x12.\n\x13\x63reated_orders_cids\x18\x02 \x03(\tR\x11\x63reatedOrdersCids\x12,\n\x12\x66\x61iled_orders_cids\x18\x03 \x03(\tR\x10\x66\x61iledOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xd0\x01\n\x12MsgCancelSpotOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id:/\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1b\x65xchange/MsgCancelSpotOrder\"\x1c\n\x1aMsgCancelSpotOrderResponse\"\xaa\x01\n\x18MsgBatchCancelSpotOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgBatchCancelSpotOrders\"F\n MsgBatchCancelSpotOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbc\x01\n!MsgBatchCancelBinaryOptionsOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgBatchCancelBinaryOptionsOrders\"O\n)MsgBatchCancelBinaryOptionsOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf2\x07\n\x14MsgBatchUpdateOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12?\n\x1dspot_market_ids_to_cancel_all\x18\x03 \x03(\tR\x18spotMarketIdsToCancelAll\x12K\n#derivative_market_ids_to_cancel_all\x18\x04 \x03(\tR\x1e\x64\x65rivativeMarketIdsToCancelAll\x12^\n\x15spot_orders_to_cancel\x18\x05 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCancel\x12j\n\x1b\x64\x65rivative_orders_to_cancel\x18\x06 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCancel\x12^\n\x15spot_orders_to_create\x18\x07 \x03(\x0b\x32%.injective.exchange.v1beta1.SpotOrderB\x04\xc8\xde\x1f\x01R\x12spotOrdersToCreate\x12p\n\x1b\x64\x65rivative_orders_to_create\x18\x08 \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x18\x64\x65rivativeOrdersToCreate\x12q\n\x1f\x62inary_options_orders_to_cancel\x18\t \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCancel\x12R\n\'binary_options_market_ids_to_cancel_all\x18\n \x03(\tR!binaryOptionsMarketIdsToCancelAll\x12w\n\x1f\x62inary_options_orders_to_create\x18\x0b \x03(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x1b\x62inaryOptionsOrdersToCreate:1\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgBatchUpdateOrders\"\x88\x06\n\x1cMsgBatchUpdateOrdersResponse\x12.\n\x13spot_cancel_success\x18\x01 \x03(\x08R\x11spotCancelSuccess\x12:\n\x19\x64\x65rivative_cancel_success\x18\x02 \x03(\x08R\x17\x64\x65rivativeCancelSuccess\x12*\n\x11spot_order_hashes\x18\x03 \x03(\tR\x0fspotOrderHashes\x12\x36\n\x17\x64\x65rivative_order_hashes\x18\x04 \x03(\tR\x15\x64\x65rivativeOrderHashes\x12\x41\n\x1d\x62inary_options_cancel_success\x18\x05 \x03(\x08R\x1a\x62inaryOptionsCancelSuccess\x12=\n\x1b\x62inary_options_order_hashes\x18\x06 \x03(\tR\x18\x62inaryOptionsOrderHashes\x12\x37\n\x18\x63reated_spot_orders_cids\x18\x07 \x03(\tR\x15\x63reatedSpotOrdersCids\x12\x35\n\x17\x66\x61iled_spot_orders_cids\x18\x08 \x03(\tR\x14\x66\x61iledSpotOrdersCids\x12\x43\n\x1e\x63reated_derivative_orders_cids\x18\t \x03(\tR\x1b\x63reatedDerivativeOrdersCids\x12\x41\n\x1d\x66\x61iled_derivative_orders_cids\x18\n \x03(\tR\x1a\x66\x61iledDerivativeOrdersCids\x12J\n\"created_binary_options_orders_cids\x18\x0b \x03(\tR\x1e\x63reatedBinaryOptionsOrdersCids\x12H\n!failed_binary_options_orders_cids\x18\x0c \x03(\tR\x1d\x66\x61iledBinaryOptionsOrdersCids:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xbe\x01\n\x1eMsgCreateDerivativeMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgCreateDerivativeMarketOrder\"\xbd\x01\n&MsgCreateDerivativeMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xf0\x02\n\x1c\x44\x65rivativeMarketOrderResults\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x35\n\x03\x66\x65\x65\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12V\n\x0eposition_delta\x18\x04 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaB\x04\xc8\xde\x1f\x00R\rpositionDelta\x12;\n\x06payout\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xc4\x01\n!MsgCreateBinaryOptionsMarketOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12G\n\x05order\x18\x02 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x00R\x05order:>\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgCreateBinaryOptionsMarketOrder\"\xc0\x01\n)MsgCreateBinaryOptionsMarketOrderResponse\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12X\n\x07results\x18\x02 \x01(\x0b\x32\x38.injective.exchange.v1beta1.DerivativeMarketOrderResultsB\x04\xc8\xde\x1f\x01R\x07results\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\xfb\x01\n\x18MsgCancelDerivativeOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:5\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgCancelDerivativeOrder\"\"\n MsgCancelDerivativeOrderResponse\"\x81\x02\n\x1bMsgCancelBinaryOptionsOrder\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x04 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x05 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x06 \x01(\tR\x03\x63id:8\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*$exchange/MsgCancelBinaryOptionsOrder\"%\n#MsgCancelBinaryOptionsOrderResponse\"\x9d\x01\n\tOrderData\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1d\n\norder_hash\x18\x03 \x01(\tR\torderHash\x12\x1d\n\norder_mask\x18\x04 \x01(\x05R\torderMask\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\xb6\x01\n\x1eMsgBatchCancelDerivativeOrders\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12?\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32%.injective.exchange.v1beta1.OrderDataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta:;\x88\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\'exchange/MsgBatchCancelDerivativeOrders\"L\n&MsgBatchCancelDerivativeOrdersResponse\x12\x18\n\x07success\x18\x01 \x03(\x08R\x07success:\x08\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\"\x86\x02\n\x15MsgSubaccountTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgSubaccountTransfer\"\x1f\n\x1dMsgSubaccountTransferResponse\"\x82\x02\n\x13MsgExternalTransfer\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x37\n\x06\x61mount\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:,\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1c\x65xchange/MsgExternalTransfer\"\x1d\n\x1bMsgExternalTransferResponse\"\xe8\x01\n\x14MsgLiquidatePosition\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12G\n\x05order\x18\x04 \x01(\x0b\x32+.injective.exchange.v1beta1.DerivativeOrderB\x04\xc8\xde\x1f\x01R\x05order:-\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1d\x65xchange/MsgLiquidatePosition\"\x1e\n\x1cMsgLiquidatePositionResponse\"\xa7\x01\n\x18MsgEmergencySettleMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!exchange/MsgEmergencySettleMarket\"\"\n MsgEmergencySettleMarketResponse\"\xaf\x02\n\x19MsgIncreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgIncreasePositionMargin\"#\n!MsgIncreasePositionMarginResponse\"\xaf\x02\n\x19MsgDecreasePositionMargin\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x14source_subaccount_id\x18\x02 \x01(\tR\x12sourceSubaccountId\x12:\n\x19\x64\x65stination_subaccount_id\x18\x03 \x01(\tR\x17\x64\x65stinationSubaccountId\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\x12;\n\x06\x61mount\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61mount:2\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\"exchange/MsgDecreasePositionMargin\"#\n!MsgDecreasePositionMarginResponse\"\xca\x01\n\x1cMsgPrivilegedExecuteContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05\x66unds\x18\x02 \x01(\tR\x05\x66unds\x12)\n\x10\x63ontract_address\x18\x03 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04\x64\x61ta\x18\x04 \x01(\tR\x04\x64\x61ta:=\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*%exchange/MsgPrivilegedExecuteContract\"\xa7\x01\n$MsgPrivilegedExecuteContractResponse\x12j\n\nfunds_diff\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\tfundsDiff:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"]\n\x10MsgRewardsOptOut\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19\x65xchange/MsgRewardsOptOut\"\x1a\n\x18MsgRewardsOptOutResponse\"\xaf\x01\n\x15MsgReclaimLockedFunds\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x30\n\x13lockedAccountPubKey\x18\x02 \x01(\x0cR\x13lockedAccountPubKey\x12\x1c\n\tsignature\x18\x03 \x01(\x0cR\tsignature:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgReclaimLockedFunds\"\x1f\n\x1dMsgReclaimLockedFundsResponse\"\x80\x01\n\x0bMsgSignData\x12S\n\x06Signer\x18\x01 \x01(\x0c\x42;\xea\xde\x1f\x06signer\xfa\xde\x1f-github.com/cosmos/cosmos-sdk/types.AccAddressR\x06Signer\x12\x1c\n\x04\x44\x61ta\x18\x02 \x01(\x0c\x42\x08\xea\xde\x1f\x04\x64\x61taR\x04\x44\x61ta\"x\n\nMsgSignDoc\x12%\n\tsign_type\x18\x01 \x01(\tB\x08\xea\xde\x1f\x04typeR\x08signType\x12\x43\n\x05value\x18\x02 \x01(\x0b\x32\'.injective.exchange.v1beta1.MsgSignDataB\x04\xc8\xde\x1f\x00R\x05value\"\x8c\x03\n!MsgAdminUpdateBinaryOptionsMarket\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x31\n\x14\x65xpiration_timestamp\x18\x04 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x05 \x01(\x03R\x13settlementTimestamp\x12@\n\x06status\x18\x06 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status::\x82\xe7\xb0*\x06sender\x8a\xe7\xb0**exchange/MsgAdminUpdateBinaryOptionsMarket\"+\n)MsgAdminUpdateBinaryOptionsMarketResponse\"\xab\x01\n\x17MsgAuthorizeStakeGrants\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x46\n\x06grants\x18\x02 \x03(\x0b\x32..injective.exchange.v1beta1.GrantAuthorizationR\x06grants:0\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* exchange/MsgAuthorizeStakeGrants\"!\n\x1fMsgAuthorizeStakeGrantsResponse\"y\n\x15MsgActivateStakeGrant\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x18\n\x07granter\x18\x02 \x01(\tR\x07granter:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1e\x65xchange/MsgActivateStakeGrant\"\x1f\n\x1dMsgActivateStakeGrantResponse2\xd0\'\n\x03Msg\x12\x61\n\x07\x44\x65posit\x12&.injective.exchange.v1beta1.MsgDeposit\x1a..injective.exchange.v1beta1.MsgDepositResponse\x12\x64\n\x08Withdraw\x12\'.injective.exchange.v1beta1.MsgWithdraw\x1a/.injective.exchange.v1beta1.MsgWithdrawResponse\x12\x91\x01\n\x17InstantSpotMarketLaunch\x12\x36.injective.exchange.v1beta1.MsgInstantSpotMarketLaunch\x1a>.injective.exchange.v1beta1.MsgInstantSpotMarketLaunchResponse\x12\xa0\x01\n\x1cInstantPerpetualMarketLaunch\x12;.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunch\x1a\x43.injective.exchange.v1beta1.MsgInstantPerpetualMarketLaunchResponse\x12\xac\x01\n InstantExpiryFuturesMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantExpiryFuturesMarketLaunchResponse\x12\x88\x01\n\x14\x43reateSpotLimitOrder\x12\x33.injective.exchange.v1beta1.MsgCreateSpotLimitOrder\x1a;.injective.exchange.v1beta1.MsgCreateSpotLimitOrderResponse\x12\x9a\x01\n\x1a\x42\x61tchCreateSpotLimitOrders\x12\x39.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrders\x1a\x41.injective.exchange.v1beta1.MsgBatchCreateSpotLimitOrdersResponse\x12\x8b\x01\n\x15\x43reateSpotMarketOrder\x12\x34.injective.exchange.v1beta1.MsgCreateSpotMarketOrder\x1a<.injective.exchange.v1beta1.MsgCreateSpotMarketOrderResponse\x12y\n\x0f\x43\x61ncelSpotOrder\x12..injective.exchange.v1beta1.MsgCancelSpotOrder\x1a\x36.injective.exchange.v1beta1.MsgCancelSpotOrderResponse\x12\x8b\x01\n\x15\x42\x61tchCancelSpotOrders\x12\x34.injective.exchange.v1beta1.MsgBatchCancelSpotOrders\x1a<.injective.exchange.v1beta1.MsgBatchCancelSpotOrdersResponse\x12\x7f\n\x11\x42\x61tchUpdateOrders\x12\x30.injective.exchange.v1beta1.MsgBatchUpdateOrders\x1a\x38.injective.exchange.v1beta1.MsgBatchUpdateOrdersResponse\x12\x97\x01\n\x19PrivilegedExecuteContract\x12\x38.injective.exchange.v1beta1.MsgPrivilegedExecuteContract\x1a@.injective.exchange.v1beta1.MsgPrivilegedExecuteContractResponse\x12\x9a\x01\n\x1a\x43reateDerivativeLimitOrder\x12\x39.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrder\x1a\x41.injective.exchange.v1beta1.MsgCreateDerivativeLimitOrderResponse\x12\xac\x01\n BatchCreateDerivativeLimitOrders\x12?.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrders\x1aG.injective.exchange.v1beta1.MsgBatchCreateDerivativeLimitOrdersResponse\x12\x9d\x01\n\x1b\x43reateDerivativeMarketOrder\x12:.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrder\x1a\x42.injective.exchange.v1beta1.MsgCreateDerivativeMarketOrderResponse\x12\x8b\x01\n\x15\x43\x61ncelDerivativeOrder\x12\x34.injective.exchange.v1beta1.MsgCancelDerivativeOrder\x1a<.injective.exchange.v1beta1.MsgCancelDerivativeOrderResponse\x12\x9d\x01\n\x1b\x42\x61tchCancelDerivativeOrders\x12:.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrders\x1a\x42.injective.exchange.v1beta1.MsgBatchCancelDerivativeOrdersResponse\x12\xac\x01\n InstantBinaryOptionsMarketLaunch\x12?.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunch\x1aG.injective.exchange.v1beta1.MsgInstantBinaryOptionsMarketLaunchResponse\x12\xa3\x01\n\x1d\x43reateBinaryOptionsLimitOrder\x12<.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrder\x1a\x44.injective.exchange.v1beta1.MsgCreateBinaryOptionsLimitOrderResponse\x12\xa6\x01\n\x1e\x43reateBinaryOptionsMarketOrder\x12=.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrder\x1a\x45.injective.exchange.v1beta1.MsgCreateBinaryOptionsMarketOrderResponse\x12\x94\x01\n\x18\x43\x61ncelBinaryOptionsOrder\x12\x37.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrder\x1a?.injective.exchange.v1beta1.MsgCancelBinaryOptionsOrderResponse\x12\xa6\x01\n\x1e\x42\x61tchCancelBinaryOptionsOrders\x12=.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrders\x1a\x45.injective.exchange.v1beta1.MsgBatchCancelBinaryOptionsOrdersResponse\x12\x82\x01\n\x12SubaccountTransfer\x12\x31.injective.exchange.v1beta1.MsgSubaccountTransfer\x1a\x39.injective.exchange.v1beta1.MsgSubaccountTransferResponse\x12|\n\x10\x45xternalTransfer\x12/.injective.exchange.v1beta1.MsgExternalTransfer\x1a\x37.injective.exchange.v1beta1.MsgExternalTransferResponse\x12\x7f\n\x11LiquidatePosition\x12\x30.injective.exchange.v1beta1.MsgLiquidatePosition\x1a\x38.injective.exchange.v1beta1.MsgLiquidatePositionResponse\x12\x8b\x01\n\x15\x45mergencySettleMarket\x12\x34.injective.exchange.v1beta1.MsgEmergencySettleMarket\x1a<.injective.exchange.v1beta1.MsgEmergencySettleMarketResponse\x12\x8e\x01\n\x16IncreasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgIncreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgIncreasePositionMarginResponse\x12\x8e\x01\n\x16\x44\x65\x63reasePositionMargin\x12\x35.injective.exchange.v1beta1.MsgDecreasePositionMargin\x1a=.injective.exchange.v1beta1.MsgDecreasePositionMarginResponse\x12s\n\rRewardsOptOut\x12,.injective.exchange.v1beta1.MsgRewardsOptOut\x1a\x34.injective.exchange.v1beta1.MsgRewardsOptOutResponse\x12\xa6\x01\n\x1e\x41\x64minUpdateBinaryOptionsMarket\x12=.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarket\x1a\x45.injective.exchange.v1beta1.MsgAdminUpdateBinaryOptionsMarketResponse\x12p\n\x0cUpdateParams\x12+.injective.exchange.v1beta1.MsgUpdateParams\x1a\x33.injective.exchange.v1beta1.MsgUpdateParamsResponse\x12|\n\x10UpdateSpotMarket\x12/.injective.exchange.v1beta1.MsgUpdateSpotMarket\x1a\x37.injective.exchange.v1beta1.MsgUpdateSpotMarketResponse\x12\x8e\x01\n\x16UpdateDerivativeMarket\x12\x35.injective.exchange.v1beta1.MsgUpdateDerivativeMarket\x1a=.injective.exchange.v1beta1.MsgUpdateDerivativeMarketResponse\x12\x88\x01\n\x14\x41uthorizeStakeGrants\x12\x33.injective.exchange.v1beta1.MsgAuthorizeStakeGrants\x1a;.injective.exchange.v1beta1.MsgAuthorizeStakeGrantsResponse\x12\x82\x01\n\x12\x41\x63tivateStakeGrant\x12\x31.injective.exchange.v1beta1.MsgActivateStakeGrant\x1a\x39.injective.exchange.v1beta1.MsgActivateStakeGrantResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x83\x02\n\x1e\x63om.injective.exchange.v1beta1B\x07TxProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.exchange.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\036com.injective.exchange.v1beta1B\007TxProtoP\001ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\242\002\003IEX\252\002\032Injective.Exchange.V1beta1\312\002\032Injective\\Exchange\\V1beta1\342\002&Injective\\Exchange\\V1beta1\\GPBMetadata\352\002\034Injective::Exchange::V1beta1' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._loaded_options = None _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_price_tick_size']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGUPDATESPOTMARKET'].fields_by_name['new_min_quantity_tick_size']._loaded_options = None @@ -281,159 +291,159 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATESPOTMARKET']._serialized_start=323 - _globals['_MSGUPDATESPOTMARKET']._serialized_end=657 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=659 - _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=688 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=691 - _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1183 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1185 - _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1220 - _globals['_MSGUPDATEPARAMS']._serialized_start=1223 - _globals['_MSGUPDATEPARAMS']._serialized_end=1388 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1390 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1415 - _globals['_MSGDEPOSIT']._serialized_start=1418 - _globals['_MSGDEPOSIT']._serialized_end=1563 - _globals['_MSGDEPOSITRESPONSE']._serialized_start=1565 - _globals['_MSGDEPOSITRESPONSE']._serialized_end=1585 - _globals['_MSGWITHDRAW']._serialized_start=1588 - _globals['_MSGWITHDRAW']._serialized_end=1735 - _globals['_MSGWITHDRAWRESPONSE']._serialized_start=1737 - _globals['_MSGWITHDRAWRESPONSE']._serialized_end=1758 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=1761 - _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=1920 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=1922 - _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=1998 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2001 - _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2173 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2176 - _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2304 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2307 - _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=2663 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=2665 - _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=2701 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=2704 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=3441 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=3443 - _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=3484 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=3487 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=4174 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=4176 - _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=4221 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=4224 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=4985 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=4987 - _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=5032 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=5035 - _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=5196 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=5199 - _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=5351 - _globals['_SPOTMARKETORDERRESULTS']._serialized_start=5354 - _globals['_SPOTMARKETORDERRESULTS']._serialized_end=5545 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=5548 - _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=5721 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=5723 - _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=5805 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=5808 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=5987 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=5989 - _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=6074 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=6077 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=6263 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=6266 - _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=6400 - _globals['_MSGCANCELSPOTORDER']._serialized_start=6403 - _globals['_MSGCANCELSPOTORDER']._serialized_end=6563 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=6565 - _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=6593 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=6596 - _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=6752 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=6754 - _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=6815 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=6818 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=6992 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=6994 - _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=7064 - _globals['_MSGBATCHUPDATEORDERS']._serialized_start=7067 - _globals['_MSGBATCHUPDATEORDERS']._serialized_end=7812 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=7815 - _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=8288 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=8291 - _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=8466 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=8469 - _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=8633 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=8636 - _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=8959 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=8962 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=9143 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=9146 - _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=9313 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=9316 - _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=9508 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=9510 - _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=9544 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=9547 - _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=9745 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=9747 - _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=9784 - _globals['_ORDERDATA']._serialized_start=9786 - _globals['_ORDERDATA']._serialized_end=9892 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=9895 - _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=10063 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=10065 - _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=10132 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=10135 - _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=10336 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=10338 - _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=10369 - _globals['_MSGEXTERNALTRANSFER']._serialized_start=10372 - _globals['_MSGEXTERNALTRANSFER']._serialized_end=10569 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=10571 - _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=10600 - _globals['_MSGLIQUIDATEPOSITION']._serialized_start=10603 - _globals['_MSGLIQUIDATEPOSITION']._serialized_end=10796 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=10798 - _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=10828 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=10831 - _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=10966 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=10968 - _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=11002 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=11005 - _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=11237 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=11239 - _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=11274 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=11277 - _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=11509 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=11511 - _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=11546 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=11549 - _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=11713 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=11716 - _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=11872 - _globals['_MSGREWARDSOPTOUT']._serialized_start=11874 - _globals['_MSGREWARDSOPTOUT']._serialized_end=11959 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=11961 - _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=11987 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=11990 - _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=12125 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=12127 - _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=12158 - _globals['_MSGSIGNDATA']._serialized_start=12160 - _globals['_MSGSIGNDATA']._serialized_end=12274 - _globals['_MSGSIGNDOC']._serialized_start=12276 - _globals['_MSGSIGNDOC']._serialized_end=12379 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=12382 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=12693 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=12695 - _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=12738 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=12741 - _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=12896 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=12898 - _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=12931 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=12933 - _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=13037 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=13039 - _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=13070 - _globals['_MSG']._serialized_start=13073 - _globals['_MSG']._serialized_end=18145 + _globals['_MSGUPDATESPOTMARKET']._serialized_end=746 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_start=748 + _globals['_MSGUPDATESPOTMARKETRESPONSE']._serialized_end=777 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_start=780 + _globals['_MSGUPDATEDERIVATIVEMARKET']._serialized_end=1411 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_start=1413 + _globals['_MSGUPDATEDERIVATIVEMARKETRESPONSE']._serialized_end=1448 + _globals['_MSGUPDATEPARAMS']._serialized_start=1451 + _globals['_MSGUPDATEPARAMS']._serialized_end=1635 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1637 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1662 + _globals['_MSGDEPOSIT']._serialized_start=1665 + _globals['_MSGDEPOSIT']._serialized_end=1840 + _globals['_MSGDEPOSITRESPONSE']._serialized_start=1842 + _globals['_MSGDEPOSITRESPONSE']._serialized_end=1862 + _globals['_MSGWITHDRAW']._serialized_start=1865 + _globals['_MSGWITHDRAW']._serialized_end=2042 + _globals['_MSGWITHDRAWRESPONSE']._serialized_start=2044 + _globals['_MSGWITHDRAWRESPONSE']._serialized_end=2065 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_start=2068 + _globals['_MSGCREATESPOTLIMITORDER']._serialized_end=2242 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_start=2244 + _globals['_MSGCREATESPOTLIMITORDERRESPONSE']._serialized_end=2336 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_start=2339 + _globals['_MSGBATCHCREATESPOTLIMITORDERS']._serialized_end=2527 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_start=2530 + _globals['_MSGBATCHCREATESPOTLIMITORDERSRESPONSE']._serialized_end=2708 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_start=2711 + _globals['_MSGINSTANTSPOTMARKETLAUNCH']._serialized_end=3158 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_start=3160 + _globals['_MSGINSTANTSPOTMARKETLAUNCHRESPONSE']._serialized_end=3196 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_start=3199 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCH']._serialized_end=4144 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_start=4146 + _globals['_MSGINSTANTPERPETUALMARKETLAUNCHRESPONSE']._serialized_end=4187 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_start=4190 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCH']._serialized_end=5095 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_start=5097 + _globals['_MSGINSTANTBINARYOPTIONSMARKETLAUNCHRESPONSE']._serialized_end=5142 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_start=5145 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCH']._serialized_end=6122 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_start=6124 + _globals['_MSGINSTANTEXPIRYFUTURESMARKETLAUNCHRESPONSE']._serialized_end=6169 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_start=6172 + _globals['_MSGCREATESPOTMARKETORDER']._serialized_end=6348 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_start=6351 + _globals['_MSGCREATESPOTMARKETORDERRESPONSE']._serialized_end=6528 + _globals['_SPOTMARKETORDERRESULTS']._serialized_start=6531 + _globals['_SPOTMARKETORDERRESULTS']._serialized_end=6744 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_start=6747 + _globals['_MSGCREATEDERIVATIVELIMITORDER']._serialized_end=6935 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_start=6937 + _globals['_MSGCREATEDERIVATIVELIMITORDERRESPONSE']._serialized_end=7035 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_start=7038 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDER']._serialized_end=7232 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_start=7234 + _globals['_MSGCREATEBINARYOPTIONSLIMITORDERRESPONSE']._serialized_end=7335 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_start=7338 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERS']._serialized_end=7540 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_start=7543 + _globals['_MSGBATCHCREATEDERIVATIVELIMITORDERSRESPONSE']._serialized_end=7727 + _globals['_MSGCANCELSPOTORDER']._serialized_start=7730 + _globals['_MSGCANCELSPOTORDER']._serialized_end=7938 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_start=7940 + _globals['_MSGCANCELSPOTORDERRESPONSE']._serialized_end=7968 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_start=7971 + _globals['_MSGBATCHCANCELSPOTORDERS']._serialized_end=8141 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_start=8143 + _globals['_MSGBATCHCANCELSPOTORDERSRESPONSE']._serialized_end=8213 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_start=8216 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERS']._serialized_end=8404 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_start=8406 + _globals['_MSGBATCHCANCELBINARYOPTIONSORDERSRESPONSE']._serialized_end=8485 + _globals['_MSGBATCHUPDATEORDERS']._serialized_start=8488 + _globals['_MSGBATCHUPDATEORDERS']._serialized_end=9498 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_start=9501 + _globals['_MSGBATCHUPDATEORDERSRESPONSE']._serialized_end=10277 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_start=10280 + _globals['_MSGCREATEDERIVATIVEMARKETORDER']._serialized_end=10470 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_start=10473 + _globals['_MSGCREATEDERIVATIVEMARKETORDERRESPONSE']._serialized_end=10662 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_start=10665 + _globals['_DERIVATIVEMARKETORDERRESULTS']._serialized_end=11033 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_start=11036 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDER']._serialized_end=11232 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_start=11235 + _globals['_MSGCREATEBINARYOPTIONSMARKETORDERRESPONSE']._serialized_end=11427 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_start=11430 + _globals['_MSGCANCELDERIVATIVEORDER']._serialized_end=11681 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_start=11683 + _globals['_MSGCANCELDERIVATIVEORDERRESPONSE']._serialized_end=11717 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_start=11720 + _globals['_MSGCANCELBINARYOPTIONSORDER']._serialized_end=11977 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_start=11979 + _globals['_MSGCANCELBINARYOPTIONSORDERRESPONSE']._serialized_end=12016 + _globals['_ORDERDATA']._serialized_start=12019 + _globals['_ORDERDATA']._serialized_end=12176 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_start=12179 + _globals['_MSGBATCHCANCELDERIVATIVEORDERS']._serialized_end=12361 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_start=12363 + _globals['_MSGBATCHCANCELDERIVATIVEORDERSRESPONSE']._serialized_end=12439 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_start=12442 + _globals['_MSGSUBACCOUNTTRANSFER']._serialized_end=12704 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_start=12706 + _globals['_MSGSUBACCOUNTTRANSFERRESPONSE']._serialized_end=12737 + _globals['_MSGEXTERNALTRANSFER']._serialized_start=12740 + _globals['_MSGEXTERNALTRANSFER']._serialized_end=12998 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_start=13000 + _globals['_MSGEXTERNALTRANSFERRESPONSE']._serialized_end=13029 + _globals['_MSGLIQUIDATEPOSITION']._serialized_start=13032 + _globals['_MSGLIQUIDATEPOSITION']._serialized_end=13264 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_start=13266 + _globals['_MSGLIQUIDATEPOSITIONRESPONSE']._serialized_end=13296 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_start=13299 + _globals['_MSGEMERGENCYSETTLEMARKET']._serialized_end=13466 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_start=13468 + _globals['_MSGEMERGENCYSETTLEMARKETRESPONSE']._serialized_end=13502 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_start=13505 + _globals['_MSGINCREASEPOSITIONMARGIN']._serialized_end=13808 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_start=13810 + _globals['_MSGINCREASEPOSITIONMARGINRESPONSE']._serialized_end=13845 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_start=13848 + _globals['_MSGDECREASEPOSITIONMARGIN']._serialized_end=14151 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_start=14153 + _globals['_MSGDECREASEPOSITIONMARGINRESPONSE']._serialized_end=14188 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_start=14191 + _globals['_MSGPRIVILEGEDEXECUTECONTRACT']._serialized_end=14393 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_start=14396 + _globals['_MSGPRIVILEGEDEXECUTECONTRACTRESPONSE']._serialized_end=14563 + _globals['_MSGREWARDSOPTOUT']._serialized_start=14565 + _globals['_MSGREWARDSOPTOUT']._serialized_end=14658 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_start=14660 + _globals['_MSGREWARDSOPTOUTRESPONSE']._serialized_end=14686 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_start=14689 + _globals['_MSGRECLAIMLOCKEDFUNDS']._serialized_end=14864 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_start=14866 + _globals['_MSGRECLAIMLOCKEDFUNDSRESPONSE']._serialized_end=14897 + _globals['_MSGSIGNDATA']._serialized_start=14900 + _globals['_MSGSIGNDATA']._serialized_end=15028 + _globals['_MSGSIGNDOC']._serialized_start=15030 + _globals['_MSGSIGNDOC']._serialized_end=15150 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_start=15153 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKET']._serialized_end=15549 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_start=15551 + _globals['_MSGADMINUPDATEBINARYOPTIONSMARKETRESPONSE']._serialized_end=15594 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_start=15597 + _globals['_MSGAUTHORIZESTAKEGRANTS']._serialized_end=15768 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_start=15770 + _globals['_MSGAUTHORIZESTAKEGRANTSRESPONSE']._serialized_end=15803 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_start=15805 + _globals['_MSGACTIVATESTAKEGRANT']._serialized_end=15926 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_start=15928 + _globals['_MSGACTIVATESTAKEGRANTRESPONSE']._serialized_end=15959 + _globals['_MSG']._serialized_start=15962 + _globals['_MSG']._serialized_end=21034 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py index 6f6d8e4c..6d24c373 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"T\n\x18\x45ventInsuranceFundUpdate\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"[\n\x16\x45ventRequestRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\"\x92\x01\n\x17\x45ventWithdrawRedemption\x12\x41\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionSchedule\x12\x34\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x9b\x01\n\x0f\x45ventUnderwrite\x12\x13\n\x0bunderwriter\x18\x01 \x01(\t\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12/\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"w\n\x16\x45ventInsuranceWithdraw\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rmarket_ticker\x18\x02 \x01(\t\x12\x33\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/insurance/v1beta1/events.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a+injective/insurance/v1beta1/insurance.proto\"Z\n\x18\x45ventInsuranceFundUpdate\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"e\n\x16\x45ventRequestRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\"\xa8\x01\n\x17\x45ventWithdrawRedemption\x12K\n\x08schedule\x18\x01 \x01(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleR\x08schedule\x12@\n\x0bredeem_coin\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nredeemCoin\"\xc3\x01\n\x0f\x45ventUnderwrite\x12 \n\x0bunderwriter\x18\x01 \x01(\tR\x0bunderwriter\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\x12\x37\n\x06shares\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06shares\"\x9b\x01\n\x16\x45ventInsuranceWithdraw\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x02 \x01(\tR\x0cmarketTicker\x12?\n\nwithdrawal\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\nwithdrawalB\x8d\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0b\x45ventsProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\013EventsProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._loaded_options = None _globals['_EVENTWITHDRAWREDEMPTION'].fields_by_name['redeem_coin']._serialized_options = b'\310\336\037\000' _globals['_EVENTUNDERWRITE'].fields_by_name['deposit']._loaded_options = None @@ -34,13 +44,13 @@ _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._loaded_options = None _globals['_EVENTINSURANCEWITHDRAW'].fields_by_name['withdrawal']._serialized_options = b'\310\336\037\000' _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_start=172 - _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=256 - _globals['_EVENTREQUESTREDEMPTION']._serialized_start=258 - _globals['_EVENTREQUESTREDEMPTION']._serialized_end=349 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=352 - _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=498 - _globals['_EVENTUNDERWRITE']._serialized_start=501 - _globals['_EVENTUNDERWRITE']._serialized_end=656 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=658 - _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=777 + _globals['_EVENTINSURANCEFUNDUPDATE']._serialized_end=262 + _globals['_EVENTREQUESTREDEMPTION']._serialized_start=264 + _globals['_EVENTREQUESTREDEMPTION']._serialized_end=365 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_start=368 + _globals['_EVENTWITHDRAWREDEMPTION']._serialized_end=536 + _globals['_EVENTUNDERWRITE']._serialized_start=539 + _globals['_EVENTUNDERWRITE']._serialized_end=734 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_start=737 + _globals['_EVENTINSURANCEWITHDRAW']._serialized_end=892 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py index 38173148..d944466e 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\xaa\x02\n\x0cGenesisState\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12I\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\x12R\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00\x12\x1b\n\x13next_share_denom_id\x18\x04 \x01(\x04\x12#\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/insurance/v1beta1/genesis.proto\x12\x1binjective.insurance.v1beta1\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\"\x82\x03\n\x0cGenesisState\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12Y\n\x0finsurance_funds\x18\x02 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x0einsuranceFunds\x12\x66\n\x13redemption_schedule\x18\x03 \x03(\x0b\x32/.injective.insurance.v1beta1.RedemptionScheduleB\x04\xc8\xde\x1f\x00R\x12redemptionSchedule\x12-\n\x13next_share_denom_id\x18\x04 \x01(\x04R\x10nextShareDenomId\x12=\n\x1bnext_redemption_schedule_id\x18\x05 \x01(\x04R\x18nextRedemptionScheduleIdB\x8e\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0cGenesisProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\014GenesisProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['insurance_funds']._loaded_options = None @@ -31,5 +41,5 @@ _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['redemption_schedule']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=142 - _globals['_GENESISSTATE']._serialized_end=440 + _globals['_GENESISSTATE']._serialized_end=528 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py index e43d0913..d9e7f614 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/insurance.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/insurance.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb0\x01\n\x06Params\x12\x8a\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xca\x03\n\rInsuranceFund\x12\x15\n\rdeposit_denom\x18\x01 \x01(\t\x12\"\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\t\x12z\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01\x12.\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x32\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x11\n\tmarket_id\x18\x06 \x01(\t\x12\x15\n\rmarket_ticker\x18\x07 \x01(\t\x12\x13\n\x0boracle_base\x18\x08 \x01(\t\x12\x14\n\x0coracle_quote\x18\t \x01(\t\x12\x39\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x0b \x01(\x03\"\xed\x01\n\x12RedemptionSchedule\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x10\n\x08marketId\x18\x02 \x01(\t\x12\x10\n\x08redeemer\x18\x03 \x01(\t\x12k\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01\x12:\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/insurance/v1beta1/insurance.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xd7\x01\n\x06Params\x12\xb1\x01\n)default_redemption_notice_period_duration\x18\x01 \x01(\x0b\x32\x19.google.protobuf.DurationB<\xc8\xde\x1f\x00\xf2\xde\x1f\x30yaml:\"default_redemption_notice_period_duration\"\x98\xdf\x1f\x01R%defaultRedemptionNoticePeriodDuration:\x19\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x10insurance/Params\"\xec\x04\n\rInsuranceFund\x12#\n\rdeposit_denom\x18\x01 \x01(\tR\x0c\x64\x65positDenom\x12;\n\x1ainsurance_pool_token_denom\x18\x02 \x01(\tR\x17insurancePoolTokenDenom\x12\x9a\x01\n!redemption_notice_period_duration\x18\x03 \x01(\x0b\x32\x19.google.protobuf.DurationB4\xc8\xde\x1f\x00\xf2\xde\x1f(yaml:\"redemption_notice_period_duration\"\x98\xdf\x1f\x01R\x1eredemptionNoticePeriodDuration\x12\x37\n\x07\x62\x61lance\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x62\x61lance\x12>\n\x0btotal_share\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ntotalShare\x12\x1b\n\tmarket_id\x18\x06 \x01(\tR\x08marketId\x12#\n\rmarket_ticker\x18\x07 \x01(\tR\x0cmarketTicker\x12\x1f\n\x0boracle_base\x18\x08 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\t \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\n \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x0b \x01(\x03R\x06\x65xpiry\"\xb1\x02\n\x12RedemptionSchedule\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x1a\n\x08marketId\x18\x02 \x01(\tR\x08marketId\x12\x1a\n\x08redeemer\x18\x03 \x01(\tR\x08redeemer\x12\x84\x01\n\x19\x63laimable_redemption_time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB,\xc8\xde\x1f\x00\xf2\xde\x1f yaml:\"claimable_redemption_time\"\x90\xdf\x1f\x01R\x17\x63laimableRedemptionTime\x12L\n\x11redemption_amount\x18\x05 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x10redemptionAmountB\x90\x02\n\x1f\x63om.injective.insurance.v1beta1B\x0eInsuranceProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.insurance_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\016InsuranceProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._loaded_options = None _globals['_PARAMS'].fields_by_name['default_redemption_notice_period_duration']._serialized_options = b'\310\336\037\000\362\336\0370yaml:\"default_redemption_notice_period_duration\"\230\337\037\001' _globals['_PARAMS']._loaded_options = None @@ -43,9 +53,9 @@ _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._loaded_options = None _globals['_REDEMPTIONSCHEDULE'].fields_by_name['redemption_amount']._serialized_options = b'\310\336\037\000' _globals['_PARAMS']._serialized_start=254 - _globals['_PARAMS']._serialized_end=430 - _globals['_INSURANCEFUND']._serialized_start=433 - _globals['_INSURANCEFUND']._serialized_end=891 - _globals['_REDEMPTIONSCHEDULE']._serialized_start=894 - _globals['_REDEMPTIONSCHEDULE']._serialized_end=1131 + _globals['_PARAMS']._serialized_end=469 + _globals['_INSURANCEFUND']._serialized_start=472 + _globals['_INSURANCEFUND']._serialized_end=1092 + _globals['_REDEMPTIONSCHEDULE']._serialized_start=1095 + _globals['_REDEMPTIONSCHEDULE']._serialized_end=1400 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py index ef78d6b9..86326b9e 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import genesis_pb2 as injective_dot_insurance_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"Y\n\x1cQueryInsuranceParamsResponse\x12\x39\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\".\n\x19QueryInsuranceFundRequest\x12\x11\n\tmarket_id\x18\x01 \x01(\t\"V\n\x1aQueryInsuranceFundResponse\x12\x38\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFund\"\x1c\n\x1aQueryInsuranceFundsRequest\"^\n\x1bQueryInsuranceFundsResponse\x12?\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00\"E\n QueryEstimatedRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"T\n!QueryEstimatedRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"C\n\x1eQueryPendingRedemptionsRequest\x12\x10\n\x08marketId\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"R\n\x1fQueryPendingRedemptionsResponse\x12/\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"T\n\x18QueryModuleStateResponse\x12\x38\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisState2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateBQZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/insurance/v1beta1/query.proto\x12\x1binjective.insurance.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a)injective/insurance/v1beta1/genesis.proto\"\x1d\n\x1bQueryInsuranceParamsRequest\"a\n\x1cQueryInsuranceParamsResponse\x12\x41\n\x06params\x18\x01 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"8\n\x19QueryInsuranceFundRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"\\\n\x1aQueryInsuranceFundResponse\x12>\n\x04\x66und\x18\x01 \x01(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundR\x04\x66und\"\x1c\n\x1aQueryInsuranceFundsRequest\"e\n\x1bQueryInsuranceFundsResponse\x12\x46\n\x05\x66unds\x18\x01 \x03(\x0b\x32*.injective.insurance.v1beta1.InsuranceFundB\x04\xc8\xde\x1f\x00R\x05\x66unds\"X\n QueryEstimatedRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n!QueryEstimatedRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x1eQueryPendingRedemptionsRequest\x12\x1a\n\x08marketId\x18\x01 \x01(\tR\x08marketId\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Z\n\x1fQueryPendingRedemptionsResponse\x12\x37\n\x06\x61mount\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\x19\n\x17QueryModuleStateRequest\"[\n\x18QueryModuleStateResponse\x12?\n\x05state\x18\x01 \x01(\x0b\x32).injective.insurance.v1beta1.GenesisStateR\x05state2\x96\t\n\x05Query\x12\xb3\x01\n\x0fInsuranceParams\x12\x38.injective.insurance.v1beta1.QueryInsuranceParamsRequest\x1a\x39.injective.insurance.v1beta1.QueryInsuranceParamsResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/insurance/v1beta1/params\x12\xc1\x01\n\rInsuranceFund\x12\x36.injective.insurance.v1beta1.QueryInsuranceFundRequest\x1a\x37.injective.insurance.v1beta1.QueryInsuranceFundResponse\"?\x82\xd3\xe4\x93\x02\x39\x12\x37/injective/insurance/v1beta1/insurance_fund/{market_id}\x12\xb9\x01\n\x0eInsuranceFunds\x12\x37.injective.insurance.v1beta1.QueryInsuranceFundsRequest\x1a\x38.injective.insurance.v1beta1.QueryInsuranceFundsResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/insurance/v1beta1/insurance_funds\x12\xd1\x01\n\x14\x45stimatedRedemptions\x12=.injective.insurance.v1beta1.QueryEstimatedRedemptionsRequest\x1a>.injective.insurance.v1beta1.QueryEstimatedRedemptionsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/insurance/v1beta1/estimated_redemptions\x12\xc9\x01\n\x12PendingRedemptions\x12;.injective.insurance.v1beta1.QueryPendingRedemptionsRequest\x1a<.injective.insurance.v1beta1.QueryPendingRedemptionsResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/insurance/v1beta1/pending_redemptions\x12\xb6\x01\n\x14InsuranceModuleState\x12\x34.injective.insurance.v1beta1.QueryModuleStateRequest\x1a\x35.injective.insurance.v1beta1.QueryModuleStateResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/insurance/v1beta1/module_stateB\x8c\x02\n\x1f\x63om.injective.insurance.v1beta1B\nQueryProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\nQueryProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYINSURANCEPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYINSURANCEFUNDSRESPONSE'].fields_by_name['funds']._loaded_options = None @@ -50,27 +60,27 @@ _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_start=244 _globals['_QUERYINSURANCEPARAMSREQUEST']._serialized_end=273 _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_start=275 - _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=364 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=366 - _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=412 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=414 - _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=500 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=502 - _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=530 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=532 - _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=626 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=628 - _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=697 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=699 - _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=783 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=785 - _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=852 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=854 - _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=936 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=938 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=963 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=965 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1049 - _globals['_QUERY']._serialized_start=1052 - _globals['_QUERY']._serialized_end=2226 + _globals['_QUERYINSURANCEPARAMSRESPONSE']._serialized_end=372 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_start=374 + _globals['_QUERYINSURANCEFUNDREQUEST']._serialized_end=430 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_start=432 + _globals['_QUERYINSURANCEFUNDRESPONSE']._serialized_end=524 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_start=526 + _globals['_QUERYINSURANCEFUNDSREQUEST']._serialized_end=554 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_start=556 + _globals['_QUERYINSURANCEFUNDSRESPONSE']._serialized_end=657 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_start=659 + _globals['_QUERYESTIMATEDREDEMPTIONSREQUEST']._serialized_end=747 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_start=749 + _globals['_QUERYESTIMATEDREDEMPTIONSRESPONSE']._serialized_end=841 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_start=843 + _globals['_QUERYPENDINGREDEMPTIONSREQUEST']._serialized_end=929 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_start=931 + _globals['_QUERYPENDINGREDEMPTIONSRESPONSE']._serialized_end=1021 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1023 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1048 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1050 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1141 + _globals['_QUERY']._serialized_start=1144 + _globals['_QUERY']._serialized_end=2318 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py index 3fee662a..e7fbd47d 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/insurance/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/insurance/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/insurance/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.insurance.v1beta1 import insurance_pb2 as injective_dot_insurance_dot_v1beta1_dot_insurance__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xb7\x02\n\x16MsgCreateInsuranceFund\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0e\n\x06ticker\x18\x02 \x01(\t\x12\x13\n\x0bquote_denom\x18\x03 \x01(\t\x12\x13\n\x0boracle_base\x18\x04 \x01(\t\x12\x14\n\x0coracle_quote\x18\x05 \x01(\t\x12\x39\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0e\n\x06\x65xpiry\x18\x07 \x01(\x03\x12\x38\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\x95\x01\n\rMsgUnderwrite\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12\x30\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xa2\x01\n\x14MsgRequestRedemption\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x11\n\tmarket_id\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xa7\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x39\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42QZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/insurance/v1beta1/tx.proto\x12\x1binjective.insurance.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/insurance/v1beta1/insurance.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x90\x03\n\x16MsgCreateInsuranceFund\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x16\n\x06ticker\x18\x02 \x01(\tR\x06ticker\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x06 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x16\n\x06\x65xpiry\x18\x07 \x01(\x03R\x06\x65xpiry\x12H\n\x0finitial_deposit\x18\x08 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0einitialDeposit:8\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0* insurance/MsgCreateInsuranceFund\" \n\x1eMsgCreateInsuranceFundResponse\"\xb0\x01\n\rMsgUnderwrite\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x39\n\x07\x64\x65posit\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit:/\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17insurance/MsgUnderwrite\"\x17\n\x15MsgUnderwriteResponse\"\xbc\x01\n\x14MsgRequestRedemption\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount:6\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1einsurance/MsgRequestRedemption\"\x1e\n\x1cMsgRequestRedemptionResponse\"\xba\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x41\n\x06params\x18\x02 \x01(\x0b\x32#.injective.insurance.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:,\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x19insurance/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfc\x03\n\x03Msg\x12\x87\x01\n\x13\x43reateInsuranceFund\x12\x33.injective.insurance.v1beta1.MsgCreateInsuranceFund\x1a;.injective.insurance.v1beta1.MsgCreateInsuranceFundResponse\x12l\n\nUnderwrite\x12*.injective.insurance.v1beta1.MsgUnderwrite\x1a\x32.injective.insurance.v1beta1.MsgUnderwriteResponse\x12\x81\x01\n\x11RequestRedemption\x12\x31.injective.insurance.v1beta1.MsgRequestRedemption\x1a\x39.injective.insurance.v1beta1.MsgRequestRedemptionResponse\x12r\n\x0cUpdateParams\x12,.injective.insurance.v1beta1.MsgUpdateParams\x1a\x34.injective.insurance.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x89\x02\n\x1f\x63om.injective.insurance.v1beta1B\x07TxProtoP\x01ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\xa2\x02\x03IIX\xaa\x02\x1bInjective.Insurance.V1beta1\xca\x02\x1bInjective\\Insurance\\V1beta1\xe2\x02\'Injective\\Insurance\\V1beta1\\GPBMetadata\xea\x02\x1dInjective::Insurance::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.insurance.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\037com.injective.insurance.v1beta1B\007TxProtoP\001ZOgithub.com/InjectiveLabs/injective-core/injective-chain/modules/insurance/types\242\002\003IIX\252\002\033Injective.Insurance.V1beta1\312\002\033Injective\\Insurance\\V1beta1\342\002\'Injective\\Insurance\\V1beta1\\GPBMetadata\352\002\035Injective::Insurance::V1beta1' _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._loaded_options = None _globals['_MSGCREATEINSURANCEFUND'].fields_by_name['initial_deposit']._serialized_options = b'\310\336\037\000' _globals['_MSGCREATEINSURANCEFUND']._loaded_options = None @@ -50,21 +60,21 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEINSURANCEFUND']._serialized_start=279 - _globals['_MSGCREATEINSURANCEFUND']._serialized_end=590 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=592 - _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=624 - _globals['_MSGUNDERWRITE']._serialized_start=627 - _globals['_MSGUNDERWRITE']._serialized_end=776 - _globals['_MSGUNDERWRITERESPONSE']._serialized_start=778 - _globals['_MSGUNDERWRITERESPONSE']._serialized_end=801 - _globals['_MSGREQUESTREDEMPTION']._serialized_start=804 - _globals['_MSGREQUESTREDEMPTION']._serialized_end=966 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=968 - _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=998 - _globals['_MSGUPDATEPARAMS']._serialized_start=1001 - _globals['_MSGUPDATEPARAMS']._serialized_end=1168 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1170 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1195 - _globals['_MSG']._serialized_start=1198 - _globals['_MSG']._serialized_end=1706 + _globals['_MSGCREATEINSURANCEFUND']._serialized_end=679 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_start=681 + _globals['_MSGCREATEINSURANCEFUNDRESPONSE']._serialized_end=713 + _globals['_MSGUNDERWRITE']._serialized_start=716 + _globals['_MSGUNDERWRITE']._serialized_end=892 + _globals['_MSGUNDERWRITERESPONSE']._serialized_start=894 + _globals['_MSGUNDERWRITERESPONSE']._serialized_end=917 + _globals['_MSGREQUESTREDEMPTION']._serialized_start=920 + _globals['_MSGREQUESTREDEMPTION']._serialized_end=1108 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_start=1110 + _globals['_MSGREQUESTREDEMPTIONRESPONSE']._serialized_end=1140 + _globals['_MSGUPDATEPARAMS']._serialized_start=1143 + _globals['_MSGUPDATEPARAMS']._serialized_end=1329 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1331 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1356 + _globals['_MSG']._serialized_start=1359 + _globals['_MSG']._serialized_end=1867 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py index 9ad402fa..84c11f2c 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2.py @@ -1,48 +1,58 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xed\x04\n\x0cGenesisState\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x37\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12I\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRound\x12\x43\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmission\x12X\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDs\x12\x37\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPool\x12\x42\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCounts\x12\x43\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeship\"^\n\x10\x46\x65\x65\x64Transmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x39\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"c\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"L\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04\"N\n\nRewardPool\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"K\n\nFeedCounts\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12,\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.Count\"\'\n\x05\x43ount\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05\x63ount\x18\x02 \x01(\x04\"P\n\x10PendingPayeeship\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x13\n\x0btransmitter\x18\x02 \x01(\t\x12\x16\n\x0eproposed_payee\x18\x03 \x01(\tBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n#injective/ocr/v1beta1/genesis.proto\x12\x15injective.ocr.v1beta1\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x94\x06\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12\x44\n\x0c\x66\x65\x65\x64_configs\x18\x02 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x0b\x66\x65\x65\x64\x43onfigs\x12_\n\x17latest_epoch_and_rounds\x18\x03 \x03(\x0b\x32(.injective.ocr.v1beta1.FeedEpochAndRoundR\x14latestEpochAndRounds\x12V\n\x12\x66\x65\x65\x64_transmissions\x18\x04 \x03(\x0b\x32\'.injective.ocr.v1beta1.FeedTransmissionR\x11\x66\x65\x65\x64Transmissions\x12r\n\x1blatest_aggregator_round_ids\x18\x05 \x03(\x0b\x32\x33.injective.ocr.v1beta1.FeedLatestAggregatorRoundIDsR\x18latestAggregatorRoundIds\x12\x44\n\x0creward_pools\x18\x06 \x03(\x0b\x32!.injective.ocr.v1beta1.RewardPoolR\x0brewardPools\x12Y\n\x17\x66\x65\x65\x64_observation_counts\x18\x07 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x15\x66\x65\x65\x64ObservationCounts\x12[\n\x18\x66\x65\x65\x64_transmission_counts\x18\x08 \x03(\x0b\x32!.injective.ocr.v1beta1.FeedCountsR\x16\x66\x65\x65\x64TransmissionCounts\x12V\n\x12pending_payeeships\x18\t \x03(\x0b\x32\'.injective.ocr.v1beta1.PendingPayeeshipR\x11pendingPayeeships\"t\n\x10\x46\x65\x65\x64Transmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12G\n\x0ctransmission\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.TransmissionR\x0ctransmission\"z\n\x11\x46\x65\x65\x64\x45pochAndRound\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12L\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"g\n\x1c\x46\x65\x65\x64LatestAggregatorRoundIDs\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\x04R\x11\x61ggregatorRoundId\"^\n\nRewardPool\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"[\n\nFeedCounts\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x34\n\x06\x63ounts\x18\x02 \x03(\x0b\x32\x1c.injective.ocr.v1beta1.CountR\x06\x63ounts\"7\n\x05\x43ount\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05\x63ount\x18\x02 \x01(\x04R\x05\x63ount\"t\n\x10PendingPayeeship\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12 \n\x0btransmitter\x18\x02 \x01(\tR\x0btransmitter\x12%\n\x0eproposed_payee\x18\x03 \x01(\tR\rproposedPayeeB\xea\x01\n\x19\x63om.injective.ocr.v1beta1B\x0cGenesisProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\014GenesisProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_REWARDPOOL'].fields_by_name['amount']._loaded_options = None _globals['_REWARDPOOL'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=150 - _globals['_GENESISSTATE']._serialized_end=771 - _globals['_FEEDTRANSMISSION']._serialized_start=773 - _globals['_FEEDTRANSMISSION']._serialized_end=867 - _globals['_FEEDEPOCHANDROUND']._serialized_start=869 - _globals['_FEEDEPOCHANDROUND']._serialized_end=968 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=970 - _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1046 - _globals['_REWARDPOOL']._serialized_start=1048 - _globals['_REWARDPOOL']._serialized_end=1126 - _globals['_FEEDCOUNTS']._serialized_start=1128 - _globals['_FEEDCOUNTS']._serialized_end=1203 - _globals['_COUNT']._serialized_start=1205 - _globals['_COUNT']._serialized_end=1244 - _globals['_PENDINGPAYEESHIP']._serialized_start=1246 - _globals['_PENDINGPAYEESHIP']._serialized_end=1326 + _globals['_GENESISSTATE']._serialized_end=938 + _globals['_FEEDTRANSMISSION']._serialized_start=940 + _globals['_FEEDTRANSMISSION']._serialized_end=1056 + _globals['_FEEDEPOCHANDROUND']._serialized_start=1058 + _globals['_FEEDEPOCHANDROUND']._serialized_end=1180 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_start=1182 + _globals['_FEEDLATESTAGGREGATORROUNDIDS']._serialized_end=1285 + _globals['_REWARDPOOL']._serialized_start=1287 + _globals['_REWARDPOOL']._serialized_end=1381 + _globals['_FEEDCOUNTS']._serialized_start=1383 + _globals['_FEEDCOUNTS']._serialized_end=1474 + _globals['_COUNT']._serialized_start=1476 + _globals['_COUNT']._serialized_end=1531 + _globals['_PENDINGPAYEESHIP']._serialized_start=1533 + _globals['_PENDINGPAYEESHIP']._serialized_end=1649 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py index 969ed49a..a7fbd475 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/ocr.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/ocr.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"f\n\x06Params\x12\x12\n\nlink_denom\x18\x01 \x01(\t\x12\x1d\n\x15payout_block_interval\x18\x02 \x01(\x04\x12\x14\n\x0cmodule_admin\x18\x03 \x01(\t:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xcc\x01\n\nFeedConfig\x12\x0f\n\x07signers\x18\x01 \x03(\t\x12\x14\n\x0ctransmitters\x18\x02 \x03(\t\x12\t\n\x01\x66\x18\x03 \x01(\r\x12\x16\n\x0eonchain_config\x18\x04 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x05 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x06 \x01(\x0c\x12:\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParams\"~\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x1c\n\x14latest_config_digest\x18\x01 \x01(\x0c\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\t\n\x01n\x18\x03 \x01(\r\x12\x14\n\x0c\x63onfig_count\x18\x04 \x01(\x04\x12\"\n\x1alatest_config_block_number\x18\x05 \x01(\x03\"\xf8\x02\n\x0cModuleParams\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x37\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nlink_denom\x18\x06 \x01(\t\x12\x16\n\x0eunique_reports\x18\x07 \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x08 \x01(\t\x12\x12\n\nfeed_admin\x18\t \x01(\t\x12\x15\n\rbilling_admin\x18\n \x01(\t\"\xaa\x01\n\x0e\x43ontractConfig\x12\x14\n\x0c\x63onfig_count\x18\x01 \x01(\x04\x12\x0f\n\x07signers\x18\x02 \x03(\t\x12\x14\n\x0ctransmitters\x18\x03 \x03(\t\x12\t\n\x01\x66\x18\x04 \x01(\r\x12\x16\n\x0eonchain_config\x18\x05 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x06 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x07 \x01(\x0c\"\xac\x01\n\x11SetConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\x98\x03\n\x0e\x46\x65\x65\x64Properties\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\t\n\x01\x66\x18\x02 \x01(\r\x12\x16\n\x0eonchain_config\x18\x03 \x01(\x0c\x12\x1f\n\x17offchain_config_version\x18\x04 \x01(\x04\x12\x17\n\x0foffchain_config\x18\x05 \x01(\x0c\x12\x37\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12;\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12<\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x16\n\x0eunique_reports\x18\n \x01(\x08\x12\x13\n\x0b\x64\x65scription\x18\x0b \x01(\t\"\xfe\x01\n\x16SetBatchConfigProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0f\n\x07signers\x18\x03 \x03(\t\x12\x14\n\x0ctransmitters\x18\x04 \x03(\t\x12\x12\n\nlink_denom\x18\x05 \x01(\t\x12>\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedProperties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"*\n\x18OracleObservationsCounts\x12\x0e\n\x06\x63ounts\x18\x01 \x03(\r\"F\n\x11GasReimbursements\x12\x31\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.Coin\"7\n\x05Payee\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x14\n\x0cpayment_addr\x18\x02 \x01(\t\"\x83\x01\n\x0cTransmission\x12\x33\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x1e\n\x16observations_timestamp\x18\x02 \x01(\x03\x12\x1e\n\x16transmission_timestamp\x18\x03 \x01(\x03\"-\n\rEpochAndRound\x12\r\n\x05\x65poch\x18\x01 \x01(\x04\x12\r\n\x05round\x18\x02 \x01(\x04\"v\n\x06Report\x12\x1e\n\x16observations_timestamp\x18\x01 \x01(\x03\x12\x11\n\tobservers\x18\x02 \x01(\x0c\x12\x39\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"g\n\x0cReportToSign\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\x12\r\n\x05round\x18\x03 \x01(\x04\x12\x12\n\nextra_hash\x18\x04 \x01(\x0c\x12\x0e\n\x06report\x18\x05 \x01(\x0c\"p\n\x0f\x45ventOraclePaid\x12\x18\n\x10transmitter_addr\x18\x01 \x01(\t\x12\x12\n\npayee_addr\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x12\x45ventAnswerUpdated\x12.\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12/\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x38\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\x8e\x01\n\rEventNewRound\x12/\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x12\n\nstarted_by\x18\x02 \x01(\t\x12\x38\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"8\n\x10\x45ventTransmitted\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12\r\n\x05\x65poch\x18\x02 \x01(\x04\"\xd2\x02\n\x14\x45ventNewTransmission\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x1b\n\x13\x61ggregator_round_id\x18\x02 \x01(\r\x12\x33\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x13\n\x0btransmitter\x18\x04 \x01(\t\x12\x1e\n\x16observations_timestamp\x18\x05 \x01(\x03\x12\x39\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\tobservers\x18\x07 \x01(\x0c\x12\x15\n\rconfig_digest\x18\x08 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"\xbc\x01\n\x0e\x45ventConfigSet\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12$\n\x1cprevious_config_block_number\x18\x02 \x01(\x03\x12\x31\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\x12:\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoBKZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/ocr/v1beta1/ocr.proto\x12\x15injective.ocr.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x11\x61mino/amino.proto\"\x93\x01\n\x06Params\x12\x1d\n\nlink_denom\x18\x01 \x01(\tR\tlinkDenom\x12\x32\n\x15payout_block_interval\x18\x02 \x01(\x04R\x13payoutBlockInterval\x12!\n\x0cmodule_admin\x18\x03 \x01(\tR\x0bmoduleAdmin:\x13\xe8\xa0\x1f\x01\x8a\xe7\xb0*\nocr/Params\"\xaa\x02\n\nFeedConfig\x12\x18\n\x07signers\x18\x01 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x02 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x03 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x04 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x05 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x06 \x01(\x0cR\x0eoffchainConfig\x12H\n\rmodule_params\x18\x07 \x01(\x0b\x32#.injective.ocr.v1beta1.ModuleParamsR\x0cmoduleParams\"\xbe\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x30\n\x14latest_config_digest\x18\x01 \x01(\x0cR\x12latestConfigDigest\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12\x0c\n\x01n\x18\x03 \x01(\rR\x01n\x12!\n\x0c\x63onfig_count\x18\x04 \x01(\x04R\x0b\x63onfigCount\x12;\n\x1alatest_config_block_number\x18\x05 \x01(\x03R\x17latestConfigBlockNumber\"\xff\x03\n\x0cModuleParams\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x42\n\nmin_answer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12\x1d\n\nlink_denom\x18\x06 \x01(\tR\tlinkDenom\x12%\n\x0eunique_reports\x18\x07 \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x08 \x01(\tR\x0b\x64\x65scription\x12\x1d\n\nfeed_admin\x18\t \x01(\tR\tfeedAdmin\x12#\n\rbilling_admin\x18\n \x01(\tR\x0c\x62illingAdmin\"\x87\x02\n\x0e\x43ontractConfig\x12!\n\x0c\x63onfig_count\x18\x01 \x01(\x04R\x0b\x63onfigCount\x12\x18\n\x07signers\x18\x02 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x03 \x03(\tR\x0ctransmitters\x12\x0c\n\x01\x66\x18\x04 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x05 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x06 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x07 \x01(\x0cR\x0eoffchainConfig\"\xc8\x01\n\x11SetConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig:@\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x15ocr/SetConfigProposal\"\xb4\x04\n\x0e\x46\x65\x65\x64Properties\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12\x0c\n\x01\x66\x18\x02 \x01(\rR\x01\x66\x12%\n\x0eonchain_config\x18\x03 \x01(\x0cR\ronchainConfig\x12\x36\n\x17offchain_config_version\x18\x04 \x01(\x04R\x15offchainConfigVersion\x12\'\n\x0foffchain_config\x18\x05 \x01(\x0cR\x0eoffchainConfig\x12\x42\n\nmin_answer\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tminAnswer\x12\x42\n\nmax_answer\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tmaxAnswer\x12O\n\x14link_per_observation\x18\x08 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x12linkPerObservation\x12Q\n\x15link_per_transmission\x18\t \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x13linkPerTransmission\x12%\n\x0eunique_reports\x18\n \x01(\x08R\runiqueReports\x12 \n\x0b\x64\x65scription\x18\x0b \x01(\tR\x0b\x64\x65scription\"\xc4\x02\n\x16SetBatchConfigProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x18\n\x07signers\x18\x03 \x03(\tR\x07signers\x12\"\n\x0ctransmitters\x18\x04 \x03(\tR\x0ctransmitters\x12\x1d\n\nlink_denom\x18\x05 \x01(\tR\tlinkDenom\x12N\n\x0f\x66\x65\x65\x64_properties\x18\x06 \x03(\x0b\x32%.injective.ocr.v1beta1.FeedPropertiesR\x0e\x66\x65\x65\x64Properties:E\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1aocr/SetBatchConfigProposal\"2\n\x18OracleObservationsCounts\x12\x16\n\x06\x63ounts\x18\x01 \x03(\rR\x06\x63ounts\"V\n\x11GasReimbursements\x12\x41\n\x0ereimbursements\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinR\x0ereimbursements\"U\n\x05Payee\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12!\n\x0cpayment_addr\x18\x02 \x01(\tR\x0bpaymentAddr\"\xb9\x01\n\x0cTransmission\x12;\n\x06\x61nswer\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x35\n\x16observations_timestamp\x18\x02 \x01(\x03R\x15observationsTimestamp\x12\x35\n\x16transmission_timestamp\x18\x03 \x01(\x03R\x15transmissionTimestamp\";\n\rEpochAndRound\x12\x14\n\x05\x65poch\x18\x01 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x02 \x01(\x04R\x05round\"\xa6\x01\n\x06Report\x12\x35\n\x16observations_timestamp\x18\x01 \x01(\x03R\x15observationsTimestamp\x12\x1c\n\tobservers\x18\x02 \x01(\x0cR\tobservers\x12G\n\x0cobservations\x18\x03 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\"\x96\x01\n\x0cReportToSign\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\x12\x14\n\x05round\x18\x03 \x01(\x04R\x05round\x12\x1d\n\nextra_hash\x18\x04 \x01(\x0cR\textraHash\x12\x16\n\x06report\x18\x05 \x01(\x0cR\x06report\"\x94\x01\n\x0f\x45ventOraclePaid\x12)\n\x10transmitter_addr\x18\x01 \x01(\tR\x0ftransmitterAddr\x12\x1d\n\npayee_addr\x18\x02 \x01(\tR\tpayeeAddr\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"\xcc\x01\n\x12\x45ventAnswerUpdated\x12\x37\n\x07\x63urrent\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07\x63urrent\x12\x38\n\x08round_id\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x43\n\nupdated_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tupdatedAt\"\xad\x01\n\rEventNewRound\x12\x38\n\x08round_id\x18\x01 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x07roundId\x12\x1d\n\nstarted_by\x18\x02 \x01(\tR\tstartedBy\x12\x43\n\nstarted_at\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\tstartedAt\"M\n\x10\x45ventTransmitted\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12\x14\n\x05\x65poch\x18\x02 \x01(\x04R\x05\x65poch\"\xcf\x03\n\x14\x45ventNewTransmission\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12.\n\x13\x61ggregator_round_id\x18\x02 \x01(\rR\x11\x61ggregatorRoundId\x12;\n\x06\x61nswer\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12 \n\x0btransmitter\x18\x04 \x01(\tR\x0btransmitter\x12\x35\n\x16observations_timestamp\x18\x05 \x01(\x03R\x15observationsTimestamp\x12G\n\x0cobservations\x18\x06 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cobservations\x12\x1c\n\tobservers\x18\x07 \x01(\x0cR\tobservers\x12#\n\rconfig_digest\x18\x08 \x01(\x0cR\x0c\x63onfigDigest\x12L\n\x0f\x65poch_and_round\x18\t \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRoundR\repochAndRound\"\xf9\x01\n\x0e\x45ventConfigSet\x12#\n\rconfig_digest\x18\x01 \x01(\x0cR\x0c\x63onfigDigest\x12?\n\x1cprevious_config_block_number\x18\x02 \x01(\x03R\x19previousConfigBlockNumber\x12\x39\n\x06\x63onfig\x18\x03 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfigR\x06\x63onfig\x12\x46\n\x0b\x63onfig_info\x18\x04 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfoR\nconfigInfoB\xe6\x01\n\x19\x63om.injective.ocr.v1beta1B\x08OcrProtoP\x01ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\xa2\x02\x03IOX\xaa\x02\x15Injective.Ocr.V1beta1\xca\x02\x15Injective\\Ocr\\V1beta1\xe2\x02!Injective\\Ocr\\V1beta1\\GPBMetadata\xea\x02\x17Injective::Ocr::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.ocr.v1beta1.ocr_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\031com.injective.ocr.v1beta1B\010OcrProtoP\001ZIgithub.com/InjectiveLabs/injective-core/injective-chain/modules/ocr/types\242\002\003IOX\252\002\025Injective.Ocr.V1beta1\312\002\025Injective\\Ocr\\V1beta1\342\002!Injective\\Ocr\\V1beta1\\GPBMetadata\352\002\027Injective::Ocr::V1beta1' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\nocr/Params' _globals['_MODULEPARAMS'].fields_by_name['min_answer']._loaded_options = None @@ -69,46 +79,46 @@ _globals['_EVENTNEWTRANSMISSION'].fields_by_name['answer']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._loaded_options = None _globals['_EVENTNEWTRANSMISSION'].fields_by_name['observations']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_PARAMS']._serialized_start=191 - _globals['_PARAMS']._serialized_end=293 - _globals['_FEEDCONFIG']._serialized_start=296 - _globals['_FEEDCONFIG']._serialized_end=500 - _globals['_FEEDCONFIGINFO']._serialized_start=502 - _globals['_FEEDCONFIGINFO']._serialized_end=628 - _globals['_MODULEPARAMS']._serialized_start=631 - _globals['_MODULEPARAMS']._serialized_end=1007 - _globals['_CONTRACTCONFIG']._serialized_start=1010 - _globals['_CONTRACTCONFIG']._serialized_end=1180 - _globals['_SETCONFIGPROPOSAL']._serialized_start=1183 - _globals['_SETCONFIGPROPOSAL']._serialized_end=1355 - _globals['_FEEDPROPERTIES']._serialized_start=1358 - _globals['_FEEDPROPERTIES']._serialized_end=1766 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=1769 - _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2023 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2025 - _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2067 - _globals['_GASREIMBURSEMENTS']._serialized_start=2069 - _globals['_GASREIMBURSEMENTS']._serialized_end=2139 - _globals['_PAYEE']._serialized_start=2141 - _globals['_PAYEE']._serialized_end=2196 - _globals['_TRANSMISSION']._serialized_start=2199 - _globals['_TRANSMISSION']._serialized_end=2330 - _globals['_EPOCHANDROUND']._serialized_start=2332 - _globals['_EPOCHANDROUND']._serialized_end=2377 - _globals['_REPORT']._serialized_start=2379 - _globals['_REPORT']._serialized_end=2497 - _globals['_REPORTTOSIGN']._serialized_start=2499 - _globals['_REPORTTOSIGN']._serialized_end=2602 - _globals['_EVENTORACLEPAID']._serialized_start=2604 - _globals['_EVENTORACLEPAID']._serialized_end=2716 - _globals['_EVENTANSWERUPDATED']._serialized_start=2719 - _globals['_EVENTANSWERUPDATED']._serialized_end=2894 - _globals['_EVENTNEWROUND']._serialized_start=2897 - _globals['_EVENTNEWROUND']._serialized_end=3039 - _globals['_EVENTTRANSMITTED']._serialized_start=3041 - _globals['_EVENTTRANSMITTED']._serialized_end=3097 - _globals['_EVENTNEWTRANSMISSION']._serialized_start=3100 - _globals['_EVENTNEWTRANSMISSION']._serialized_end=3438 - _globals['_EVENTCONFIGSET']._serialized_start=3441 - _globals['_EVENTCONFIGSET']._serialized_end=3629 + _globals['_PARAMS']._serialized_start=192 + _globals['_PARAMS']._serialized_end=339 + _globals['_FEEDCONFIG']._serialized_start=342 + _globals['_FEEDCONFIG']._serialized_end=640 + _globals['_FEEDCONFIGINFO']._serialized_start=643 + _globals['_FEEDCONFIGINFO']._serialized_end=833 + _globals['_MODULEPARAMS']._serialized_start=836 + _globals['_MODULEPARAMS']._serialized_end=1347 + _globals['_CONTRACTCONFIG']._serialized_start=1350 + _globals['_CONTRACTCONFIG']._serialized_end=1613 + _globals['_SETCONFIGPROPOSAL']._serialized_start=1616 + _globals['_SETCONFIGPROPOSAL']._serialized_end=1816 + _globals['_FEEDPROPERTIES']._serialized_start=1819 + _globals['_FEEDPROPERTIES']._serialized_end=2383 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_start=2386 + _globals['_SETBATCHCONFIGPROPOSAL']._serialized_end=2710 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_start=2712 + _globals['_ORACLEOBSERVATIONSCOUNTS']._serialized_end=2762 + _globals['_GASREIMBURSEMENTS']._serialized_start=2764 + _globals['_GASREIMBURSEMENTS']._serialized_end=2850 + _globals['_PAYEE']._serialized_start=2852 + _globals['_PAYEE']._serialized_end=2937 + _globals['_TRANSMISSION']._serialized_start=2940 + _globals['_TRANSMISSION']._serialized_end=3125 + _globals['_EPOCHANDROUND']._serialized_start=3127 + _globals['_EPOCHANDROUND']._serialized_end=3186 + _globals['_REPORT']._serialized_start=3189 + _globals['_REPORT']._serialized_end=3355 + _globals['_REPORTTOSIGN']._serialized_start=3358 + _globals['_REPORTTOSIGN']._serialized_end=3508 + _globals['_EVENTORACLEPAID']._serialized_start=3511 + _globals['_EVENTORACLEPAID']._serialized_end=3659 + _globals['_EVENTANSWERUPDATED']._serialized_start=3662 + _globals['_EVENTANSWERUPDATED']._serialized_end=3866 + _globals['_EVENTNEWROUND']._serialized_start=3869 + _globals['_EVENTNEWROUND']._serialized_end=4042 + _globals['_EVENTTRANSMITTED']._serialized_start=4044 + _globals['_EVENTTRANSMITTED']._serialized_end=4121 + _globals['_EVENTNEWTRANSMISSION']._serialized_start=4124 + _globals['_EVENTNEWTRANSMISSION']._serialized_end=4587 + _globals['_EVENTCONFIGSET']._serialized_start=4590 + _globals['_EVENTCONFIGSET']._serialized_end=4839 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py index 28395594..0e7a5ba6 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/ocr/v1beta1/query_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/ocr/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/ocr/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import ocr_pb2 as injective_dot_ocr_dot_v1beta1_dot_ocr__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.injective.ocr.v1beta1 import genesis_pb2 as injective_dot_ocr_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/ocr/v1beta1/query.proto\x12\x15injective.ocr.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a\x1finjective/ocr/v1beta1/ocr.proto\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a#injective/ocr/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"J\n\x13QueryParamsResponse\x12\x33\n\x06params\x18\x01 \x01(\x0b\x32\x1d.injective.ocr.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\")\n\x16QueryFeedConfigRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x92\x01\n\x17QueryFeedConfigResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12\x36\n\x0b\x66\x65\x65\x64_config\x18\x02 \x01(\x0b\x32!.injective.ocr.v1beta1.FeedConfig\"-\n\x1aQueryFeedConfigInfoRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\x9d\x01\n\x1bQueryFeedConfigInfoResponse\x12?\n\x10\x66\x65\x65\x64_config_info\x18\x01 \x01(\x0b\x32%.injective.ocr.v1beta1.FeedConfigInfo\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\"*\n\x17QueryLatestRoundRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"f\n\x18QueryLatestRoundResponse\x12\x17\n\x0flatest_round_id\x18\x01 \x01(\x04\x12\x31\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"8\n%QueryLatestTransmissionDetailsRequest\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\"\xb1\x01\n&QueryLatestTransmissionDetailsResponse\x12\x15\n\rconfig_digest\x18\x01 \x01(\x0c\x12=\n\x0f\x65poch_and_round\x18\x02 \x01(\x0b\x32$.injective.ocr.v1beta1.EpochAndRound\x12\x31\n\x04\x64\x61ta\x18\x03 \x01(\x0b\x32#.injective.ocr.v1beta1.Transmission\"-\n\x16QueryOwedAmountRequest\x12\x13\n\x0btransmitter\x18\x01 \x01(\t\"J\n\x17QueryOwedAmountResponse\x12/\n\x06\x61mount\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"N\n\x18QueryModuleStateResponse\x12\x32\n\x05state\x18\x01 \x01(\x0b\x32#.injective.ocr.v1beta1.GenesisState2\xbb\t\n\x05Query\x12\x86\x01\n\x06Params\x12).injective.ocr.v1beta1.QueryParamsRequest\x1a*.injective.ocr.v1beta1.QueryParamsResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/chainlink/ocr/v1beta1/params\x12\xa1\x01\n\nFeedConfig\x12-.injective.ocr.v1beta1.QueryFeedConfigRequest\x1a..injective.ocr.v1beta1.QueryFeedConfigResponse\"4\x82\xd3\xe4\x93\x02.\x12,/chainlink/ocr/v1beta1/feed_config/{feed_id}\x12\xb2\x01\n\x0e\x46\x65\x65\x64\x43onfigInfo\x12\x31.injective.ocr.v1beta1.QueryFeedConfigInfoRequest\x1a\x32.injective.ocr.v1beta1.QueryFeedConfigInfoResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/chainlink/ocr/v1beta1/feed_config_info/{feed_id}\x12\xa5\x01\n\x0bLatestRound\x12..injective.ocr.v1beta1.QueryLatestRoundRequest\x1a/.injective.ocr.v1beta1.QueryLatestRoundResponse\"5\x82\xd3\xe4\x93\x02/\x12-/chainlink/ocr/v1beta1/latest_round/{feed_id}\x12\xde\x01\n\x19LatestTransmissionDetails\x12<.injective.ocr.v1beta1.QueryLatestTransmissionDetailsRequest\x1a=.injective.ocr.v1beta1.QueryLatestTransmissionDetailsResponse\"D\x82\xd3\xe4\x93\x02>\x12\x12\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12#\n\rband_relayers\x18\x02 \x03(\tR\x0c\x62\x61ndRelayers\x12T\n\x11\x62\x61nd_price_states\x18\x03 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0f\x62\x61ndPriceStates\x12_\n\x17price_feed_price_states\x18\x04 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x14priceFeedPriceStates\x12`\n\x15\x63oinbase_price_states\x18\x05 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x13\x63oinbasePriceStates\x12[\n\x15\x62\x61nd_ibc_price_states\x18\x06 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x12\x62\x61ndIbcPriceStates\x12\x64\n\x18\x62\x61nd_ibc_oracle_requests\x18\x07 \x03(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x15\x62\x61ndIbcOracleRequests\x12U\n\x0f\x62\x61nd_ibc_params\x18\x08 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams\x12\x38\n\x19\x62\x61nd_ibc_latest_client_id\x18\t \x01(\x04R\x15\x62\x61ndIbcLatestClientId\x12S\n\x10\x63\x61lldata_records\x18\n \x03(\x0b\x32(.injective.oracle.v1beta1.CalldataRecordR\x0f\x63\x61lldataRecords\x12:\n\x1a\x62\x61nd_ibc_latest_request_id\x18\x0b \x01(\x04R\x16\x62\x61ndIbcLatestRequestId\x12\x63\n\x16\x63hainlink_price_states\x18\x0c \x03(\x0b\x32-.injective.oracle.v1beta1.ChainlinkPriceStateR\x14\x63hainlinkPriceStates\x12`\n\x18historical_price_records\x18\r \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x16historicalPriceRecords\x12P\n\x0fprovider_states\x18\x0e \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\x0eproviderStates\x12T\n\x11pyth_price_states\x18\x0f \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0fpythPriceStates\x12W\n\x12stork_price_states\x18\x10 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x10storkPriceStates\x12)\n\x10stork_publishers\x18\x11 \x03(\tR\x0fstorkPublishers\"I\n\x0e\x43\x61lldataRecord\x12\x1b\n\tclient_id\x18\x01 \x01(\x04R\x08\x63lientId\x12\x1a\n\x08\x63\x61lldata\x18\x02 \x01(\x0cR\x08\x63\x61lldataB\xfc\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0cGenesisProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\014GenesisProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=130 - _globals['_GENESISSTATE']._serialized_end=1095 - _globals['_CALLDATARECORD']._serialized_start=1097 - _globals['_CALLDATARECORD']._serialized_end=1150 + _globals['_GENESISSTATE']._serialized_end=1510 + _globals['_CALLDATARECORD']._serialized_start=1512 + _globals['_CALLDATARECORD']._serialized_end=1585 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py index 7667b51e..3be6fc50 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/oracle.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/oracle.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"7\n\x06Params\x12\x15\n\rpyth_contract\x18\x01 \x01(\t:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"W\n\nOracleInfo\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x39\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\"\xaf\x01\n\x13\x43hainlinkPriceState\x12\x0f\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\t\x12\x33\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x04\x12?\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\xb8\x01\n\x0e\x42\x61ndPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12+\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0cresolve_time\x18\x03 \x01(\x04\x12\x12\n\nrequest_ID\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"z\n\x0ePriceFeedState\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\x12\x39\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\x12\x10\n\x08relayers\x18\x04 \x03(\t\"2\n\x0cProviderInfo\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x10\n\x08relayers\x18\x02 \x03(\t\"\x9b\x01\n\rProviderState\x12=\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\x12K\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceState\"Y\n\x12ProviderPriceState\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x33\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\",\n\rPriceFeedInfo\x12\x0c\n\x04\x62\x61se\x18\x01 \x01(\t\x12\r\n\x05quote\x18\x02 \x01(\t\"D\n\x0ePriceFeedPrice\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x92\x01\n\x12\x43oinbasePriceState\x12\x0c\n\x04kind\x18\x01 \x01(\t\x12\x11\n\ttimestamp\x18\x02 \x01(\x04\x12\x0b\n\x03key\x18\x03 \x01(\t\x12\r\n\x05value\x18\x04 \x01(\x04\x12?\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x92\x01\n\nPriceState\x12\x32\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12=\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"\x9b\x02\n\x0ePythPriceState\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\x36\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x35\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x14\n\x0cpublish_time\x18\x05 \x01(\x04\x12?\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00\"\x9c\x02\n\x11\x42\x61ndOracleRequest\x12\x12\n\nrequest_id\x18\x01 \x01(\x04\x12\x18\n\x10oracle_script_id\x18\x02 \x01(\x03\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x11\n\task_count\x18\x04 \x01(\x04\x12\x11\n\tmin_count\x18\x05 \x01(\x04\x12^\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\x12\x13\n\x0bprepare_gas\x18\x07 \x01(\x04\x12\x13\n\x0b\x65xecute_gas\x18\x08 \x01(\x04\x12\x18\n\x10min_source_count\x18\t \x01(\x04\"\xa8\x01\n\rBandIBCParams\x12\x18\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08\x12\x1c\n\x14ibc_request_interval\x18\x02 \x01(\x03\x12\x1a\n\x12ibc_source_channel\x18\x03 \x01(\t\x12\x13\n\x0bibc_version\x18\x04 \x01(\t\x12\x13\n\x0bibc_port_id\x18\x05 \x01(\t\x12\x19\n\x11legacy_oracle_ids\x18\x06 \x03(\x03\"r\n\x14SymbolPriceTimestamp\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x11\n\ttimestamp\x18\x03 \x01(\x03\"d\n\x13LastPriceTimestamps\x12M\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestamp\"\x9c\x01\n\x0cPriceRecords\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\x12\x43\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"T\n\x0bPriceRecord\x12\x11\n\ttimestamp\x18\x01 \x01(\x03\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x88\x03\n\x12MetadataStatistics\x12\x13\n\x0bgroup_count\x18\x01 \x01(\r\x12\x1b\n\x13records_sample_size\x18\x02 \x01(\r\x12\x31\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x31\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x17\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03\x12\x16\n\x0elast_timestamp\x18\x06 \x01(\x03\x12\x36\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x36\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x39\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"\x9c\x01\n\x10PriceAttestation\x12\x10\n\x08price_id\x18\x01 \x01(\t\x12\r\n\x05price\x18\x02 \x01(\x03\x12\x0c\n\x04\x63onf\x18\x03 \x01(\x04\x12\x0c\n\x04\x65xpo\x18\x04 \x01(\x05\x12\x11\n\tema_price\x18\x05 \x01(\x03\x12\x10\n\x08\x65ma_conf\x18\x06 \x01(\x04\x12\x10\n\x08\x65ma_expo\x18\x07 \x01(\x05\x12\x14\n\x0cpublish_time\x18\x08 \x01(\x03*\x9f\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x42RZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xc0\xe3\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/oracle/v1beta1/oracle.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"E\n\x06Params\x12#\n\rpyth_contract\x18\x01 \x01(\tR\x0cpythContract:\x16\xe8\xa0\x1f\x01\x8a\xe7\xb0*\roracle/Params\"k\n\nOracleInfo\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x45\n\x0boracle_type\x18\x02 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\"\xd6\x01\n\x13\x43hainlinkPriceState\x12\x17\n\x07\x66\x65\x65\x64_id\x18\x01 \x01(\tR\x06\x66\x65\x65\x64Id\x12;\n\x06\x61nswer\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06\x61nswer\x12\x1c\n\ttimestamp\x18\x03 \x01(\x04R\ttimestamp\x12K\n\x0bprice_state\x18\x04 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xea\x01\n\x0e\x42\x61ndPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x31\n\x04rate\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x04rate\x12!\n\x0cresolve_time\x18\x03 \x01(\x04R\x0bresolveTime\x12\x1d\n\nrequest_ID\x18\x04 \x01(\x04R\trequestID\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x9d\x01\n\x0ePriceFeedState\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\x12\x45\n\x0bprice_state\x18\x03 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers\"F\n\x0cProviderInfo\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x02 \x03(\tR\x08relayers\"\xbe\x01\n\rProviderState\x12K\n\rprovider_info\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\x0cproviderInfo\x12`\n\x15provider_price_states\x18\x02 \x03(\x0b\x32,.injective.oracle.v1beta1.ProviderPriceStateR\x13providerPriceStates\"h\n\x12ProviderPriceState\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12:\n\x05state\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\x05state\"9\n\rPriceFeedInfo\x12\x12\n\x04\x62\x61se\x18\x01 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x02 \x01(\tR\x05quote\"K\n\x0ePriceFeedPrice\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xbb\x01\n\x12\x43oinbasePriceState\x12\x12\n\x04kind\x18\x01 \x01(\tR\x04kind\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x10\n\x03key\x18\x03 \x01(\tR\x03key\x12\x14\n\x05value\x18\x04 \x01(\x04R\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xcf\x01\n\x0fStorkPriceState\x12\x1c\n\ttimestamp\x18\x01 \x01(\x04R\ttimestamp\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\x12\x39\n\x05value\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05value\x12K\n\x0bprice_state\x18\x05 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\xb5\x01\n\nPriceState\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"\xd6\x02\n\x0ePythPriceState\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12@\n\tema_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x65maPrice\x12>\n\x08\x65ma_conf\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x07\x65maConf\x12\x37\n\x04\x63onf\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04\x63onf\x12!\n\x0cpublish_time\x18\x05 \x01(\x04R\x0bpublishTime\x12K\n\x0bprice_state\x18\x06 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateB\x04\xc8\xde\x1f\x00R\npriceState\"\x86\x03\n\x11\x42\x61ndOracleRequest\x12\x1d\n\nrequest_id\x18\x01 \x01(\x04R\trequestId\x12(\n\x10oracle_script_id\x18\x02 \x01(\x03R\x0eoracleScriptId\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12\x1b\n\task_count\x18\x04 \x01(\x04R\x08\x61skCount\x12\x1b\n\tmin_count\x18\x05 \x01(\x04R\x08minCount\x12h\n\tfee_limit\x18\x06 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x66\x65\x65Limit\x12\x1f\n\x0bprepare_gas\x18\x07 \x01(\x04R\nprepareGas\x12\x1f\n\x0b\x65xecute_gas\x18\x08 \x01(\x04R\nexecuteGas\x12(\n\x10min_source_count\x18\t \x01(\x04R\x0eminSourceCount\"\x86\x02\n\rBandIBCParams\x12(\n\x10\x62\x61nd_ibc_enabled\x18\x01 \x01(\x08R\x0e\x62\x61ndIbcEnabled\x12\x30\n\x14ibc_request_interval\x18\x02 \x01(\x03R\x12ibcRequestInterval\x12,\n\x12ibc_source_channel\x18\x03 \x01(\tR\x10ibcSourceChannel\x12\x1f\n\x0bibc_version\x18\x04 \x01(\tR\nibcVersion\x12\x1e\n\x0bibc_port_id\x18\x05 \x01(\tR\tibcPortId\x12*\n\x11legacy_oracle_ids\x18\x06 \x03(\x03R\x0flegacyOracleIds\"\x8f\x01\n\x14SymbolPriceTimestamp\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12\x1c\n\ttimestamp\x18\x03 \x01(\x03R\ttimestamp\"y\n\x13LastPriceTimestamps\x12\x62\n\x15last_price_timestamps\x18\x01 \x03(\x0b\x32..injective.oracle.v1beta1.SymbolPriceTimestampR\x13lastPriceTimestamps\"\xc2\x01\n\x0cPriceRecords\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\x12W\n\x14latest_price_records\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\x12latestPriceRecords\"f\n\x0bPriceRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\"\xf3\x03\n\x12MetadataStatistics\x12\x1f\n\x0bgroup_count\x18\x01 \x01(\rR\ngroupCount\x12.\n\x13records_sample_size\x18\x02 \x01(\rR\x11recordsSampleSize\x12\x37\n\x04mean\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04mean\x12\x37\n\x04twap\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x04twap\x12\'\n\x0f\x66irst_timestamp\x18\x05 \x01(\x03R\x0e\x66irstTimestamp\x12%\n\x0elast_timestamp\x18\x06 \x01(\x03R\rlastTimestamp\x12@\n\tmin_price\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08minPrice\x12@\n\tmax_price\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08maxPrice\x12\x46\n\x0cmedian_price\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmedianPrice\"\xe1\x01\n\x10PriceAttestation\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\x12\x14\n\x05price\x18\x02 \x01(\x03R\x05price\x12\x12\n\x04\x63onf\x18\x03 \x01(\x04R\x04\x63onf\x12\x12\n\x04\x65xpo\x18\x04 \x01(\x05R\x04\x65xpo\x12\x1b\n\tema_price\x18\x05 \x01(\x03R\x08\x65maPrice\x12\x19\n\x08\x65ma_conf\x18\x06 \x01(\x04R\x07\x65maConf\x12\x19\n\x08\x65ma_expo\x18\x07 \x01(\x05R\x07\x65maExpo\x12!\n\x0cpublish_time\x18\x08 \x01(\x03R\x0bpublishTime\"}\n\tAssetPair\x12\x19\n\x08\x61sset_id\x18\x01 \x01(\tR\x07\x61ssetId\x12U\n\rsigned_prices\x18\x02 \x03(\x0b\x32\x30.injective.oracle.v1beta1.SignedPriceOfAssetPairR\x0csignedPrices\"\xb4\x01\n\x16SignedPriceOfAssetPair\x12#\n\rpublisher_key\x18\x01 \x01(\tR\x0cpublisherKey\x12\x1c\n\ttimestamp\x18\x02 \x01(\x04R\ttimestamp\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature*\xaa\x01\n\nOracleType\x12\x0f\n\x0bUnspecified\x10\x00\x12\x08\n\x04\x42\x61nd\x10\x01\x12\r\n\tPriceFeed\x10\x02\x12\x0c\n\x08\x43oinbase\x10\x03\x12\r\n\tChainlink\x10\x04\x12\t\n\x05Razor\x10\x05\x12\x07\n\x03\x44ia\x10\x06\x12\x08\n\x04\x41PI3\x10\x07\x12\x07\n\x03Uma\x10\x08\x12\x08\n\x04Pyth\x10\t\x12\x0b\n\x07\x42\x61ndIBC\x10\n\x12\x0c\n\x08Provider\x10\x0b\x12\t\n\x05Stork\x10\x0c\x42\xff\x01\n\x1c\x63om.injective.oracle.v1beta1B\x0bOracleProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1\xc0\xe3\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.oracle_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\300\343\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\013OracleProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1\300\343\036\001' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\roracle/Params' _globals['_CHAINLINKPRICESTATE'].fields_by_name['answer']._loaded_options = None @@ -39,6 +49,10 @@ _globals['_PRICEFEEDPRICE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._loaded_options = None _globals['_COINBASEPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' + _globals['_STORKPRICESTATE'].fields_by_name['value']._loaded_options = None + _globals['_STORKPRICESTATE'].fields_by_name['value']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_STORKPRICESTATE'].fields_by_name['price_state']._loaded_options = None + _globals['_STORKPRICESTATE'].fields_by_name['price_state']._serialized_options = b'\310\336\037\000' _globals['_PRICESTATE'].fields_by_name['price']._loaded_options = None _globals['_PRICESTATE'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PRICESTATE'].fields_by_name['cumulative_price']._loaded_options = None @@ -65,48 +79,56 @@ _globals['_METADATASTATISTICS'].fields_by_name['max_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_METADATASTATISTICS'].fields_by_name['median_price']._loaded_options = None _globals['_METADATASTATISTICS'].fields_by_name['median_price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' - _globals['_ORACLETYPE']._serialized_start=3252 - _globals['_ORACLETYPE']._serialized_end=3411 + _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._loaded_options = None + _globals['_SIGNEDPRICEOFASSETPAIR'].fields_by_name['price']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_ORACLETYPE']._serialized_start=4639 + _globals['_ORACLETYPE']._serialized_end=4809 _globals['_PARAMS']._serialized_start=140 - _globals['_PARAMS']._serialized_end=195 - _globals['_ORACLEINFO']._serialized_start=197 - _globals['_ORACLEINFO']._serialized_end=284 - _globals['_CHAINLINKPRICESTATE']._serialized_start=287 - _globals['_CHAINLINKPRICESTATE']._serialized_end=462 - _globals['_BANDPRICESTATE']._serialized_start=465 - _globals['_BANDPRICESTATE']._serialized_end=649 - _globals['_PRICEFEEDSTATE']._serialized_start=651 - _globals['_PRICEFEEDSTATE']._serialized_end=773 - _globals['_PROVIDERINFO']._serialized_start=775 - _globals['_PROVIDERINFO']._serialized_end=825 - _globals['_PROVIDERSTATE']._serialized_start=828 - _globals['_PROVIDERSTATE']._serialized_end=983 - _globals['_PROVIDERPRICESTATE']._serialized_start=985 - _globals['_PROVIDERPRICESTATE']._serialized_end=1074 - _globals['_PRICEFEEDINFO']._serialized_start=1076 - _globals['_PRICEFEEDINFO']._serialized_end=1120 - _globals['_PRICEFEEDPRICE']._serialized_start=1122 - _globals['_PRICEFEEDPRICE']._serialized_end=1190 - _globals['_COINBASEPRICESTATE']._serialized_start=1193 - _globals['_COINBASEPRICESTATE']._serialized_end=1339 - _globals['_PRICESTATE']._serialized_start=1342 - _globals['_PRICESTATE']._serialized_end=1488 - _globals['_PYTHPRICESTATE']._serialized_start=1491 - _globals['_PYTHPRICESTATE']._serialized_end=1774 - _globals['_BANDORACLEREQUEST']._serialized_start=1777 - _globals['_BANDORACLEREQUEST']._serialized_end=2061 - _globals['_BANDIBCPARAMS']._serialized_start=2064 - _globals['_BANDIBCPARAMS']._serialized_end=2232 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=2234 - _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=2348 - _globals['_LASTPRICETIMESTAMPS']._serialized_start=2350 - _globals['_LASTPRICETIMESTAMPS']._serialized_end=2450 - _globals['_PRICERECORDS']._serialized_start=2453 - _globals['_PRICERECORDS']._serialized_end=2609 - _globals['_PRICERECORD']._serialized_start=2611 - _globals['_PRICERECORD']._serialized_end=2695 - _globals['_METADATASTATISTICS']._serialized_start=2698 - _globals['_METADATASTATISTICS']._serialized_end=3090 - _globals['_PRICEATTESTATION']._serialized_start=3093 - _globals['_PRICEATTESTATION']._serialized_end=3249 + _globals['_PARAMS']._serialized_end=209 + _globals['_ORACLEINFO']._serialized_start=211 + _globals['_ORACLEINFO']._serialized_end=318 + _globals['_CHAINLINKPRICESTATE']._serialized_start=321 + _globals['_CHAINLINKPRICESTATE']._serialized_end=535 + _globals['_BANDPRICESTATE']._serialized_start=538 + _globals['_BANDPRICESTATE']._serialized_end=772 + _globals['_PRICEFEEDSTATE']._serialized_start=775 + _globals['_PRICEFEEDSTATE']._serialized_end=932 + _globals['_PROVIDERINFO']._serialized_start=934 + _globals['_PROVIDERINFO']._serialized_end=1004 + _globals['_PROVIDERSTATE']._serialized_start=1007 + _globals['_PROVIDERSTATE']._serialized_end=1197 + _globals['_PROVIDERPRICESTATE']._serialized_start=1199 + _globals['_PROVIDERPRICESTATE']._serialized_end=1303 + _globals['_PRICEFEEDINFO']._serialized_start=1305 + _globals['_PRICEFEEDINFO']._serialized_end=1362 + _globals['_PRICEFEEDPRICE']._serialized_start=1364 + _globals['_PRICEFEEDPRICE']._serialized_end=1439 + _globals['_COINBASEPRICESTATE']._serialized_start=1442 + _globals['_COINBASEPRICESTATE']._serialized_end=1629 + _globals['_STORKPRICESTATE']._serialized_start=1632 + _globals['_STORKPRICESTATE']._serialized_end=1839 + _globals['_PRICESTATE']._serialized_start=1842 + _globals['_PRICESTATE']._serialized_end=2023 + _globals['_PYTHPRICESTATE']._serialized_start=2026 + _globals['_PYTHPRICESTATE']._serialized_end=2368 + _globals['_BANDORACLEREQUEST']._serialized_start=2371 + _globals['_BANDORACLEREQUEST']._serialized_end=2761 + _globals['_BANDIBCPARAMS']._serialized_start=2764 + _globals['_BANDIBCPARAMS']._serialized_end=3026 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_start=3029 + _globals['_SYMBOLPRICETIMESTAMP']._serialized_end=3172 + _globals['_LASTPRICETIMESTAMPS']._serialized_start=3174 + _globals['_LASTPRICETIMESTAMPS']._serialized_end=3295 + _globals['_PRICERECORDS']._serialized_start=3298 + _globals['_PRICERECORDS']._serialized_end=3492 + _globals['_PRICERECORD']._serialized_start=3494 + _globals['_PRICERECORD']._serialized_end=3596 + _globals['_METADATASTATISTICS']._serialized_start=3599 + _globals['_METADATASTATISTICS']._serialized_end=4098 + _globals['_PRICEATTESTATION']._serialized_start=4101 + _globals['_PRICEATTESTATION']._serialized_end=4326 + _globals['_ASSETPAIR']._serialized_start=4328 + _globals['_ASSETPAIR']._serialized_end=4453 + _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_start=4456 + _globals['_SIGNEDPRICEOFASSETPAIR']._serialized_end=4636 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py index ce151115..d12db5f8 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xac\x01\n GrantBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xae\x01\n!RevokeBandOraclePrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08relayers\x18\x03 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xcb\x01\n!GrantPriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xba\x01\n\x1eGrantProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x04 \x03(\t:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xbc\x01\n\x1fRevokeProviderPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x10\n\x08provider\x18\x03 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xcd\x01\n\"RevokePriceFeederPrivilegeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x03 \x01(\t\x12\r\n\x05quote\x18\x04 \x01(\t\x12\x10\n\x08relayers\x18\x05 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xe2\x01\n\"AuthorizeBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x42\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\x80\x02\n\x1fUpdateBandOracleRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x1a\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04\x12J\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xcc\x01\n\x15\x45nableBandIBCProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x46\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposalBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/oracle/v1beta1/proposal.proto\x12\x18injective.oracle.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xca\x01\n GrantBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:R\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\'oracle/GrantBandOraclePrivilegeProposal\"\xcc\x01\n!RevokeBandOraclePrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08relayers\x18\x03 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/RevokeBandOraclePrivilegeProposal\"\xf6\x01\n!GrantPriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:S\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*(oracle/GrantPriceFeederPrivilegeProposal\"\xe2\x01\n\x1eGrantProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x04 \x03(\tR\x08relayers:P\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*%oracle/GrantProviderPrivilegeProposal\"\xe4\x01\n\x1fRevokeProviderPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1a\n\x08provider\x18\x03 \x01(\tR\x08provider\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/RevokeProviderPrivilegeProposal\"\xf8\x01\n\"RevokePriceFeederPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x12\n\x04\x62\x61se\x18\x03 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x04 \x01(\tR\x05quote\x12\x1a\n\x08relayers\x18\x05 \x03(\tR\x08relayers:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/RevokePriceFeederPrivilegeProposal\"\xff\x01\n\"AuthorizeBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12K\n\x07request\x18\x03 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestB\x04\xc8\xde\x1f\x00R\x07request:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)oracle/AuthorizeBandOracleRequestProposal\"\xbb\x02\n\x1fUpdateBandOracleRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12,\n\x12\x64\x65lete_request_ids\x18\x03 \x03(\x04R\x10\x64\x65leteRequestIds\x12_\n\x15update_oracle_request\x18\x04 \x01(\x0b\x32+.injective.oracle.v1beta1.BandOracleRequestR\x13updateOracleRequest:Q\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*&oracle/UpdateBandOracleRequestProposal\"\xef\x01\n\x15\x45nableBandIBCProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12U\n\x0f\x62\x61nd_ibc_params\x18\x03 \x01(\x0b\x32\'.injective.oracle.v1beta1.BandIBCParamsB\x04\xc8\xde\x1f\x00R\rbandIbcParams:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1coracle/EnableBandIBCProposal\"\xe1\x01\n$GrantStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:V\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*+oracle/GrantStorkPublisherPrivilegeProposal\"\xe3\x01\n%RevokeStorkPublisherPrivilegeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12)\n\x10stork_publishers\x18\x03 \x03(\tR\x0fstorkPublishers:W\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*,oracle/RevokeStorkPublisherPrivilegeProposalB\xfd\x01\n\x1c\x63om.injective.oracle.v1beta1B\rProposalProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\rProposalProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\'oracle/GrantBandOraclePrivilegeProposal' _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._loaded_options = None @@ -49,22 +59,30 @@ _globals['_ENABLEBANDIBCPROPOSAL'].fields_by_name['band_ibc_params']._serialized_options = b'\310\336\037\000' _globals['_ENABLEBANDIBCPROPOSAL']._loaded_options = None _globals['_ENABLEBANDIBCPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034oracle/EnableBandIBCProposal' + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*+oracle/GrantStorkPublisherPrivilegeProposal' + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._loaded_options = None + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*,oracle/RevokeStorkPublisherPrivilegeProposal' _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=209 - _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=381 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=384 - _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=558 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=561 - _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=764 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=767 - _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=953 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=956 - _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1144 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1147 - _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1352 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1355 - _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1581 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1584 - _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=1840 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=1843 - _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2047 + _globals['_GRANTBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=411 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_start=414 + _globals['_REVOKEBANDORACLEPRIVILEGEPROPOSAL']._serialized_end=618 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=621 + _globals['_GRANTPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=867 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_start=870 + _globals['_GRANTPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1096 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_start=1099 + _globals['_REVOKEPROVIDERPRIVILEGEPROPOSAL']._serialized_end=1327 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_start=1330 + _globals['_REVOKEPRICEFEEDERPRIVILEGEPROPOSAL']._serialized_end=1578 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_start=1581 + _globals['_AUTHORIZEBANDORACLEREQUESTPROPOSAL']._serialized_end=1836 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_start=1839 + _globals['_UPDATEBANDORACLEREQUESTPROPOSAL']._serialized_end=2154 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_start=2157 + _globals['_ENABLEBANDIBCPROPOSAL']._serialized_end=2396 + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2399 + _globals['_GRANTSTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2624 + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_start=2627 + _globals['_REVOKESTORKPUBLISHERPRIVILEGEPROPOSAL']._serialized_end=2854 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py index 30a67483..08538621 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import genesis_pb2 as injective_dot_oracle_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\")\n\x15QueryPythPriceRequest\x12\x10\n\x08price_id\x18\x01 \x01(\t\"W\n\x16QueryPythPriceResponse\x12=\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"\x14\n\x12QueryParamsRequest\"M\n\x13QueryParamsResponse\x12\x36\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1a\n\x18QueryBandRelayersRequest\"-\n\x19QueryBandRelayersResponse\x12\x10\n\x08relayers\x18\x01 \x03(\t\"\x1d\n\x1bQueryBandPriceStatesRequest\"^\n\x1cQueryBandPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\" \n\x1eQueryBandIBCPriceStatesRequest\"a\n\x1fQueryBandIBCPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceState\"\"\n QueryPriceFeedPriceStatesRequest\"c\n!QueryPriceFeedPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedState\"!\n\x1fQueryCoinbasePriceStatesRequest\"f\n QueryCoinbasePriceStatesResponse\x12\x42\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceState\"\x1d\n\x1bQueryPythPriceStatesRequest\"^\n\x1cQueryPythPriceStatesResponse\x12>\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceState\"B\n\x1eQueryProviderPriceStateRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\x12\x0e\n\x06symbol\x18\x02 \x01(\t\"\\\n\x1fQueryProviderPriceStateResponse\x12\x39\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceState\"\x19\n\x17QueryModuleStateRequest\"Q\n\x18QueryModuleStateResponse\x12\x35\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisState\"m\n\"QueryHistoricalPriceRecordsRequest\x12\x34\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x11\n\tsymbol_id\x18\x02 \x01(\t\"d\n#QueryHistoricalPriceRecordsResponse\x12=\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecords\"^\n\x14OracleHistoryOptions\x12\x0f\n\x07max_age\x18\x01 \x01(\x04\x12\x1b\n\x13include_raw_history\x18\x02 \x01(\x08\x12\x18\n\x10include_metadata\x18\x03 \x01(\x08\"\xe1\x01\n\x1cQueryOracleVolatilityRequest\x12\x37\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12\x38\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfo\x12N\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptions\"\xd8\x01\n\x1dQueryOracleVolatilityResponse\x12\x33\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x46\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatistics\x12:\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecord\"!\n\x1fQueryOracleProvidersInfoRequest\"]\n QueryOracleProvidersInfoResponse\x12\x39\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfo\"4\n QueryOracleProviderPricesRequest\x12\x10\n\x08provider\x18\x01 \x01(\t\"c\n!QueryOracleProviderPricesResponse\x12>\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderState\"?\n\x0eScalingOptions\x12\x15\n\rbase_decimals\x18\x01 \x01(\r\x12\x16\n\x0equote_decimals\x18\x02 \x01(\r\"\xba\x01\n\x17QueryOraclePriceRequest\x12\x39\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleType\x12\x0c\n\x04\x62\x61se\x18\x02 \x01(\t\x12\r\n\x05quote\x18\x03 \x01(\t\x12G\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01\"\xf6\x02\n\x0ePricePairState\x12\x37\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x37\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x42\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x43\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x16\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03\x12\x17\n\x0fquote_timestamp\x18\x07 \x01(\x03\"^\n\x18QueryOraclePriceResponse\x12\x42\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairState2\xda\x15\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceBNZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/oracle/v1beta1/query.proto\x12\x18injective.oracle.v1beta1\x1a\x1cgoogle/api/annotations.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a&injective/oracle/v1beta1/genesis.proto\x1a\x14gogoproto/gogo.proto\"2\n\x15QueryPythPriceRequest\x12\x19\n\x08price_id\x18\x01 \x01(\tR\x07priceId\"c\n\x16QueryPythPriceResponse\x12I\n\x0bprice_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\npriceState\"\x14\n\x12QueryParamsRequest\"U\n\x13QueryParamsResponse\x12>\n\x06params\x18\x01 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1a\n\x18QueryBandRelayersRequest\"7\n\x19QueryBandRelayersResponse\x12\x1a\n\x08relayers\x18\x01 \x03(\tR\x08relayers\"\x1d\n\x1bQueryBandPriceStatesRequest\"k\n\x1cQueryBandPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\" \n\x1eQueryBandIBCPriceStatesRequest\"n\n\x1fQueryBandIBCPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.BandPriceStateR\x0bpriceStates\"\"\n QueryPriceFeedPriceStatesRequest\"p\n!QueryPriceFeedPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PriceFeedStateR\x0bpriceStates\"!\n\x1fQueryCoinbasePriceStatesRequest\"s\n QueryCoinbasePriceStatesResponse\x12O\n\x0cprice_states\x18\x01 \x03(\x0b\x32,.injective.oracle.v1beta1.CoinbasePriceStateR\x0bpriceStates\"\x1d\n\x1bQueryPythPriceStatesRequest\"k\n\x1cQueryPythPriceStatesResponse\x12K\n\x0cprice_states\x18\x01 \x03(\x0b\x32(.injective.oracle.v1beta1.PythPriceStateR\x0bpriceStates\"\x1e\n\x1cQueryStorkPriceStatesRequest\"m\n\x1dQueryStorkPriceStatesResponse\x12L\n\x0cprice_states\x18\x01 \x03(\x0b\x32).injective.oracle.v1beta1.StorkPriceStateR\x0bpriceStates\"\x1d\n\x1bQueryStorkPublishersRequest\">\n\x1cQueryStorkPublishersResponse\x12\x1e\n\npublishers\x18\x01 \x03(\tR\npublishers\"T\n\x1eQueryProviderPriceStateRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\x12\x16\n\x06symbol\x18\x02 \x01(\tR\x06symbol\"h\n\x1fQueryProviderPriceStateResponse\x12\x45\n\x0bprice_state\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.PriceStateR\npriceState\"\x19\n\x17QueryModuleStateRequest\"X\n\x18QueryModuleStateResponse\x12<\n\x05state\x18\x01 \x01(\x0b\x32&.injective.oracle.v1beta1.GenesisStateR\x05state\"\x7f\n\"QueryHistoricalPriceRecordsRequest\x12<\n\x06oracle\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\x06oracle\x12\x1b\n\tsymbol_id\x18\x02 \x01(\tR\x08symbolId\"r\n#QueryHistoricalPriceRecordsResponse\x12K\n\rprice_records\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.PriceRecordsR\x0cpriceRecords\"\x8a\x01\n\x14OracleHistoryOptions\x12\x17\n\x07max_age\x18\x01 \x01(\x04R\x06maxAge\x12.\n\x13include_raw_history\x18\x02 \x01(\x08R\x11includeRawHistory\x12)\n\x10include_metadata\x18\x03 \x01(\x08R\x0fincludeMetadata\"\x8c\x02\n\x1cQueryOracleVolatilityRequest\x12\x41\n\tbase_info\x18\x01 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\x08\x62\x61seInfo\x12\x43\n\nquote_info\x18\x02 \x01(\x0b\x32$.injective.oracle.v1beta1.OracleInfoR\tquoteInfo\x12\x64\n\x16oracle_history_options\x18\x03 \x01(\x0b\x32..injective.oracle.v1beta1.OracleHistoryOptionsR\x14oracleHistoryOptions\"\x81\x02\n\x1dQueryOracleVolatilityResponse\x12?\n\nvolatility\x18\x01 \x01(\tB\x1f\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nvolatility\x12W\n\x10history_metadata\x18\x02 \x01(\x0b\x32,.injective.oracle.v1beta1.MetadataStatisticsR\x0fhistoryMetadata\x12\x46\n\x0braw_history\x18\x03 \x03(\x0b\x32%.injective.oracle.v1beta1.PriceRecordR\nrawHistory\"!\n\x1fQueryOracleProvidersInfoRequest\"h\n QueryOracleProvidersInfoResponse\x12\x44\n\tproviders\x18\x01 \x03(\x0b\x32&.injective.oracle.v1beta1.ProviderInfoR\tproviders\">\n QueryOracleProviderPricesRequest\x12\x1a\n\x08provider\x18\x01 \x01(\tR\x08provider\"r\n!QueryOracleProviderPricesResponse\x12M\n\rproviderState\x18\x01 \x03(\x0b\x32\'.injective.oracle.v1beta1.ProviderStateR\rproviderState\"\\\n\x0eScalingOptions\x12#\n\rbase_decimals\x18\x01 \x01(\rR\x0c\x62\x61seDecimals\x12%\n\x0equote_decimals\x18\x02 \x01(\rR\rquoteDecimals\"\xe3\x01\n\x17QueryOraclePriceRequest\x12\x45\n\x0boracle_type\x18\x01 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12\x12\n\x04\x62\x61se\x18\x02 \x01(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x01(\tR\x05quote\x12W\n\x0fscaling_options\x18\x04 \x01(\x0b\x32(.injective.oracle.v1beta1.ScalingOptionsB\x04\xc8\xde\x1f\x01R\x0escalingOptions\"\xe2\x03\n\x0ePricePairState\x12\x42\n\npair_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tpairPrice\x12\x42\n\nbase_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\tbasePrice\x12\x44\n\x0bquote_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nquotePrice\x12W\n\x15\x62\x61se_cumulative_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13\x62\x61seCumulativePrice\x12Y\n\x16quote_cumulative_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14quoteCumulativePrice\x12%\n\x0e\x62\x61se_timestamp\x18\x06 \x01(\x03R\rbaseTimestamp\x12\'\n\x0fquote_timestamp\x18\x07 \x01(\x03R\x0equoteTimestamp\"n\n\x18QueryOraclePriceResponse\x12R\n\x10price_pair_state\x18\x01 \x01(\x0b\x32(.injective.oracle.v1beta1.PricePairStateR\x0epricePairState2\xcd\x18\n\x05Query\x12\x8f\x01\n\x06Params\x12,.injective.oracle.v1beta1.QueryParamsRequest\x1a-.injective.oracle.v1beta1.QueryParamsResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/oracle/v1beta1/params\x12\xa8\x01\n\x0c\x42\x61ndRelayers\x12\x32.injective.oracle.v1beta1.QueryBandRelayersRequest\x1a\x33.injective.oracle.v1beta1.QueryBandRelayersResponse\"/\x82\xd3\xe4\x93\x02)\x12\'/injective/oracle/v1beta1/band_relayers\x12\xb5\x01\n\x0f\x42\x61ndPriceStates\x12\x35.injective.oracle.v1beta1.QueryBandPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryBandPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/band_price_states\x12\xc2\x01\n\x12\x42\x61ndIBCPriceStates\x12\x38.injective.oracle.v1beta1.QueryBandIBCPriceStatesRequest\x1a\x39.injective.oracle.v1beta1.QueryBandIBCPriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/band_ibc_price_states\x12\xc9\x01\n\x14PriceFeedPriceStates\x12:.injective.oracle.v1beta1.QueryPriceFeedPriceStatesRequest\x1a;.injective.oracle.v1beta1.QueryPriceFeedPriceStatesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/oracle/v1beta1/pricefeed_price_states\x12\xc5\x01\n\x13\x43oinbasePriceStates\x12\x39.injective.oracle.v1beta1.QueryCoinbasePriceStatesRequest\x1a:.injective.oracle.v1beta1.QueryCoinbasePriceStatesResponse\"7\x82\xd3\xe4\x93\x02\x31\x12//injective/oracle/v1beta1/coinbase_price_states\x12\xb5\x01\n\x0fPythPriceStates\x12\x35.injective.oracle.v1beta1.QueryPythPriceStatesRequest\x1a\x36.injective.oracle.v1beta1.QueryPythPriceStatesResponse\"3\x82\xd3\xe4\x93\x02-\x12+/injective/oracle/v1beta1/pyth_price_states\x12\xb9\x01\n\x10StorkPriceStates\x12\x36.injective.oracle.v1beta1.QueryStorkPriceStatesRequest\x1a\x37.injective.oracle.v1beta1.QueryStorkPriceStatesResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/oracle/v1beta1/stork_price_states\x12\xb4\x01\n\x0fStorkPublishers\x12\x35.injective.oracle.v1beta1.QueryStorkPublishersRequest\x1a\x36.injective.oracle.v1beta1.QueryStorkPublishersResponse\"2\x82\xd3\xe4\x93\x02,\x12*/injective/oracle/v1beta1/stork_publishers\x12\xd5\x01\n\x12ProviderPriceState\x12\x38.injective.oracle.v1beta1.QueryProviderPriceStateRequest\x1a\x39.injective.oracle.v1beta1.QueryProviderPriceStateResponse\"J\x82\xd3\xe4\x93\x02\x44\x12\x42/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}\x12\xaa\x01\n\x11OracleModuleState\x12\x31.injective.oracle.v1beta1.QueryModuleStateRequest\x1a\x32.injective.oracle.v1beta1.QueryModuleStateResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/oracle/v1beta1/module_state\x12\xd1\x01\n\x16HistoricalPriceRecords\x12<.injective.oracle.v1beta1.QueryHistoricalPriceRecordsRequest\x1a=.injective.oracle.v1beta1.QueryHistoricalPriceRecordsResponse\":\x82\xd3\xe4\x93\x02\x34\x12\x32/injective/oracle/v1beta1/historical_price_records\x12\xb1\x01\n\x10OracleVolatility\x12\x36.injective.oracle.v1beta1.QueryOracleVolatilityRequest\x1a\x37.injective.oracle.v1beta1.QueryOracleVolatilityResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/volatility\x12\xb9\x01\n\x13OracleProvidersInfo\x12\x39.injective.oracle.v1beta1.QueryOracleProvidersInfoRequest\x1a:.injective.oracle.v1beta1.QueryOracleProvidersInfoResponse\"+\x82\xd3\xe4\x93\x02%\x12#/injective/oracle/v1beta1/providers\x12\xc2\x01\n\x14OracleProviderPrices\x12:.injective.oracle.v1beta1.QueryOracleProviderPricesRequest\x1a;.injective.oracle.v1beta1.QueryOracleProviderPricesResponse\"1\x82\xd3\xe4\x93\x02+\x12)/injective/oracle/v1beta1/provider_prices\x12\x9d\x01\n\x0bOraclePrice\x12\x31.injective.oracle.v1beta1.QueryOraclePriceRequest\x1a\x32.injective.oracle.v1beta1.QueryOraclePriceResponse\"\'\x82\xd3\xe4\x93\x02!\x12\x1f/injective/oracle/v1beta1/price\x12\x9c\x01\n\tPythPrice\x12/.injective.oracle.v1beta1.QueryPythPriceRequest\x1a\x30.injective.oracle.v1beta1.QueryPythPriceResponse\",\x82\xd3\xe4\x93\x02&\x12$/injective/oracle/v1beta1/pyth_priceB\xfa\x01\n\x1c\x63om.injective.oracle.v1beta1B\nQueryProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\nQueryProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYORACLEVOLATILITYRESPONSE'].fields_by_name['volatility']._loaded_options = None @@ -56,6 +66,10 @@ _globals['_QUERY'].methods_by_name['CoinbasePriceStates']._serialized_options = b'\202\323\344\223\0021\022//injective/oracle/v1beta1/coinbase_price_states' _globals['_QUERY'].methods_by_name['PythPriceStates']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPriceStates']._serialized_options = b'\202\323\344\223\002-\022+/injective/oracle/v1beta1/pyth_price_states' + _globals['_QUERY'].methods_by_name['StorkPriceStates']._loaded_options = None + _globals['_QUERY'].methods_by_name['StorkPriceStates']._serialized_options = b'\202\323\344\223\002.\022,/injective/oracle/v1beta1/stork_price_states' + _globals['_QUERY'].methods_by_name['StorkPublishers']._loaded_options = None + _globals['_QUERY'].methods_by_name['StorkPublishers']._serialized_options = b'\202\323\344\223\002,\022*/injective/oracle/v1beta1/stork_publishers' _globals['_QUERY'].methods_by_name['ProviderPriceState']._loaded_options = None _globals['_QUERY'].methods_by_name['ProviderPriceState']._serialized_options = b'\202\323\344\223\002D\022B/injective/oracle/v1beta1/provider_price_state/{provider}/{symbol}' _globals['_QUERY'].methods_by_name['OracleModuleState']._loaded_options = None @@ -73,71 +87,79 @@ _globals['_QUERY'].methods_by_name['PythPrice']._loaded_options = None _globals['_QUERY'].methods_by_name['PythPrice']._serialized_options = b'\202\323\344\223\002&\022$/injective/oracle/v1beta1/pyth_price' _globals['_QUERYPYTHPRICEREQUEST']._serialized_start=197 - _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=238 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=240 - _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=327 - _globals['_QUERYPARAMSREQUEST']._serialized_start=329 - _globals['_QUERYPARAMSREQUEST']._serialized_end=349 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=351 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=428 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=430 - _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=456 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=458 - _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=503 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=505 - _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=534 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=536 - _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=630 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=632 - _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=664 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=666 - _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=763 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=765 - _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=799 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=801 - _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=900 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=902 - _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=935 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=937 - _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1039 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1041 - _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1070 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1072 - _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1166 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1168 - _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1234 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1236 - _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1328 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1330 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1355 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1357 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1438 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1440 - _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1549 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1551 - _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=1651 - _globals['_ORACLEHISTORYOPTIONS']._serialized_start=1653 - _globals['_ORACLEHISTORYOPTIONS']._serialized_end=1747 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=1750 - _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=1975 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=1978 - _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2194 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2196 - _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2229 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2231 - _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2324 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2326 - _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2378 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2380 - _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=2479 - _globals['_SCALINGOPTIONS']._serialized_start=2481 - _globals['_SCALINGOPTIONS']._serialized_end=2544 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=2547 - _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=2733 - _globals['_PRICEPAIRSTATE']._serialized_start=2736 - _globals['_PRICEPAIRSTATE']._serialized_end=3110 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3112 - _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3206 - _globals['_QUERY']._serialized_start=3209 - _globals['_QUERY']._serialized_end=5987 + _globals['_QUERYPYTHPRICEREQUEST']._serialized_end=247 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_start=249 + _globals['_QUERYPYTHPRICERESPONSE']._serialized_end=348 + _globals['_QUERYPARAMSREQUEST']._serialized_start=350 + _globals['_QUERYPARAMSREQUEST']._serialized_end=370 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=372 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=457 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_start=459 + _globals['_QUERYBANDRELAYERSREQUEST']._serialized_end=485 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_start=487 + _globals['_QUERYBANDRELAYERSRESPONSE']._serialized_end=542 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_start=544 + _globals['_QUERYBANDPRICESTATESREQUEST']._serialized_end=573 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_start=575 + _globals['_QUERYBANDPRICESTATESRESPONSE']._serialized_end=682 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_start=684 + _globals['_QUERYBANDIBCPRICESTATESREQUEST']._serialized_end=716 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_start=718 + _globals['_QUERYBANDIBCPRICESTATESRESPONSE']._serialized_end=828 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_start=830 + _globals['_QUERYPRICEFEEDPRICESTATESREQUEST']._serialized_end=864 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_start=866 + _globals['_QUERYPRICEFEEDPRICESTATESRESPONSE']._serialized_end=978 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_start=980 + _globals['_QUERYCOINBASEPRICESTATESREQUEST']._serialized_end=1013 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_start=1015 + _globals['_QUERYCOINBASEPRICESTATESRESPONSE']._serialized_end=1130 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_start=1132 + _globals['_QUERYPYTHPRICESTATESREQUEST']._serialized_end=1161 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_start=1163 + _globals['_QUERYPYTHPRICESTATESRESPONSE']._serialized_end=1270 + _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_start=1272 + _globals['_QUERYSTORKPRICESTATESREQUEST']._serialized_end=1302 + _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_start=1304 + _globals['_QUERYSTORKPRICESTATESRESPONSE']._serialized_end=1413 + _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_start=1415 + _globals['_QUERYSTORKPUBLISHERSREQUEST']._serialized_end=1444 + _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_start=1446 + _globals['_QUERYSTORKPUBLISHERSRESPONSE']._serialized_end=1508 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_start=1510 + _globals['_QUERYPROVIDERPRICESTATEREQUEST']._serialized_end=1594 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_start=1596 + _globals['_QUERYPROVIDERPRICESTATERESPONSE']._serialized_end=1700 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=1702 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=1727 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=1729 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1817 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_start=1819 + _globals['_QUERYHISTORICALPRICERECORDSREQUEST']._serialized_end=1946 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_start=1948 + _globals['_QUERYHISTORICALPRICERECORDSRESPONSE']._serialized_end=2062 + _globals['_ORACLEHISTORYOPTIONS']._serialized_start=2065 + _globals['_ORACLEHISTORYOPTIONS']._serialized_end=2203 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_start=2206 + _globals['_QUERYORACLEVOLATILITYREQUEST']._serialized_end=2474 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_start=2477 + _globals['_QUERYORACLEVOLATILITYRESPONSE']._serialized_end=2734 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_start=2736 + _globals['_QUERYORACLEPROVIDERSINFOREQUEST']._serialized_end=2769 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_start=2771 + _globals['_QUERYORACLEPROVIDERSINFORESPONSE']._serialized_end=2875 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_start=2877 + _globals['_QUERYORACLEPROVIDERPRICESREQUEST']._serialized_end=2939 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_start=2941 + _globals['_QUERYORACLEPROVIDERPRICESRESPONSE']._serialized_end=3055 + _globals['_SCALINGOPTIONS']._serialized_start=3057 + _globals['_SCALINGOPTIONS']._serialized_end=3149 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_start=3152 + _globals['_QUERYORACLEPRICEREQUEST']._serialized_end=3379 + _globals['_PRICEPAIRSTATE']._serialized_start=3382 + _globals['_PRICEPAIRSTATE']._serialized_end=3864 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_start=3866 + _globals['_QUERYORACLEPRICERESPONSE']._serialized_end=3976 + _globals['_QUERY']._serialized_start=3979 + _globals['_QUERY']._serialized_end=7128 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py index 6f1d76bd..a368d998 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/query_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.injective.oracle.v1beta1 import query_pb2 as injective_dot_oracle_dot_v1beta1_dot_query__pb2 class QueryStub(object): @@ -75,6 +50,16 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.FromString, _registered_method=True) + self.StorkPriceStates = channel.unary_unary( + '/injective.oracle.v1beta1.Query/StorkPriceStates', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, + _registered_method=True) + self.StorkPublishers = channel.unary_unary( + '/injective.oracle.v1beta1.Query/StorkPublishers', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, + _registered_method=True) self.ProviderPriceState = channel.unary_unary( '/injective.oracle.v1beta1.Query/ProviderPriceState', request_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.SerializeToString, @@ -170,6 +155,20 @@ def PythPriceStates(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def StorkPriceStates(self, request, context): + """Retrieves the state for all stork price feeds + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + + def StorkPublishers(self, request, context): + """Retrieves all stork publishers + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def ProviderPriceState(self, request, context): """Retrieves the state for all provider price feeds """ @@ -260,6 +259,16 @@ def add_QueryServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesRequest.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryPythPriceStatesResponse.SerializeToString, ), + 'StorkPriceStates': grpc.unary_unary_rpc_method_handler( + servicer.StorkPriceStates, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.SerializeToString, + ), + 'StorkPublishers': grpc.unary_unary_rpc_method_handler( + servicer.StorkPublishers, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.SerializeToString, + ), 'ProviderPriceState': grpc.unary_unary_rpc_method_handler( servicer.ProviderPriceState, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryProviderPriceStateRequest.FromString, @@ -501,6 +510,60 @@ def PythPriceStates(request, metadata, _registered_method=True) + @staticmethod + def StorkPriceStates(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/StorkPriceStates', + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesRequest.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPriceStatesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + + @staticmethod + def StorkPublishers(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Query/StorkPublishers', + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersRequest.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_query__pb2.QueryStorkPublishersResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def ProviderPriceState(request, target, diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py index 71c2aa54..d7ce43ad 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/oracle/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/oracle/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.oracle.v1beta1 import oracle_pb2 as injective_dot_oracle_dot_v1beta1_dot_oracle__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xb7\x01\n\x16MsgRelayProviderPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08provider\x18\x02 \x01(\t\x12\x0f\n\x07symbols\x18\x03 \x03(\t\x12\x33\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xb0\x01\n\x16MsgRelayPriceFeedPrice\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x0c\n\x04\x62\x61se\x18\x02 \x03(\t\x12\r\n\x05quote\x18\x03 \x03(\t\x12\x32\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\x9a\x01\n\x11MsgRelayBandRates\x12\x0f\n\x07relayer\x18\x01 \x01(\t\x12\x0f\n\x07symbols\x18\x02 \x03(\t\x12\r\n\x05rates\x18\x03 \x03(\x04\x12\x15\n\rresolve_times\x18\x04 \x03(\x04\x12\x12\n\nrequestIDs\x18\x05 \x03(\x04:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\x89\x01\n\x18MsgRelayCoinbaseMessages\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08messages\x18\x02 \x03(\x0c\x12\x12\n\nsignatures\x18\x03 \x03(\x0c:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"s\n\x16MsgRequestBandIBCRates\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x12\n\nrequest_id\x18\x02 \x01(\x04:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\x9f\x01\n\x12MsgRelayPythPrices\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x46\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestation:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xa1\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x36\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xfb\x06\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42NZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/oracle/v1beta1/tx.proto\x12\x18injective.oracle.v1beta1\x1a\x14gogoproto/gogo.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xda\x01\n\x16MsgRelayProviderPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08provider\x18\x02 \x01(\tR\x08provider\x12\x18\n\x07symbols\x18\x03 \x03(\tR\x07symbols\x12;\n\x06prices\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06prices:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayProviderPrices\" \n\x1eMsgRelayProviderPricesResponse\"\xcc\x01\n\x16MsgRelayPriceFeedPrice\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x12\n\x04\x62\x61se\x18\x02 \x03(\tR\x04\x62\x61se\x12\x14\n\x05quote\x18\x03 \x03(\tR\x05quote\x12\x39\n\x05price\x18\x04 \x03(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRelayPriceFeedPrice\" \n\x1eMsgRelayPriceFeedPriceResponse\"\xcd\x01\n\x11MsgRelayBandRates\x12\x18\n\x07relayer\x18\x01 \x01(\tR\x07relayer\x12\x18\n\x07symbols\x18\x02 \x03(\tR\x07symbols\x12\x14\n\x05rates\x18\x03 \x03(\x04R\x05rates\x12#\n\rresolve_times\x18\x04 \x03(\x04R\x0cresolveTimes\x12\x1e\n\nrequestIDs\x18\x05 \x03(\x04R\nrequestIDs:)\x82\xe7\xb0*\x07relayer\x8a\xe7\xb0*\x18oracle/MsgRelayBandRates\"\x1b\n\x19MsgRelayBandRatesResponse\"\xa7\x01\n\x18MsgRelayCoinbaseMessages\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08messages\x18\x02 \x03(\x0cR\x08messages\x12\x1e\n\nsignatures\x18\x03 \x03(\x0cR\nsignatures:7\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1foracle/MsgRelayCoinbaseMessages\"\"\n MsgRelayCoinbaseMessagesResponse\"\x88\x01\n\x13MsgRelayStorkPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x44\n\x0b\x61sset_pairs\x18\x02 \x03(\x0b\x32#.injective.oracle.v1beta1.AssetPairR\nassetPairs:\x13\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\"\x1d\n\x1bMsgRelayStorkPricesResponse\"\x86\x01\n\x16MsgRequestBandIBCRates\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1d\n\nrequest_id\x18\x02 \x01(\x04R\trequestId:5\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1doracle/MsgRequestBandIBCRates\" \n\x1eMsgRequestBandIBCRatesResponse\"\xba\x01\n\x12MsgRelayPythPrices\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12Y\n\x12price_attestations\x18\x02 \x03(\x0b\x32*.injective.oracle.v1beta1.PriceAttestationR\x11priceAttestations:1\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19oracle/MsgRelayPythPrices\"\x1c\n\x1aMsgRelayPythPricesResponse\"\xb4\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12>\n\x06params\x18\x02 \x01(\x0b\x32 .injective.oracle.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:)\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x16oracle/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse2\xf6\x07\n\x03Msg\x12\x81\x01\n\x13RelayProviderPrices\x12\x30.injective.oracle.v1beta1.MsgRelayProviderPrices\x1a\x38.injective.oracle.v1beta1.MsgRelayProviderPricesResponse\x12\x81\x01\n\x13RelayPriceFeedPrice\x12\x30.injective.oracle.v1beta1.MsgRelayPriceFeedPrice\x1a\x38.injective.oracle.v1beta1.MsgRelayPriceFeedPriceResponse\x12r\n\x0eRelayBandRates\x12+.injective.oracle.v1beta1.MsgRelayBandRates\x1a\x33.injective.oracle.v1beta1.MsgRelayBandRatesResponse\x12\x81\x01\n\x13RequestBandIBCRates\x12\x30.injective.oracle.v1beta1.MsgRequestBandIBCRates\x1a\x38.injective.oracle.v1beta1.MsgRequestBandIBCRatesResponse\x12\x87\x01\n\x15RelayCoinbaseMessages\x12\x32.injective.oracle.v1beta1.MsgRelayCoinbaseMessages\x1a:.injective.oracle.v1beta1.MsgRelayCoinbaseMessagesResponse\x12y\n\x11RelayStorkMessage\x12-.injective.oracle.v1beta1.MsgRelayStorkPrices\x1a\x35.injective.oracle.v1beta1.MsgRelayStorkPricesResponse\x12u\n\x0fRelayPythPrices\x12,.injective.oracle.v1beta1.MsgRelayPythPrices\x1a\x34.injective.oracle.v1beta1.MsgRelayPythPricesResponse\x12l\n\x0cUpdateParams\x12).injective.oracle.v1beta1.MsgUpdateParams\x1a\x31.injective.oracle.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xf7\x01\n\x1c\x63om.injective.oracle.v1beta1B\x07TxProtoP\x01ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\xa2\x02\x03IOX\xaa\x02\x18Injective.Oracle.V1beta1\xca\x02\x18Injective\\Oracle\\V1beta1\xe2\x02$Injective\\Oracle\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Oracle::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.oracle.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.oracle.v1beta1B\007TxProtoP\001ZLgithub.com/InjectiveLabs/injective-core/injective-chain/modules/oracle/types\242\002\003IOX\252\002\030Injective.Oracle.V1beta1\312\002\030Injective\\Oracle\\V1beta1\342\002$Injective\\Oracle\\V1beta1\\GPBMetadata\352\002\032Injective::Oracle::V1beta1' _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._loaded_options = None _globals['_MSGRELAYPROVIDERPRICES'].fields_by_name['prices']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_MSGRELAYPROVIDERPRICES']._loaded_options = None @@ -39,6 +49,8 @@ _globals['_MSGRELAYBANDRATES']._serialized_options = b'\202\347\260*\007relayer\212\347\260*\030oracle/MsgRelayBandRates' _globals['_MSGRELAYCOINBASEMESSAGES']._loaded_options = None _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\037oracle/MsgRelayCoinbaseMessages' + _globals['_MSGRELAYSTORKPRICES']._loaded_options = None + _globals['_MSGRELAYSTORKPRICES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender' _globals['_MSGREQUESTBANDIBCRATES']._loaded_options = None _globals['_MSGREQUESTBANDIBCRATES']._serialized_options = b'\210\240\037\000\350\240\037\000\202\347\260*\006sender\212\347\260*\035oracle/MsgRequestBandIBCRates' _globals['_MSGRELAYPYTHPRICES']._loaded_options = None @@ -52,33 +64,37 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGRELAYPROVIDERPRICES']._serialized_start=196 - _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=379 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=381 - _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=413 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=416 - _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=592 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=594 - _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=626 - _globals['_MSGRELAYBANDRATES']._serialized_start=629 - _globals['_MSGRELAYBANDRATES']._serialized_end=783 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=785 - _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=812 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=815 - _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=952 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=954 - _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=988 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=990 - _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1105 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1107 - _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1139 - _globals['_MSGRELAYPYTHPRICES']._serialized_start=1142 - _globals['_MSGRELAYPYTHPRICES']._serialized_end=1301 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1303 - _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1331 - _globals['_MSGUPDATEPARAMS']._serialized_start=1334 - _globals['_MSGUPDATEPARAMS']._serialized_end=1495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1522 - _globals['_MSG']._serialized_start=1525 - _globals['_MSG']._serialized_end=2416 + _globals['_MSGRELAYPROVIDERPRICES']._serialized_end=414 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_start=416 + _globals['_MSGRELAYPROVIDERPRICESRESPONSE']._serialized_end=448 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_start=451 + _globals['_MSGRELAYPRICEFEEDPRICE']._serialized_end=655 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_start=657 + _globals['_MSGRELAYPRICEFEEDPRICERESPONSE']._serialized_end=689 + _globals['_MSGRELAYBANDRATES']._serialized_start=692 + _globals['_MSGRELAYBANDRATES']._serialized_end=897 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_start=899 + _globals['_MSGRELAYBANDRATESRESPONSE']._serialized_end=926 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_start=929 + _globals['_MSGRELAYCOINBASEMESSAGES']._serialized_end=1096 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_start=1098 + _globals['_MSGRELAYCOINBASEMESSAGESRESPONSE']._serialized_end=1132 + _globals['_MSGRELAYSTORKPRICES']._serialized_start=1135 + _globals['_MSGRELAYSTORKPRICES']._serialized_end=1271 + _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_start=1273 + _globals['_MSGRELAYSTORKPRICESRESPONSE']._serialized_end=1302 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_start=1305 + _globals['_MSGREQUESTBANDIBCRATES']._serialized_end=1439 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_start=1441 + _globals['_MSGREQUESTBANDIBCRATESRESPONSE']._serialized_end=1473 + _globals['_MSGRELAYPYTHPRICES']._serialized_start=1476 + _globals['_MSGRELAYPYTHPRICES']._serialized_end=1662 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_start=1664 + _globals['_MSGRELAYPYTHPRICESRESPONSE']._serialized_end=1692 + _globals['_MSGUPDATEPARAMS']._serialized_start=1695 + _globals['_MSGUPDATEPARAMS']._serialized_end=1875 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1877 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1902 + _globals['_MSG']._serialized_start=1905 + _globals['_MSG']._serialized_end=2919 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py index 34286685..7c505717 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/tx_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings -from injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) +from pyinjective.proto.injective.oracle.v1beta1 import tx_pb2 as injective_dot_oracle_dot_v1beta1_dot_tx__pb2 class MsgStub(object): @@ -65,6 +40,11 @@ def __init__(self, channel): request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.SerializeToString, response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.FromString, _registered_method=True) + self.RelayStorkMessage = channel.unary_unary( + '/injective.oracle.v1beta1.Msg/RelayStorkMessage', + request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, + response_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, + _registered_method=True) self.RelayPythPrices = channel.unary_unary( '/injective.oracle.v1beta1.Msg/RelayPythPrices', request_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.SerializeToString, @@ -119,6 +99,14 @@ def RelayCoinbaseMessages(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def RelayStorkMessage(self, request, context): + """RelayStorkMessage defines a method for relaying price message from + Stork API + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def RelayPythPrices(self, request, context): """RelayPythPrices defines a method for relaying rates from the Pyth contract """ @@ -161,6 +149,11 @@ def add_MsgServicer_to_server(servicer, server): request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessages.FromString, response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayCoinbaseMessagesResponse.SerializeToString, ), + 'RelayStorkMessage': grpc.unary_unary_rpc_method_handler( + servicer.RelayStorkMessage, + request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.FromString, + response_serializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.SerializeToString, + ), 'RelayPythPrices': grpc.unary_unary_rpc_method_handler( servicer.RelayPythPrices, request_deserializer=injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayPythPrices.FromString, @@ -318,6 +311,33 @@ def RelayCoinbaseMessages(request, metadata, _registered_method=True) + @staticmethod + def RelayStorkMessage(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective.oracle.v1beta1.Msg/RelayStorkMessage', + injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPrices.SerializeToString, + injective_dot_oracle_dot_v1beta1_dot_tx__pb2.MsgRelayStorkPricesResponse.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def RelayPythPrices(request, target, diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py index 4bc045af..df4f7386 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/attestation.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/attestation.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"c\n\x0b\x41ttestation\x12\x10\n\x08observed\x18\x01 \x01(\x08\x12\r\n\x05votes\x18\x02 \x03(\t\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12#\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.Any\"M\n\nERC20Token\x12\x10\n\x08\x63ontract\x18\x01 \x01(\t\x12-\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/peggy/v1/attestation.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\"\x83\x01\n\x0b\x41ttestation\x12\x1a\n\x08observed\x18\x01 \x01(\x08R\x08observed\x12\x14\n\x05votes\x18\x02 \x03(\tR\x05votes\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12*\n\x05\x63laim\x18\x04 \x01(\x0b\x32\x14.google.protobuf.AnyR\x05\x63laim\"_\n\nERC20Token\x12\x1a\n\x08\x63ontract\x18\x01 \x01(\tR\x08\x63ontract\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount*\x9f\x02\n\tClaimType\x12.\n\x12\x43LAIM_TYPE_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_UNKNOWN\x12.\n\x12\x43LAIM_TYPE_DEPOSIT\x10\x01\x1a\x16\x8a\x9d \x12\x43LAIM_TYPE_DEPOSIT\x12\x30\n\x13\x43LAIM_TYPE_WITHDRAW\x10\x02\x1a\x17\x8a\x9d \x13\x43LAIM_TYPE_WITHDRAW\x12<\n\x19\x43LAIM_TYPE_ERC20_DEPLOYED\x10\x03\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_ERC20_DEPLOYED\x12<\n\x19\x43LAIM_TYPE_VALSET_UPDATED\x10\x04\x1a\x1d\x8a\x9d \x19\x43LAIM_TYPE_VALSET_UPDATED\x1a\x04\x88\xa3\x1e\x00\x42\xe1\x01\n\x16\x63om.injective.peggy.v1B\x10\x41ttestationProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.attestation_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\020AttestationProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_CLAIMTYPE']._loaded_options = None _globals['_CLAIMTYPE']._serialized_options = b'\210\243\036\000' _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_UNKNOWN"]._loaded_options = None @@ -38,10 +48,10 @@ _globals['_CLAIMTYPE'].values_by_name["CLAIM_TYPE_VALSET_UPDATED"]._serialized_options = b'\212\235 \031CLAIM_TYPE_VALSET_UPDATED' _globals['_ERC20TOKEN'].fields_by_name['amount']._loaded_options = None _globals['_ERC20TOKEN'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_CLAIMTYPE']._serialized_start=290 - _globals['_CLAIMTYPE']._serialized_end=577 - _globals['_ATTESTATION']._serialized_start=109 - _globals['_ATTESTATION']._serialized_end=208 - _globals['_ERC20TOKEN']._serialized_start=210 - _globals['_ERC20TOKEN']._serialized_end=287 + _globals['_CLAIMTYPE']._serialized_start=341 + _globals['_CLAIMTYPE']._serialized_end=628 + _globals['_ATTESTATION']._serialized_start=110 + _globals['_ATTESTATION']._serialized_end=241 + _globals['_ERC20TOKEN']._serialized_start=243 + _globals['_ERC20TOKEN']._serialized_end=338 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2.py b/pyinjective/proto/injective/peggy/v1/batch_pb2.py index a44e7eb9..a9be91de 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/batch.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/batch.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xa2\x01\n\x0fOutgoingTxBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x02 \x01(\x04\x12<\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\r\n\x05\x62lock\x18\x05 \x01(\x04\"\xae\x01\n\x12OutgoingTransferTx\x12\n\n\x02id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x14\n\x0c\x64\x65st_address\x18\x03 \x01(\t\x12\x33\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20Token\x12\x31\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/batch.proto\x12\x12injective.peggy.v1\x1a$injective/peggy/v1/attestation.proto\"\xe0\x01\n\x0fOutgoingTxBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x02 \x01(\x04R\x0c\x62\x61tchTimeout\x12J\n\x0ctransactions\x18\x03 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x0ctransactions\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x14\n\x05\x62lock\x18\x05 \x01(\x04R\x05\x62lock\"\xdd\x01\n\x12OutgoingTransferTx\x12\x0e\n\x02id\x18\x01 \x01(\x04R\x02id\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12!\n\x0c\x64\x65st_address\x18\x03 \x01(\tR\x0b\x64\x65stAddress\x12?\n\x0b\x65rc20_token\x18\x04 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\nerc20Token\x12;\n\terc20_fee\x18\x05 \x01(\x0b\x32\x1e.injective.peggy.v1.ERC20TokenR\x08\x65rc20FeeB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nBatchProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.batch_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nBatchProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_OUTGOINGTXBATCH']._serialized_start=93 - _globals['_OUTGOINGTXBATCH']._serialized_end=255 - _globals['_OUTGOINGTRANSFERTX']._serialized_start=258 - _globals['_OUTGOINGTRANSFERTX']._serialized_end=432 + _globals['_OUTGOINGTXBATCH']._serialized_end=317 + _globals['_OUTGOINGTRANSFERTX']._serialized_start=320 + _globals['_OUTGOINGTRANSFERTX']._serialized_end=541 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py index 9beb0aa2..d7838484 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/ethereum_signer.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/ethereum_signer.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n(injective/peggy/v1/ethereum_signer.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto*\x91\x01\n\x08SignType\x12\x15\n\x11SIGN_TYPE_UNKNOWN\x10\x00\x12\x32\n.SIGN_TYPE_ORCHESTRATOR_SIGNED_MULTI_SIG_UPDATE\x10\x01\x12\x30\n,SIGN_TYPE_ORCHESTRATOR_SIGNED_WITHDRAW_BATCH\x10\x02\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x00\x42\xe4\x01\n\x16\x63om.injective.peggy.v1B\x13\x45thereumSignerProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.ethereum_signer_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\023EthereumSignerProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_SIGNTYPE']._loaded_options = None _globals['_SIGNTYPE']._serialized_options = b'\210\243\036\000\250\244\036\000' _globals['_SIGNTYPE']._serialized_start=87 diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2.py b/pyinjective/proto/injective/peggy/v1/events_pb2.py index bbd26b42..5ba15fd2 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xac\x01\n\x18\x45ventAttestationObserved\x12\x37\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimType\x12\x17\n\x0f\x62ridge_contract\x18\x02 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x04 \x01(\x0c\x12\r\n\x05nonce\x18\x05 \x01(\x04\"O\n\x1b\x45ventBridgeWithdrawCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\"\x83\x01\n\x12\x45ventOutgoingBatch\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x15\n\rbatch_timeout\x18\x04 \x01(\x04\x12\x14\n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04\"o\n\x1a\x45ventOutgoingBatchCanceled\x12\x17\n\x0f\x62ridge_contract\x18\x01 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04\x12\x10\n\x08\x62\x61tch_id\x18\x03 \x01(\x04\x12\r\n\x05nonce\x18\x04 \x01(\x04\"\xd0\x01\n\x18\x45ventValsetUpdateRequest\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x15\n\rvalset_height\x18\x02 \x01(\x04\x12;\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"v\n\x1d\x45ventSetOrchestratorAddresses\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\x12\x1c\n\x14operator_eth_address\x18\x03 \x01(\t\"H\n\x12\x45ventValsetConfirm\x12\x14\n\x0cvalset_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"\xd0\x01\n\x0e\x45ventSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t\x12\x10\n\x08receiver\x18\x03 \x01(\t\x12?\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\x12\x43\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.Coin\"F\n\x11\x45ventConfirmBatch\x12\x13\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"R\n\x14\x45ventAttestationVote\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x02 \x01(\x0c\x12\r\n\x05voter\x18\x03 \x01(\t\"\xfb\x01\n\x11\x45ventDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x17\n\x0f\x65thereum_sender\x18\x04 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x05 \x01(\t\x12\x16\n\x0etoken_contract\x18\x06 \x01(\t\x12-\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\t \x01(\t\"\xa2\x01\n\x12\x45ventWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x13\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x06 \x01(\t\"\xd8\x01\n\x17\x45ventERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0c\x63osmos_denom\x18\x04 \x01(\t\x12\x16\n\x0etoken_contract\x18\x05 \x01(\t\x12\x0c\n\x04name\x18\x06 \x01(\t\x12\x0e\n\x06symbol\x18\x07 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04\x12\x1c\n\x14orchestrator_address\x18\t \x01(\t\"\x98\x02\n\x16\x45ventValsetUpdateClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x65vent_height\x18\x02 \x01(\x04\x12\x16\n\x0e\x61ttestation_id\x18\x03 \x01(\x0c\x12\x14\n\x0cvalset_nonce\x18\x04 \x01(\x04\x12;\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x07 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x08 \x01(\t\".\n\x14\x45ventCancelSendToEth\x12\x16\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04\"_\n\x1f\x45ventSubmitBadSignatureEvidence\x12\x19\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\t\x12!\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\t\"z\n\x13\x45ventValidatorSlash\x12\r\n\x05power\x18\x01 \x01(\x03\x12\x0e\n\x06reason\x18\x02 \x01(\t\x12\x19\n\x11\x63onsensus_address\x18\x03 \x01(\t\x12\x18\n\x10operator_address\x18\x04 \x01(\t\x12\x0f\n\x07moniker\x18\x05 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/events.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1einjective/peggy/v1/types.proto\"\xf2\x01\n\x18\x45ventAttestationObserved\x12H\n\x10\x61ttestation_type\x18\x01 \x01(\x0e\x32\x1d.injective.peggy.v1.ClaimTypeR\x0f\x61ttestationType\x12\'\n\x0f\x62ridge_contract\x18\x02 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x03 \x01(\x04R\rbridgeChainId\x12%\n\x0e\x61ttestation_id\x18\x04 \x01(\x0cR\rattestationId\x12\x14\n\x05nonce\x18\x05 \x01(\x04R\x05nonce\"n\n\x1b\x45ventBridgeWithdrawCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\"\xc5\x01\n\x12\x45ventOutgoingBatch\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12#\n\rbatch_timeout\x18\x04 \x01(\x04R\x0c\x62\x61tchTimeout\x12 \n\x0c\x62\x61tch_tx_ids\x18\x05 \x03(\x04R\nbatchTxIds\"\x9e\x01\n\x1a\x45ventOutgoingBatchCanceled\x12\'\n\x0f\x62ridge_contract\x18\x01 \x01(\tR\x0e\x62ridgeContract\x12&\n\x0f\x62ridge_chain_id\x18\x02 \x01(\x04R\rbridgeChainId\x12\x19\n\x08\x62\x61tch_id\x18\x03 \x01(\x04R\x07\x62\x61tchId\x12\x14\n\x05nonce\x18\x04 \x01(\x04R\x05nonce\"\x95\x02\n\x18\x45ventValsetUpdateRequest\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12#\n\rvalset_height\x18\x02 \x01(\x04R\x0cvalsetHeight\x12J\n\x0evalset_members\x18\x03 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\xb1\x01\n\x1d\x45ventSetOrchestratorAddresses\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\x12\x30\n\x14operator_eth_address\x18\x03 \x01(\tR\x12operatorEthAddress\"j\n\x12\x45ventValsetConfirm\x12!\n\x0cvalset_nonce\x18\x01 \x01(\x04R\x0bvalsetNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"\x83\x02\n\x0e\x45ventSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender\x12\x1a\n\x08receiver\x18\x03 \x01(\tR\x08receiver\x12G\n\x06\x61mount\x18\x04 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\x06\x61mount\x12N\n\nbridge_fee\x18\x05 \x01(\tB/\xc8\xde\x1f\x00\xda\xde\x1f\'github.com/cosmos/cosmos-sdk/types.CoinR\tbridgeFee\"g\n\x11\x45ventConfirmBatch\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x01 \x01(\x04R\nbatchNonce\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"t\n\x14\x45ventAttestationVote\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12%\n\x0e\x61ttestation_id\x18\x02 \x01(\x0cR\rattestationId\x12\x14\n\x05voter\x18\x03 \x01(\tR\x05voter\"\xf5\x02\n\x11\x45ventDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\'\n\x0f\x65thereum_sender\x18\x04 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x05 \x01(\tR\x0e\x63osmosReceiver\x12%\n\x0etoken_contract\x18\x06 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x07 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\x12\x12\n\x04\x64\x61ta\x18\t \x01(\tR\x04\x64\x61ta\"\xfa\x01\n\x12\x45ventWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x04 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x31\n\x14orchestrator_address\x18\x06 \x01(\tR\x13orchestratorAddress\"\xc9\x02\n\x17\x45ventERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0c\x63osmos_denom\x18\x04 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x05 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x06 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x07 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x08 \x01(\x04R\x08\x64\x65\x63imals\x12\x31\n\x14orchestrator_address\x18\t \x01(\tR\x13orchestratorAddress\"\x8c\x03\n\x16\x45ventValsetUpdateClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x65vent_height\x18\x02 \x01(\x04R\x0b\x65ventHeight\x12%\n\x0e\x61ttestation_id\x18\x03 \x01(\x0cR\rattestationId\x12!\n\x0cvalset_nonce\x18\x04 \x01(\x04R\x0bvalsetNonce\x12J\n\x0evalset_members\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\rvalsetMembers\x12\x42\n\rreward_amount\x18\x06 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x07 \x01(\tR\x0brewardToken\x12\x31\n\x14orchestrator_address\x18\x08 \x01(\tR\x13orchestratorAddress\"<\n\x14\x45ventCancelSendToEth\x12$\n\x0eoutgoing_tx_id\x18\x01 \x01(\x04R\x0coutgoingTxId\"\x88\x01\n\x1f\x45ventSubmitBadSignatureEvidence\x12*\n\x11\x62\x61\x64_eth_signature\x18\x01 \x01(\tR\x0f\x62\x61\x64\x45thSignature\x12\x39\n\x19\x62\x61\x64_eth_signature_subject\x18\x02 \x01(\tR\x16\x62\x61\x64\x45thSignatureSubject\"\xb5\x01\n\x13\x45ventValidatorSlash\x12\x14\n\x05power\x18\x01 \x01(\x03R\x05power\x12\x16\n\x06reason\x18\x02 \x01(\tR\x06reason\x12+\n\x11\x63onsensus_address\x18\x03 \x01(\tR\x10\x63onsensusAddress\x12)\n\x10operator_address\x18\x04 \x01(\tR\x0foperatorAddress\x12\x18\n\x07moniker\x18\x05 \x01(\tR\x07monikerB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATEREQUEST'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTSENDTOETH'].fields_by_name['amount']._loaded_options = None @@ -36,37 +46,37 @@ _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._loaded_options = None _globals['_EVENTVALSETUPDATECLAIM'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EVENTATTESTATIONOBSERVED']._serialized_start=148 - _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=320 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=322 - _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=401 - _globals['_EVENTOUTGOINGBATCH']._serialized_start=404 - _globals['_EVENTOUTGOINGBATCH']._serialized_end=535 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=537 - _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=648 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=651 - _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=859 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=861 - _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=979 - _globals['_EVENTVALSETCONFIRM']._serialized_start=981 - _globals['_EVENTVALSETCONFIRM']._serialized_end=1053 - _globals['_EVENTSENDTOETH']._serialized_start=1056 - _globals['_EVENTSENDTOETH']._serialized_end=1264 - _globals['_EVENTCONFIRMBATCH']._serialized_start=1266 - _globals['_EVENTCONFIRMBATCH']._serialized_end=1336 - _globals['_EVENTATTESTATIONVOTE']._serialized_start=1338 - _globals['_EVENTATTESTATIONVOTE']._serialized_end=1420 - _globals['_EVENTDEPOSITCLAIM']._serialized_start=1423 - _globals['_EVENTDEPOSITCLAIM']._serialized_end=1674 - _globals['_EVENTWITHDRAWCLAIM']._serialized_start=1677 - _globals['_EVENTWITHDRAWCLAIM']._serialized_end=1839 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=1842 - _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2058 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2061 - _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=2341 - _globals['_EVENTCANCELSENDTOETH']._serialized_start=2343 - _globals['_EVENTCANCELSENDTOETH']._serialized_end=2389 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2391 - _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2486 - _globals['_EVENTVALIDATORSLASH']._serialized_start=2488 - _globals['_EVENTVALIDATORSLASH']._serialized_end=2610 + _globals['_EVENTATTESTATIONOBSERVED']._serialized_end=390 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_start=392 + _globals['_EVENTBRIDGEWITHDRAWCANCELED']._serialized_end=502 + _globals['_EVENTOUTGOINGBATCH']._serialized_start=505 + _globals['_EVENTOUTGOINGBATCH']._serialized_end=702 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_start=705 + _globals['_EVENTOUTGOINGBATCHCANCELED']._serialized_end=863 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_start=866 + _globals['_EVENTVALSETUPDATEREQUEST']._serialized_end=1143 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_start=1146 + _globals['_EVENTSETORCHESTRATORADDRESSES']._serialized_end=1323 + _globals['_EVENTVALSETCONFIRM']._serialized_start=1325 + _globals['_EVENTVALSETCONFIRM']._serialized_end=1431 + _globals['_EVENTSENDTOETH']._serialized_start=1434 + _globals['_EVENTSENDTOETH']._serialized_end=1693 + _globals['_EVENTCONFIRMBATCH']._serialized_start=1695 + _globals['_EVENTCONFIRMBATCH']._serialized_end=1798 + _globals['_EVENTATTESTATIONVOTE']._serialized_start=1800 + _globals['_EVENTATTESTATIONVOTE']._serialized_end=1916 + _globals['_EVENTDEPOSITCLAIM']._serialized_start=1919 + _globals['_EVENTDEPOSITCLAIM']._serialized_end=2292 + _globals['_EVENTWITHDRAWCLAIM']._serialized_start=2295 + _globals['_EVENTWITHDRAWCLAIM']._serialized_end=2545 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_start=2548 + _globals['_EVENTERC20DEPLOYEDCLAIM']._serialized_end=2877 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_start=2880 + _globals['_EVENTVALSETUPDATECLAIM']._serialized_end=3276 + _globals['_EVENTCANCELSENDTOETH']._serialized_start=3278 + _globals['_EVENTCANCELSENDTOETH']._serialized_end=3338 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_start=3341 + _globals['_EVENTSUBMITBADSIGNATUREEVIDENCE']._serialized_end=3477 + _globals['_EVENTVALIDATORSLASH']._serialized_start=3480 + _globals['_EVENTVALIDATORSLASH']._serialized_end=3661 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py index 2a6e7260..ae1622b8 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from pyinjective.proto.injective.peggy.v1 import attestation_pb2 as injective_dot_peggy_dot_v1_dot_attestation__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x06\n\x0cGenesisState\x12*\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Params\x12\x1b\n\x13last_observed_nonce\x18\x02 \x01(\x04\x12+\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\x12=\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\x12\x34\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\x12;\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\x12\x35\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.Attestation\x12O\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddresses\x12\x39\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenom\x12\x43\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12%\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04\x12\x1e\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04\x12\x1d\n\x15last_outgoing_pool_id\x18\r \x01(\x04\x12>\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00\x12\x1a\n\x12\x65thereum_blacklist\x18\x0f \x03(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/peggy/v1/genesis.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a$injective/peggy/v1/attestation.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\x80\x08\n\x0cGenesisState\x12\x32\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsR\x06params\x12.\n\x13last_observed_nonce\x18\x02 \x01(\x04R\x11lastObservedNonce\x12\x34\n\x07valsets\x18\x03 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\x12M\n\x0fvalset_confirms\x18\x04 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x0evalsetConfirms\x12=\n\x07\x62\x61tches\x18\x05 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\x12J\n\x0e\x62\x61tch_confirms\x18\x06 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\rbatchConfirms\x12\x43\n\x0c\x61ttestations\x18\x07 \x03(\x0b\x32\x1f.injective.peggy.v1.AttestationR\x0c\x61ttestations\x12\x66\n\x16orchestrator_addresses\x18\x08 \x03(\x0b\x32/.injective.peggy.v1.MsgSetOrchestratorAddressesR\x15orchestratorAddresses\x12H\n\x0f\x65rc20_to_denoms\x18\t \x03(\x0b\x32 .injective.peggy.v1.ERC20ToDenomR\rerc20ToDenoms\x12W\n\x13unbatched_transfers\x18\n \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\x12\x41\n\x1dlast_observed_ethereum_height\x18\x0b \x01(\x04R\x1alastObservedEthereumHeight\x12\x33\n\x16last_outgoing_batch_id\x18\x0c \x01(\x04R\x13lastOutgoingBatchId\x12\x31\n\x15last_outgoing_pool_id\x18\r \x01(\x04R\x12lastOutgoingPoolId\x12R\n\x14last_observed_valset\x18\x0e \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetB\x04\xc8\xde\x1f\x00R\x12lastObservedValset\x12-\n\x12\x65thereum_blacklist\x18\x0f \x03(\tR\x11\x65thereumBlacklistB\xdd\x01\n\x16\x63om.injective.peggy.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['last_observed_valset']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=277 - _globals['_GENESISSTATE']._serialized_end=1045 + _globals['_GENESISSTATE']._serialized_end=1301 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py index 52ba88cb..eea1e425 100644 --- a/pyinjective/proto/injective/peggy/v1/msgs_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/msgs_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/msgs.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/msgs.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\x8b\x01\n\x1bMsgSetOrchestratorAddresses\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\x8d\x01\n\x10MsgValsetConfirm\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x14\n\x0corchestrator\x18\x02 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x03 \x01(\t\x12\x11\n\tsignature\x18\x04 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xba\x01\n\x0cMsgSendToEth\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x65th_dest\x18\x02 \x01(\t\x12/\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x33\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"c\n\x0fMsgRequestBatch\x12\x14\n\x0corchestrator\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xa2\x01\n\x0fMsgConfirmBatch\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x02 \x01(\t\x12\x12\n\neth_signer\x18\x03 \x01(\t\x12\x14\n\x0corchestrator\x18\x04 \x01(\t\x12\x11\n\tsignature\x18\x05 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\x86\x02\n\x0fMsgDepositClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x03 \x01(\t\x12-\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x17\n\x0f\x65thereum_sender\x18\x05 \x01(\t\x12\x17\n\x0f\x63osmos_receiver\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x08 \x01(\t:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xae\x01\n\x10MsgWithdrawClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x13\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x14\n\x0corchestrator\x18\x05 \x01(\t:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xe9\x01\n\x15MsgERC20DeployedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x02 \x01(\x04\x12\x14\n\x0c\x63osmos_denom\x18\x03 \x01(\t\x12\x16\n\x0etoken_contract\x18\x04 \x01(\t\x12\x0c\n\x04name\x18\x05 \x01(\t\x12\x0e\n\x06symbol\x18\x06 \x01(\t\x12\x10\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04\x12\x14\n\x0corchestrator\x18\x08 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"f\n\x12MsgCancelSendToEth\x12\x16\n\x0etransaction_id\x18\x01 \x01(\x04\x12\x0e\n\x06sender\x18\x02 \x01(\t:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\x9e\x01\n\x1dMsgSubmitBadSignatureEvidence\x12%\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.Any\x12\x11\n\tsignature\x18\x02 \x01(\t\x12\x0e\n\x06sender\x18\x03 \x01(\t:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xa3\x02\n\x15MsgValsetUpdatedClaim\x12\x13\n\x0b\x65vent_nonce\x18\x01 \x01(\x04\x12\x14\n\x0cvalset_nonce\x18\x02 \x01(\x04\x12\x14\n\x0c\x62lock_height\x18\x03 \x01(\x04\x12\x34\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x34\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x06 \x01(\t\x12\x14\n\x0corchestrator\x18\x07 \x01(\t:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x81\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"{\n\x1aMsgRevokeEthereumBlacklist\x12\x0e\n\x06signer\x18\x01 \x01(\t\x12\x1b\n\x13\x62lacklist_addresses\x18\x02 \x03(\t:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/msgs.proto\x12\x12injective.peggy.v1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x19google/protobuf/any.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x11\x61mino/amino.proto\"\xad\x01\n\x1bMsgSetOrchestratorAddresses\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress:1\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*!peggy/MsgSetOrchestratorAddresses\"%\n#MsgSetOrchestratorAddressesResponse\"\xb9\x01\n\x10MsgValsetConfirm\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\"\n\x0corchestrator\x18\x02 \x01(\tR\x0corchestrator\x12\x1f\n\x0b\x65th_address\x18\x03 \x01(\tR\nethAddress\x12\x1c\n\tsignature\x18\x04 \x01(\tR\tsignature:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgValsetConfirm\"\x1a\n\x18MsgValsetConfirmResponse\"\xde\x01\n\x0cMsgSendToEth\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x19\n\x08\x65th_dest\x18\x02 \x01(\tR\x07\x65thDest\x12\x37\n\x06\x61mount\x18\x03 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\x12>\n\nbridge_fee\x18\x04 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\tbridgeFee:\"\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x12peggy/MsgSendToEth\"\x16\n\x14MsgSendToEthResponse\"x\n\x0fMsgRequestBatch\x12\"\n\x0corchestrator\x18\x01 \x01(\tR\x0corchestrator\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgRequestBatch\"\x19\n\x17MsgRequestBatchResponse\"\xdc\x01\n\x0fMsgConfirmBatch\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12%\n\x0etoken_contract\x18\x02 \x01(\tR\rtokenContract\x12\x1d\n\neth_signer\x18\x03 \x01(\tR\tethSigner\x12\"\n\x0corchestrator\x18\x04 \x01(\tR\x0corchestrator\x12\x1c\n\tsignature\x18\x05 \x01(\tR\tsignature:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgConfirmBatch\"\x19\n\x17MsgConfirmBatchResponse\"\xea\x02\n\x0fMsgDepositClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12%\n\x0etoken_contract\x18\x03 \x01(\tR\rtokenContract\x12\x35\n\x06\x61mount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\x12\'\n\x0f\x65thereum_sender\x18\x05 \x01(\tR\x0e\x65thereumSender\x12\'\n\x0f\x63osmos_receiver\x18\x06 \x01(\tR\x0e\x63osmosReceiver\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator\x12\x12\n\x04\x64\x61ta\x18\x08 \x01(\tR\x04\x64\x61ta:+\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x15peggy/MsgDepositClaim\"\x19\n\x17MsgDepositClaimResponse\"\xf0\x01\n\x10MsgWithdrawClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12\x1f\n\x0b\x62\x61tch_nonce\x18\x03 \x01(\x04R\nbatchNonce\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\"\n\x0corchestrator\x18\x05 \x01(\tR\x0corchestrator:,\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x16peggy/MsgWithdrawClaim\"\x1a\n\x18MsgWithdrawClaimResponse\"\xc4\x02\n\x15MsgERC20DeployedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0c\x62lock_height\x18\x02 \x01(\x04R\x0b\x62lockHeight\x12!\n\x0c\x63osmos_denom\x18\x03 \x01(\tR\x0b\x63osmosDenom\x12%\n\x0etoken_contract\x18\x04 \x01(\tR\rtokenContract\x12\x12\n\x04name\x18\x05 \x01(\tR\x04name\x12\x16\n\x06symbol\x18\x06 \x01(\tR\x06symbol\x12\x1a\n\x08\x64\x65\x63imals\x18\x07 \x01(\x04R\x08\x64\x65\x63imals\x12\"\n\x0corchestrator\x18\x08 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgERC20DeployedClaim\"\x1f\n\x1dMsgERC20DeployedClaimResponse\"}\n\x12MsgCancelSendToEth\x12%\n\x0etransaction_id\x18\x01 \x01(\x04R\rtransactionId\x12\x16\n\x06sender\x18\x02 \x01(\tR\x06sender:(\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x18peggy/MsgCancelSendToEth\"\x1c\n\x1aMsgCancelSendToEthResponse\"\xba\x01\n\x1dMsgSubmitBadSignatureEvidence\x12.\n\x07subject\x18\x01 \x01(\x0b\x32\x14.google.protobuf.AnyR\x07subject\x12\x1c\n\tsignature\x18\x02 \x01(\tR\tsignature\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#peggy/MsgSubmitBadSignatureEvidence\"\'\n%MsgSubmitBadSignatureEvidenceResponse\"\xfb\x02\n\x15MsgValsetUpdatedClaim\x12\x1f\n\x0b\x65vent_nonce\x18\x01 \x01(\x04R\neventNonce\x12!\n\x0cvalset_nonce\x18\x02 \x01(\x04R\x0bvalsetNonce\x12!\n\x0c\x62lock_height\x18\x03 \x01(\x04R\x0b\x62lockHeight\x12=\n\x07members\x18\x04 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x42\n\rreward_amount\x18\x05 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x06 \x01(\tR\x0brewardToken\x12\"\n\x0corchestrator\x18\x07 \x01(\tR\x0corchestrator:1\x82\xe7\xb0*\x0corchestrator\x8a\xe7\xb0*\x1bpeggy/MsgValsetUpdatedClaim\"\x1f\n\x1dMsgValsetUpdatedClaimResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15peggy/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\x9d\x01\n\x1dMsgBlacklistEthereumAddresses\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:3\x82\xe7\xb0*\x06signer\x8a\xe7\xb0*#peggy/MsgBlacklistEthereumAddresses\"\'\n%MsgBlacklistEthereumAddressesResponse\"\x97\x01\n\x1aMsgRevokeEthereumBlacklist\x12\x16\n\x06signer\x18\x01 \x01(\tR\x06signer\x12/\n\x13\x62lacklist_addresses\x18\x02 \x03(\tR\x12\x62lacklistAddresses:0\x82\xe7\xb0*\x06signer\x8a\xe7\xb0* peggy/MsgRevokeEthereumBlacklist\"$\n\"MsgRevokeEthereumBlacklistResponse2\xbe\x10\n\x03Msg\x12\x8f\x01\n\rValsetConfirm\x12$.injective.peggy.v1.MsgValsetConfirm\x1a,.injective.peggy.v1.MsgValsetConfirmResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/valset_confirm\x12\x80\x01\n\tSendToEth\x12 .injective.peggy.v1.MsgSendToEth\x1a(.injective.peggy.v1.MsgSendToEthResponse\"\'\x82\xd3\xe4\x93\x02!\"\x1f/injective/peggy/v1/send_to_eth\x12\x8b\x01\n\x0cRequestBatch\x12#.injective.peggy.v1.MsgRequestBatch\x1a+.injective.peggy.v1.MsgRequestBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/request_batch\x12\x8b\x01\n\x0c\x43onfirmBatch\x12#.injective.peggy.v1.MsgConfirmBatch\x1a+.injective.peggy.v1.MsgConfirmBatchResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/confirm_batch\x12\x8b\x01\n\x0c\x44\x65positClaim\x12#.injective.peggy.v1.MsgDepositClaim\x1a+.injective.peggy.v1.MsgDepositClaimResponse\")\x82\xd3\xe4\x93\x02#\"!/injective/peggy/v1/deposit_claim\x12\x8f\x01\n\rWithdrawClaim\x12$.injective.peggy.v1.MsgWithdrawClaim\x1a,.injective.peggy.v1.MsgWithdrawClaimResponse\"*\x82\xd3\xe4\x93\x02$\"\"/injective/peggy/v1/withdraw_claim\x12\xa3\x01\n\x11ValsetUpdateClaim\x12).injective.peggy.v1.MsgValsetUpdatedClaim\x1a\x31.injective.peggy.v1.MsgValsetUpdatedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/valset_updated_claim\x12\xa4\x01\n\x12\x45RC20DeployedClaim\x12).injective.peggy.v1.MsgERC20DeployedClaim\x1a\x31.injective.peggy.v1.MsgERC20DeployedClaimResponse\"0\x82\xd3\xe4\x93\x02*\"(/injective/peggy/v1/erc20_deployed_claim\x12\xba\x01\n\x18SetOrchestratorAddresses\x12/.injective.peggy.v1.MsgSetOrchestratorAddresses\x1a\x37.injective.peggy.v1.MsgSetOrchestratorAddressesResponse\"4\x82\xd3\xe4\x93\x02.\",/injective/peggy/v1/set_orchestrator_address\x12\x99\x01\n\x0f\x43\x61ncelSendToEth\x12&.injective.peggy.v1.MsgCancelSendToEth\x1a..injective.peggy.v1.MsgCancelSendToEthResponse\".\x82\xd3\xe4\x93\x02(\"&/injective/peggy/v1/cancel_send_to_eth\x12\xc5\x01\n\x1aSubmitBadSignatureEvidence\x12\x31.injective.peggy.v1.MsgSubmitBadSignatureEvidence\x1a\x39.injective.peggy.v1.MsgSubmitBadSignatureEvidenceResponse\"9\x82\xd3\xe4\x93\x02\x33\"1/injective/peggy/v1/submit_bad_signature_evidence\x12`\n\x0cUpdateParams\x12#.injective.peggy.v1.MsgUpdateParams\x1a+.injective.peggy.v1.MsgUpdateParamsResponse\x12\x8a\x01\n\x1a\x42lacklistEthereumAddresses\x12\x31.injective.peggy.v1.MsgBlacklistEthereumAddresses\x1a\x39.injective.peggy.v1.MsgBlacklistEthereumAddressesResponse\x12\x81\x01\n\x17RevokeEthereumBlacklist\x12..injective.peggy.v1.MsgRevokeEthereumBlacklist\x1a\x36.injective.peggy.v1.MsgRevokeEthereumBlacklistResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xda\x01\n\x16\x63om.injective.peggy.v1B\tMsgsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.msgs_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tMsgsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_MSGSETORCHESTRATORADDRESSES']._loaded_options = None _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_options = b'\202\347\260*\006sender\212\347\260*!peggy/MsgSetOrchestratorAddresses' _globals['_MSGVALSETCONFIRM']._loaded_options = None @@ -96,61 +106,61 @@ _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._loaded_options = None _globals['_MSG'].methods_by_name['SubmitBadSignatureEvidence']._serialized_options = b'\202\323\344\223\0023\"1/injective/peggy/v1/submit_bad_signature_evidence' _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_start=301 - _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=440 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=442 - _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=479 - _globals['_MSGVALSETCONFIRM']._serialized_start=482 - _globals['_MSGVALSETCONFIRM']._serialized_end=623 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=625 - _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=651 - _globals['_MSGSENDTOETH']._serialized_start=654 - _globals['_MSGSENDTOETH']._serialized_end=840 - _globals['_MSGSENDTOETHRESPONSE']._serialized_start=842 - _globals['_MSGSENDTOETHRESPONSE']._serialized_end=864 - _globals['_MSGREQUESTBATCH']._serialized_start=866 - _globals['_MSGREQUESTBATCH']._serialized_end=965 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=967 - _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=992 - _globals['_MSGCONFIRMBATCH']._serialized_start=995 - _globals['_MSGCONFIRMBATCH']._serialized_end=1157 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1159 - _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1184 - _globals['_MSGDEPOSITCLAIM']._serialized_start=1187 - _globals['_MSGDEPOSITCLAIM']._serialized_end=1449 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1451 - _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1476 - _globals['_MSGWITHDRAWCLAIM']._serialized_start=1479 - _globals['_MSGWITHDRAWCLAIM']._serialized_end=1653 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=1655 - _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=1681 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=1684 - _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=1917 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=1919 - _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=1950 - _globals['_MSGCANCELSENDTOETH']._serialized_start=1952 - _globals['_MSGCANCELSENDTOETH']._serialized_end=2054 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2056 - _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2084 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2087 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2245 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2247 - _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2286 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2289 - _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=2580 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=2582 - _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=2613 - _globals['_MSGUPDATEPARAMS']._serialized_start=2616 - _globals['_MSGUPDATEPARAMS']._serialized_end=2770 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=2772 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=2797 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=2800 - _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=2929 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=2931 - _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=2970 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=2972 - _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3095 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3097 - _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3133 - _globals['_MSG']._serialized_start=3136 - _globals['_MSG']._serialized_end=5246 + _globals['_MSGSETORCHESTRATORADDRESSES']._serialized_end=474 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_start=476 + _globals['_MSGSETORCHESTRATORADDRESSESRESPONSE']._serialized_end=513 + _globals['_MSGVALSETCONFIRM']._serialized_start=516 + _globals['_MSGVALSETCONFIRM']._serialized_end=701 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_start=703 + _globals['_MSGVALSETCONFIRMRESPONSE']._serialized_end=729 + _globals['_MSGSENDTOETH']._serialized_start=732 + _globals['_MSGSENDTOETH']._serialized_end=954 + _globals['_MSGSENDTOETHRESPONSE']._serialized_start=956 + _globals['_MSGSENDTOETHRESPONSE']._serialized_end=978 + _globals['_MSGREQUESTBATCH']._serialized_start=980 + _globals['_MSGREQUESTBATCH']._serialized_end=1100 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_start=1102 + _globals['_MSGREQUESTBATCHRESPONSE']._serialized_end=1127 + _globals['_MSGCONFIRMBATCH']._serialized_start=1130 + _globals['_MSGCONFIRMBATCH']._serialized_end=1350 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_start=1352 + _globals['_MSGCONFIRMBATCHRESPONSE']._serialized_end=1377 + _globals['_MSGDEPOSITCLAIM']._serialized_start=1380 + _globals['_MSGDEPOSITCLAIM']._serialized_end=1742 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_start=1744 + _globals['_MSGDEPOSITCLAIMRESPONSE']._serialized_end=1769 + _globals['_MSGWITHDRAWCLAIM']._serialized_start=1772 + _globals['_MSGWITHDRAWCLAIM']._serialized_end=2012 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_start=2014 + _globals['_MSGWITHDRAWCLAIMRESPONSE']._serialized_end=2040 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_start=2043 + _globals['_MSGERC20DEPLOYEDCLAIM']._serialized_end=2367 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_start=2369 + _globals['_MSGERC20DEPLOYEDCLAIMRESPONSE']._serialized_end=2400 + _globals['_MSGCANCELSENDTOETH']._serialized_start=2402 + _globals['_MSGCANCELSENDTOETH']._serialized_end=2527 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_start=2529 + _globals['_MSGCANCELSENDTOETHRESPONSE']._serialized_end=2557 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_start=2560 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCE']._serialized_end=2746 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_start=2748 + _globals['_MSGSUBMITBADSIGNATUREEVIDENCERESPONSE']._serialized_end=2787 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_start=2790 + _globals['_MSGVALSETUPDATEDCLAIM']._serialized_end=3169 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_start=3171 + _globals['_MSGVALSETUPDATEDCLAIMRESPONSE']._serialized_end=3202 + _globals['_MSGUPDATEPARAMS']._serialized_start=3205 + _globals['_MSGUPDATEPARAMS']._serialized_end=3378 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=3380 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=3405 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_start=3408 + _globals['_MSGBLACKLISTETHEREUMADDRESSES']._serialized_end=3565 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_start=3567 + _globals['_MSGBLACKLISTETHEREUMADDRESSESRESPONSE']._serialized_end=3606 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_start=3609 + _globals['_MSGREVOKEETHEREUMBLACKLIST']._serialized_end=3760 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_start=3762 + _globals['_MSGREVOKEETHEREUMBLACKLISTRESPONSE']._serialized_end=3798 + _globals['_MSG']._serialized_start=3801 + _globals['_MSG']._serialized_end=5911 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2.py b/pyinjective/proto/injective/peggy/v1/params_pb2.py index a439c8a9..bb070a70 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xa1\x07\n\x06Params\x12\x10\n\x08peggy_id\x18\x01 \x01(\t\x12\x1c\n\x14\x63ontract_source_hash\x18\x02 \x01(\t\x12\x1f\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\t\x12\x17\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04\x12\x1d\n\x15signed_valsets_window\x18\x05 \x01(\x04\x12\x1d\n\x15signed_batches_window\x18\x06 \x01(\x04\x12\x1c\n\x14signed_claims_window\x18\x07 \x01(\x04\x12\x1c\n\x14target_batch_timeout\x18\x08 \x01(\x04\x12\x1a\n\x12\x61verage_block_time\x18\t \x01(\x04\x12#\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04\x12\x42\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x41\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12M\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12&\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04\x12M\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x19\n\x11\x63osmos_coin_denom\x18\x11 \x01(\t\x12\"\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\t\x12\x1e\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08\x12$\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04\x12\x36\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06\x61\x64mins\x18\x16 \x03(\t:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/peggy/v1/params.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xea\n\n\x06Params\x12\x19\n\x08peggy_id\x18\x01 \x01(\tR\x07peggyId\x12\x30\n\x14\x63ontract_source_hash\x18\x02 \x01(\tR\x12\x63ontractSourceHash\x12\x36\n\x17\x62ridge_ethereum_address\x18\x03 \x01(\tR\x15\x62ridgeEthereumAddress\x12&\n\x0f\x62ridge_chain_id\x18\x04 \x01(\x04R\rbridgeChainId\x12\x32\n\x15signed_valsets_window\x18\x05 \x01(\x04R\x13signedValsetsWindow\x12\x32\n\x15signed_batches_window\x18\x06 \x01(\x04R\x13signedBatchesWindow\x12\x30\n\x14signed_claims_window\x18\x07 \x01(\x04R\x12signedClaimsWindow\x12\x30\n\x14target_batch_timeout\x18\x08 \x01(\x04R\x12targetBatchTimeout\x12,\n\x12\x61verage_block_time\x18\t \x01(\x04R\x10\x61verageBlockTime\x12=\n\x1b\x61verage_ethereum_block_time\x18\n \x01(\x04R\x18\x61verageEthereumBlockTime\x12W\n\x15slash_fraction_valset\x18\x0b \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13slashFractionValset\x12U\n\x14slash_fraction_batch\x18\x0c \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionBatch\x12U\n\x14slash_fraction_claim\x18\r \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12slashFractionClaim\x12l\n slash_fraction_conflicting_claim\x18\x0e \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1dslashFractionConflictingClaim\x12\x43\n\x1eunbond_slashing_valsets_window\x18\x0f \x01(\x04R\x1bunbondSlashingValsetsWindow\x12k\n slash_fraction_bad_eth_signature\x18\x10 \x01(\x0c\x42#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1cslashFractionBadEthSignature\x12*\n\x11\x63osmos_coin_denom\x18\x11 \x01(\tR\x0f\x63osmosCoinDenom\x12;\n\x1a\x63osmos_coin_erc20_contract\x18\x12 \x01(\tR\x17\x63osmosCoinErc20Contract\x12\x34\n\x16\x63laim_slashing_enabled\x18\x13 \x01(\x08R\x14\x63laimSlashingEnabled\x12?\n\x1c\x62ridge_contract_start_height\x18\x14 \x01(\x04R\x19\x62ridgeContractStartHeight\x12\x44\n\rvalset_reward\x18\x15 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x0cvalsetReward\x12\x16\n\x06\x61\x64mins\x18\x16 \x03(\tR\x06\x61\x64mins:\x15\x80\xdc \x00\x8a\xe7\xb0*\x0cpeggy/ParamsB\xdc\x01\n\x16\x63om.injective.peggy.v1B\x0bParamsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\013ParamsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._loaded_options = None _globals['_PARAMS'].fields_by_name['slash_fraction_valset']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['slash_fraction_batch']._loaded_options = None @@ -40,5 +50,5 @@ _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\200\334 \000\212\347\260*\014peggy/Params' _globals['_PARAMS']._serialized_start=129 - _globals['_PARAMS']._serialized_end=1058 + _globals['_PARAMS']._serialized_end=1515 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2.py b/pyinjective/proto/injective/peggy/v1/pool_pb2.py index dc5344aa..fe151be2 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/pool.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/pool.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x14\n\x05IDSet\x12\x0b\n\x03ids\x18\x01 \x03(\x04\"M\n\tBatchFees\x12\r\n\x05token\x18\x01 \x01(\t\x12\x31\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dinjective/peggy/v1/pool.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"\x19\n\x05IDSet\x12\x10\n\x03ids\x18\x01 \x03(\x04R\x03ids\"_\n\tBatchFees\x12\x14\n\x05token\x18\x01 \x01(\tR\x05token\x12<\n\ntotal_fees\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\ttotalFeesB\xda\x01\n\x16\x63om.injective.peggy.v1B\tPoolProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.pool_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\tPoolProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_BATCHFEES'].fields_by_name['total_fees']._loaded_options = None _globals['_BATCHFEES'].fields_by_name['total_fees']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_IDSET']._serialized_start=75 - _globals['_IDSET']._serialized_end=95 - _globals['_BATCHFEES']._serialized_start=97 - _globals['_BATCHFEES']._serialized_end=174 + _globals['_IDSET']._serialized_end=100 + _globals['_BATCHFEES']._serialized_start=102 + _globals['_BATCHFEES']._serialized_end=197 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2.py deleted file mode 100644 index 569aca85..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2.py +++ /dev/null @@ -1,45 +0,0 @@ -# -*- coding: utf-8 -*- -# Generated by the protocol buffer compiler. DO NOT EDIT! -# NO CHECKED-IN PROTOBUF GENCODE -# source: injective/peggy/v1/proposal.proto -# Protobuf Python Version: 5.27.2 -"""Generated protocol buffer code.""" -from google.protobuf import descriptor as _descriptor -from google.protobuf import descriptor_pool as _descriptor_pool -from google.protobuf import runtime_version as _runtime_version -from google.protobuf import symbol_database as _symbol_database -from google.protobuf.internal import builder as _builder -_runtime_version.ValidateProtobufRuntimeVersion( - _runtime_version.Domain.PUBLIC, - 5, - 27, - 2, - '', - 'injective/peggy/v1/proposal.proto' -) -# @@protoc_insertion_point(imports) - -_sym_db = _symbol_database.Default() - - -from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 - - -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/peggy/v1/proposal.proto\x12\x12injective.peggy.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb5\x01\n\"BlacklistEthereumAddressesProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x13\x62lacklist_addresses\x18\x03 \x03(\tR\x12\x62lacklistAddresses:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xb2\x01\n\x1fRevokeEthereumBlacklistProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12/\n\x13\x62lacklist_addresses\x18\x03 \x03(\tR\x12\x62lacklistAddresses:&\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.ContentB\xde\x01\n\x16\x63om.injective.peggy.v1B\rProposalProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') - -_globals = globals() -_builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) -_builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.proposal_pb2', _globals) -if not _descriptor._USE_C_DESCRIPTORS: - _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\rProposalProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._loaded_options = None - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._loaded_options = None - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content' - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_start=107 - _globals['_BLACKLISTETHEREUMADDRESSESPROPOSAL']._serialized_end=288 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_start=291 - _globals['_REVOKEETHEREUMBLACKLISTPROPOSAL']._serialized_end=469 -# @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py deleted file mode 100644 index 2daafffe..00000000 --- a/pyinjective/proto/injective/peggy/v1/proposal_pb2_grpc.py +++ /dev/null @@ -1,4 +0,0 @@ -# Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! -"""Client and server classes corresponding to protobuf-defined services.""" -import grpc - diff --git a/pyinjective/proto/injective/peggy/v1/query_pb2.py b/pyinjective/proto/injective/peggy/v1/query_pb2.py index 558ffa19..86a7edb5 100644 --- a/pyinjective/proto/injective/peggy/v1/query_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/query_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 -from injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 -from injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 -from injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 -from injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 -from injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.peggy.v1 import genesis_pb2 as injective_dot_peggy_dot_v1_dot_genesis__pb2 +from pyinjective.proto.injective.peggy.v1 import params_pb2 as injective_dot_peggy_dot_v1_dot_params__pb2 +from pyinjective.proto.injective.peggy.v1 import types_pb2 as injective_dot_peggy_dot_v1_dot_types__pb2 +from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_dot_peggy_dot_v1_dot_msgs__pb2 +from pyinjective.proto.injective.peggy.v1 import pool_pb2 as injective_dot_peggy_dot_v1_dot_pool__pb2 +from pyinjective.proto.injective.peggy.v1 import batch_pb2 as injective_dot_peggy_dot_v1_dot_batch__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"G\n\x13QueryParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryCurrentValsetRequest\"H\n\x1aQueryCurrentValsetResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\"*\n\x19QueryValsetRequestRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"H\n\x1aQueryValsetRequestResponse\x12*\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.Valset\";\n\x19QueryValsetConfirmRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"S\n\x1aQueryValsetConfirmResponse\x12\x35\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\"2\n!QueryValsetConfirmsByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\"\\\n\"QueryValsetConfirmsByNonceResponse\x12\x36\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirm\" \n\x1eQueryLastValsetRequestsRequest\"N\n\x1fQueryLastValsetRequestsResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"=\n*QueryLastPendingValsetRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"Z\n+QueryLastPendingValsetRequestByAddrResponse\x12+\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.Valset\"\x16\n\x14QueryBatchFeeRequest\"I\n\x15QueryBatchFeeResponse\x12\x30\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFees\"<\n)QueryLastPendingBatchRequestByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"`\n*QueryLastPendingBatchRequestByAddrResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"V\n\x1eQueryOutgoingTxBatchesResponse\x12\x34\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"J\n\x1fQueryBatchRequestByNonceRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"V\n QueryBatchRequestByNonceResponse\x12\x32\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatch\"D\n\x19QueryBatchConfirmsRequest\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\"S\n\x1aQueryBatchConfirmsResponse\x12\x35\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatch\".\n\x1bQueryLastEventByAddrRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"\\\n\x1cQueryLastEventByAddrResponse\x12<\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEvent\")\n\x18QueryERC20ToDenomRequest\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\"E\n\x19QueryERC20ToDenomResponse\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\")\n\x18QueryDenomToERC20Request\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\"E\n\x19QueryDenomToERC20Response\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\x19\n\x11\x63osmos_originated\x18\x02 \x01(\x08\"@\n#QueryDelegateKeysByValidatorAddress\x12\x19\n\x11validator_address\x18\x01 \x01(\t\"`\n+QueryDelegateKeysByValidatorAddressResponse\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"4\n\x1dQueryDelegateKeysByEthAddress\x12\x13\n\x0b\x65th_address\x18\x01 \x01(\t\"`\n%QueryDelegateKeysByEthAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x1c\n\x14orchestrator_address\x18\x02 \x01(\t\"F\n&QueryDelegateKeysByOrchestratorAddress\x12\x1c\n\x14orchestrator_address\x18\x01 \x01(\t\"`\n.QueryDelegateKeysByOrchestratorAddressResponse\x12\x19\n\x11validator_address\x18\x01 \x01(\t\x12\x13\n\x0b\x65th_address\x18\x02 \x01(\t\"/\n\x15QueryPendingSendToEth\x12\x16\n\x0esender_address\x18\x01 \x01(\t\"\xaa\x01\n\x1dQueryPendingSendToEthResponse\x12\x44\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\x12\x43\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTx\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisState\"\x16\n\x14MissingNoncesRequest\"3\n\x15MissingNoncesResponse\x12\x1a\n\x12operator_addresses\x18\x01 \x03(\t2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/query.proto\x12\x12injective.peggy.v1\x1a injective/peggy/v1/genesis.proto\x1a\x1finjective/peggy/v1/params.proto\x1a\x1einjective/peggy/v1/types.proto\x1a\x1dinjective/peggy/v1/msgs.proto\x1a\x1dinjective/peggy/v1/pool.proto\x1a\x1einjective/peggy/v1/batch.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x14gogoproto/gogo.proto\"\x14\n\x12QueryParamsRequest\"O\n\x13QueryParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryCurrentValsetRequest\"P\n\x1aQueryCurrentValsetResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"1\n\x19QueryValsetRequestRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"P\n\x1aQueryValsetRequestResponse\x12\x32\n\x06valset\x18\x01 \x01(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x06valset\"K\n\x19QueryValsetConfirmRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"\\\n\x1aQueryValsetConfirmResponse\x12>\n\x07\x63onfirm\x18\x01 \x01(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x07\x63onfirm\"9\n!QueryValsetConfirmsByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\"f\n\"QueryValsetConfirmsByNonceResponse\x12@\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32$.injective.peggy.v1.MsgValsetConfirmR\x08\x63onfirms\" \n\x1eQueryLastValsetRequestsRequest\"W\n\x1fQueryLastValsetRequestsResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"F\n*QueryLastPendingValsetRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"c\n+QueryLastPendingValsetRequestByAddrResponse\x12\x34\n\x07valsets\x18\x01 \x03(\x0b\x32\x1a.injective.peggy.v1.ValsetR\x07valsets\"\x16\n\x14QueryBatchFeeRequest\"T\n\x15QueryBatchFeeResponse\x12;\n\tbatchFees\x18\x01 \x03(\x0b\x32\x1d.injective.peggy.v1.BatchFeesR\tbatchFees\"E\n)QueryLastPendingBatchRequestByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"g\n*QueryLastPendingBatchRequestByAddrResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\x1f\n\x1dQueryOutgoingTxBatchesRequest\"_\n\x1eQueryOutgoingTxBatchesResponse\x12=\n\x07\x62\x61tches\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x07\x62\x61tches\"b\n\x1fQueryBatchRequestByNonceRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n QueryBatchRequestByNonceResponse\x12\x39\n\x05\x62\x61tch\x18\x01 \x01(\x0b\x32#.injective.peggy.v1.OutgoingTxBatchR\x05\x62\x61tch\"\\\n\x19QueryBatchConfirmsRequest\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\"]\n\x1aQueryBatchConfirmsResponse\x12?\n\x08\x63onfirms\x18\x01 \x03(\x0b\x32#.injective.peggy.v1.MsgConfirmBatchR\x08\x63onfirms\"7\n\x1bQueryLastEventByAddrRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"l\n\x1cQueryLastEventByAddrResponse\x12L\n\x10last_claim_event\x18\x01 \x01(\x0b\x32\".injective.peggy.v1.LastClaimEventR\x0elastClaimEvent\"0\n\x18QueryERC20ToDenomRequest\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\"^\n\x19QueryERC20ToDenomResponse\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"0\n\x18QueryDenomToERC20Request\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\"^\n\x19QueryDenomToERC20Response\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12+\n\x11\x63osmos_originated\x18\x02 \x01(\x08R\x10\x63osmosOriginated\"R\n#QueryDelegateKeysByValidatorAddress\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\"\x81\x01\n+QueryDelegateKeysByValidatorAddressResponse\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"@\n\x1dQueryDelegateKeysByEthAddress\x12\x1f\n\x0b\x65th_address\x18\x01 \x01(\tR\nethAddress\"\x87\x01\n%QueryDelegateKeysByEthAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x31\n\x14orchestrator_address\x18\x02 \x01(\tR\x13orchestratorAddress\"[\n&QueryDelegateKeysByOrchestratorAddress\x12\x31\n\x14orchestrator_address\x18\x01 \x01(\tR\x13orchestratorAddress\"~\n.QueryDelegateKeysByOrchestratorAddressResponse\x12+\n\x11validator_address\x18\x01 \x01(\tR\x10validatorAddress\x12\x1f\n\x0b\x65th_address\x18\x02 \x01(\tR\nethAddress\">\n\x15QueryPendingSendToEth\x12%\n\x0esender_address\x18\x01 \x01(\tR\rsenderAddress\"\xd2\x01\n\x1dQueryPendingSendToEthResponse\x12X\n\x14transfers_in_batches\x18\x01 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12transfersInBatches\x12W\n\x13unbatched_transfers\x18\x02 \x03(\x0b\x32&.injective.peggy.v1.OutgoingTransferTxR\x12unbatchedTransfers\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.peggy.v1.GenesisStateR\x05state\"\x16\n\x14MissingNoncesRequest\"F\n\x15MissingNoncesResponse\x12-\n\x12operator_addresses\x18\x01 \x03(\tR\x11operatorAddresses2\xc6\x1a\n\x05Query\x12s\n\x06Params\x12&.injective.peggy.v1.QueryParamsRequest\x1a\'.injective.peggy.v1.QueryParamsResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/params\x12\x90\x01\n\rCurrentValset\x12-.injective.peggy.v1.QueryCurrentValsetRequest\x1a..injective.peggy.v1.QueryCurrentValsetResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/current\x12\x88\x01\n\rValsetRequest\x12-.injective.peggy.v1.QueryValsetRequestRequest\x1a..injective.peggy.v1.QueryValsetRequestResponse\"\x18\x82\xd3\xe4\x93\x02\x12\x12\x10/peggy/v1/valset\x12\x90\x01\n\rValsetConfirm\x12-.injective.peggy.v1.QueryValsetConfirmRequest\x1a..injective.peggy.v1.QueryValsetConfirmResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/valset/confirm\x12\xaa\x01\n\x15ValsetConfirmsByNonce\x12\x35.injective.peggy.v1.QueryValsetConfirmsByNonceRequest\x1a\x36.injective.peggy.v1.QueryValsetConfirmsByNonceResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/confirms/{nonce}\x12\xa0\x01\n\x12LastValsetRequests\x12\x32.injective.peggy.v1.QueryLastValsetRequestsRequest\x1a\x33.injective.peggy.v1.QueryLastValsetRequestsResponse\"!\x82\xd3\xe4\x93\x02\x1b\x12\x19/peggy/v1/valset/requests\x12\xc0\x01\n\x1eLastPendingValsetRequestByAddr\x12>.injective.peggy.v1.QueryLastPendingValsetRequestByAddrRequest\x1a?.injective.peggy.v1.QueryLastPendingValsetRequestByAddrResponse\"\x1d\x82\xd3\xe4\x93\x02\x17\x12\x15/peggy/v1/valset/last\x12\x9e\x01\n\x0fLastEventByAddr\x12/.injective.peggy.v1.QueryLastEventByAddrRequest\x1a\x30.injective.peggy.v1.QueryLastEventByAddrResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /peggy/v1/oracle/event/{address}\x12\x9a\x01\n\x13GetPendingSendToEth\x12).injective.peggy.v1.QueryPendingSendToEth\x1a\x31.injective.peggy.v1.QueryPendingSendToEthResponse\"%\x82\xd3\xe4\x93\x02\x1f\x12\x1d/peggy/v1/pending_send_to_eth\x12}\n\tBatchFees\x12(.injective.peggy.v1.QueryBatchFeeRequest\x1a).injective.peggy.v1.QueryBatchFeeResponse\"\x1b\x82\xd3\xe4\x93\x02\x15\x12\x13/peggy/v1/batchfees\x12\x9e\x01\n\x11OutgoingTxBatches\x12\x31.injective.peggy.v1.QueryOutgoingTxBatchesRequest\x1a\x32.injective.peggy.v1.QueryOutgoingTxBatchesResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/peggy/v1/batch/outgoingtx\x12\xbc\x01\n\x1dLastPendingBatchRequestByAddr\x12=.injective.peggy.v1.QueryLastPendingBatchRequestByAddrRequest\x1a>.injective.peggy.v1.QueryLastPendingBatchRequestByAddrResponse\"\x1c\x82\xd3\xe4\x93\x02\x16\x12\x14/peggy/v1/batch/last\x12\x99\x01\n\x13\x42\x61tchRequestByNonce\x12\x33.injective.peggy.v1.QueryBatchRequestByNonceRequest\x1a\x34.injective.peggy.v1.QueryBatchRequestByNonceResponse\"\x17\x82\xd3\xe4\x93\x02\x11\x12\x0f/peggy/v1/batch\x12\x90\x01\n\rBatchConfirms\x12-.injective.peggy.v1.QueryBatchConfirmsRequest\x1a..injective.peggy.v1.QueryBatchConfirmsResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/batch/confirms\x12\x9f\x01\n\x0c\x45RC20ToDenom\x12,.injective.peggy.v1.QueryERC20ToDenomRequest\x1a-.injective.peggy.v1.QueryERC20ToDenomResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/erc20_to_denom\x12\x9f\x01\n\x0c\x44\x65nomToERC20\x12,.injective.peggy.v1.QueryDenomToERC20Request\x1a-.injective.peggy.v1.QueryDenomToERC20Response\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/cosmos_originated/denom_to_erc20\x12\xc9\x01\n\x19GetDelegateKeyByValidator\x12\x37.injective.peggy.v1.QueryDelegateKeysByValidatorAddress\x1a?.injective.peggy.v1.QueryDelegateKeysByValidatorAddressResponse\"2\x82\xd3\xe4\x93\x02,\x12*/peggy/v1/query_delegate_keys_by_validator\x12\xb1\x01\n\x13GetDelegateKeyByEth\x12\x31.injective.peggy.v1.QueryDelegateKeysByEthAddress\x1a\x39.injective.peggy.v1.QueryDelegateKeysByEthAddressResponse\",\x82\xd3\xe4\x93\x02&\x12$/peggy/v1/query_delegate_keys_by_eth\x12\xd5\x01\n\x1cGetDelegateKeyByOrchestrator\x12:.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddress\x1a\x42.injective.peggy.v1.QueryDelegateKeysByOrchestratorAddressResponse\"5\x82\xd3\xe4\x93\x02/\x12-/peggy/v1/query_delegate_keys_by_orchestrator\x12\x8d\x01\n\x10PeggyModuleState\x12+.injective.peggy.v1.QueryModuleStateRequest\x1a,.injective.peggy.v1.QueryModuleStateResponse\"\x1e\x82\xd3\xe4\x93\x02\x18\x12\x16/peggy/v1/module_state\x12\x8b\x01\n\x12MissingPeggoNonces\x12(.injective.peggy.v1.MissingNoncesRequest\x1a).injective.peggy.v1.MissingNoncesResponse\" \x82\xd3\xe4\x93\x02\x1a\x12\x18/peggy/v1/missing_noncesB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None @@ -77,87 +87,87 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=299 _globals['_QUERYPARAMSREQUEST']._serialized_end=319 _globals['_QUERYPARAMSRESPONSE']._serialized_start=321 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=392 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=394 - _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=421 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=423 - _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=495 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=497 - _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=539 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=541 - _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=613 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=615 - _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=674 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=676 - _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=759 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=761 - _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=811 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=813 - _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=905 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=907 - _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=939 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=941 - _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1019 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1021 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1082 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1084 - _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1174 - _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1176 - _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1198 - _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1200 - _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1273 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1275 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1335 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1337 - _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1433 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1435 - _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1466 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1468 - _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1554 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1556 - _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1630 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1632 - _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1718 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1720 - _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1788 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1790 - _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=1873 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=1875 - _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=1921 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=1923 - _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2015 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2017 - _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2058 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2060 - _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2129 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2131 - _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2172 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2174 - _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2243 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2245 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2309 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2311 - _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2407 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2409 - _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2461 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2463 - _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2559 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2561 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=2631 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=2633 - _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=2729 - _globals['_QUERYPENDINGSENDTOETH']._serialized_start=2731 - _globals['_QUERYPENDINGSENDTOETH']._serialized_end=2778 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=2781 - _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=2951 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=2953 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=2978 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=2980 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3055 - _globals['_MISSINGNONCESREQUEST']._serialized_start=3057 - _globals['_MISSINGNONCESREQUEST']._serialized_end=3079 - _globals['_MISSINGNONCESRESPONSE']._serialized_start=3081 - _globals['_MISSINGNONCESRESPONSE']._serialized_end=3132 - _globals['_QUERY']._serialized_start=3135 - _globals['_QUERY']._serialized_end=6533 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=400 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_start=402 + _globals['_QUERYCURRENTVALSETREQUEST']._serialized_end=429 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_start=431 + _globals['_QUERYCURRENTVALSETRESPONSE']._serialized_end=511 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_start=513 + _globals['_QUERYVALSETREQUESTREQUEST']._serialized_end=562 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_start=564 + _globals['_QUERYVALSETREQUESTRESPONSE']._serialized_end=644 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_start=646 + _globals['_QUERYVALSETCONFIRMREQUEST']._serialized_end=721 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_start=723 + _globals['_QUERYVALSETCONFIRMRESPONSE']._serialized_end=815 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_start=817 + _globals['_QUERYVALSETCONFIRMSBYNONCEREQUEST']._serialized_end=874 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_start=876 + _globals['_QUERYVALSETCONFIRMSBYNONCERESPONSE']._serialized_end=978 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_start=980 + _globals['_QUERYLASTVALSETREQUESTSREQUEST']._serialized_end=1012 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_start=1014 + _globals['_QUERYLASTVALSETREQUESTSRESPONSE']._serialized_end=1101 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_start=1103 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRREQUEST']._serialized_end=1173 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_start=1175 + _globals['_QUERYLASTPENDINGVALSETREQUESTBYADDRRESPONSE']._serialized_end=1274 + _globals['_QUERYBATCHFEEREQUEST']._serialized_start=1276 + _globals['_QUERYBATCHFEEREQUEST']._serialized_end=1298 + _globals['_QUERYBATCHFEERESPONSE']._serialized_start=1300 + _globals['_QUERYBATCHFEERESPONSE']._serialized_end=1384 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_start=1386 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRREQUEST']._serialized_end=1455 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_start=1457 + _globals['_QUERYLASTPENDINGBATCHREQUESTBYADDRRESPONSE']._serialized_end=1560 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_start=1562 + _globals['_QUERYOUTGOINGTXBATCHESREQUEST']._serialized_end=1593 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_start=1595 + _globals['_QUERYOUTGOINGTXBATCHESRESPONSE']._serialized_end=1690 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_start=1692 + _globals['_QUERYBATCHREQUESTBYNONCEREQUEST']._serialized_end=1790 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_start=1792 + _globals['_QUERYBATCHREQUESTBYNONCERESPONSE']._serialized_end=1885 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_start=1887 + _globals['_QUERYBATCHCONFIRMSREQUEST']._serialized_end=1979 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_start=1981 + _globals['_QUERYBATCHCONFIRMSRESPONSE']._serialized_end=2074 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_start=2076 + _globals['_QUERYLASTEVENTBYADDRREQUEST']._serialized_end=2131 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_start=2133 + _globals['_QUERYLASTEVENTBYADDRRESPONSE']._serialized_end=2241 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_start=2243 + _globals['_QUERYERC20TODENOMREQUEST']._serialized_end=2291 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_start=2293 + _globals['_QUERYERC20TODENOMRESPONSE']._serialized_end=2387 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_start=2389 + _globals['_QUERYDENOMTOERC20REQUEST']._serialized_end=2437 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_start=2439 + _globals['_QUERYDENOMTOERC20RESPONSE']._serialized_end=2533 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_start=2535 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESS']._serialized_end=2617 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_start=2620 + _globals['_QUERYDELEGATEKEYSBYVALIDATORADDRESSRESPONSE']._serialized_end=2749 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_start=2751 + _globals['_QUERYDELEGATEKEYSBYETHADDRESS']._serialized_end=2815 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_start=2818 + _globals['_QUERYDELEGATEKEYSBYETHADDRESSRESPONSE']._serialized_end=2953 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_start=2955 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESS']._serialized_end=3046 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_start=3048 + _globals['_QUERYDELEGATEKEYSBYORCHESTRATORADDRESSRESPONSE']._serialized_end=3174 + _globals['_QUERYPENDINGSENDTOETH']._serialized_start=3176 + _globals['_QUERYPENDINGSENDTOETH']._serialized_end=3238 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_start=3241 + _globals['_QUERYPENDINGSENDTOETHRESPONSE']._serialized_end=3451 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=3453 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=3478 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=3480 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=3562 + _globals['_MISSINGNONCESREQUEST']._serialized_start=3564 + _globals['_MISSINGNONCESREQUEST']._serialized_end=3586 + _globals['_MISSINGNONCESRESPONSE']._serialized_start=3588 + _globals['_MISSINGNONCESRESPONSE']._serialized_end=3658 + _globals['_QUERY']._serialized_start=3661 + _globals['_QUERY']._serialized_end=7059 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2.py b/pyinjective/proto/injective/peggy/v1/types_pb2.py index 1186e742..6ecf6bb8 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2.py @@ -1,38 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/peggy/v1/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/peggy/v1/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\":\n\x0f\x42ridgeValidator\x12\r\n\x05power\x18\x01 \x01(\x04\x12\x18\n\x10\x65thereum_address\x18\x02 \x01(\t\"\xa9\x01\n\x06Valset\x12\r\n\x05nonce\x18\x01 \x01(\x04\x12\x34\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidator\x12\x0e\n\x06height\x18\x03 \x01(\x04\x12\x34\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.Int\x12\x14\n\x0creward_token\x18\x05 \x01(\t\"]\n\x1fLastObservedEthereumBlockHeight\x12\x1b\n\x13\x63osmos_block_height\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_block_height\x18\x02 \x01(\x04\"M\n\x0eLastClaimEvent\x12\x1c\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04\x12\x1d\n\x15\x65thereum_event_height\x18\x02 \x01(\x04\",\n\x0c\x45RC20ToDenom\x12\r\n\x05\x65rc20\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/peggy/v1/types.proto\x12\x12injective.peggy.v1\x1a\x14gogoproto/gogo.proto\"R\n\x0f\x42ridgeValidator\x12\x14\n\x05power\x18\x01 \x01(\x04R\x05power\x12)\n\x10\x65thereum_address\x18\x02 \x01(\tR\x0f\x65thereumAddress\"\xdc\x01\n\x06Valset\x12\x14\n\x05nonce\x18\x01 \x01(\x04R\x05nonce\x12=\n\x07members\x18\x02 \x03(\x0b\x32#.injective.peggy.v1.BridgeValidatorR\x07members\x12\x16\n\x06height\x18\x03 \x01(\x04R\x06height\x12\x42\n\rreward_amount\x18\x04 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0crewardAmount\x12!\n\x0creward_token\x18\x05 \x01(\tR\x0brewardToken\"\x85\x01\n\x1fLastObservedEthereumBlockHeight\x12.\n\x13\x63osmos_block_height\x18\x01 \x01(\x04R\x11\x63osmosBlockHeight\x12\x32\n\x15\x65thereum_block_height\x18\x02 \x01(\x04R\x13\x65thereumBlockHeight\"v\n\x0eLastClaimEvent\x12\x30\n\x14\x65thereum_event_nonce\x18\x01 \x01(\x04R\x12\x65thereumEventNonce\x12\x32\n\x15\x65thereum_event_height\x18\x02 \x01(\x04R\x13\x65thereumEventHeight\":\n\x0c\x45RC20ToDenom\x12\x14\n\x05\x65rc20\x18\x01 \x01(\tR\x05\x65rc20\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nomB\xdb\x01\n\x16\x63om.injective.peggy.v1B\nTypesProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\xa2\x02\x03IPX\xaa\x02\x12Injective.Peggy.V1\xca\x02\x12Injective\\Peggy\\V1\xe2\x02\x1eInjective\\Peggy\\V1\\GPBMetadata\xea\x02\x14Injective::Peggy::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.peggy.v1.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.peggy.v1B\nTypesProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/peggy/types\242\002\003IPX\252\002\022Injective.Peggy.V1\312\002\022Injective\\Peggy\\V1\342\002\036Injective\\Peggy\\V1\\GPBMetadata\352\002\024Injective::Peggy::V1' _globals['_VALSET'].fields_by_name['reward_amount']._loaded_options = None _globals['_VALSET'].fields_by_name['reward_amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_BRIDGEVALIDATOR']._serialized_start=76 - _globals['_BRIDGEVALIDATOR']._serialized_end=134 - _globals['_VALSET']._serialized_start=137 - _globals['_VALSET']._serialized_end=306 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=308 - _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=401 - _globals['_LASTCLAIMEVENT']._serialized_start=403 - _globals['_LASTCLAIMEVENT']._serialized_end=480 - _globals['_ERC20TODENOM']._serialized_start=482 - _globals['_ERC20TODENOM']._serialized_end=526 + _globals['_BRIDGEVALIDATOR']._serialized_end=158 + _globals['_VALSET']._serialized_start=161 + _globals['_VALSET']._serialized_end=381 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_start=384 + _globals['_LASTOBSERVEDETHEREUMBLOCKHEIGHT']._serialized_end=517 + _globals['_LASTCLAIMEVENT']._serialized_start=519 + _globals['_LASTCLAIMEVENT']._serialized_end=637 + _globals['_ERC20TODENOM']._serialized_start=639 + _globals['_ERC20TODENOM']._serialized_end=697 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py index 75592fa6..083b473a 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2.py @@ -1,28 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.protoBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/events.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\"`\n\x0f\x45ventSetVoucher\x12\x12\n\x04\x61\x64\x64r\x18\x01 \x01(\tR\x04\x61\x64\x64r\x12\x39\n\x07voucher\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x07voucherB\x99\x02\n!com.injective.permissions.v1beta1B\x0b\x45ventsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013EventsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' + _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._loaded_options = None + _globals['_EVENTSETVOUCHER'].fields_by_name['voucher']._serialized_options = b'\310\336\037\000' + _globals['_EVENTSETVOUCHER']._serialized_start=163 + _globals['_EVENTSETVOUCHER']._serialized_end=259 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py index 7af2b662..f43fbcdf 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x8f\x01\n\x0cGenesisState\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x42\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/permissions/v1beta1/genesis.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\xa3\x01\n\x0cGenesisState\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12N\n\nnamespaces\x18\x02 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\nnamespacesB\x9a\x02\n!com.injective.permissions.v1beta1B\x0cGenesisProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\014GenesisProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['namespaces']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['namespaces']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE']._serialized_start=194 - _globals['_GENESISSTATE']._serialized_end=337 + _globals['_GENESISSTATE']._serialized_end=357 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py index 4ea7248d..b00607a9 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"F\n\x06Params\x12\x1f\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/permissions/v1beta1/params.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"[\n\x06Params\x12\x34\n\x17wasm_hook_query_max_gas\x18\x01 \x01(\x04R\x13wasmHookQueryMaxGas:\x1b\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x12permissions/ParamsB\x99\x02\n!com.injective.permissions.v1beta1B\x0bParamsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\013ParamsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\022permissions/Params' _globals['_PARAMS']._serialized_start=177 - _globals['_PARAMS']._serialized_end=247 + _globals['_PARAMS']._serialized_end=268 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py index c9bc58e8..500d44cd 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2.py @@ -1,43 +1,53 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/permissions.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/permissions.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xf2\x01\n\tNamespace\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x11\n\twasm_hook\x18\x02 \x01(\t\x12\x14\n\x0cmints_paused\x18\x03 \x01(\x08\x12\x14\n\x0csends_paused\x18\x04 \x01(\x08\x12\x14\n\x0c\x62urns_paused\x18\x05 \x01(\x08\x12=\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles\".\n\x0c\x41\x64\x64ressRoles\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\r\n\x05roles\x18\x02 \x03(\t\")\n\x04Role\x12\x0c\n\x04role\x18\x01 \x01(\t\x12\x13\n\x0bpermissions\x18\x02 \x01(\r\"\x1b\n\x07RoleIDs\x12\x10\n\x08role_ids\x18\x01 \x03(\r\"e\n\x07Voucher\x12Z\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"Z\n\x0e\x41\x64\x64ressVoucher\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x37\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.Voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n/injective/permissions/v1beta1/permissions.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"\xc9\x02\n\tNamespace\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1b\n\twasm_hook\x18\x02 \x01(\tR\x08wasmHook\x12!\n\x0cmints_paused\x18\x03 \x01(\x08R\x0bmintsPaused\x12!\n\x0csends_paused\x18\x04 \x01(\x08R\x0bsendsPaused\x12!\n\x0c\x62urns_paused\x18\x05 \x01(\x08R\x0b\x62urnsPaused\x12N\n\x10role_permissions\x18\x06 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x07 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles\">\n\x0c\x41\x64\x64ressRoles\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12\x14\n\x05roles\x18\x02 \x03(\tR\x05roles\"<\n\x04Role\x12\x12\n\x04role\x18\x01 \x01(\tR\x04role\x12 \n\x0bpermissions\x18\x02 \x01(\rR\x0bpermissions\"$\n\x07RoleIDs\x12\x19\n\x08role_ids\x18\x01 \x03(\rR\x07roleIds\"l\n\x07Voucher\x12\x61\n\x05\x63oins\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x05\x63oins\"l\n\x0e\x41\x64\x64ressVoucher\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12@\n\x07voucher\x18\x02 \x01(\x0b\x32&.injective.permissions.v1beta1.VoucherR\x07voucher*:\n\x06\x41\x63tion\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x08\n\x04MINT\x10\x01\x12\x0b\n\x07RECEIVE\x10\x02\x12\x08\n\x04\x42URN\x10\x04\x42\x9e\x02\n!com.injective.permissions.v1beta1B\x10PermissionsProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.permissions_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\020PermissionsProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_VOUCHER'].fields_by_name['coins']._loaded_options = None _globals['_VOUCHER'].fields_by_name['coins']._serialized_options = b'\310\336\037\000\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' - _globals['_ACTION']._serialized_start=696 - _globals['_ACTION']._serialized_end=754 + _globals['_ACTION']._serialized_start=852 + _globals['_ACTION']._serialized_end=910 _globals['_NAMESPACE']._serialized_start=137 - _globals['_NAMESPACE']._serialized_end=379 - _globals['_ADDRESSROLES']._serialized_start=381 - _globals['_ADDRESSROLES']._serialized_end=427 - _globals['_ROLE']._serialized_start=429 - _globals['_ROLE']._serialized_end=470 - _globals['_ROLEIDS']._serialized_start=472 - _globals['_ROLEIDS']._serialized_end=499 - _globals['_VOUCHER']._serialized_start=501 - _globals['_VOUCHER']._serialized_end=602 - _globals['_ADDRESSVOUCHER']._serialized_start=604 - _globals['_ADDRESSVOUCHER']._serialized_end=694 + _globals['_NAMESPACE']._serialized_end=466 + _globals['_ADDRESSROLES']._serialized_start=468 + _globals['_ADDRESSROLES']._serialized_end=530 + _globals['_ROLE']._serialized_start=532 + _globals['_ROLE']._serialized_end=592 + _globals['_ROLEIDS']._serialized_start=594 + _globals['_ROLEIDS']._serialized_end=630 + _globals['_VOUCHER']._serialized_start=632 + _globals['_VOUCHER']._serialized_end=740 + _globals['_ADDRESSVOUCHER']._serialized_start=742 + _globals['_ADDRESSVOUCHER']._serialized_end=850 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py index ed7c9e2a..87ed6e42 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/query_pb2.py @@ -1,35 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import genesis_pb2 as injective_dot_permissions_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"R\n\x13QueryParamsResponse\x12;\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"\x1b\n\x19QueryAllNamespacesRequest\"Z\n\x1aQueryAllNamespacesResponse\x12<\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.Namespace\"D\n\x1cQueryNamespaceByDenomRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x15\n\rinclude_roles\x18\x02 \x01(\x08\"\\\n\x1dQueryNamespaceByDenomResponse\x12;\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.Namespace\":\n\x1bQueryAddressesByRoleRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0c\n\x04role\x18\x02 \x01(\t\"1\n\x1cQueryAddressesByRoleResponse\x12\x11\n\taddresses\x18\x01 \x03(\t\":\n\x18QueryAddressRolesRequest\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x0f\n\x07\x61\x64\x64ress\x18\x02 \x01(\t\"*\n\x19QueryAddressRolesResponse\x12\r\n\x05roles\x18\x01 \x03(\t\"1\n\x1eQueryVouchersForAddressRequest\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\"b\n\x1fQueryVouchersForAddressResponse\x12?\n\x08vouchers\x18\x01 \x03(\x0b\x32-.injective.permissions.v1beta1.AddressVoucher2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressBSZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/permissions/v1beta1/query.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a*injective/permissions/v1beta1/params.proto\x1a+injective/permissions/v1beta1/genesis.proto\x1a/injective/permissions/v1beta1/permissions.proto\"\x14\n\x12QueryParamsRequest\"Z\n\x13QueryParamsResponse\x12\x43\n\x06params\x18\x01 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x1b\n\x19QueryAllNamespacesRequest\"f\n\x1aQueryAllNamespacesResponse\x12H\n\nnamespaces\x18\x01 \x03(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\nnamespaces\"Y\n\x1cQueryNamespaceByDenomRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12#\n\rinclude_roles\x18\x02 \x01(\x08R\x0cincludeRoles\"g\n\x1dQueryNamespaceByDenomResponse\x12\x46\n\tnamespace\x18\x01 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceR\tnamespace\"G\n\x1bQueryAddressesByRoleRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x12\n\x04role\x18\x02 \x01(\tR\x04role\"<\n\x1cQueryAddressesByRoleResponse\x12\x1c\n\taddresses\x18\x01 \x03(\tR\taddresses\"J\n\x18QueryAddressRolesRequest\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"1\n\x19QueryAddressRolesResponse\x12\x14\n\x05roles\x18\x01 \x03(\tR\x05roles\":\n\x1eQueryVouchersForAddressRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\"\xa0\x01\n\x1fQueryVouchersForAddressResponse\x12}\n\x08vouchers\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBF\xc8\xde\x1f\x00\xea\xde\x1f\x12vouchers,omitempty\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08vouchers2\x89\t\n\x05Query\x12\x9e\x01\n\x06Params\x12\x31.injective.permissions.v1beta1.QueryParamsRequest\x1a\x32.injective.permissions.v1beta1.QueryParamsResponse\"-\x82\xd3\xe4\x93\x02\'\x12%/injective/permissions/v1beta1/params\x12\xbb\x01\n\rAllNamespaces\x12\x38.injective.permissions.v1beta1.QueryAllNamespacesRequest\x1a\x39.injective.permissions.v1beta1.QueryAllNamespacesResponse\"5\x82\xd3\xe4\x93\x02/\x12-/injective/permissions/v1beta1/all_namespaces\x12\xc8\x01\n\x10NamespaceByDenom\x12;.injective.permissions.v1beta1.QueryNamespaceByDenomRequest\x1a<.injective.permissions.v1beta1.QueryNamespaceByDenomResponse\"9\x82\xd3\xe4\x93\x02\x33\x12\x31/injective/permissions/v1beta1/namespace_by_denom\x12\xbb\x01\n\x0c\x41\x64\x64ressRoles\x12\x37.injective.permissions.v1beta1.QueryAddressRolesRequest\x1a\x38.injective.permissions.v1beta1.QueryAddressRolesResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xc4\x01\n\x0f\x41\x64\x64ressesByRole\x12:.injective.permissions.v1beta1.QueryAddressesByRoleRequest\x1a;.injective.permissions.v1beta1.QueryAddressesByRoleResponse\"8\x82\xd3\xe4\x93\x02\x32\x12\x30/injective/permissions/v1beta1/addresses_by_role\x12\xd0\x01\n\x12VouchersForAddress\x12=.injective.permissions.v1beta1.QueryVouchersForAddressRequest\x1a>.injective.permissions.v1beta1.QueryVouchersForAddressResponse\";\x82\xd3\xe4\x93\x02\x35\x12\x33/injective/permissions/v1beta1/vouchers_for_addressB\x98\x02\n!com.injective.permissions.v1beta1B\nQueryProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\nQueryProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._loaded_options = None + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE'].fields_by_name['vouchers']._serialized_options = b'\310\336\037\000\352\336\037\022vouchers,omitempty\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_QUERY'].methods_by_name['Params']._loaded_options = None _globals['_QUERY'].methods_by_name['Params']._serialized_options = b'\202\323\344\223\002\'\022%/injective/permissions/v1beta1/params' _globals['_QUERY'].methods_by_name['AllNamespaces']._loaded_options = None @@ -42,30 +55,30 @@ _globals['_QUERY'].methods_by_name['AddressesByRole']._serialized_options = b'\202\323\344\223\0022\0220/injective/permissions/v1beta1/addresses_by_role' _globals['_QUERY'].methods_by_name['VouchersForAddress']._loaded_options = None _globals['_QUERY'].methods_by_name['VouchersForAddress']._serialized_options = b'\202\323\344\223\0025\0223/injective/permissions/v1beta1/vouchers_for_address' - _globals['_QUERYPARAMSREQUEST']._serialized_start=310 - _globals['_QUERYPARAMSREQUEST']._serialized_end=330 - _globals['_QUERYPARAMSRESPONSE']._serialized_start=332 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=414 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=416 - _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=443 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=445 - _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=535 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=537 - _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=605 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=607 - _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=699 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=701 - _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=759 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=761 - _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=810 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=812 - _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=870 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=872 - _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=914 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=916 - _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=965 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=967 - _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1065 - _globals['_QUERY']._serialized_start=1068 - _globals['_QUERY']._serialized_end=2229 + _globals['_QUERYPARAMSREQUEST']._serialized_start=342 + _globals['_QUERYPARAMSREQUEST']._serialized_end=362 + _globals['_QUERYPARAMSRESPONSE']._serialized_start=364 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=454 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_start=456 + _globals['_QUERYALLNAMESPACESREQUEST']._serialized_end=483 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_start=485 + _globals['_QUERYALLNAMESPACESRESPONSE']._serialized_end=587 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_start=589 + _globals['_QUERYNAMESPACEBYDENOMREQUEST']._serialized_end=678 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_start=680 + _globals['_QUERYNAMESPACEBYDENOMRESPONSE']._serialized_end=783 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_start=785 + _globals['_QUERYADDRESSESBYROLEREQUEST']._serialized_end=856 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_start=858 + _globals['_QUERYADDRESSESBYROLERESPONSE']._serialized_end=918 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_start=920 + _globals['_QUERYADDRESSROLESREQUEST']._serialized_end=994 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_start=996 + _globals['_QUERYADDRESSROLESRESPONSE']._serialized_end=1045 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_start=1047 + _globals['_QUERYVOUCHERSFORADDRESSREQUEST']._serialized_end=1105 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_start=1108 + _globals['_QUERYVOUCHERSFORADDRESSRESPONSE']._serialized_end=1268 + _globals['_QUERY']._serialized_start=1271 + _globals['_QUERY']._serialized_end=2432 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py index 65f19a41..0005d02c 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/permissions/v1beta1/tx_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/permissions/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/permissions/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 -from injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import params_pb2 as injective_dot_permissions_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.permissions.v1beta1 import permissions_pb2 as injective_dot_permissions_dot_v1beta1_dot_permissions__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xab\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12;\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xaa\x01\n\x12MsgCreateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x41\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x80\x01\n\x12MsgDeleteNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\x83\x05\n\x12MsgUpdateNamespace\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12S\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHook\x12Y\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPaused\x12Y\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPaused\x12Y\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPaused\x1a#\n\x0eMsgSetWasmHook\x12\x11\n\tnew_value\x18\x01 \x01(\t\x1a&\n\x11MsgSetMintsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetSendsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08\x1a&\n\x11MsgSetBurnsPaused\x12\x11\n\tnew_value\x18\x01 \x01(\x08:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\x8d\x02\n\x17MsgUpdateNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12=\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.Role\x12\x42\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\xd8\x01\n\x17MsgRevokeNamespaceRoles\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x17\n\x0fnamespace_denom\x18\x02 \x01(\t\x12L\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"u\n\x0fMsgClaimVoucher\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x12\n\noriginator\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42SZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n&injective/permissions/v1beta1/tx.proto\x12\x1dinjective.permissions.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a*injective/permissions/v1beta1/params.proto\x1a/injective/permissions/v1beta1/permissions.proto\x1a\x11\x61mino/amino.proto\"\xbe\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x43\n\x06params\x18\x02 \x01(\x0b\x32%.injective.permissions.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:.\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x1bpermissions/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xbd\x01\n\x12MsgCreateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12L\n\tnamespace\x18\x02 \x01(\x0b\x32(.injective.permissions.v1beta1.NamespaceB\x04\xc8\xde\x1f\x00R\tnamespace:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgCreateNamespace\"\x1c\n\x1aMsgCreateNamespaceResponse\"\x98\x01\n\x12MsgDeleteNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgDeleteNamespace\"\x1c\n\x1aMsgDeleteNamespaceResponse\"\xf4\x05\n\x12MsgUpdateNamespace\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12]\n\twasm_hook\x18\x03 \x01(\x0b\x32@.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetWasmHookR\x08wasmHook\x12\x66\n\x0cmints_paused\x18\x04 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetMintsPausedR\x0bmintsPaused\x12\x66\n\x0csends_paused\x18\x05 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetSendsPausedR\x0bsendsPaused\x12\x66\n\x0c\x62urns_paused\x18\x06 \x01(\x0b\x32\x43.injective.permissions.v1beta1.MsgUpdateNamespace.MsgSetBurnsPausedR\x0b\x62urnsPaused\x1a-\n\x0eMsgSetWasmHook\x12\x1b\n\tnew_value\x18\x01 \x01(\tR\x08newValue\x1a\x30\n\x11MsgSetMintsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetSendsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue\x1a\x30\n\x11MsgSetBurnsPaused\x12\x1b\n\tnew_value\x18\x01 \x01(\x08R\x08newValue:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1epermissions/MsgUpdateNamespace\"\x1c\n\x1aMsgUpdateNamespaceResponse\"\xc4\x02\n\x17MsgUpdateNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12N\n\x10role_permissions\x18\x03 \x03(\x0b\x32#.injective.permissions.v1beta1.RoleR\x0frolePermissions\x12P\n\raddress_roles\x18\x04 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x0c\x61\x64\x64ressRoles:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgUpdateNamespaceRoles\"!\n\x1fMsgUpdateNamespaceRolesResponse\"\x86\x02\n\x17MsgRevokeNamespaceRoles\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\'\n\x0fnamespace_denom\x18\x02 \x01(\tR\x0enamespaceDenom\x12\x62\n\x17\x61\x64\x64ress_roles_to_revoke\x18\x03 \x03(\x0b\x32+.injective.permissions.v1beta1.AddressRolesR\x14\x61\x64\x64ressRolesToRevoke:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#permissions/MsgRevokeNamespaceRoles\"!\n\x1fMsgRevokeNamespaceRolesResponse\"\x7f\n\x0fMsgClaimVoucher\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bpermissions/MsgClaimVoucher\"\x19\n\x17MsgClaimVoucherResponse2\xa1\x07\n\x03Msg\x12v\n\x0cUpdateParams\x12..injective.permissions.v1beta1.MsgUpdateParams\x1a\x36.injective.permissions.v1beta1.MsgUpdateParamsResponse\x12\x7f\n\x0f\x43reateNamespace\x12\x31.injective.permissions.v1beta1.MsgCreateNamespace\x1a\x39.injective.permissions.v1beta1.MsgCreateNamespaceResponse\x12\x7f\n\x0f\x44\x65leteNamespace\x12\x31.injective.permissions.v1beta1.MsgDeleteNamespace\x1a\x39.injective.permissions.v1beta1.MsgDeleteNamespaceResponse\x12\x7f\n\x0fUpdateNamespace\x12\x31.injective.permissions.v1beta1.MsgUpdateNamespace\x1a\x39.injective.permissions.v1beta1.MsgUpdateNamespaceResponse\x12\x8e\x01\n\x14UpdateNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgUpdateNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgUpdateNamespaceRolesResponse\x12\x8e\x01\n\x14RevokeNamespaceRoles\x12\x36.injective.permissions.v1beta1.MsgRevokeNamespaceRoles\x1a>.injective.permissions.v1beta1.MsgRevokeNamespaceRolesResponse\x12v\n\x0c\x43laimVoucher\x12..injective.permissions.v1beta1.MsgClaimVoucher\x1a\x36.injective.permissions.v1beta1.MsgClaimVoucherResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x95\x02\n!com.injective.permissions.v1beta1B\x07TxProtoP\x01ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\xa2\x02\x03IPX\xaa\x02\x1dInjective.Permissions.V1beta1\xca\x02\x1dInjective\\Permissions\\V1beta1\xe2\x02)Injective\\Permissions\\V1beta1\\GPBMetadata\xea\x02\x1fInjective::Permissions::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.permissions.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types' + _globals['DESCRIPTOR']._serialized_options = b'\n!com.injective.permissions.v1beta1B\007TxProtoP\001ZQgithub.com/InjectiveLabs/injective-core/injective-chain/modules/permissions/types\242\002\003IPX\252\002\035Injective.Permissions.V1beta1\312\002\035Injective\\Permissions\\V1beta1\342\002)Injective\\Permissions\\V1beta1\\GPBMetadata\352\002\037Injective::Permissions::V1beta1' _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._loaded_options = None _globals['_MSGUPDATEPARAMS'].fields_by_name['authority']._serialized_options = b'\322\264-\024cosmos.AddressString' _globals['_MSGUPDATEPARAMS'].fields_by_name['params']._loaded_options = None @@ -65,41 +75,41 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGUPDATEPARAMS']._serialized_start=324 - _globals['_MSGUPDATEPARAMS']._serialized_end=495 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=497 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=522 - _globals['_MSGCREATENAMESPACE']._serialized_start=525 - _globals['_MSGCREATENAMESPACE']._serialized_end=695 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=697 - _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=725 - _globals['_MSGDELETENAMESPACE']._serialized_start=728 - _globals['_MSGDELETENAMESPACE']._serialized_end=856 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=858 - _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=886 - _globals['_MSGUPDATENAMESPACE']._serialized_start=889 - _globals['_MSGUPDATENAMESPACE']._serialized_end=1532 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1329 - _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1364 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1366 - _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1404 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1406 - _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1444 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1446 - _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1484 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1534 - _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1562 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1565 - _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=1834 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=1836 - _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=1869 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=1872 - _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2088 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2090 - _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2123 - _globals['_MSGCLAIMVOUCHER']._serialized_start=2125 - _globals['_MSGCLAIMVOUCHER']._serialized_end=2242 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2244 - _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2269 - _globals['_MSG']._serialized_start=2272 - _globals['_MSG']._serialized_end=3201 + _globals['_MSGUPDATEPARAMS']._serialized_end=514 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=516 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=541 + _globals['_MSGCREATENAMESPACE']._serialized_start=544 + _globals['_MSGCREATENAMESPACE']._serialized_end=733 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_start=735 + _globals['_MSGCREATENAMESPACERESPONSE']._serialized_end=763 + _globals['_MSGDELETENAMESPACE']._serialized_start=766 + _globals['_MSGDELETENAMESPACE']._serialized_end=918 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_start=920 + _globals['_MSGDELETENAMESPACERESPONSE']._serialized_end=948 + _globals['_MSGUPDATENAMESPACE']._serialized_start=951 + _globals['_MSGUPDATENAMESPACE']._serialized_end=1707 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_start=1464 + _globals['_MSGUPDATENAMESPACE_MSGSETWASMHOOK']._serialized_end=1509 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_start=1511 + _globals['_MSGUPDATENAMESPACE_MSGSETMINTSPAUSED']._serialized_end=1559 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_start=1561 + _globals['_MSGUPDATENAMESPACE_MSGSETSENDSPAUSED']._serialized_end=1609 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_start=1611 + _globals['_MSGUPDATENAMESPACE_MSGSETBURNSPAUSED']._serialized_end=1659 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_start=1709 + _globals['_MSGUPDATENAMESPACERESPONSE']._serialized_end=1737 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_start=1740 + _globals['_MSGUPDATENAMESPACEROLES']._serialized_end=2064 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_start=2066 + _globals['_MSGUPDATENAMESPACEROLESRESPONSE']._serialized_end=2099 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_start=2102 + _globals['_MSGREVOKENAMESPACEROLES']._serialized_end=2364 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_start=2366 + _globals['_MSGREVOKENAMESPACEROLESRESPONSE']._serialized_end=2399 + _globals['_MSGCLAIMVOUCHER']._serialized_start=2401 + _globals['_MSGCLAIMVOUCHER']._serialized_end=2528 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_start=2530 + _globals['_MSGCLAIMVOUCHERRESPONSE']._serialized_end=2555 + _globals['_MSG']._serialized_start=2558 + _globals['_MSG']._serialized_end=3487 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py index 83829de7..06f9b4e4 100644 --- a/pyinjective/proto/injective/stream/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/stream/v1beta1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/stream/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/stream/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 -from injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import events_pb2 as injective_dot_exchange_dot_v1beta1_dot_events__pb2 +from pyinjective.proto.injective.exchange.v1beta1 import exchange_pb2 as injective_dot_exchange_dot_v1beta1_dot_exchange__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\xb6\x06\n\rStreamRequest\x12P\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01\x12\\\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01\x12H\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12N\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01\x12O\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12U\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01\x12I\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01\x12N\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01\"\xe0\x05\n\x0eStreamResponse\x12\x14\n\x0c\x62lock_height\x18\x01 \x01(\x04\x12\x12\n\nblock_time\x18\x02 \x01(\x03\x12<\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalance\x12I\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDeposits\x12\x38\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTrade\x12\x44\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTrade\x12>\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdate\x12J\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdate\x12I\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12O\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdate\x12\x35\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.Position\x12<\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePrice\"V\n\x0fOrderbookUpdate\x12\x0b\n\x03seq\x18\x01 \x01(\x04\x12\x36\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.Orderbook\"\x8d\x01\n\tOrderbook\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x35\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\x12\x36\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.Level\"}\n\x0b\x42\x61nkBalance\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12]\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins\"p\n\x12SubaccountDeposits\x12\x15\n\rsubaccount_id\x18\x01 \x01(\t\x12\x43\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00\"^\n\x11SubaccountDeposit\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12:\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00\"\xa3\x01\n\x0fSpotOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x32\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrder\"_\n\tSpotOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12?\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00\"\xaf\x01\n\x15\x44\x65rivativeOrderUpdate\x12;\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatus\x12\x12\n\norder_hash\x18\x02 \x01(\x0c\x12\x0b\n\x03\x63id\x18\x03 \x01(\t\x12\x38\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrder\"~\n\x0f\x44\x65rivativeOrder\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x45\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00\x12\x11\n\tis_market\x18\x03 \x01(\x08\"\xb1\x02\n\x08Position\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x15\n\rsubaccount_id\x18\x02 \x01(\t\x12\x0e\n\x06isLong\x18\x03 \x01(\x08\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x38\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x33\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x45\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\"_\n\x0bOraclePrice\x12\x0e\n\x06symbol\x18\x01 \x01(\t\x12\x32\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x0c\n\x04type\x18\x03 \x01(\t\"\xd1\x02\n\tSpotTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x35\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x32\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x15\n\rsubaccount_id\x18\x06 \x01(\t\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\x0c\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\"\xe4\x02\n\x0f\x44\x65rivativeTrade\x12\x11\n\tmarket_id\x18\x01 \x01(\t\x12\x0e\n\x06is_buy\x18\x02 \x01(\x08\x12\x15\n\rexecutionType\x18\x03 \x01(\t\x12\x15\n\rsubaccount_id\x18\x04 \x01(\t\x12\x41\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDelta\x12\x33\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x30\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDec\x12\x12\n\norder_hash\x18\x08 \x01(\t\x12#\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01\x12\x0b\n\x03\x63id\x18\n \x01(\t\x12\x10\n\x08trade_id\x18\x0b \x01(\t\":\n\x0cTradesFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"=\n\x0fPositionsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\":\n\x0cOrdersFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\x12\x12\n\nmarket_ids\x18\x02 \x03(\t\"%\n\x0fOrderbookFilter\x12\x12\n\nmarket_ids\x18\x01 \x03(\t\"&\n\x12\x42\x61nkBalancesFilter\x12\x10\n\x08\x61\x63\x63ounts\x18\x01 \x03(\t\"2\n\x18SubaccountDepositsFilter\x12\x16\n\x0esubaccount_ids\x18\x01 \x03(\t\"#\n\x11OraclePriceFilter\x12\x0e\n\x06symbol\x18\x01 \x03(\t*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\x46ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/stream/v1beta1/query.proto\x12\x18injective.stream.v1beta1\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x14gogoproto/gogo.proto\x1a\'injective/exchange/v1beta1/events.proto\x1a)injective/exchange/v1beta1/exchange.proto\"\x8e\x08\n\rStreamRequest\x12\x64\n\x14\x62\x61nk_balances_filter\x18\x01 \x01(\x0b\x32,.injective.stream.v1beta1.BankBalancesFilterB\x04\xc8\xde\x1f\x01R\x12\x62\x61nkBalancesFilter\x12v\n\x1asubaccount_deposits_filter\x18\x02 \x01(\x0b\x32\x32.injective.stream.v1beta1.SubaccountDepositsFilterB\x04\xc8\xde\x1f\x01R\x18subaccountDepositsFilter\x12Z\n\x12spot_trades_filter\x18\x03 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x10spotTradesFilter\x12\x66\n\x18\x64\x65rivative_trades_filter\x18\x04 \x01(\x0b\x32&.injective.stream.v1beta1.TradesFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeTradesFilter\x12Z\n\x12spot_orders_filter\x18\x05 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x10spotOrdersFilter\x12\x66\n\x18\x64\x65rivative_orders_filter\x18\x06 \x01(\x0b\x32&.injective.stream.v1beta1.OrdersFilterB\x04\xc8\xde\x1f\x01R\x16\x64\x65rivativeOrdersFilter\x12\x65\n\x16spot_orderbooks_filter\x18\x07 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x14spotOrderbooksFilter\x12q\n\x1c\x64\x65rivative_orderbooks_filter\x18\x08 \x01(\x0b\x32).injective.stream.v1beta1.OrderbookFilterB\x04\xc8\xde\x1f\x01R\x1a\x64\x65rivativeOrderbooksFilter\x12Z\n\x10positions_filter\x18\t \x01(\x0b\x32).injective.stream.v1beta1.PositionsFilterB\x04\xc8\xde\x1f\x01R\x0fpositionsFilter\x12\x61\n\x13oracle_price_filter\x18\n \x01(\x0b\x32+.injective.stream.v1beta1.OraclePriceFilterB\x04\xc8\xde\x1f\x01R\x11oraclePriceFilter\"\xa1\x07\n\x0eStreamResponse\x12!\n\x0c\x62lock_height\x18\x01 \x01(\x04R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x02 \x01(\x03R\tblockTime\x12J\n\rbank_balances\x18\x03 \x03(\x0b\x32%.injective.stream.v1beta1.BankBalanceR\x0c\x62\x61nkBalances\x12]\n\x13subaccount_deposits\x18\x04 \x03(\x0b\x32,.injective.stream.v1beta1.SubaccountDepositsR\x12subaccountDeposits\x12\x44\n\x0bspot_trades\x18\x05 \x03(\x0b\x32#.injective.stream.v1beta1.SpotTradeR\nspotTrades\x12V\n\x11\x64\x65rivative_trades\x18\x06 \x03(\x0b\x32).injective.stream.v1beta1.DerivativeTradeR\x10\x64\x65rivativeTrades\x12J\n\x0bspot_orders\x18\x07 \x03(\x0b\x32).injective.stream.v1beta1.SpotOrderUpdateR\nspotOrders\x12\\\n\x11\x64\x65rivative_orders\x18\x08 \x03(\x0b\x32/.injective.stream.v1beta1.DerivativeOrderUpdateR\x10\x64\x65rivativeOrders\x12_\n\x16spot_orderbook_updates\x18\t \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x14spotOrderbookUpdates\x12k\n\x1c\x64\x65rivative_orderbook_updates\x18\n \x03(\x0b\x32).injective.stream.v1beta1.OrderbookUpdateR\x1a\x64\x65rivativeOrderbookUpdates\x12@\n\tpositions\x18\x0b \x03(\x0b\x32\".injective.stream.v1beta1.PositionR\tpositions\x12J\n\roracle_prices\x18\x0c \x03(\x0b\x32%.injective.stream.v1beta1.OraclePriceR\x0coraclePrices\"f\n\x0fOrderbookUpdate\x12\x10\n\x03seq\x18\x01 \x01(\x04R\x03seq\x12\x41\n\torderbook\x18\x02 \x01(\x0b\x32#.injective.stream.v1beta1.OrderbookR\torderbook\"\xae\x01\n\tOrderbook\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12@\n\nbuy_levels\x18\x02 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\tbuyLevels\x12\x42\n\x0bsell_levels\x18\x03 \x03(\x0b\x32!.injective.exchange.v1beta1.LevelR\nsellLevels\"\x90\x01\n\x0b\x42\x61nkBalance\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12g\n\x08\x62\x61lances\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x08\x62\x61lances\"\x88\x01\n\x12SubaccountDeposits\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12M\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32+.injective.stream.v1beta1.SubaccountDepositB\x04\xc8\xde\x1f\x00R\x08\x64\x65posits\"n\n\x11SubaccountDeposit\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x43\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositB\x04\xc8\xde\x1f\x00R\x07\x64\x65posit\"\xc2\x01\n\x0fSpotOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12\x39\n\x05order\x18\x04 \x01(\x0b\x32#.injective.stream.v1beta1.SpotOrderR\x05order\"p\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x05order\x18\x02 \x01(\x0b\x32*.injective.exchange.v1beta1.SpotLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\"\xce\x01\n\x15\x44\x65rivativeOrderUpdate\x12\x43\n\x06status\x18\x01 \x01(\x0e\x32+.injective.stream.v1beta1.OrderUpdateStatusR\x06status\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\x12\x10\n\x03\x63id\x18\x03 \x01(\tR\x03\x63id\x12?\n\x05order\x18\x04 \x01(\x0b\x32).injective.stream.v1beta1.DerivativeOrderR\x05order\"\x99\x01\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12L\n\x05order\x18\x02 \x01(\x0b\x32\x30.injective.exchange.v1beta1.DerivativeLimitOrderB\x04\xc8\xde\x1f\x00R\x05order\x12\x1b\n\tis_market\x18\x03 \x01(\x08R\x08isMarket\"\x87\x03\n\x08Position\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06isLong\x18\x03 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"t\n\x0bOraclePrice\x12\x16\n\x06symbol\x18\x01 \x01(\tR\x06symbol\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12\x12\n\x04type\x18\x03 \x01(\tR\x04type\"\xc3\x03\n\tSpotTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x06 \x01(\tR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"\xdc\x03\n\x0f\x44\x65rivativeTrade\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x15\n\x06is_buy\x18\x02 \x01(\x08R\x05isBuy\x12$\n\rexecutionType\x18\x03 \x01(\tR\rexecutionType\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x05 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x08 \x01(\tR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\t \x01(\tB\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\n \x01(\tR\x03\x63id\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\"T\n\x0cTradesFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"W\n\x0fPositionsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"T\n\x0cOrdersFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\x12\x1d\n\nmarket_ids\x18\x02 \x03(\tR\tmarketIds\"0\n\x0fOrderbookFilter\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"0\n\x12\x42\x61nkBalancesFilter\x12\x1a\n\x08\x61\x63\x63ounts\x18\x01 \x03(\tR\x08\x61\x63\x63ounts\"A\n\x18SubaccountDepositsFilter\x12%\n\x0esubaccount_ids\x18\x01 \x03(\tR\rsubaccountIds\"+\n\x11OraclePriceFilter\x12\x16\n\x06symbol\x18\x01 \x03(\tR\x06symbol*L\n\x11OrderUpdateStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x42ooked\x10\x01\x12\x0b\n\x07Matched\x10\x02\x12\r\n\tCancelled\x10\x03\x32g\n\x06Stream\x12]\n\x06Stream\x12\'.injective.stream.v1beta1.StreamRequest\x1a(.injective.stream.v1beta1.StreamResponse0\x01\x42\xf2\x01\n\x1c\x63om.injective.stream.v1beta1B\nQueryProtoP\x01ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\xa2\x02\x03ISX\xaa\x02\x18Injective.Stream.V1beta1\xca\x02\x18Injective\\Stream\\V1beta1\xe2\x02$Injective\\Stream\\V1beta1\\GPBMetadata\xea\x02\x1aInjective::Stream::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.stream.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\034com.injective.stream.v1beta1B\nQueryProtoP\001ZDgithub.com/InjectiveLabs/injective-core/injective-chain/stream/types\242\002\003ISX\252\002\030Injective.Stream.V1beta1\312\002\030Injective\\Stream\\V1beta1\342\002$Injective\\Stream\\V1beta1\\GPBMetadata\352\002\032Injective::Stream::V1beta1' _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._loaded_options = None _globals['_STREAMREQUEST'].fields_by_name['bank_balances_filter']._serialized_options = b'\310\336\037\001' _globals['_STREAMREQUEST'].fields_by_name['subaccount_deposits_filter']._loaded_options = None @@ -80,52 +90,52 @@ _globals['_DERIVATIVETRADE'].fields_by_name['fee']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._loaded_options = None _globals['_DERIVATIVETRADE'].fields_by_name['fee_recipient_address']._serialized_options = b'\310\336\037\001' - _globals['_ORDERUPDATESTATUS']._serialized_start=4361 - _globals['_ORDERUPDATESTATUS']._serialized_end=4437 + _globals['_ORDERUPDATESTATUS']._serialized_start=5450 + _globals['_ORDERUPDATESTATUS']._serialized_end=5526 _globals['_STREAMREQUEST']._serialized_start=205 - _globals['_STREAMREQUEST']._serialized_end=1027 - _globals['_STREAMRESPONSE']._serialized_start=1030 - _globals['_STREAMRESPONSE']._serialized_end=1766 - _globals['_ORDERBOOKUPDATE']._serialized_start=1768 - _globals['_ORDERBOOKUPDATE']._serialized_end=1854 - _globals['_ORDERBOOK']._serialized_start=1857 - _globals['_ORDERBOOK']._serialized_end=1998 - _globals['_BANKBALANCE']._serialized_start=2000 - _globals['_BANKBALANCE']._serialized_end=2125 - _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2127 - _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2239 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2241 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2335 - _globals['_SPOTORDERUPDATE']._serialized_start=2338 - _globals['_SPOTORDERUPDATE']._serialized_end=2501 - _globals['_SPOTORDER']._serialized_start=2503 - _globals['_SPOTORDER']._serialized_end=2598 - _globals['_DERIVATIVEORDERUPDATE']._serialized_start=2601 - _globals['_DERIVATIVEORDERUPDATE']._serialized_end=2776 - _globals['_DERIVATIVEORDER']._serialized_start=2778 - _globals['_DERIVATIVEORDER']._serialized_end=2904 - _globals['_POSITION']._serialized_start=2907 - _globals['_POSITION']._serialized_end=3212 - _globals['_ORACLEPRICE']._serialized_start=3214 - _globals['_ORACLEPRICE']._serialized_end=3309 - _globals['_SPOTTRADE']._serialized_start=3312 - _globals['_SPOTTRADE']._serialized_end=3649 - _globals['_DERIVATIVETRADE']._serialized_start=3652 - _globals['_DERIVATIVETRADE']._serialized_end=4008 - _globals['_TRADESFILTER']._serialized_start=4010 - _globals['_TRADESFILTER']._serialized_end=4068 - _globals['_POSITIONSFILTER']._serialized_start=4070 - _globals['_POSITIONSFILTER']._serialized_end=4131 - _globals['_ORDERSFILTER']._serialized_start=4133 - _globals['_ORDERSFILTER']._serialized_end=4191 - _globals['_ORDERBOOKFILTER']._serialized_start=4193 - _globals['_ORDERBOOKFILTER']._serialized_end=4230 - _globals['_BANKBALANCESFILTER']._serialized_start=4232 - _globals['_BANKBALANCESFILTER']._serialized_end=4270 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=4272 - _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=4322 - _globals['_ORACLEPRICEFILTER']._serialized_start=4324 - _globals['_ORACLEPRICEFILTER']._serialized_end=4359 - _globals['_STREAM']._serialized_start=4439 - _globals['_STREAM']._serialized_end=4542 + _globals['_STREAMREQUEST']._serialized_end=1243 + _globals['_STREAMRESPONSE']._serialized_start=1246 + _globals['_STREAMRESPONSE']._serialized_end=2175 + _globals['_ORDERBOOKUPDATE']._serialized_start=2177 + _globals['_ORDERBOOKUPDATE']._serialized_end=2279 + _globals['_ORDERBOOK']._serialized_start=2282 + _globals['_ORDERBOOK']._serialized_end=2456 + _globals['_BANKBALANCE']._serialized_start=2459 + _globals['_BANKBALANCE']._serialized_end=2603 + _globals['_SUBACCOUNTDEPOSITS']._serialized_start=2606 + _globals['_SUBACCOUNTDEPOSITS']._serialized_end=2742 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=2744 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=2854 + _globals['_SPOTORDERUPDATE']._serialized_start=2857 + _globals['_SPOTORDERUPDATE']._serialized_end=3051 + _globals['_SPOTORDER']._serialized_start=3053 + _globals['_SPOTORDER']._serialized_end=3165 + _globals['_DERIVATIVEORDERUPDATE']._serialized_start=3168 + _globals['_DERIVATIVEORDERUPDATE']._serialized_end=3374 + _globals['_DERIVATIVEORDER']._serialized_start=3377 + _globals['_DERIVATIVEORDER']._serialized_end=3530 + _globals['_POSITION']._serialized_start=3533 + _globals['_POSITION']._serialized_end=3924 + _globals['_ORACLEPRICE']._serialized_start=3926 + _globals['_ORACLEPRICE']._serialized_end=4042 + _globals['_SPOTTRADE']._serialized_start=4045 + _globals['_SPOTTRADE']._serialized_end=4496 + _globals['_DERIVATIVETRADE']._serialized_start=4499 + _globals['_DERIVATIVETRADE']._serialized_end=4975 + _globals['_TRADESFILTER']._serialized_start=4977 + _globals['_TRADESFILTER']._serialized_end=5061 + _globals['_POSITIONSFILTER']._serialized_start=5063 + _globals['_POSITIONSFILTER']._serialized_end=5150 + _globals['_ORDERSFILTER']._serialized_start=5152 + _globals['_ORDERSFILTER']._serialized_end=5236 + _globals['_ORDERBOOKFILTER']._serialized_start=5238 + _globals['_ORDERBOOKFILTER']._serialized_end=5286 + _globals['_BANKBALANCESFILTER']._serialized_start=5288 + _globals['_BANKBALANCESFILTER']._serialized_end=5336 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_start=5338 + _globals['_SUBACCOUNTDEPOSITSFILTER']._serialized_end=5403 + _globals['_ORACLEPRICEFILTER']._serialized_start=5405 + _globals['_ORACLEPRICEFILTER']._serialized_end=5448 + _globals['_STREAM']._serialized_start=5528 + _globals['_STREAM']._serialized_end=5631 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py index 326807e6..eb45fc76 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/authorityMetadata.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/authorityMetadata.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"?\n\x16\x44\x65nomAuthorityMetadata\x12\x1f\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n6injective/tokenfactory/v1beta1/authorityMetadata.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\"F\n\x16\x44\x65nomAuthorityMetadata\x12&\n\x05\x61\x64min\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"admin\"R\x05\x61\x64min:\x04\xe8\xa0\x1f\x01\x42\xaa\x02\n\"com.injective.tokenfactory.v1beta1B\x16\x41uthorityMetadataProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.authorityMetadata_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\026AuthorityMetadataProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA'].fields_by_name['admin']._serialized_options = b'\362\336\037\014yaml:\"admin\"' _globals['_DENOMAUTHORITYMETADATA']._loaded_options = None _globals['_DENOMAUTHORITYMETADATA']._serialized_options = b'\350\240\037\001' _globals['_DENOMAUTHORITYMETADATA']._serialized_start=144 - _globals['_DENOMAUTHORITYMETADATA']._serialized_end=207 + _globals['_DENOMAUTHORITYMETADATA']._serialized_end=214 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py index a0c1804c..642c29fd 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"4\n\x12\x45ventCreateTFDenom\x12\x0f\n\x07\x61\x63\x63ount\x18\x01 \x01(\t\x12\r\n\x05\x64\x65nom\x18\x02 \x01(\t\"^\n\x10\x45ventMintTFDenom\x12\x19\n\x11recipient_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\"Y\n\x0e\x45ventBurnDenom\x12\x16\n\x0e\x62urner_address\x18\x01 \x01(\t\x12/\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00\">\n\x12\x45ventChangeTFAdmin\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x19\n\x11new_admin_address\x18\x02 \x01(\t\"_\n\x17\x45ventSetTFDenomMetadata\x12\r\n\x05\x64\x65nom\x18\x01 \x01(\t\x12\x35\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/events.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\"D\n\x12\x45ventCreateTFDenom\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x14\n\x05\x64\x65nom\x18\x02 \x01(\tR\x05\x64\x65nom\"x\n\x10\x45ventMintTFDenom\x12+\n\x11recipient_address\x18\x01 \x01(\tR\x10recipientAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"p\n\x0e\x45ventBurnDenom\x12%\n\x0e\x62urner_address\x18\x01 \x01(\tR\rburnerAddress\x12\x37\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x06\x61mount\"V\n\x12\x45ventChangeTFAdmin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12*\n\x11new_admin_address\x18\x02 \x01(\tR\x0fnewAdminAddress\"p\n\x17\x45ventSetTFDenomMetadata\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12?\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x04\xc8\xde\x1f\x00R\x08metadataB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0b\x45ventsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013EventsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._loaded_options = None _globals['_EVENTMINTTFDENOM'].fields_by_name['amount']._serialized_options = b'\310\336\037\000' _globals['_EVENTBURNDENOM'].fields_by_name['amount']._loaded_options = None @@ -33,13 +43,13 @@ _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._loaded_options = None _globals['_EVENTSETTFDENOMMETADATA'].fields_by_name['metadata']._serialized_options = b'\310\336\037\000' _globals['_EVENTCREATETFDENOM']._serialized_start=221 - _globals['_EVENTCREATETFDENOM']._serialized_end=273 - _globals['_EVENTMINTTFDENOM']._serialized_start=275 - _globals['_EVENTMINTTFDENOM']._serialized_end=369 - _globals['_EVENTBURNDENOM']._serialized_start=371 - _globals['_EVENTBURNDENOM']._serialized_end=460 - _globals['_EVENTCHANGETFADMIN']._serialized_start=462 - _globals['_EVENTCHANGETFADMIN']._serialized_end=524 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=526 - _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=621 + _globals['_EVENTCREATETFDENOM']._serialized_end=289 + _globals['_EVENTMINTTFDENOM']._serialized_start=291 + _globals['_EVENTMINTTFDENOM']._serialized_end=411 + _globals['_EVENTBURNDENOM']._serialized_start=413 + _globals['_EVENTBURNDENOM']._serialized_end=525 + _globals['_EVENTCHANGETFADMIN']._serialized_start=527 + _globals['_EVENTCHANGETFADMIN']._serialized_end=613 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_start=615 + _globals['_EVENTSETTFDENOMMETADATA']._serialized_end=727 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index 200b366f..c00bc488 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xb1\x01\n\x0cGenesisState\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\x12\x63\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"\"\xee\x01\n\x0cGenesisDenom\x12\x1f\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12u\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":\x04\xe8\xa0\x1f\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xc8\x01\n\x0cGenesisState\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"R\rfactoryDenoms\"\x97\x02\n\x0cGenesisDenom\x12&\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x88\x01\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:\x04\xe8\xa0\x1f\x01\x42\xa0\x02\n\"com.injective.tokenfactory.v1beta1B\x0cGenesisProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\014GenesisProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['factory_denoms']._loaded_options = None @@ -40,7 +50,7 @@ _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 - _globals['_GENESISSTATE']._serialized_end=381 - _globals['_GENESISDENOM']._serialized_start=384 - _globals['_GENESISDENOM']._serialized_end=622 + _globals['_GENESISSTATE']._serialized_end=404 + _globals['_GENESISDENOM']._serialized_start=407 + _globals['_GENESISDENOM']._serialized_end=686 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py index 5ea0a41f..b079c63d 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2.py @@ -1,36 +1,46 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xb3\x01\n\x06Params\x12\x84\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.Coins:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n+injective/tokenfactory/v1beta1/params.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x11\x61mino/amino.proto\"\xc5\x01\n\x06Params\x12\x96\x01\n\x12\x64\x65nom_creation_fee\x18\x01 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinBM\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"denom_creation_fee\"\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x10\x64\x65nomCreationFee:\"\x8a\xe7\xb0*\x1dinjective/tokenfactory/ParamsB\x9f\x02\n\"com.injective.tokenfactory.v1beta1B\x0bParamsProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\013ParamsProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_PARAMS'].fields_by_name['denom_creation_fee']._loaded_options = None _globals['_PARAMS'].fields_by_name['denom_creation_fee']._serialized_options = b'\310\336\037\000\362\336\037\031yaml:\"denom_creation_fee\"\252\337\037(github.com/cosmos/cosmos-sdk/types.Coins' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\212\347\260*\035injective/tokenfactory/Params' _globals['_PARAMS']._serialized_start=236 - _globals['_PARAMS']._serialized_end=415 + _globals['_PARAMS']._serialized_end=433 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py index 9bd34601..02a7f455 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/query_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 -from injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.cosmos.base.query.v1beta1 import pagination_pb2 as cosmos_dot_base_dot_query_dot_v1beta1_dot_pagination__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import authorityMetadata_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_authorityMetadata__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import genesis_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_genesis__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"S\n\x13QueryParamsResponse\x12<\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00\"p\n\"QueryDenomAuthorityMetadataRequest\x12!\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"\"\x9c\x01\n#QueryDenomAuthorityMetadataResponse\x12u\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"\"D\n\x1dQueryDenomsFromCreatorRequest\x12#\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"\"C\n\x1eQueryDenomsFromCreatorResponse\x12!\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"\"\x19\n\x17QueryModuleStateRequest\"W\n\x18QueryModuleStateResponse\x12;\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisState2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateBTZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*injective/tokenfactory/v1beta1/query.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1cgoogle/api/annotations.proto\x1a*cosmos/base/query/v1beta1/pagination.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a,injective/tokenfactory/v1beta1/genesis.proto\"\x14\n\x12QueryParamsRequest\"[\n\x13QueryParamsResponse\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x83\x01\n\"QueryDenomAuthorityMetadataRequest\x12*\n\x07\x63reator\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x07\x63reator\x12\x31\n\tsub_denom\x18\x02 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"sub_denom\"R\x08subDenom\"\xb0\x01\n#QueryDenomAuthorityMetadataResponse\x12\x88\x01\n\x12\x61uthority_metadata\x18\x01 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\"M\n\x1dQueryDenomsFromCreatorRequest\x12,\n\x07\x63reator\x18\x01 \x01(\tB\x12\xf2\xde\x1f\x0eyaml:\"creator\"R\x07\x63reator\"K\n\x1eQueryDenomsFromCreatorResponse\x12)\n\x06\x64\x65noms\x18\x01 \x03(\tB\x11\xf2\xde\x1f\ryaml:\"denoms\"R\x06\x64\x65noms\"\x19\n\x17QueryModuleStateRequest\"^\n\x18QueryModuleStateResponse\x12\x42\n\x05state\x18\x01 \x01(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisStateR\x05state2\xc9\x06\n\x05Query\x12\xa1\x01\n\x06Params\x12\x32.injective.tokenfactory.v1beta1.QueryParamsRequest\x1a\x33.injective.tokenfactory.v1beta1.QueryParamsResponse\".\x82\xd3\xe4\x93\x02(\x12&/injective/tokenfactory/v1beta1/params\x12\xfa\x01\n\x16\x44\x65nomAuthorityMetadata\x12\x42.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataRequest\x1a\x43.injective.tokenfactory.v1beta1.QueryDenomAuthorityMetadataResponse\"W\x82\xd3\xe4\x93\x02Q\x12O/injective/tokenfactory/v1beta1/denoms/{creator}/{sub_denom}/authority_metadata\x12\xd9\x01\n\x11\x44\x65nomsFromCreator\x12=.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorRequest\x1a>.injective.tokenfactory.v1beta1.QueryDenomsFromCreatorResponse\"E\x82\xd3\xe4\x93\x02?\x12=/injective/tokenfactory/v1beta1/denoms_from_creator/{creator}\x12\xc2\x01\n\x17TokenfactoryModuleState\x12\x37.injective.tokenfactory.v1beta1.QueryModuleStateRequest\x1a\x38.injective.tokenfactory.v1beta1.QueryModuleStateResponse\"4\x82\xd3\xe4\x93\x02.\x12,/injective/tokenfactory/v1beta1/module_stateB\x9e\x02\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\nQueryProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST'].fields_by_name['creator']._loaded_options = None @@ -51,19 +61,19 @@ _globals['_QUERYPARAMSREQUEST']._serialized_start=321 _globals['_QUERYPARAMSREQUEST']._serialized_end=341 _globals['_QUERYPARAMSRESPONSE']._serialized_start=343 - _globals['_QUERYPARAMSRESPONSE']._serialized_end=426 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=428 - _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=540 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=543 - _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=699 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=701 - _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=769 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=771 - _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=838 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=840 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=865 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=867 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=954 - _globals['_QUERY']._serialized_start=957 - _globals['_QUERY']._serialized_end=1798 + _globals['_QUERYPARAMSRESPONSE']._serialized_end=434 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_start=437 + _globals['_QUERYDENOMAUTHORITYMETADATAREQUEST']._serialized_end=568 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_start=571 + _globals['_QUERYDENOMAUTHORITYMETADATARESPONSE']._serialized_end=747 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_start=749 + _globals['_QUERYDENOMSFROMCREATORREQUEST']._serialized_end=826 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_start=828 + _globals['_QUERYDENOMSFROMCREATORRESPONSE']._serialized_end=903 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=905 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=930 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=932 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=1026 + _globals['_QUERY']._serialized_start=1029 + _globals['_QUERY']._serialized_end=1870 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index 16f2049c..f665f5b3 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/tokenfactory/v1beta1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/tokenfactory/v1beta1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 -from cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as cosmos_dot_base_dot_v1beta1_dot_coin__pb2 +from pyinjective.proto.cosmos.bank.v1beta1 import bank_pb2 as cosmos_dot_bank_dot_v1beta1_dot_bank__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xd1\x01\n\x0eMsgCreateDenom\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12%\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"\x12\x1d\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"\x12!\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"M\n\x16MsgCreateDenomResponse\x12\x33\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"\"\x9b\x01\n\x07MsgMint\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\x9b\x01\n\x07MsgBurn\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12@\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\":+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xb2\x01\n\x0eMsgChangeAdmin\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12\x1f\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"\x12\'\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\":3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xbd\x01\n\x13MsgSetDenomMetadata\x12!\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"\x12H\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\":9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xb5\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12<\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42TZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xf1\x01\n\x0eMsgCreateDenom\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12/\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"R\x08subdenom\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"\\\n\x16MsgCreateDenomResponse\x12\x42\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"R\rnewTokenDenom\"\xab\x01\n\x07MsgMint\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\xab\x01\n\x07MsgBurn\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xcb\x01\n\x0eMsgChangeAdmin\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12&\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x31\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\"R\x08newAdmin:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xcf\x01\n\x13MsgSetDenomMetadata\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12R\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\"R\x08metadata:9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xc8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x44\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9b\x02\n\"com.injective.tokenfactory.v1beta1B\x07TxProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.tokenfactory.v1beta1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\"com.injective.tokenfactory.v1beta1B\007TxProtoP\001ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\242\002\003ITX\252\002\036Injective.Tokenfactory.V1beta1\312\002\036Injective\\Tokenfactory\\V1beta1\342\002*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\352\002 Injective::Tokenfactory::V1beta1' _globals['_MSGCREATEDENOM'].fields_by_name['sender']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['sender']._serialized_options = b'\362\336\037\ryaml:\"sender\"' _globals['_MSGCREATEDENOM'].fields_by_name['subdenom']._loaded_options = None @@ -76,29 +86,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEDENOM']._serialized_start=278 - _globals['_MSGCREATEDENOM']._serialized_end=487 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=489 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=566 - _globals['_MSGMINT']._serialized_start=569 - _globals['_MSGMINT']._serialized_end=724 - _globals['_MSGMINTRESPONSE']._serialized_start=726 - _globals['_MSGMINTRESPONSE']._serialized_end=743 - _globals['_MSGBURN']._serialized_start=746 - _globals['_MSGBURN']._serialized_end=901 - _globals['_MSGBURNRESPONSE']._serialized_start=903 - _globals['_MSGBURNRESPONSE']._serialized_end=920 - _globals['_MSGCHANGEADMIN']._serialized_start=923 - _globals['_MSGCHANGEADMIN']._serialized_end=1101 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1103 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1127 - _globals['_MSGSETDENOMMETADATA']._serialized_start=1130 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1319 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1321 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1350 - _globals['_MSGUPDATEPARAMS']._serialized_start=1353 - _globals['_MSGUPDATEPARAMS']._serialized_end=1534 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1536 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1561 - _globals['_MSG']._serialized_start=1564 - _globals['_MSG']._serialized_end=2267 + _globals['_MSGCREATEDENOM']._serialized_end=519 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=521 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=613 + _globals['_MSGMINT']._serialized_start=616 + _globals['_MSGMINT']._serialized_end=787 + _globals['_MSGMINTRESPONSE']._serialized_start=789 + _globals['_MSGMINTRESPONSE']._serialized_end=806 + _globals['_MSGBURN']._serialized_start=809 + _globals['_MSGBURN']._serialized_end=980 + _globals['_MSGBURNRESPONSE']._serialized_start=982 + _globals['_MSGBURNRESPONSE']._serialized_end=999 + _globals['_MSGCHANGEADMIN']._serialized_start=1002 + _globals['_MSGCHANGEADMIN']._serialized_end=1205 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1207 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1231 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1234 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1441 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1443 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1472 + _globals['_MSGUPDATEPARAMS']._serialized_start=1475 + _globals['_MSGUPDATEPARAMS']._serialized_end=1675 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1677 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1702 + _globals['_MSG']._serialized_start=1705 + _globals['_MSG']._serialized_end=2408 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2.py b/pyinjective/proto/injective/types/v1beta1/account_pb2.py index cf7207e9..08ae5c9f 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/account.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/account.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmos.auth.v1beta1 import auth_pb2 as cosmos_dot_auth_dot_v1beta1_dot_auth__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xb8\x01\n\nEthAccount\x12S\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"\x12\'\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\":,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%injective/types/v1beta1/account.proto\x12\x17injective.types.v1beta1\x1a\x1e\x63osmos/auth/v1beta1/auth.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x14gogoproto/gogo.proto\"\xcf\x01\n\nEthAccount\x12`\n\x0c\x62\x61se_account\x18\x01 \x01(\x0b\x32 .cosmos.auth.v1beta1.BaseAccountB\x1b\xd0\xde\x1f\x01\xf2\xde\x1f\x13yaml:\"base_account\"R\x0b\x62\x61seAccount\x12\x31\n\tcode_hash\x18\x02 \x01(\x0c\x42\x14\xf2\xde\x1f\x10yaml:\"code_hash\"R\x08\x63odeHash:,\x88\xa0\x1f\x00\x98\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1c\x63osmos.auth.v1beta1.AccountIB\xe8\x01\n\x1b\x63om.injective.types.v1beta1B\x0c\x41\x63\x63ountProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.account_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\014AccountProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_ETHACCOUNT'].fields_by_name['base_account']._loaded_options = None _globals['_ETHACCOUNT'].fields_by_name['base_account']._serialized_options = b'\320\336\037\001\362\336\037\023yaml:\"base_account\"' _globals['_ETHACCOUNT'].fields_by_name['code_hash']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_ETHACCOUNT']._loaded_options = None _globals['_ETHACCOUNT']._serialized_options = b'\210\240\037\000\230\240\037\000\350\240\037\000\312\264-\034cosmos.auth.v1beta1.AccountI' _globals['_ETHACCOUNT']._serialized_start=148 - _globals['_ETHACCOUNT']._serialized_end=332 + _globals['_ETHACCOUNT']._serialized_end=355 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py index 50716853..36255325 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_ext.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/tx_ext.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"_\n\x16\x45xtensionOptionsWeb3Tx\x12\x18\n\x10typedDataChainID\x18\x01 \x01(\x04\x12\x10\n\x08\x66\x65\x65Payer\x18\x02 \x01(\t\x12\x13\n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0c:\x04\x88\xa0\x1f\x00\x42?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n$injective/types/v1beta1/tx_ext.proto\x12\x17injective.types.v1beta1\x1a\x14gogoproto/gogo.proto\"\x88\x01\n\x16\x45xtensionOptionsWeb3Tx\x12*\n\x10typedDataChainID\x18\x01 \x01(\x04R\x10typedDataChainID\x12\x1a\n\x08\x66\x65\x65Payer\x18\x02 \x01(\tR\x08\x66\x65\x65Payer\x12 \n\x0b\x66\x65\x65PayerSig\x18\x03 \x01(\x0cR\x0b\x66\x65\x65PayerSig:\x04\x88\xa0\x1f\x00\x42\xe6\x01\n\x1b\x63om.injective.types.v1beta1B\nTxExtProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_ext_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\nTxExtProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_EXTENSIONOPTIONSWEB3TX']._loaded_options = None _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_options = b'\210\240\037\000' - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=87 - _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=182 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_start=88 + _globals['_EXTENSIONOPTIONSWEB3TX']._serialized_end=224 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py index c44de23c..46071090 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/types/v1beta1/tx_response.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/types/v1beta1/tx_response.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,16 +24,16 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"8\n\x18TxResponseGenericMessage\x12\x0e\n\x06header\x18\x01 \x01(\t\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\"U\n\x0eTxResponseData\x12\x43\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageB?Z=github.com/InjectiveLabs/injective-core/injective-chain/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/types/v1beta1/tx_response.proto\x12\x17injective.types.v1beta1\"F\n\x18TxResponseGenericMessage\x12\x16\n\x06header\x18\x01 \x01(\tR\x06header\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\"_\n\x0eTxResponseData\x12M\n\x08messages\x18\x01 \x03(\x0b\x32\x31.injective.types.v1beta1.TxResponseGenericMessageR\x08messagesB\xeb\x01\n\x1b\x63om.injective.types.v1beta1B\x0fTxResponseProtoP\x01Z=github.com/InjectiveLabs/injective-core/injective-chain/types\xa2\x02\x03ITX\xaa\x02\x17Injective.Types.V1beta1\xca\x02\x17Injective\\Types\\V1beta1\xe2\x02#Injective\\Types\\V1beta1\\GPBMetadata\xea\x02\x19Injective::Types::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.types.v1beta1.tx_response_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z=github.com/InjectiveLabs/injective-core/injective-chain/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\033com.injective.types.v1beta1B\017TxResponseProtoP\001Z=github.com/InjectiveLabs/injective-core/injective-chain/types\242\002\003ITX\252\002\027Injective.Types.V1beta1\312\002\027Injective\\Types\\V1beta1\342\002#Injective\\Types\\V1beta1\\GPBMetadata\352\002\031Injective::Types::V1beta1' _globals['_TXRESPONSEGENERICMESSAGE']._serialized_start=70 - _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=126 - _globals['_TXRESPONSEDATA']._serialized_start=128 - _globals['_TXRESPONSEDATA']._serialized_end=213 + _globals['_TXRESPONSEGENERICMESSAGE']._serialized_end=140 + _globals['_TXRESPONSEDATA']._serialized_start=142 + _globals['_TXRESPONSEDATA']._serialized_end=237 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2.py b/pyinjective/proto/injective/wasmx/v1/events_pb2.py index e2947aad..ba79d5ae 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/events.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/events.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"r\n\x16\x45ventContractExecution\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x10\n\x08response\x18\x02 \x01(\x0c\x12\x13\n\x0bother_error\x18\x03 \x01(\t\x12\x17\n\x0f\x65xecution_error\x18\x04 \x01(\t\"\xf9\x01\n\x17\x45ventContractRegistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode\"5\n\x19\x45ventContractDeregistered\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\tBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1finjective/wasmx/v1/events.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x14gogoproto/gogo.proto\"\xa9\x01\n\x16\x45ventContractExecution\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1a\n\x08response\x18\x02 \x01(\x0cR\x08response\x12\x1f\n\x0bother_error\x18\x03 \x01(\tR\notherError\x12\'\n\x0f\x65xecution_error\x18\x04 \x01(\tR\x0e\x65xecutionError\"\xee\x02\n\x17\x45ventContractRegistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode\"F\n\x19\x45ventContractDeregistered\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddressB\xdc\x01\n\x16\x63om.injective.wasmx.v1B\x0b\x45ventsProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.events_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' - _globals['_EVENTCONTRACTEXECUTION']._serialized_start=144 - _globals['_EVENTCONTRACTEXECUTION']._serialized_end=258 - _globals['_EVENTCONTRACTREGISTERED']._serialized_start=261 - _globals['_EVENTCONTRACTREGISTERED']._serialized_end=510 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=512 - _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=565 + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\013EventsProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' + _globals['_EVENTCONTRACTEXECUTION']._serialized_start=145 + _globals['_EVENTCONTRACTEXECUTION']._serialized_end=314 + _globals['_EVENTCONTRACTREGISTERED']._serialized_start=317 + _globals['_EVENTCONTRACTREGISTERED']._serialized_end=683 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_start=685 + _globals['_EVENTCONTRACTDEREGISTERED']._serialized_end=755 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py index e5f75f8c..66f3944c 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2.py @@ -1,35 +1,45 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/genesis.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/genesis.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"u\n\x1dRegisteredContractWithAddress\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\t\x12\x43\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract\"\x97\x01\n\x0cGenesisState\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\x12U\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n injective/wasmx/v1/genesis.proto\x12\x12injective.wasmx.v1\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a\x14gogoproto/gogo.proto\"\x92\x01\n\x1dRegisteredContractWithAddress\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12W\n\x13registered_contract\x18\x02 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x12registeredContract\"\xb4\x01\n\x0cGenesisState\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12j\n\x14registered_contracts\x18\x02 \x03(\x0b\x32\x31.injective.wasmx.v1.RegisteredContractWithAddressB\x04\xc8\xde\x1f\x00R\x13registeredContractsB\xdd\x01\n\x16\x63om.injective.wasmx.v1B\x0cGenesisProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.genesis_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\014GenesisProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_GENESISSTATE'].fields_by_name['params']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._loaded_options = None _globals['_GENESISSTATE'].fields_by_name['registered_contracts']._serialized_options = b'\310\336\037\000' - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=110 - _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=227 - _globals['_GENESISSTATE']._serialized_start=230 - _globals['_GENESISSTATE']._serialized_end=381 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_start=111 + _globals['_REGISTEREDCONTRACTWITHADDRESS']._serialized_end=257 + _globals['_GENESISSTATE']._serialized_start=260 + _globals['_GENESISSTATE']._serialized_end=440 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py index bf271807..9af04889 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/proposal.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/proposal.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import proposal_legacy_pb2 as cosmwasm_dot_wasm_dot_v1_dot_proposal__legacy__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xfd\x01\n#ContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\x88\x02\n(BatchContractRegistrationRequestProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12]\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xb2\x01\n#BatchContractDeregistrationProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12\x11\n\tcontracts\x18\x03 \x03(\t:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xb0\x02\n\x1b\x43ontractRegistrationRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\x12\x11\n\tgas_limit\x18\x02 \x01(\x04\x12\x11\n\tgas_price\x18\x03 \x01(\x04\x12\x1b\n\x13should_pin_contract\x18\x04 \x01(\x08\x12\x1c\n\x14is_migration_allowed\x18\x05 \x01(\x08\x12\x0f\n\x07\x63ode_id\x18\x06 \x01(\x04\x12\x15\n\radmin_address\x18\x07 \x01(\t\x12\x17\n\x0fgranter_address\x18\x08 \x01(\t\x12\x35\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xc3\x01\n\x16\x42\x61tchStoreCodeProposal\x12\r\n\x05title\x18\x01 \x01(\t\x12\x13\n\x0b\x64\x65scription\x18\x02 \x01(\t\x12<\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n!injective/wasmx/v1/proposal.proto\x12\x12injective.wasmx.v1\x1a\x19\x63osmos_proto/cosmos.proto\x1a&cosmwasm/wasm/v1/proposal_legacy.proto\x1a\x14gogoproto/gogo.proto\x1a\x11\x61mino/amino.proto\"\xae\x02\n#ContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12y\n\x1d\x63ontract_registration_request\x18\x03 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/ContractRegistrationRequestProposal\"\xba\x02\n(BatchContractRegistrationRequestProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12{\n\x1e\x63ontract_registration_requests\x18\x03 \x03(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1c\x63ontractRegistrationRequests:Y\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*.wasmx/BatchContractRegistrationRequestProposal\"\xd1\x01\n#BatchContractDeregistrationProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12\x1c\n\tcontracts\x18\x03 \x03(\tR\tcontracts:T\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*)wasmx/BatchContractDeregistrationProposal\"\xaf\x03\n\x1b\x43ontractRegistrationRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x02 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x03 \x01(\x04R\x08gasPrice\x12.\n\x13should_pin_contract\x18\x04 \x01(\x08R\x11shouldPinContract\x12\x30\n\x14is_migration_allowed\x18\x05 \x01(\x08R\x12isMigrationAllowed\x12\x17\n\x07\x63ode_id\x18\x06 \x01(\x04R\x06\x63odeId\x12#\n\radmin_address\x18\x07 \x01(\tR\x0c\x61\x64minAddress\x12\'\n\x0fgranter_address\x18\x08 \x01(\tR\x0egranterAddress\x12\x42\n\x0c\x66unding_mode\x18\t \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x0b\x66undingMode:\x1e\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\"\xe2\x01\n\x16\x42\x61tchStoreCodeProposal\x12\x14\n\x05title\x18\x01 \x01(\tR\x05title\x12 \n\x0b\x64\x65scription\x18\x02 \x01(\tR\x0b\x64\x65scription\x12G\n\tproposals\x18\x03 \x03(\x0b\x32#.cosmwasm.wasm.v1.StoreCodeProposalB\x04\xc8\xde\x1f\x00R\tproposals:G\x88\xa0\x1f\x00\xe8\xa0\x1f\x00\xca\xb4-\x1a\x63osmos.gov.v1beta1.Content\x8a\xe7\xb0*\x1cwasmx/BatchStoreCodeProposal*G\n\x0b\x46undingMode\x12\x0f\n\x0bUnspecified\x10\x00\x12\x0e\n\nSelfFunded\x10\x01\x12\r\n\tGrantOnly\x10\x02\x12\x08\n\x04\x44ual\x10\x03\x42\xde\x01\n\x16\x63om.injective.wasmx.v1B\rProposalProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.proposal_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\rProposalProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._loaded_options = None _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL'].fields_by_name['contract_registration_request']._serialized_options = b'\310\336\037\000' _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._loaded_options = None @@ -42,16 +52,16 @@ _globals['_BATCHSTORECODEPROPOSAL'].fields_by_name['proposals']._serialized_options = b'\310\336\037\000' _globals['_BATCHSTORECODEPROPOSAL']._loaded_options = None _globals['_BATCHSTORECODEPROPOSAL']._serialized_options = b'\210\240\037\000\350\240\037\000\312\264-\032cosmos.gov.v1beta1.Content\212\347\260*\034wasmx/BatchStoreCodeProposal' - _globals['_FUNDINGMODE']._serialized_start=1374 - _globals['_FUNDINGMODE']._serialized_end=1445 + _globals['_FUNDINGMODE']._serialized_start=1662 + _globals['_FUNDINGMODE']._serialized_end=1733 _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=166 - _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=419 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=422 - _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=686 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=689 - _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=867 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=870 - _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1174 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1177 - _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1372 + _globals['_CONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=468 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_start=471 + _globals['_BATCHCONTRACTREGISTRATIONREQUESTPROPOSAL']._serialized_end=785 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_start=788 + _globals['_BATCHCONTRACTDEREGISTRATIONPROPOSAL']._serialized_end=997 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_start=1000 + _globals['_CONTRACTREGISTRATIONREQUEST']._serialized_end=1431 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_start=1434 + _globals['_BATCHSTORECODEPROPOSAL']._serialized_end=1660 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/query_pb2.py b/pyinjective/proto/injective/wasmx/v1/query_pb2.py index 0016b539..9573ac36 100644 --- a/pyinjective/proto/injective/wasmx/v1/query_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/query_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/query.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/query.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import genesis_pb2 as injective_dot_wasmx_dot_v1_dot_genesis__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"L\n\x18QueryWasmxParamsResponse\x12\x30\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00\"\x19\n\x17QueryModuleStateRequest\"K\n\x18QueryModuleStateResponse\x12/\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisState\"@\n$QueryContractRegistrationInfoRequest\x12\x18\n\x10\x63ontract_address\x18\x01 \x01(\t\"a\n%QueryContractRegistrationInfoResponse\x12\x38\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateBMZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/query.proto\x12\x12injective.wasmx.v1\x1a\x1cgoogle/api/annotations.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a injective/wasmx/v1/genesis.proto\x1a\x14gogoproto/gogo.proto\"\x19\n\x17QueryWasmxParamsRequest\"T\n\x18QueryWasmxParamsResponse\x12\x38\n\x06params\x18\x01 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\"\x19\n\x17QueryModuleStateRequest\"R\n\x18QueryModuleStateResponse\x12\x36\n\x05state\x18\x01 \x01(\x0b\x32 .injective.wasmx.v1.GenesisStateR\x05state\"Q\n$QueryContractRegistrationInfoRequest\x12)\n\x10\x63ontract_address\x18\x01 \x01(\tR\x0f\x63ontractAddress\"k\n%QueryContractRegistrationInfoResponse\x12\x42\n\x08\x63ontract\x18\x01 \x01(\x0b\x32&.injective.wasmx.v1.RegisteredContractR\x08\x63ontract2\x84\x04\n\x05Query\x12\x8c\x01\n\x0bWasmxParams\x12+.injective.wasmx.v1.QueryWasmxParamsRequest\x1a,.injective.wasmx.v1.QueryWasmxParamsResponse\"\"\x82\xd3\xe4\x93\x02\x1c\x12\x1a/injective/wasmx/v1/params\x12\xd1\x01\n\x18\x43ontractRegistrationInfo\x12\x38.injective.wasmx.v1.QueryContractRegistrationInfoRequest\x1a\x39.injective.wasmx.v1.QueryContractRegistrationInfoResponse\"@\x82\xd3\xe4\x93\x02:\x12\x38/injective/wasmx/v1/registration_info/{contract_address}\x12\x97\x01\n\x10WasmxModuleState\x12+.injective.wasmx.v1.QueryModuleStateRequest\x1a,.injective.wasmx.v1.QueryModuleStateResponse\"(\x82\xd3\xe4\x93\x02\"\x12 /injective/wasmx/v1/module_stateB\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nQueryProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.query_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nQueryProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._loaded_options = None _globals['_QUERYWASMXPARAMSRESPONSE'].fields_by_name['params']._serialized_options = b'\310\336\037\000' _globals['_QUERY'].methods_by_name['WasmxParams']._loaded_options = None @@ -37,15 +47,15 @@ _globals['_QUERYWASMXPARAMSREQUEST']._serialized_start=172 _globals['_QUERYWASMXPARAMSREQUEST']._serialized_end=197 _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_start=199 - _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=275 - _globals['_QUERYMODULESTATEREQUEST']._serialized_start=277 - _globals['_QUERYMODULESTATEREQUEST']._serialized_end=302 - _globals['_QUERYMODULESTATERESPONSE']._serialized_start=304 - _globals['_QUERYMODULESTATERESPONSE']._serialized_end=379 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=381 - _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=445 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=447 - _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=544 - _globals['_QUERY']._serialized_start=547 - _globals['_QUERY']._serialized_end=1063 + _globals['_QUERYWASMXPARAMSRESPONSE']._serialized_end=283 + _globals['_QUERYMODULESTATEREQUEST']._serialized_start=285 + _globals['_QUERYMODULESTATEREQUEST']._serialized_end=310 + _globals['_QUERYMODULESTATERESPONSE']._serialized_start=312 + _globals['_QUERYMODULESTATERESPONSE']._serialized_end=394 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_start=396 + _globals['_QUERYCONTRACTREGISTRATIONINFOREQUEST']._serialized_end=477 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_start=479 + _globals['_QUERYCONTRACTREGISTRATIONINFORESPONSE']._serialized_end=586 + _globals['_QUERY']._serialized_start=589 + _globals['_QUERY']._serialized_end=1105 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py index 8ccf83be..cd0ac4a8 100644 --- a/pyinjective/proto/injective/wasmx/v1/tx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/tx_pb2.py @@ -1,34 +1,44 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/tx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/tx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import any_pb2 as google_dot_protobuf_dot_any__pb2 -from cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 -from cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 -from injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.cosmos_proto import cosmos_pb2 as cosmos__proto_dot_cosmos__pb2 +from pyinjective.proto.cosmos.msg.v1 import msg_pb2 as cosmos_dot_msg_dot_v1_dot_msg__pb2 +from pyinjective.proto.injective.wasmx.v1 import wasmx_pb2 as injective_dot_wasmx_dot_v1_dot_wasmx__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\x88\x01\n\x18MsgExecuteContractCompat\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x10\n\x08\x63ontract\x18\x02 \x01(\t\x12\x0b\n\x03msg\x18\x03 \x01(\t\x12\r\n\x05\x66unds\x18\x04 \x01(\t:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"0\n MsgExecuteContractCompatResponse\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\"\xa9\x01\n\x11MsgUpdateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t\x12\x11\n\tgas_limit\x18\x03 \x01(\x04\x12\x11\n\tgas_price\x18\x04 \x01(\x04\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"j\n\x13MsgActivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"n\n\x15MsgDeactivateContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\x18\n\x10\x63ontract_address\x18\x02 \x01(\t:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\x9a\x01\n\x0fMsgUpdateParams\x12+\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressString\x12\x30\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xae\x01\n\x13MsgRegisterContract\x12\x0e\n\x06sender\x18\x01 \x01(\t\x12\\\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1binjective/wasmx/v1/tx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x19google/protobuf/any.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x1einjective/wasmx/v1/wasmx.proto\x1a!injective/wasmx/v1/proposal.proto\x1a\x11\x61mino/amino.proto\"\xa6\x01\n\x18MsgExecuteContractCompat\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x1a\n\x08\x63ontract\x18\x02 \x01(\tR\x08\x63ontract\x12\x10\n\x03msg\x18\x03 \x01(\tR\x03msg\x12\x14\n\x05\x66unds\x18\x04 \x01(\tR\x05\x66unds:.\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1ewasmx/MsgExecuteContractCompat\"6\n MsgExecuteContractCompatResponse\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\"\xe4\x01\n\x11MsgUpdateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x1b\n\tgas_limit\x18\x03 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x04 \x01(\x04R\x08gasPrice\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress:\'\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x17wasmx/MsgUpdateContract\"\x1b\n\x19MsgUpdateContractResponse\"\x83\x01\n\x13MsgActivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgActivateContract\"\x1d\n\x1bMsgActivateContractResponse\"\x87\x01\n\x15MsgDeactivateContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1bwasmx/MsgDeactivateContract\"\x1f\n\x1dMsgDeactivateContractResponse\"\xad\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x38\n\x06params\x18\x02 \x01(\x0b\x32\x1a.injective.wasmx.v1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:(\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*\x15wasmx/MsgUpdateParams\"\x19\n\x17MsgUpdateParamsResponse\"\xd3\x01\n\x13MsgRegisterContract\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12y\n\x1d\x63ontract_registration_request\x18\x02 \x01(\x0b\x32/.injective.wasmx.v1.ContractRegistrationRequestB\x04\xc8\xde\x1f\x00R\x1b\x63ontractRegistrationRequest:)\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x19wasmx/MsgRegisterContract\"\x1d\n\x1bMsgRegisterContractResponse2\xc1\x05\n\x03Msg\x12t\n\x1cUpdateRegistryContractParams\x12%.injective.wasmx.v1.MsgUpdateContract\x1a-.injective.wasmx.v1.MsgUpdateContractResponse\x12t\n\x18\x41\x63tivateRegistryContract\x12\'.injective.wasmx.v1.MsgActivateContract\x1a/.injective.wasmx.v1.MsgActivateContractResponse\x12z\n\x1a\x44\x65\x61\x63tivateRegistryContract\x12).injective.wasmx.v1.MsgDeactivateContract\x1a\x31.injective.wasmx.v1.MsgDeactivateContractResponse\x12{\n\x15\x45xecuteContractCompat\x12,.injective.wasmx.v1.MsgExecuteContractCompat\x1a\x34.injective.wasmx.v1.MsgExecuteContractCompatResponse\x12`\n\x0cUpdateParams\x12#.injective.wasmx.v1.MsgUpdateParams\x1a+.injective.wasmx.v1.MsgUpdateParamsResponse\x12l\n\x10RegisterContract\x12\'.injective.wasmx.v1.MsgRegisterContract\x1a/.injective.wasmx.v1.MsgRegisterContractResponse\x1a\x05\x80\xe7\xb0*\x01\x42\xd8\x01\n\x16\x63om.injective.wasmx.v1B\x07TxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.tx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\007TxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_MSGEXECUTECONTRACTCOMPAT']._loaded_options = None _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_options = b'\202\347\260*\006sender\212\347\260*\036wasmx/MsgExecuteContractCompat' _globals['_MSGUPDATECONTRACT'].fields_by_name['admin_address']._loaded_options = None @@ -52,29 +62,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_start=239 - _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=375 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=377 - _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=425 - _globals['_MSGUPDATECONTRACT']._serialized_start=428 - _globals['_MSGUPDATECONTRACT']._serialized_end=597 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=599 - _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=626 - _globals['_MSGACTIVATECONTRACT']._serialized_start=628 - _globals['_MSGACTIVATECONTRACT']._serialized_end=734 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=736 - _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=765 - _globals['_MSGDEACTIVATECONTRACT']._serialized_start=767 - _globals['_MSGDEACTIVATECONTRACT']._serialized_end=877 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=879 - _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=910 - _globals['_MSGUPDATEPARAMS']._serialized_start=913 - _globals['_MSGUPDATEPARAMS']._serialized_end=1067 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1069 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1094 - _globals['_MSGREGISTERCONTRACT']._serialized_start=1097 - _globals['_MSGREGISTERCONTRACT']._serialized_end=1271 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1273 - _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1302 - _globals['_MSG']._serialized_start=1305 - _globals['_MSG']._serialized_end=2010 + _globals['_MSGEXECUTECONTRACTCOMPAT']._serialized_end=405 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_start=407 + _globals['_MSGEXECUTECONTRACTCOMPATRESPONSE']._serialized_end=461 + _globals['_MSGUPDATECONTRACT']._serialized_start=464 + _globals['_MSGUPDATECONTRACT']._serialized_end=692 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_start=694 + _globals['_MSGUPDATECONTRACTRESPONSE']._serialized_end=721 + _globals['_MSGACTIVATECONTRACT']._serialized_start=724 + _globals['_MSGACTIVATECONTRACT']._serialized_end=855 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_start=857 + _globals['_MSGACTIVATECONTRACTRESPONSE']._serialized_end=886 + _globals['_MSGDEACTIVATECONTRACT']._serialized_start=889 + _globals['_MSGDEACTIVATECONTRACT']._serialized_end=1024 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_start=1026 + _globals['_MSGDEACTIVATECONTRACTRESPONSE']._serialized_end=1057 + _globals['_MSGUPDATEPARAMS']._serialized_start=1060 + _globals['_MSGUPDATEPARAMS']._serialized_end=1233 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1235 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1260 + _globals['_MSGREGISTERCONTRACT']._serialized_start=1263 + _globals['_MSGREGISTERCONTRACT']._serialized_end=1474 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_start=1476 + _globals['_MSGREGISTERCONTRACTRESPONSE']._serialized_end=1505 + _globals['_MSG']._serialized_start=1508 + _globals['_MSG']._serialized_end=2213 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py index c72c28db..4e815a11 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: injective/wasmx/v1/wasmx.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'injective/wasmx/v1/wasmx.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 -from amino import amino_pb2 as amino_dot_amino__pb2 -from injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.cosmwasm.wasm.v1 import types_pb2 as cosmwasm_dot_wasm_dot_v1_dot_types__pb2 +from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 +from pyinjective.proto.injective.wasmx.v1 import proposal_pb2 as injective_dot_wasmx_dot_v1_dot_proposal__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\x87\x02\n\x06Params\x12\x1c\n\x14is_execution_enabled\x18\x01 \x01(\x08\x12!\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04\x12\x1e\n\x16max_contract_gas_limit\x18\x03 \x01(\x04\x12\x15\n\rmin_gas_price\x18\x04 \x01(\x04\x12n\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xde\x01\n\x12RegisteredContract\x12\x11\n\tgas_limit\x18\x01 \x01(\x04\x12\x11\n\tgas_price\x18\x02 \x01(\x04\x12\x15\n\ris_executable\x18\x03 \x01(\x08\x12\x15\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01\x12\x1b\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x1d\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01\x12\x32\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingMode:\x04\xe8\xa0\x1f\x01\x42MZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1einjective/wasmx/v1/wasmx.proto\x12\x12injective.wasmx.v1\x1a\x14gogoproto/gogo.proto\x1a\x1c\x63osmwasm/wasm/v1/types.proto\x1a\x11\x61mino/amino.proto\x1a!injective/wasmx/v1/proposal.proto\"\xed\x02\n\x06Params\x12\x30\n\x14is_execution_enabled\x18\x01 \x01(\x08R\x12isExecutionEnabled\x12\x38\n\x19max_begin_block_total_gas\x18\x02 \x01(\x04R\x15maxBeginBlockTotalGas\x12\x33\n\x16max_contract_gas_limit\x18\x03 \x01(\x04R\x13maxContractGasLimit\x12\"\n\rmin_gas_price\x18\x04 \x01(\x04R\x0bminGasPrice\x12\x86\x01\n\x18register_contract_access\x18\x05 \x01(\x0b\x32\x1e.cosmwasm.wasm.v1.AccessConfigB,\xc8\xde\x1f\x00\xf2\xde\x1f\x1fyaml:\"register_contract_access\"\xa8\xe7\xb0*\x01R\x16registerContractAccess:\x15\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0cwasmx/Params\"\xb0\x02\n\x12RegisteredContract\x12\x1b\n\tgas_limit\x18\x01 \x01(\x04R\x08gasLimit\x12\x1b\n\tgas_price\x18\x02 \x01(\x04R\x08gasPrice\x12#\n\ris_executable\x18\x03 \x01(\x08R\x0cisExecutable\x12\x1d\n\x07\x63ode_id\x18\x04 \x01(\x04\x42\x04\xc8\xde\x1f\x01R\x06\x63odeId\x12)\n\radmin_address\x18\x05 \x01(\tB\x04\xc8\xde\x1f\x01R\x0c\x61\x64minAddress\x12-\n\x0fgranter_address\x18\x06 \x01(\tB\x04\xc8\xde\x1f\x01R\x0egranterAddress\x12<\n\tfund_mode\x18\x07 \x01(\x0e\x32\x1f.injective.wasmx.v1.FundingModeR\x08\x66undMode:\x04\xe8\xa0\x1f\x01\x42\xdb\x01\n\x16\x63om.injective.wasmx.v1B\nWasmxProtoP\x01ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\xa2\x02\x03IWX\xaa\x02\x12Injective.Wasmx.V1\xca\x02\x12Injective\\Wasmx\\V1\xe2\x02\x1eInjective\\Wasmx\\V1\\GPBMetadata\xea\x02\x14Injective::Wasmx::V1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'injective.wasmx.v1.wasmx_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.injective.wasmx.v1B\nWasmxProtoP\001ZKgithub.com/InjectiveLabs/injective-core/injective-chain/modules/wasmx/types\242\002\003IWX\252\002\022Injective.Wasmx.V1\312\002\022Injective\\Wasmx\\V1\342\002\036Injective\\Wasmx\\V1\\GPBMetadata\352\002\024Injective::Wasmx::V1' _globals['_PARAMS'].fields_by_name['register_contract_access']._loaded_options = None _globals['_PARAMS'].fields_by_name['register_contract_access']._serialized_options = b'\310\336\037\000\362\336\037\037yaml:\"register_contract_access\"\250\347\260*\001' _globals['_PARAMS']._loaded_options = None @@ -39,7 +49,7 @@ _globals['_REGISTEREDCONTRACT']._loaded_options = None _globals['_REGISTEREDCONTRACT']._serialized_options = b'\350\240\037\001' _globals['_PARAMS']._serialized_start=161 - _globals['_PARAMS']._serialized_end=424 - _globals['_REGISTEREDCONTRACT']._serialized_start=427 - _globals['_REGISTEREDCONTRACT']._serialized_end=649 + _globals['_PARAMS']._serialized_end=526 + _globals['_REGISTEREDCONTRACT']._serialized_start=529 + _globals['_REGISTEREDCONTRACT']._serialized_end=833 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2.py b/pyinjective/proto/tendermint/abci/types_pb2.py index 29285b8e..4c4de5d4 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2.py +++ b/pyinjective/proto/tendermint/abci/types_pb2.py @@ -1,33 +1,43 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/abci/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/abci/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -from tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.tendermint.types import params_pb2 as tendermint_dot_types_dot_params__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xf2\x07\n\x07Request\x12,\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00\x12.\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00\x12,\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00\x12\x37\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00\x12.\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00\x12\x33\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00\x12\x30\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00\x12?\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00\x12?\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00\x12H\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00\x12J\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00\x12\x43\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00\x12\x43\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00\x12\x39\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00\x12L\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00\x12?\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\x1e\n\x0bRequestEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0e\n\x0cRequestFlush\"`\n\x0bRequestInfo\x12\x0f\n\x07version\x18\x01 \x01(\t\x12\x15\n\rblock_version\x18\x02 \x01(\x04\x12\x13\n\x0bp2p_version\x18\x03 \x01(\x04\x12\x14\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\t\"\x82\x02\n\x10RequestInitChain\x12\x32\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x10\n\x08\x63hain_id\x18\x02 \x01(\t\x12;\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x17\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0c\x12\x16\n\x0einitial_height\x18\x06 \x01(\x03\"I\n\x0cRequestQuery\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\x0c\x12\x0c\n\x04path\x18\x02 \x01(\t\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\r\n\x05prove\x18\x04 \x01(\x08\"H\n\x0eRequestCheckTx\x12\n\n\x02tx\x18\x01 \x01(\x0c\x12*\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxType\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"U\n\x14RequestOfferSnapshot\x12+\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.Snapshot\x12\x10\n\x08\x61pp_hash\x18\x02 \x01(\x0c\"I\n\x18RequestLoadSnapshotChunk\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\r\n\x05\x63hunk\x18\x03 \x01(\r\"I\n\x19RequestApplySnapshotChunk\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x63hunk\x18\x02 \x01(\x0c\x12\x0e\n\x06sender\x18\x03 \x01(\t\"\xb6\x02\n\x16RequestPrepareProposal\x12\x14\n\x0cmax_tx_bytes\x18\x01 \x01(\x03\x12\x0b\n\x03txs\x18\x02 \x03(\x0c\x12\x44\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa9\x02\n\x16RequestProcessProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xa4\x02\n\x11RequestExtendVote\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\x32\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x0b\n\x03txs\x18\x04 \x03(\x0c\x12?\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"m\n\x1aRequestVerifyVoteExtension\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x16\n\x0evote_extension\x18\x04 \x01(\x0c\"\xa6\x02\n\x14RequestFinalizeBlock\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\x12>\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00\x12\x37\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x0e\n\x06height\x18\x05 \x01(\x03\x12\x32\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1c\n\x14next_validators_hash\x18\x07 \x01(\x0c\x12\x18\n\x10proposer_address\x18\x08 \x01(\x0c\"\xbc\x08\n\x08Response\x12\x37\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00\x12-\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00\x12/\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00\x12-\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00\x12\x38\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00\x12/\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00\x12\x34\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00\x12\x31\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00\x12@\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00\x12@\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00\x12I\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00\x12K\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00\x12\x44\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00\x12\x44\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00\x12:\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00\x12M\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00\x12@\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00\x42\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\"\"\n\x11ResponseException\x12\r\n\x05\x65rror\x18\x01 \x01(\t\"\x1f\n\x0cResponseEcho\x12\x0f\n\x07message\x18\x01 \x01(\t\"\x0f\n\rResponseFlush\"z\n\x0cResponseInfo\x12\x0c\n\x04\x64\x61ta\x18\x01 \x01(\t\x12\x0f\n\x07version\x18\x02 \x01(\t\x12\x13\n\x0b\x61pp_version\x18\x03 \x01(\x04\x12\x19\n\x11last_block_height\x18\x04 \x01(\x03\x12\x1b\n\x13last_block_app_hash\x18\x05 \x01(\x0c\"\x9e\x01\n\x11ResponseInitChain\x12;\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12:\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x10\n\x08\x61pp_hash\x18\x03 \x01(\x0c\"\xb6\x01\n\rResponseQuery\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\r\n\x05index\x18\x05 \x01(\x03\x12\x0b\n\x03key\x18\x06 \x01(\x0c\x12\r\n\x05value\x18\x07 \x01(\x0c\x12.\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOps\x12\x0e\n\x06height\x18\t \x01(\x03\x12\x11\n\tcodespace\x18\n \x01(\t\"\x80\x02\n\x0fResponseCheckTx\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\tJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"3\n\x0eResponseCommit\x12\x15\n\rretain_height\x18\x03 \x01(\x03J\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"E\n\x15ResponseListSnapshots\x12,\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.Snapshot\"\xb6\x01\n\x15ResponseOfferSnapshot\x12=\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.Result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"*\n\x19ResponseLoadSnapshotChunk\x12\r\n\x05\x63hunk\x18\x01 \x01(\x0c\"\xf2\x01\n\x1aResponseApplySnapshotChunk\x12\x42\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.Result\x12\x16\n\x0erefetch_chunks\x18\x02 \x03(\r\x12\x16\n\x0ereject_senders\x18\x03 \x03(\t\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"&\n\x17ResponsePrepareProposal\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\x99\x01\n\x17ResponseProcessProposal\x12G\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatus\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\",\n\x12ResponseExtendVote\x12\x16\n\x0evote_extension\x18\x01 \x01(\x0c\"\x9d\x01\n\x1bResponseVerifyVoteExtension\x12I\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatus\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xa5\x02\n\x15ResponseFinalizeBlock\x12@\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x31\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResult\x12\x41\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00\x12\x42\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParams\x12\x10\n\x08\x61pp_hash\x18\x05 \x01(\x0c\"K\n\nCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12.\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00\"[\n\x12\x45xtendedCommitInfo\x12\r\n\x05round\x18\x01 \x01(\x05\x12\x36\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00\"h\n\x05\x45vent\x12\x0c\n\x04type\x18\x01 \x01(\t\x12Q\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitempty\";\n\x0e\x45ventAttribute\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05value\x18\x02 \x01(\t\x12\r\n\x05index\x18\x03 \x01(\x08\"\xd6\x01\n\x0c\x45xecTxResult\x12\x0c\n\x04\x63ode\x18\x01 \x01(\r\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\x0b\n\x03log\x18\x03 \x01(\t\x12\x0c\n\x04info\x18\x04 \x01(\t\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12@\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitempty\x12\x11\n\tcodespace\x18\x08 \x01(\t\"j\n\x08TxResult\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\r\x12\n\n\x02tx\x18\x03 \x01(\x0c\x12\x33\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00\"+\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\r\n\x05power\x18\x03 \x01(\x03\"U\n\x0fValidatorUpdate\x12\x33\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\r\n\x05power\x18\x02 \x01(\x03\"{\n\x08VoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x34\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xb8\x01\n\x10\x45xtendedVoteInfo\x12\x33\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x16\n\x0evote_extension\x18\x03 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x04 \x01(\x0c\x12\x34\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagJ\x04\x08\x02\x10\x03\"\xd2\x01\n\x0bMisbehavior\x12.\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorType\x12\x33\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x1a\n\x12total_voting_power\x18\x05 \x01(\x03\"Z\n\x08Snapshot\x12\x0e\n\x06height\x18\x01 \x01(\x04\x12\x0e\n\x06\x66ormat\x18\x02 \x01(\r\x12\x0e\n\x06\x63hunks\x18\x03 \x01(\r\x12\x0c\n\x04hash\x18\x04 \x01(\x0c\x12\x10\n\x08metadata\x18\x05 \x01(\x0c*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB)Z\'github.com/cometbft/cometbft/abci/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1btendermint/abci/types.proto\x12\x0ftendermint.abci\x1a\x1dtendermint/crypto/proof.proto\x1a\x1ctendermint/crypto/keys.proto\x1a\x1dtendermint/types/params.proto\x1a tendermint/types/validator.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x14gogoproto/gogo.proto\"\xbf\t\n\x07Request\x12\x32\n\x04\x65\x63ho\x18\x01 \x01(\x0b\x32\x1c.tendermint.abci.RequestEchoH\x00R\x04\x65\x63ho\x12\x35\n\x05\x66lush\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.RequestFlushH\x00R\x05\x66lush\x12\x32\n\x04info\x18\x03 \x01(\x0b\x32\x1c.tendermint.abci.RequestInfoH\x00R\x04info\x12\x42\n\ninit_chain\x18\x05 \x01(\x0b\x32!.tendermint.abci.RequestInitChainH\x00R\tinitChain\x12\x35\n\x05query\x18\x06 \x01(\x0b\x32\x1d.tendermint.abci.RequestQueryH\x00R\x05query\x12<\n\x08\x63heck_tx\x18\x08 \x01(\x0b\x32\x1f.tendermint.abci.RequestCheckTxH\x00R\x07\x63heckTx\x12\x38\n\x06\x63ommit\x18\x0b \x01(\x0b\x32\x1e.tendermint.abci.RequestCommitH\x00R\x06\x63ommit\x12N\n\x0elist_snapshots\x18\x0c \x01(\x0b\x32%.tendermint.abci.RequestListSnapshotsH\x00R\rlistSnapshots\x12N\n\x0eoffer_snapshot\x18\r \x01(\x0b\x32%.tendermint.abci.RequestOfferSnapshotH\x00R\rofferSnapshot\x12[\n\x13load_snapshot_chunk\x18\x0e \x01(\x0b\x32).tendermint.abci.RequestLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12^\n\x14\x61pply_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.RequestApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12T\n\x10prepare_proposal\x18\x10 \x01(\x0b\x32\'.tendermint.abci.RequestPrepareProposalH\x00R\x0fprepareProposal\x12T\n\x10process_proposal\x18\x11 \x01(\x0b\x32\'.tendermint.abci.RequestProcessProposalH\x00R\x0fprocessProposal\x12\x45\n\x0b\x65xtend_vote\x18\x12 \x01(\x0b\x32\".tendermint.abci.RequestExtendVoteH\x00R\nextendVote\x12\x61\n\x15verify_vote_extension\x18\x13 \x01(\x0b\x32+.tendermint.abci.RequestVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12N\n\x0e\x66inalize_block\x18\x14 \x01(\x0b\x32%.tendermint.abci.RequestFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x04\x10\x05J\x04\x08\x07\x10\x08J\x04\x08\t\x10\nJ\x04\x08\n\x10\x0b\"\'\n\x0bRequestEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0e\n\x0cRequestFlush\"\x90\x01\n\x0bRequestInfo\x12\x18\n\x07version\x18\x01 \x01(\tR\x07version\x12#\n\rblock_version\x18\x02 \x01(\x04R\x0c\x62lockVersion\x12\x1f\n\x0bp2p_version\x18\x03 \x01(\x04R\np2pVersion\x12!\n\x0c\x61\x62\x63i_version\x18\x04 \x01(\tR\x0b\x61\x62\x63iVersion\"\xcc\x02\n\x10RequestInitChain\x12\x38\n\x04time\x18\x01 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x19\n\x08\x63hain_id\x18\x02 \x01(\tR\x07\x63hainId\x12L\n\x10\x63onsensus_params\x18\x03 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x04 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12&\n\x0f\x61pp_state_bytes\x18\x05 \x01(\x0cR\rappStateBytes\x12%\n\x0einitial_height\x18\x06 \x01(\x03R\rinitialHeight\"d\n\x0cRequestQuery\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\x0cR\x04\x64\x61ta\x12\x12\n\x04path\x18\x02 \x01(\tR\x04path\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x14\n\x05prove\x18\x04 \x01(\x08R\x05prove\"R\n\x0eRequestCheckTx\x12\x0e\n\x02tx\x18\x01 \x01(\x0cR\x02tx\x12\x30\n\x04type\x18\x02 \x01(\x0e\x32\x1c.tendermint.abci.CheckTxTypeR\x04type\"\x0f\n\rRequestCommit\"\x16\n\x14RequestListSnapshots\"h\n\x14RequestOfferSnapshot\x12\x35\n\x08snapshot\x18\x01 \x01(\x0b\x32\x19.tendermint.abci.SnapshotR\x08snapshot\x12\x19\n\x08\x61pp_hash\x18\x02 \x01(\x0cR\x07\x61ppHash\"`\n\x18RequestLoadSnapshotChunk\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x14\n\x05\x63hunk\x18\x03 \x01(\rR\x05\x63hunk\"_\n\x19RequestApplySnapshotChunk\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x63hunk\x18\x02 \x01(\x0cR\x05\x63hunk\x12\x16\n\x06sender\x18\x03 \x01(\tR\x06sender\"\x98\x03\n\x16RequestPrepareProposal\x12 \n\x0cmax_tx_bytes\x18\x01 \x01(\x03R\nmaxTxBytes\x12\x10\n\x03txs\x18\x02 \x03(\x0cR\x03txs\x12U\n\x11local_last_commit\x18\x03 \x01(\x0b\x32#.tendermint.abci.ExtendedCommitInfoB\x04\xc8\xde\x1f\x00R\x0flocalLastCommit\x12\x44\n\x0bmisbehavior\x18\x04 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x88\x03\n\x16RequestProcessProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x83\x03\n\x11RequestExtendVote\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x10\n\x03txs\x18\x04 \x03(\x0cR\x03txs\x12S\n\x14proposed_last_commit\x18\x05 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x12proposedLastCommit\x12\x44\n\x0bmisbehavior\x18\x06 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x9c\x01\n\x1aRequestVerifyVoteExtension\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12%\n\x0evote_extension\x18\x04 \x01(\x0cR\rvoteExtension\"\x84\x03\n\x14RequestFinalizeBlock\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\x12Q\n\x13\x64\x65\x63ided_last_commit\x18\x02 \x01(\x0b\x32\x1b.tendermint.abci.CommitInfoB\x04\xc8\xde\x1f\x00R\x11\x64\x65\x63idedLastCommit\x12\x44\n\x0bmisbehavior\x18\x03 \x03(\x0b\x32\x1c.tendermint.abci.MisbehaviorB\x04\xc8\xde\x1f\x00R\x0bmisbehavior\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x16\n\x06height\x18\x05 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x30\n\x14next_validators_hash\x18\x07 \x01(\x0cR\x12nextValidatorsHash\x12)\n\x10proposer_address\x18\x08 \x01(\x0cR\x0fproposerAddress\"\x94\n\n\x08Response\x12\x42\n\texception\x18\x01 \x01(\x0b\x32\".tendermint.abci.ResponseExceptionH\x00R\texception\x12\x33\n\x04\x65\x63ho\x18\x02 \x01(\x0b\x32\x1d.tendermint.abci.ResponseEchoH\x00R\x04\x65\x63ho\x12\x36\n\x05\x66lush\x18\x03 \x01(\x0b\x32\x1e.tendermint.abci.ResponseFlushH\x00R\x05\x66lush\x12\x33\n\x04info\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ResponseInfoH\x00R\x04info\x12\x43\n\ninit_chain\x18\x06 \x01(\x0b\x32\".tendermint.abci.ResponseInitChainH\x00R\tinitChain\x12\x36\n\x05query\x18\x07 \x01(\x0b\x32\x1e.tendermint.abci.ResponseQueryH\x00R\x05query\x12=\n\x08\x63heck_tx\x18\t \x01(\x0b\x32 .tendermint.abci.ResponseCheckTxH\x00R\x07\x63heckTx\x12\x39\n\x06\x63ommit\x18\x0c \x01(\x0b\x32\x1f.tendermint.abci.ResponseCommitH\x00R\x06\x63ommit\x12O\n\x0elist_snapshots\x18\r \x01(\x0b\x32&.tendermint.abci.ResponseListSnapshotsH\x00R\rlistSnapshots\x12O\n\x0eoffer_snapshot\x18\x0e \x01(\x0b\x32&.tendermint.abci.ResponseOfferSnapshotH\x00R\rofferSnapshot\x12\\\n\x13load_snapshot_chunk\x18\x0f \x01(\x0b\x32*.tendermint.abci.ResponseLoadSnapshotChunkH\x00R\x11loadSnapshotChunk\x12_\n\x14\x61pply_snapshot_chunk\x18\x10 \x01(\x0b\x32+.tendermint.abci.ResponseApplySnapshotChunkH\x00R\x12\x61pplySnapshotChunk\x12U\n\x10prepare_proposal\x18\x11 \x01(\x0b\x32(.tendermint.abci.ResponsePrepareProposalH\x00R\x0fprepareProposal\x12U\n\x10process_proposal\x18\x12 \x01(\x0b\x32(.tendermint.abci.ResponseProcessProposalH\x00R\x0fprocessProposal\x12\x46\n\x0b\x65xtend_vote\x18\x13 \x01(\x0b\x32#.tendermint.abci.ResponseExtendVoteH\x00R\nextendVote\x12\x62\n\x15verify_vote_extension\x18\x14 \x01(\x0b\x32,.tendermint.abci.ResponseVerifyVoteExtensionH\x00R\x13verifyVoteExtension\x12O\n\x0e\x66inalize_block\x18\x15 \x01(\x0b\x32&.tendermint.abci.ResponseFinalizeBlockH\x00R\rfinalizeBlockB\x07\n\x05valueJ\x04\x08\x05\x10\x06J\x04\x08\x08\x10\tJ\x04\x08\n\x10\x0bJ\x04\x08\x0b\x10\x0c\")\n\x11ResponseException\x12\x14\n\x05\x65rror\x18\x01 \x01(\tR\x05\x65rror\"(\n\x0cResponseEcho\x12\x18\n\x07message\x18\x01 \x01(\tR\x07message\"\x0f\n\rResponseFlush\"\xb8\x01\n\x0cResponseInfo\x12\x12\n\x04\x64\x61ta\x18\x01 \x01(\tR\x04\x64\x61ta\x12\x18\n\x07version\x18\x02 \x01(\tR\x07version\x12\x1f\n\x0b\x61pp_version\x18\x03 \x01(\x04R\nappVersion\x12*\n\x11last_block_height\x18\x04 \x01(\x03R\x0flastBlockHeight\x12-\n\x13last_block_app_hash\x18\x05 \x01(\x0cR\x10lastBlockAppHash\"\xc4\x01\n\x11ResponseInitChain\x12L\n\x10\x63onsensus_params\x18\x01 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x0f\x63onsensusParams\x12\x46\n\nvalidators\x18\x02 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\nvalidators\x12\x19\n\x08\x61pp_hash\x18\x03 \x01(\x0cR\x07\x61ppHash\"\xf7\x01\n\rResponseQuery\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x14\n\x05index\x18\x05 \x01(\x03R\x05index\x12\x10\n\x03key\x18\x06 \x01(\x0cR\x03key\x12\x14\n\x05value\x18\x07 \x01(\x0cR\x05value\x12\x38\n\tproof_ops\x18\x08 \x01(\x0b\x32\x1b.tendermint.crypto.ProofOpsR\x08proofOps\x12\x16\n\x06height\x18\t \x01(\x03R\x06height\x12\x1c\n\tcodespace\x18\n \x01(\tR\tcodespace\"\xaa\x02\n\x0fResponseCheckTx\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespaceJ\x04\x08\t\x10\x0cR\x06senderR\x08priorityR\rmempool_error\"A\n\x0eResponseCommit\x12#\n\rretain_height\x18\x03 \x01(\x03R\x0cretainHeightJ\x04\x08\x01\x10\x02J\x04\x08\x02\x10\x03\"P\n\x15ResponseListSnapshots\x12\x37\n\tsnapshots\x18\x01 \x03(\x0b\x32\x19.tendermint.abci.SnapshotR\tsnapshots\"\xbe\x01\n\x15ResponseOfferSnapshot\x12\x45\n\x06result\x18\x01 \x01(\x0e\x32-.tendermint.abci.ResponseOfferSnapshot.ResultR\x06result\"^\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\n\n\x06REJECT\x10\x03\x12\x11\n\rREJECT_FORMAT\x10\x04\x12\x11\n\rREJECT_SENDER\x10\x05\"1\n\x19ResponseLoadSnapshotChunk\x12\x14\n\x05\x63hunk\x18\x01 \x01(\x0cR\x05\x63hunk\"\x98\x02\n\x1aResponseApplySnapshotChunk\x12J\n\x06result\x18\x01 \x01(\x0e\x32\x32.tendermint.abci.ResponseApplySnapshotChunk.ResultR\x06result\x12%\n\x0erefetch_chunks\x18\x02 \x03(\rR\rrefetchChunks\x12%\n\x0ereject_senders\x18\x03 \x03(\tR\rrejectSenders\"`\n\x06Result\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\t\n\x05\x41\x42ORT\x10\x02\x12\t\n\x05RETRY\x10\x03\x12\x12\n\x0eRETRY_SNAPSHOT\x10\x04\x12\x13\n\x0fREJECT_SNAPSHOT\x10\x05\"+\n\x17ResponsePrepareProposal\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xa1\x01\n\x17ResponseProcessProposal\x12O\n\x06status\x18\x01 \x01(\x0e\x32\x37.tendermint.abci.ResponseProcessProposal.ProposalStatusR\x06status\"5\n\x0eProposalStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\";\n\x12ResponseExtendVote\x12%\n\x0evote_extension\x18\x01 \x01(\x0cR\rvoteExtension\"\xa5\x01\n\x1bResponseVerifyVoteExtension\x12Q\n\x06status\x18\x01 \x01(\x0e\x32\x39.tendermint.abci.ResponseVerifyVoteExtension.VerifyStatusR\x06status\"3\n\x0cVerifyStatus\x12\x0b\n\x07UNKNOWN\x10\x00\x12\n\n\x06\x41\x43\x43\x45PT\x10\x01\x12\n\n\x06REJECT\x10\x02\"\xea\x02\n\x15ResponseFinalizeBlock\x12H\n\x06\x65vents\x18\x01 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12<\n\ntx_results\x18\x02 \x03(\x0b\x32\x1d.tendermint.abci.ExecTxResultR\ttxResults\x12S\n\x11validator_updates\x18\x03 \x03(\x0b\x32 .tendermint.abci.ValidatorUpdateB\x04\xc8\xde\x1f\x00R\x10validatorUpdates\x12Y\n\x17\x63onsensus_param_updates\x18\x04 \x01(\x0b\x32!.tendermint.types.ConsensusParamsR\x15\x63onsensusParamUpdates\x12\x19\n\x08\x61pp_hash\x18\x05 \x01(\x0cR\x07\x61ppHash\"Y\n\nCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12\x35\n\x05votes\x18\x02 \x03(\x0b\x32\x19.tendermint.abci.VoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"i\n\x12\x45xtendedCommitInfo\x12\x14\n\x05round\x18\x01 \x01(\x05R\x05round\x12=\n\x05votes\x18\x02 \x03(\x0b\x32!.tendermint.abci.ExtendedVoteInfoB\x04\xc8\xde\x1f\x00R\x05votes\"z\n\x05\x45vent\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12]\n\nattributes\x18\x02 \x03(\x0b\x32\x1f.tendermint.abci.EventAttributeB\x1c\xc8\xde\x1f\x00\xea\xde\x1f\x14\x61ttributes,omitemptyR\nattributes\"N\n\x0e\x45ventAttribute\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05value\x18\x02 \x01(\tR\x05value\x12\x14\n\x05index\x18\x03 \x01(\x08R\x05index\"\x80\x02\n\x0c\x45xecTxResult\x12\x12\n\x04\x63ode\x18\x01 \x01(\rR\x04\x63ode\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12\x10\n\x03log\x18\x03 \x01(\tR\x03log\x12\x12\n\x04info\x18\x04 \x01(\tR\x04info\x12\x1e\n\ngas_wanted\x18\x05 \x01(\x03R\ngas_wanted\x12\x1a\n\x08gas_used\x18\x06 \x01(\x03R\x08gas_used\x12H\n\x06\x65vents\x18\x07 \x03(\x0b\x32\x16.tendermint.abci.EventB\x18\xc8\xde\x1f\x00\xea\xde\x1f\x10\x65vents,omitemptyR\x06\x65vents\x12\x1c\n\tcodespace\x18\x08 \x01(\tR\tcodespace\"\x85\x01\n\x08TxResult\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05index\x18\x02 \x01(\rR\x05index\x12\x0e\n\x02tx\x18\x03 \x01(\x0cR\x02tx\x12;\n\x06result\x18\x04 \x01(\x0b\x32\x1d.tendermint.abci.ExecTxResultB\x04\xc8\xde\x1f\x00R\x06result\";\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12\x14\n\x05power\x18\x03 \x01(\x03R\x05power\"d\n\x0fValidatorUpdate\x12;\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12\x14\n\x05power\x18\x02 \x01(\x03R\x05power\"\x93\x01\n\x08VoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x41\n\rblock_id_flag\x18\x03 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\xf3\x01\n\x10\x45xtendedVoteInfo\x12>\n\tvalidator\x18\x01 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12%\n\x0evote_extension\x18\x03 \x01(\x0cR\rvoteExtension\x12/\n\x13\x65xtension_signature\x18\x04 \x01(\x0cR\x12\x65xtensionSignature\x12\x41\n\rblock_id_flag\x18\x05 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlagJ\x04\x08\x02\x10\x03\"\x83\x02\n\x0bMisbehavior\x12\x34\n\x04type\x18\x01 \x01(\x0e\x32 .tendermint.abci.MisbehaviorTypeR\x04type\x12>\n\tvalidator\x18\x02 \x01(\x0b\x32\x1a.tendermint.abci.ValidatorB\x04\xc8\xde\x1f\x00R\tvalidator\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12,\n\x12total_voting_power\x18\x05 \x01(\x03R\x10totalVotingPower\"\x82\x01\n\x08Snapshot\x12\x16\n\x06height\x18\x01 \x01(\x04R\x06height\x12\x16\n\x06\x66ormat\x18\x02 \x01(\rR\x06\x66ormat\x12\x16\n\x06\x63hunks\x18\x03 \x01(\rR\x06\x63hunks\x12\x12\n\x04hash\x18\x04 \x01(\x0cR\x04hash\x12\x1a\n\x08metadata\x18\x05 \x01(\x0cR\x08metadata*9\n\x0b\x43heckTxType\x12\x10\n\x03NEW\x10\x00\x1a\x07\x8a\x9d \x03New\x12\x18\n\x07RECHECK\x10\x01\x1a\x0b\x8a\x9d \x07Recheck*K\n\x0fMisbehaviorType\x12\x0b\n\x07UNKNOWN\x10\x00\x12\x12\n\x0e\x44UPLICATE_VOTE\x10\x01\x12\x17\n\x13LIGHT_CLIENT_ATTACK\x10\x02\x32\x9d\x0b\n\x04\x41\x42\x43I\x12\x43\n\x04\x45\x63ho\x12\x1c.tendermint.abci.RequestEcho\x1a\x1d.tendermint.abci.ResponseEcho\x12\x46\n\x05\x46lush\x12\x1d.tendermint.abci.RequestFlush\x1a\x1e.tendermint.abci.ResponseFlush\x12\x43\n\x04Info\x12\x1c.tendermint.abci.RequestInfo\x1a\x1d.tendermint.abci.ResponseInfo\x12L\n\x07\x43heckTx\x12\x1f.tendermint.abci.RequestCheckTx\x1a .tendermint.abci.ResponseCheckTx\x12\x46\n\x05Query\x12\x1d.tendermint.abci.RequestQuery\x1a\x1e.tendermint.abci.ResponseQuery\x12I\n\x06\x43ommit\x12\x1e.tendermint.abci.RequestCommit\x1a\x1f.tendermint.abci.ResponseCommit\x12R\n\tInitChain\x12!.tendermint.abci.RequestInitChain\x1a\".tendermint.abci.ResponseInitChain\x12^\n\rListSnapshots\x12%.tendermint.abci.RequestListSnapshots\x1a&.tendermint.abci.ResponseListSnapshots\x12^\n\rOfferSnapshot\x12%.tendermint.abci.RequestOfferSnapshot\x1a&.tendermint.abci.ResponseOfferSnapshot\x12j\n\x11LoadSnapshotChunk\x12).tendermint.abci.RequestLoadSnapshotChunk\x1a*.tendermint.abci.ResponseLoadSnapshotChunk\x12m\n\x12\x41pplySnapshotChunk\x12*.tendermint.abci.RequestApplySnapshotChunk\x1a+.tendermint.abci.ResponseApplySnapshotChunk\x12\x64\n\x0fPrepareProposal\x12\'.tendermint.abci.RequestPrepareProposal\x1a(.tendermint.abci.ResponsePrepareProposal\x12\x64\n\x0fProcessProposal\x12\'.tendermint.abci.RequestProcessProposal\x1a(.tendermint.abci.ResponseProcessProposal\x12U\n\nExtendVote\x12\".tendermint.abci.RequestExtendVote\x1a#.tendermint.abci.ResponseExtendVote\x12p\n\x13VerifyVoteExtension\x12+.tendermint.abci.RequestVerifyVoteExtension\x1a,.tendermint.abci.ResponseVerifyVoteExtension\x12^\n\rFinalizeBlock\x12%.tendermint.abci.RequestFinalizeBlock\x1a&.tendermint.abci.ResponseFinalizeBlockB\xa7\x01\n\x13\x63om.tendermint.abciB\nTypesProtoP\x01Z\'github.com/cometbft/cometbft/abci/types\xa2\x02\x03TAX\xaa\x02\x0fTendermint.Abci\xca\x02\x0fTendermint\\Abci\xe2\x02\x1bTendermint\\Abci\\GPBMetadata\xea\x02\x10Tendermint::Abcib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.abci.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z\'github.com/cometbft/cometbft/abci/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\023com.tendermint.abciB\nTypesProtoP\001Z\'github.com/cometbft/cometbft/abci/types\242\002\003TAX\252\002\017Tendermint.Abci\312\002\017Tendermint\\Abci\342\002\033Tendermint\\Abci\\GPBMetadata\352\002\020Tendermint::Abci' _globals['_CHECKTXTYPE'].values_by_name["NEW"]._loaded_options = None _globals['_CHECKTXTYPE'].values_by_name["NEW"]._serialized_options = b'\212\235 \003New' _globals['_CHECKTXTYPE'].values_by_name["RECHECK"]._loaded_options = None @@ -88,112 +98,112 @@ _globals['_MISBEHAVIOR'].fields_by_name['validator']._serialized_options = b'\310\336\037\000' _globals['_MISBEHAVIOR'].fields_by_name['time']._loaded_options = None _globals['_MISBEHAVIOR'].fields_by_name['time']._serialized_options = b'\310\336\037\000\220\337\037\001' - _globals['_CHECKTXTYPE']._serialized_start=8001 - _globals['_CHECKTXTYPE']._serialized_end=8058 - _globals['_MISBEHAVIORTYPE']._serialized_start=8060 - _globals['_MISBEHAVIORTYPE']._serialized_end=8135 + _globals['_CHECKTXTYPE']._serialized_start=9832 + _globals['_CHECKTXTYPE']._serialized_end=9889 + _globals['_MISBEHAVIORTYPE']._serialized_start=9891 + _globals['_MISBEHAVIORTYPE']._serialized_end=9966 _globals['_REQUEST']._serialized_start=230 - _globals['_REQUEST']._serialized_end=1240 - _globals['_REQUESTECHO']._serialized_start=1242 - _globals['_REQUESTECHO']._serialized_end=1272 - _globals['_REQUESTFLUSH']._serialized_start=1274 - _globals['_REQUESTFLUSH']._serialized_end=1288 - _globals['_REQUESTINFO']._serialized_start=1290 - _globals['_REQUESTINFO']._serialized_end=1386 - _globals['_REQUESTINITCHAIN']._serialized_start=1389 - _globals['_REQUESTINITCHAIN']._serialized_end=1647 - _globals['_REQUESTQUERY']._serialized_start=1649 - _globals['_REQUESTQUERY']._serialized_end=1722 - _globals['_REQUESTCHECKTX']._serialized_start=1724 - _globals['_REQUESTCHECKTX']._serialized_end=1796 - _globals['_REQUESTCOMMIT']._serialized_start=1798 - _globals['_REQUESTCOMMIT']._serialized_end=1813 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=1815 - _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=1837 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=1839 - _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=1924 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=1926 - _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=1999 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2001 - _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2074 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2077 - _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2387 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2390 - _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=2687 - _globals['_REQUESTEXTENDVOTE']._serialized_start=2690 - _globals['_REQUESTEXTENDVOTE']._serialized_end=2982 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=2984 - _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3093 - _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3096 - _globals['_REQUESTFINALIZEBLOCK']._serialized_end=3390 - _globals['_RESPONSE']._serialized_start=3393 - _globals['_RESPONSE']._serialized_end=4477 - _globals['_RESPONSEEXCEPTION']._serialized_start=4479 - _globals['_RESPONSEEXCEPTION']._serialized_end=4513 - _globals['_RESPONSEECHO']._serialized_start=4515 - _globals['_RESPONSEECHO']._serialized_end=4546 - _globals['_RESPONSEFLUSH']._serialized_start=4548 - _globals['_RESPONSEFLUSH']._serialized_end=4563 - _globals['_RESPONSEINFO']._serialized_start=4565 - _globals['_RESPONSEINFO']._serialized_end=4687 - _globals['_RESPONSEINITCHAIN']._serialized_start=4690 - _globals['_RESPONSEINITCHAIN']._serialized_end=4848 - _globals['_RESPONSEQUERY']._serialized_start=4851 - _globals['_RESPONSEQUERY']._serialized_end=5033 - _globals['_RESPONSECHECKTX']._serialized_start=5036 - _globals['_RESPONSECHECKTX']._serialized_end=5292 - _globals['_RESPONSECOMMIT']._serialized_start=5294 - _globals['_RESPONSECOMMIT']._serialized_end=5345 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=5347 - _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=5416 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=5419 - _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=5601 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=5507 - _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=5601 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=5603 - _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=5645 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=5648 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=5890 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=5794 - _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=5890 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=5892 - _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=5930 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=5933 - _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=6086 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=6033 - _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=6086 - _globals['_RESPONSEEXTENDVOTE']._serialized_start=6088 - _globals['_RESPONSEEXTENDVOTE']._serialized_end=6132 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=6135 - _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=6292 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=6241 - _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=6292 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=6295 - _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=6588 - _globals['_COMMITINFO']._serialized_start=6590 - _globals['_COMMITINFO']._serialized_end=6665 - _globals['_EXTENDEDCOMMITINFO']._serialized_start=6667 - _globals['_EXTENDEDCOMMITINFO']._serialized_end=6758 - _globals['_EVENT']._serialized_start=6760 - _globals['_EVENT']._serialized_end=6864 - _globals['_EVENTATTRIBUTE']._serialized_start=6866 - _globals['_EVENTATTRIBUTE']._serialized_end=6925 - _globals['_EXECTXRESULT']._serialized_start=6928 - _globals['_EXECTXRESULT']._serialized_end=7142 - _globals['_TXRESULT']._serialized_start=7144 - _globals['_TXRESULT']._serialized_end=7250 - _globals['_VALIDATOR']._serialized_start=7252 - _globals['_VALIDATOR']._serialized_end=7295 - _globals['_VALIDATORUPDATE']._serialized_start=7297 - _globals['_VALIDATORUPDATE']._serialized_end=7382 - _globals['_VOTEINFO']._serialized_start=7384 - _globals['_VOTEINFO']._serialized_end=7507 - _globals['_EXTENDEDVOTEINFO']._serialized_start=7510 - _globals['_EXTENDEDVOTEINFO']._serialized_end=7694 - _globals['_MISBEHAVIOR']._serialized_start=7697 - _globals['_MISBEHAVIOR']._serialized_end=7907 - _globals['_SNAPSHOT']._serialized_start=7909 - _globals['_SNAPSHOT']._serialized_end=7999 - _globals['_ABCI']._serialized_start=8138 - _globals['_ABCI']._serialized_end=9575 + _globals['_REQUEST']._serialized_end=1445 + _globals['_REQUESTECHO']._serialized_start=1447 + _globals['_REQUESTECHO']._serialized_end=1486 + _globals['_REQUESTFLUSH']._serialized_start=1488 + _globals['_REQUESTFLUSH']._serialized_end=1502 + _globals['_REQUESTINFO']._serialized_start=1505 + _globals['_REQUESTINFO']._serialized_end=1649 + _globals['_REQUESTINITCHAIN']._serialized_start=1652 + _globals['_REQUESTINITCHAIN']._serialized_end=1984 + _globals['_REQUESTQUERY']._serialized_start=1986 + _globals['_REQUESTQUERY']._serialized_end=2086 + _globals['_REQUESTCHECKTX']._serialized_start=2088 + _globals['_REQUESTCHECKTX']._serialized_end=2170 + _globals['_REQUESTCOMMIT']._serialized_start=2172 + _globals['_REQUESTCOMMIT']._serialized_end=2187 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_start=2189 + _globals['_REQUESTLISTSNAPSHOTS']._serialized_end=2211 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_start=2213 + _globals['_REQUESTOFFERSNAPSHOT']._serialized_end=2317 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_start=2319 + _globals['_REQUESTLOADSNAPSHOTCHUNK']._serialized_end=2415 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_start=2417 + _globals['_REQUESTAPPLYSNAPSHOTCHUNK']._serialized_end=2512 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_start=2515 + _globals['_REQUESTPREPAREPROPOSAL']._serialized_end=2923 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_start=2926 + _globals['_REQUESTPROCESSPROPOSAL']._serialized_end=3318 + _globals['_REQUESTEXTENDVOTE']._serialized_start=3321 + _globals['_REQUESTEXTENDVOTE']._serialized_end=3708 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_start=3711 + _globals['_REQUESTVERIFYVOTEEXTENSION']._serialized_end=3867 + _globals['_REQUESTFINALIZEBLOCK']._serialized_start=3870 + _globals['_REQUESTFINALIZEBLOCK']._serialized_end=4258 + _globals['_RESPONSE']._serialized_start=4261 + _globals['_RESPONSE']._serialized_end=5561 + _globals['_RESPONSEEXCEPTION']._serialized_start=5563 + _globals['_RESPONSEEXCEPTION']._serialized_end=5604 + _globals['_RESPONSEECHO']._serialized_start=5606 + _globals['_RESPONSEECHO']._serialized_end=5646 + _globals['_RESPONSEFLUSH']._serialized_start=5648 + _globals['_RESPONSEFLUSH']._serialized_end=5663 + _globals['_RESPONSEINFO']._serialized_start=5666 + _globals['_RESPONSEINFO']._serialized_end=5850 + _globals['_RESPONSEINITCHAIN']._serialized_start=5853 + _globals['_RESPONSEINITCHAIN']._serialized_end=6049 + _globals['_RESPONSEQUERY']._serialized_start=6052 + _globals['_RESPONSEQUERY']._serialized_end=6299 + _globals['_RESPONSECHECKTX']._serialized_start=6302 + _globals['_RESPONSECHECKTX']._serialized_end=6600 + _globals['_RESPONSECOMMIT']._serialized_start=6602 + _globals['_RESPONSECOMMIT']._serialized_end=6667 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_start=6669 + _globals['_RESPONSELISTSNAPSHOTS']._serialized_end=6749 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_start=6752 + _globals['_RESPONSEOFFERSNAPSHOT']._serialized_end=6942 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_start=6848 + _globals['_RESPONSEOFFERSNAPSHOT_RESULT']._serialized_end=6942 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_start=6944 + _globals['_RESPONSELOADSNAPSHOTCHUNK']._serialized_end=6993 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_start=6996 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK']._serialized_end=7276 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_start=7180 + _globals['_RESPONSEAPPLYSNAPSHOTCHUNK_RESULT']._serialized_end=7276 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_start=7278 + _globals['_RESPONSEPREPAREPROPOSAL']._serialized_end=7321 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_start=7324 + _globals['_RESPONSEPROCESSPROPOSAL']._serialized_end=7485 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_start=7432 + _globals['_RESPONSEPROCESSPROPOSAL_PROPOSALSTATUS']._serialized_end=7485 + _globals['_RESPONSEEXTENDVOTE']._serialized_start=7487 + _globals['_RESPONSEEXTENDVOTE']._serialized_end=7546 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_start=7549 + _globals['_RESPONSEVERIFYVOTEEXTENSION']._serialized_end=7714 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_start=7663 + _globals['_RESPONSEVERIFYVOTEEXTENSION_VERIFYSTATUS']._serialized_end=7714 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_start=7717 + _globals['_RESPONSEFINALIZEBLOCK']._serialized_end=8079 + _globals['_COMMITINFO']._serialized_start=8081 + _globals['_COMMITINFO']._serialized_end=8170 + _globals['_EXTENDEDCOMMITINFO']._serialized_start=8172 + _globals['_EXTENDEDCOMMITINFO']._serialized_end=8277 + _globals['_EVENT']._serialized_start=8279 + _globals['_EVENT']._serialized_end=8401 + _globals['_EVENTATTRIBUTE']._serialized_start=8403 + _globals['_EVENTATTRIBUTE']._serialized_end=8481 + _globals['_EXECTXRESULT']._serialized_start=8484 + _globals['_EXECTXRESULT']._serialized_end=8740 + _globals['_TXRESULT']._serialized_start=8743 + _globals['_TXRESULT']._serialized_end=8876 + _globals['_VALIDATOR']._serialized_start=8878 + _globals['_VALIDATOR']._serialized_end=8937 + _globals['_VALIDATORUPDATE']._serialized_start=8939 + _globals['_VALIDATORUPDATE']._serialized_end=9039 + _globals['_VOTEINFO']._serialized_start=9042 + _globals['_VOTEINFO']._serialized_end=9189 + _globals['_EXTENDEDVOTEINFO']._serialized_start=9192 + _globals['_EXTENDEDVOTEINFO']._serialized_end=9435 + _globals['_MISBEHAVIOR']._serialized_start=9438 + _globals['_MISBEHAVIOR']._serialized_end=9697 + _globals['_SNAPSHOT']._serialized_start=9700 + _globals['_SNAPSHOT']._serialized_end=9830 + _globals['_ABCI']._serialized_start=9969 + _globals['_ABCI']._serialized_end=11406 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py index 08ce6d0b..d18cc0b2 100644 --- a/pyinjective/proto/tendermint/abci/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/abci/types_pb2_grpc.py @@ -1,33 +1,8 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -from tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/abci/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) + +from pyinjective.proto.tendermint.abci import types_pb2 as tendermint_dot_abci_dot_types__pb2 class ABCIStub(object): diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2.py b/pyinjective/proto/tendermint/crypto/keys_pb2.py index 20e32137..30510426 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/keys.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/crypto/keys.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"D\n\tPublicKey\x12\x11\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00\x12\x13\n\tsecp256k1\x18\x02 \x01(\x0cH\x00:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB6Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/crypto/keys.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"X\n\tPublicKey\x12\x1a\n\x07\x65\x64\x32\x35\x35\x31\x39\x18\x01 \x01(\x0cH\x00R\x07\x65\x64\x32\x35\x35\x31\x39\x12\x1e\n\tsecp256k1\x18\x02 \x01(\x0cH\x00R\tsecp256k1:\x08\xe8\xa0\x1f\x01\xe8\xa1\x1f\x01\x42\x05\n\x03sumB\xbd\x01\n\x15\x63om.tendermint.cryptoB\tKeysProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.keys_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\tKeysProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' _globals['_PUBLICKEY']._loaded_options = None _globals['_PUBLICKEY']._serialized_options = b'\350\240\037\001\350\241\037\001' _globals['_PUBLICKEY']._serialized_start=73 - _globals['_PUBLICKEY']._serialized_end=141 + _globals['_PUBLICKEY']._serialized_end=161 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2.py b/pyinjective/proto/tendermint/crypto/proof_pb2.py index 44cee6ce..341fcb5e 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2.py @@ -1,38 +1,48 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/crypto/proof.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/crypto/proof.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"G\n\x05Proof\x12\r\n\x05total\x18\x01 \x01(\x03\x12\r\n\x05index\x18\x02 \x01(\x03\x12\x11\n\tleaf_hash\x18\x03 \x01(\x0c\x12\r\n\x05\x61unts\x18\x04 \x03(\x0c\"?\n\x07ValueOp\x12\x0b\n\x03key\x18\x01 \x01(\x0c\x12\'\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.Proof\"6\n\x08\x44ominoOp\x12\x0b\n\x03key\x18\x01 \x01(\t\x12\r\n\x05input\x18\x02 \x01(\t\x12\x0e\n\x06output\x18\x03 \x01(\t\"2\n\x07ProofOp\x12\x0c\n\x04type\x18\x01 \x01(\t\x12\x0b\n\x03key\x18\x02 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x03 \x01(\x0c\"9\n\x08ProofOps\x12-\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00\x42\x36Z4github.com/cometbft/cometbft/proto/tendermint/cryptob\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/crypto/proof.proto\x12\x11tendermint.crypto\x1a\x14gogoproto/gogo.proto\"f\n\x05Proof\x12\x14\n\x05total\x18\x01 \x01(\x03R\x05total\x12\x14\n\x05index\x18\x02 \x01(\x03R\x05index\x12\x1b\n\tleaf_hash\x18\x03 \x01(\x0cR\x08leafHash\x12\x14\n\x05\x61unts\x18\x04 \x03(\x0cR\x05\x61unts\"K\n\x07ValueOp\x12\x10\n\x03key\x18\x01 \x01(\x0cR\x03key\x12.\n\x05proof\x18\x02 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof\"J\n\x08\x44ominoOp\x12\x10\n\x03key\x18\x01 \x01(\tR\x03key\x12\x14\n\x05input\x18\x02 \x01(\tR\x05input\x12\x16\n\x06output\x18\x03 \x01(\tR\x06output\"C\n\x07ProofOp\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x10\n\x03key\x18\x02 \x01(\x0cR\x03key\x12\x12\n\x04\x64\x61ta\x18\x03 \x01(\x0cR\x04\x64\x61ta\">\n\x08ProofOps\x12\x32\n\x03ops\x18\x01 \x03(\x0b\x32\x1a.tendermint.crypto.ProofOpB\x04\xc8\xde\x1f\x00R\x03opsB\xbe\x01\n\x15\x63om.tendermint.cryptoB\nProofProtoP\x01Z4github.com/cometbft/cometbft/proto/tendermint/crypto\xa2\x02\x03TCX\xaa\x02\x11Tendermint.Crypto\xca\x02\x11Tendermint\\Crypto\xe2\x02\x1dTendermint\\Crypto\\GPBMetadata\xea\x02\x12Tendermint::Cryptob\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.crypto.proof_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z4github.com/cometbft/cometbft/proto/tendermint/crypto' + _globals['DESCRIPTOR']._serialized_options = b'\n\025com.tendermint.cryptoB\nProofProtoP\001Z4github.com/cometbft/cometbft/proto/tendermint/crypto\242\002\003TCX\252\002\021Tendermint.Crypto\312\002\021Tendermint\\Crypto\342\002\035Tendermint\\Crypto\\GPBMetadata\352\002\022Tendermint::Crypto' _globals['_PROOFOPS'].fields_by_name['ops']._loaded_options = None _globals['_PROOFOPS'].fields_by_name['ops']._serialized_options = b'\310\336\037\000' _globals['_PROOF']._serialized_start=74 - _globals['_PROOF']._serialized_end=145 - _globals['_VALUEOP']._serialized_start=147 - _globals['_VALUEOP']._serialized_end=210 - _globals['_DOMINOOP']._serialized_start=212 - _globals['_DOMINOOP']._serialized_end=266 - _globals['_PROOFOP']._serialized_start=268 - _globals['_PROOFOP']._serialized_end=318 - _globals['_PROOFOPS']._serialized_start=320 - _globals['_PROOFOPS']._serialized_end=377 + _globals['_PROOF']._serialized_end=176 + _globals['_VALUEOP']._serialized_start=178 + _globals['_VALUEOP']._serialized_end=253 + _globals['_DOMINOOP']._serialized_start=255 + _globals['_DOMINOOP']._serialized_end=329 + _globals['_PROOFOP']._serialized_start=331 + _globals['_PROOFOP']._serialized_end=398 + _globals['_PROOFOPS']._serialized_start=400 + _globals['_PROOFOPS']._serialized_end=462 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2.py b/pyinjective/proto/tendermint/libs/bits/types_pb2.py index df93d9df..19e26cab 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2.py @@ -1,12 +1,22 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/libs/bits/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/libs/bits/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() @@ -14,14 +24,14 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"\'\n\x08\x42itArray\x12\x0c\n\x04\x62its\x18\x01 \x01(\x03\x12\r\n\x05\x65lems\x18\x02 \x03(\x04\x42\x39Z7github.com/cometbft/cometbft/proto/tendermint/libs/bitsb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/libs/bits/types.proto\x12\x14tendermint.libs.bits\"4\n\x08\x42itArray\x12\x12\n\x04\x62its\x18\x01 \x01(\x03R\x04\x62its\x12\x14\n\x05\x65lems\x18\x02 \x03(\x04R\x05\x65lemsB\xd1\x01\n\x18\x63om.tendermint.libs.bitsB\nTypesProtoP\x01Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\xa2\x02\x03TLB\xaa\x02\x14Tendermint.Libs.Bits\xca\x02\x14Tendermint\\Libs\\Bits\xe2\x02 Tendermint\\Libs\\Bits\\GPBMetadata\xea\x02\x16Tendermint::Libs::Bitsb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.libs.bits.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits' + _globals['DESCRIPTOR']._serialized_options = b'\n\030com.tendermint.libs.bitsB\nTypesProtoP\001Z7github.com/cometbft/cometbft/proto/tendermint/libs/bits\242\002\003TLB\252\002\024Tendermint.Libs.Bits\312\002\024Tendermint\\Libs\\Bits\342\002 Tendermint\\Libs\\Bits\\GPBMetadata\352\002\026Tendermint::Libs::Bits' _globals['_BITARRAY']._serialized_start=58 - _globals['_BITARRAY']._serialized_end=97 + _globals['_BITARRAY']._serialized_end=110 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2.py b/pyinjective/proto/tendermint/p2p/types_pb2.py index 66b71f53..d32f3947 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2.py @@ -1,28 +1,38 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/p2p/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/p2p/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"B\n\nNetAddress\x12\x12\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02ID\x12\x12\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IP\x12\x0c\n\x04port\x18\x03 \x01(\r\"C\n\x0fProtocolVersion\x12\x14\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2P\x12\r\n\x05\x62lock\x18\x02 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x03 \x01(\x04\"\x93\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12?\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00\x12*\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeID\x12\x13\n\x0blisten_addr\x18\x03 \x01(\t\x12\x0f\n\x07network\x18\x04 \x01(\t\x12\x0f\n\x07version\x18\x05 \x01(\t\x12\x10\n\x08\x63hannels\x18\x06 \x01(\x0c\x12\x0f\n\x07moniker\x18\x07 \x01(\t\x12\x39\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00\"M\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x10\n\x08tx_index\x18\x01 \x01(\t\x12#\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressB3Z1github.com/cometbft/cometbft/proto/tendermint/p2pb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1atendermint/p2p/types.proto\x12\x0etendermint.p2p\x1a\x14gogoproto/gogo.proto\"P\n\nNetAddress\x12\x16\n\x02id\x18\x01 \x01(\tB\x06\xe2\xde\x1f\x02IDR\x02id\x12\x16\n\x02ip\x18\x02 \x01(\tB\x06\xe2\xde\x1f\x02IPR\x02ip\x12\x12\n\x04port\x18\x03 \x01(\rR\x04port\"T\n\x0fProtocolVersion\x12\x19\n\x03p2p\x18\x01 \x01(\x04\x42\x07\xe2\xde\x1f\x03P2PR\x03p2p\x12\x14\n\x05\x62lock\x18\x02 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x03 \x01(\x04R\x03\x61pp\"\xeb\x02\n\x0f\x44\x65\x66\x61ultNodeInfo\x12P\n\x10protocol_version\x18\x01 \x01(\x0b\x32\x1f.tendermint.p2p.ProtocolVersionB\x04\xc8\xde\x1f\x00R\x0fprotocolVersion\x12\x39\n\x0f\x64\x65\x66\x61ult_node_id\x18\x02 \x01(\tB\x11\xe2\xde\x1f\rDefaultNodeIDR\rdefaultNodeId\x12\x1f\n\x0blisten_addr\x18\x03 \x01(\tR\nlistenAddr\x12\x18\n\x07network\x18\x04 \x01(\tR\x07network\x12\x18\n\x07version\x18\x05 \x01(\tR\x07version\x12\x1a\n\x08\x63hannels\x18\x06 \x01(\x0cR\x08\x63hannels\x12\x18\n\x07moniker\x18\x07 \x01(\tR\x07moniker\x12@\n\x05other\x18\x08 \x01(\x0b\x32$.tendermint.p2p.DefaultNodeInfoOtherB\x04\xc8\xde\x1f\x00R\x05other\"b\n\x14\x44\x65\x66\x61ultNodeInfoOther\x12\x19\n\x08tx_index\x18\x01 \x01(\tR\x07txIndex\x12/\n\x0brpc_address\x18\x02 \x01(\tB\x0e\xe2\xde\x1f\nRPCAddressR\nrpcAddressB\xac\x01\n\x12\x63om.tendermint.p2pB\nTypesProtoP\x01Z1github.com/cometbft/cometbft/proto/tendermint/p2p\xa2\x02\x03TPX\xaa\x02\x0eTendermint.P2p\xca\x02\x0eTendermint\\P2p\xe2\x02\x1aTendermint\\P2p\\GPBMetadata\xea\x02\x0fTendermint::P2pb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.p2p.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z1github.com/cometbft/cometbft/proto/tendermint/p2p' + _globals['DESCRIPTOR']._serialized_options = b'\n\022com.tendermint.p2pB\nTypesProtoP\001Z1github.com/cometbft/cometbft/proto/tendermint/p2p\242\002\003TPX\252\002\016Tendermint.P2p\312\002\016Tendermint\\P2p\342\002\032Tendermint\\P2p\\GPBMetadata\352\002\017Tendermint::P2p' _globals['_NETADDRESS'].fields_by_name['id']._loaded_options = None _globals['_NETADDRESS'].fields_by_name['id']._serialized_options = b'\342\336\037\002ID' _globals['_NETADDRESS'].fields_by_name['ip']._loaded_options = None @@ -38,11 +48,11 @@ _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._loaded_options = None _globals['_DEFAULTNODEINFOOTHER'].fields_by_name['rpc_address']._serialized_options = b'\342\336\037\nRPCAddress' _globals['_NETADDRESS']._serialized_start=68 - _globals['_NETADDRESS']._serialized_end=134 - _globals['_PROTOCOLVERSION']._serialized_start=136 - _globals['_PROTOCOLVERSION']._serialized_end=203 - _globals['_DEFAULTNODEINFO']._serialized_start=206 - _globals['_DEFAULTNODEINFO']._serialized_end=481 - _globals['_DEFAULTNODEINFOOTHER']._serialized_start=483 - _globals['_DEFAULTNODEINFOOTHER']._serialized_end=560 + _globals['_NETADDRESS']._serialized_end=148 + _globals['_PROTOCOLVERSION']._serialized_start=150 + _globals['_PROTOCOLVERSION']._serialized_end=234 + _globals['_DEFAULTNODEINFO']._serialized_start=237 + _globals['_DEFAULTNODEINFO']._serialized_end=600 + _globals['_DEFAULTNODEINFOOTHER']._serialized_start=602 + _globals['_DEFAULTNODEINFOOTHER']._serialized_end=700 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/block_pb2.py b/pyinjective/proto/tendermint/types/block_pb2.py index 0c9690d6..8d6a69ea 100644 --- a/pyinjective/proto/tendermint/types/block_pb2.py +++ b/pyinjective/proto/tendermint/types/block_pb2.py @@ -1,30 +1,40 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/block.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/block.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import evidence_pb2 as tendermint_dot_types_dot_evidence__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xca\x01\n\x05\x42lock\x12.\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12*\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00\x12\x36\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00\x12-\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitB5Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/block.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/types/types.proto\x1a\x1ftendermint/types/evidence.proto\"\xee\x01\n\x05\x42lock\x12\x36\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x30\n\x04\x64\x61ta\x18\x02 \x01(\x0b\x32\x16.tendermint.types.DataB\x04\xc8\xde\x1f\x00R\x04\x64\x61ta\x12@\n\x08\x65vidence\x18\x03 \x01(\x0b\x32\x1e.tendermint.types.EvidenceListB\x04\xc8\xde\x1f\x00R\x08\x65vidence\x12\x39\n\x0blast_commit\x18\x04 \x01(\x0b\x32\x18.tendermint.types.CommitR\nlastCommitB\xb8\x01\n\x14\x63om.tendermint.typesB\nBlockProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.block_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nBlockProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_BLOCK'].fields_by_name['header']._loaded_options = None _globals['_BLOCK'].fields_by_name['header']._serialized_options = b'\310\336\037\000' _globals['_BLOCK'].fields_by_name['data']._loaded_options = None @@ -32,5 +42,5 @@ _globals['_BLOCK'].fields_by_name['evidence']._loaded_options = None _globals['_BLOCK'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_BLOCK']._serialized_start=136 - _globals['_BLOCK']._serialized_end=338 + _globals['_BLOCK']._serialized_end=374 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2.py b/pyinjective/proto/tendermint/types/evidence_pb2.py index c293b1ff..4b43c748 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2.py @@ -1,31 +1,41 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/evidence.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/evidence.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.types import types_pb2 as tendermint_dot_types_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xb2\x01\n\x08\x45vidence\x12J\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00\x12S\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00\x42\x05\n\x03sum\"\xd5\x01\n\x15\x44uplicateVoteEvidence\x12&\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.Vote\x12&\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.Vote\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\x12\x17\n\x0fvalidator_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"\xfb\x01\n\x19LightClientAttackEvidence\x12\x37\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlock\x12\x15\n\rcommon_height\x18\x02 \x01(\x03\x12\x39\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x04 \x01(\x03\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\"B\n\x0c\x45videnceList\x12\x32\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ftendermint/types/evidence.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1ctendermint/types/types.proto\x1a tendermint/types/validator.proto\"\xe4\x01\n\x08\x45vidence\x12\x61\n\x17\x64uplicate_vote_evidence\x18\x01 \x01(\x0b\x32\'.tendermint.types.DuplicateVoteEvidenceH\x00R\x15\x64uplicateVoteEvidence\x12n\n\x1clight_client_attack_evidence\x18\x02 \x01(\x0b\x32+.tendermint.types.LightClientAttackEvidenceH\x00R\x19lightClientAttackEvidenceB\x05\n\x03sum\"\x90\x02\n\x15\x44uplicateVoteEvidence\x12-\n\x06vote_a\x18\x01 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteA\x12-\n\x06vote_b\x18\x02 \x01(\x0b\x32\x16.tendermint.types.VoteR\x05voteB\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\x12\'\n\x0fvalidator_power\x18\x04 \x01(\x03R\x0evalidatorPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"\xcd\x02\n\x19LightClientAttackEvidence\x12I\n\x11\x63onflicting_block\x18\x01 \x01(\x0b\x32\x1c.tendermint.types.LightBlockR\x10\x63onflictingBlock\x12#\n\rcommon_height\x18\x02 \x01(\x03R\x0c\x63ommonHeight\x12N\n\x14\x62yzantine_validators\x18\x03 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\x13\x62yzantineValidators\x12,\n\x12total_voting_power\x18\x04 \x01(\x03R\x10totalVotingPower\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\"L\n\x0c\x45videnceList\x12<\n\x08\x65vidence\x18\x01 \x03(\x0b\x32\x1a.tendermint.types.EvidenceB\x04\xc8\xde\x1f\x00R\x08\x65videnceB\xbb\x01\n\x14\x63om.tendermint.typesB\rEvidenceProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.evidence_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\rEvidenceProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._loaded_options = None _globals['_DUPLICATEVOTEEVIDENCE'].fields_by_name['timestamp']._serialized_options = b'\310\336\037\000\220\337\037\001' _globals['_LIGHTCLIENTATTACKEVIDENCE'].fields_by_name['timestamp']._loaded_options = None @@ -33,11 +43,11 @@ _globals['_EVIDENCELIST'].fields_by_name['evidence']._loaded_options = None _globals['_EVIDENCELIST'].fields_by_name['evidence']._serialized_options = b'\310\336\037\000' _globals['_EVIDENCE']._serialized_start=173 - _globals['_EVIDENCE']._serialized_end=351 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=354 - _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=567 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=570 - _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=821 - _globals['_EVIDENCELIST']._serialized_start=823 - _globals['_EVIDENCELIST']._serialized_end=889 + _globals['_EVIDENCE']._serialized_end=401 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_start=404 + _globals['_DUPLICATEVOTEEVIDENCE']._serialized_end=676 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_start=679 + _globals['_LIGHTCLIENTATTACKEVIDENCE']._serialized_end=1012 + _globals['_EVIDENCELIST']._serialized_start=1014 + _globals['_EVIDENCELIST']._serialized_end=1090 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/params_pb2.py b/pyinjective/proto/tendermint/types/params_pb2.py index 8054f444..563ec0b4 100644 --- a/pyinjective/proto/tendermint/types/params_pb2.py +++ b/pyinjective/proto/tendermint/types/params_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/params.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/params.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import duration_pb2 as google_dot_protobuf_dot_duration__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\x87\x02\n\x0f\x43onsensusParams\x12,\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParams\x12\x32\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParams\x12\x34\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParams\x12\x30\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParams\x12*\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParams\"7\n\x0b\x42lockParams\x12\x11\n\tmax_bytes\x18\x01 \x01(\x03\x12\x0f\n\x07max_gas\x18\x02 \x01(\x03J\x04\x08\x03\x10\x04\"~\n\x0e\x45videnceParams\x12\x1a\n\x12max_age_num_blocks\x18\x01 \x01(\x03\x12=\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01\x12\x11\n\tmax_bytes\x18\x03 \x01(\x03\"2\n\x0fValidatorParams\x12\x15\n\rpub_key_types\x18\x01 \x03(\t:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"&\n\rVersionParams\x12\x0b\n\x03\x61pp\x18\x01 \x01(\x04:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\">\n\x0cHashedParams\x12\x17\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03\x12\x15\n\rblock_max_gas\x18\x02 \x01(\x03\"3\n\nABCIParams\x12%\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03\x42\x39Z3github.com/cometbft/cometbft/proto/tendermint/types\xa8\xe2\x1e\x01\x62\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1dtendermint/types/params.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1egoogle/protobuf/duration.proto\"\xb2\x02\n\x0f\x43onsensusParams\x12\x33\n\x05\x62lock\x18\x01 \x01(\x0b\x32\x1d.tendermint.types.BlockParamsR\x05\x62lock\x12<\n\x08\x65vidence\x18\x02 \x01(\x0b\x32 .tendermint.types.EvidenceParamsR\x08\x65vidence\x12?\n\tvalidator\x18\x03 \x01(\x0b\x32!.tendermint.types.ValidatorParamsR\tvalidator\x12\x39\n\x07version\x18\x04 \x01(\x0b\x32\x1f.tendermint.types.VersionParamsR\x07version\x12\x30\n\x04\x61\x62\x63i\x18\x05 \x01(\x0b\x32\x1c.tendermint.types.ABCIParamsR\x04\x61\x62\x63i\"I\n\x0b\x42lockParams\x12\x1b\n\tmax_bytes\x18\x01 \x01(\x03R\x08maxBytes\x12\x17\n\x07max_gas\x18\x02 \x01(\x03R\x06maxGasJ\x04\x08\x03\x10\x04\"\xa9\x01\n\x0e\x45videnceParams\x12+\n\x12max_age_num_blocks\x18\x01 \x01(\x03R\x0fmaxAgeNumBlocks\x12M\n\x10max_age_duration\x18\x02 \x01(\x0b\x32\x19.google.protobuf.DurationB\x08\xc8\xde\x1f\x00\x98\xdf\x1f\x01R\x0emaxAgeDuration\x12\x1b\n\tmax_bytes\x18\x03 \x01(\x03R\x08maxBytes\"?\n\x0fValidatorParams\x12\"\n\rpub_key_types\x18\x01 \x03(\tR\x0bpubKeyTypes:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"+\n\rVersionParams\x12\x10\n\x03\x61pp\x18\x01 \x01(\x04R\x03\x61pp:\x08\xb8\xa0\x1f\x01\xe8\xa0\x1f\x01\"Z\n\x0cHashedParams\x12&\n\x0f\x62lock_max_bytes\x18\x01 \x01(\x03R\rblockMaxBytes\x12\"\n\rblock_max_gas\x18\x02 \x01(\x03R\x0b\x62lockMaxGas\"O\n\nABCIParams\x12\x41\n\x1dvote_extensions_enable_height\x18\x01 \x01(\x03R\x1avoteExtensionsEnableHeightB\xbd\x01\n\x14\x63om.tendermint.typesB\x0bParamsProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Types\xa8\xe2\x1e\x01\x62\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.params_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types\250\342\036\001' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\013ParamsProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types\250\342\036\001' _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._loaded_options = None _globals['_EVIDENCEPARAMS'].fields_by_name['max_age_duration']._serialized_options = b'\310\336\037\000\230\337\037\001' _globals['_VALIDATORPARAMS']._loaded_options = None @@ -31,17 +41,17 @@ _globals['_VERSIONPARAMS']._loaded_options = None _globals['_VERSIONPARAMS']._serialized_options = b'\270\240\037\001\350\240\037\001' _globals['_CONSENSUSPARAMS']._serialized_start=106 - _globals['_CONSENSUSPARAMS']._serialized_end=369 - _globals['_BLOCKPARAMS']._serialized_start=371 - _globals['_BLOCKPARAMS']._serialized_end=426 - _globals['_EVIDENCEPARAMS']._serialized_start=428 - _globals['_EVIDENCEPARAMS']._serialized_end=554 - _globals['_VALIDATORPARAMS']._serialized_start=556 - _globals['_VALIDATORPARAMS']._serialized_end=606 - _globals['_VERSIONPARAMS']._serialized_start=608 - _globals['_VERSIONPARAMS']._serialized_end=646 - _globals['_HASHEDPARAMS']._serialized_start=648 - _globals['_HASHEDPARAMS']._serialized_end=710 - _globals['_ABCIPARAMS']._serialized_start=712 - _globals['_ABCIPARAMS']._serialized_end=763 + _globals['_CONSENSUSPARAMS']._serialized_end=412 + _globals['_BLOCKPARAMS']._serialized_start=414 + _globals['_BLOCKPARAMS']._serialized_end=487 + _globals['_EVIDENCEPARAMS']._serialized_start=490 + _globals['_EVIDENCEPARAMS']._serialized_end=659 + _globals['_VALIDATORPARAMS']._serialized_start=661 + _globals['_VALIDATORPARAMS']._serialized_end=724 + _globals['_VERSIONPARAMS']._serialized_start=726 + _globals['_VERSIONPARAMS']._serialized_end=769 + _globals['_HASHEDPARAMS']._serialized_start=771 + _globals['_HASHEDPARAMS']._serialized_end=861 + _globals['_ABCIPARAMS']._serialized_start=863 + _globals['_ABCIPARAMS']._serialized_end=942 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/types_pb2.py b/pyinjective/proto/tendermint/types/types_pb2.py index 5435e09f..42fdbeec 100644 --- a/pyinjective/proto/tendermint/types/types_pb2.py +++ b/pyinjective/proto/tendermint/types/types_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 from google.protobuf import timestamp_pb2 as google_dot_protobuf_dot_timestamp__pb2 -from tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 -from tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 -from tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 +from pyinjective.proto.tendermint.crypto import proof_pb2 as tendermint_dot_crypto_dot_proof__pb2 +from pyinjective.proto.tendermint.version import types_pb2 as tendermint_dot_version_dot_types__pb2 +from pyinjective.proto.tendermint.types import validator_pb2 as tendermint_dot_types_dot_validator__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\",\n\rPartSetHeader\x12\r\n\x05total\x18\x01 \x01(\r\x12\x0c\n\x04hash\x18\x02 \x01(\x0c\"S\n\x04Part\x12\r\n\x05index\x18\x01 \x01(\r\x12\r\n\x05\x62ytes\x18\x02 \x01(\x0c\x12-\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00\"W\n\x07\x42lockID\x12\x0c\n\x04hash\x18\x01 \x01(\x0c\x12>\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00\"\xb3\x03\n\x06Header\x12\x34\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00\x12\x1d\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainID\x12\x0e\n\x06height\x18\x03 \x01(\x03\x12\x32\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x36\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00\x12\x18\n\x10last_commit_hash\x18\x06 \x01(\x0c\x12\x11\n\tdata_hash\x18\x07 \x01(\x0c\x12\x17\n\x0fvalidators_hash\x18\x08 \x01(\x0c\x12\x1c\n\x14next_validators_hash\x18\t \x01(\x0c\x12\x16\n\x0e\x63onsensus_hash\x18\n \x01(\x0c\x12\x10\n\x08\x61pp_hash\x18\x0b \x01(\x0c\x12\x19\n\x11last_results_hash\x18\x0c \x01(\x0c\x12\x15\n\revidence_hash\x18\r \x01(\x0c\x12\x18\n\x10proposer_address\x18\x0e \x01(\x0c\"\x13\n\x04\x44\x61ta\x12\x0b\n\x03txs\x18\x01 \x03(\x0c\"\xc2\x02\n\x04Vote\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12<\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x19\n\x11validator_address\x18\x06 \x01(\x0c\x12\x17\n\x0fvalidator_index\x18\x07 \x01(\x05\x12\x11\n\tsignature\x18\x08 \x01(\x0c\x12\x11\n\textension\x18\t \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\n \x01(\x0c\"\x9c\x01\n\x06\x43ommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x35\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00\"\xa8\x01\n\tCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\"\xb5\x01\n\x0e\x45xtendedCommit\x12\x0e\n\x06height\x18\x01 \x01(\x03\x12\r\n\x05round\x18\x02 \x01(\x05\x12<\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x46\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00\"\xe0\x01\n\x11\x45xtendedCommitSig\x12\x34\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlag\x12\x19\n\x11validator_address\x18\x02 \x01(\x0c\x12\x37\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x04 \x01(\x0c\x12\x11\n\textension\x18\x05 \x01(\x0c\x12\x1b\n\x13\x65xtension_signature\x18\x06 \x01(\x0c\"\xf5\x01\n\x08Proposal\x12-\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgType\x12\x0e\n\x06height\x18\x02 \x01(\x03\x12\r\n\x05round\x18\x03 \x01(\x05\x12\x11\n\tpol_round\x18\x04 \x01(\x05\x12<\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x37\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01\x12\x11\n\tsignature\x18\x07 \x01(\x0c\"b\n\x0cSignedHeader\x12(\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.Header\x12(\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.Commit\"z\n\nLightBlock\x12\x35\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeader\x12\x35\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSet\"\x9e\x01\n\tBlockMeta\x12<\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockID\x12\x12\n\nblock_size\x18\x02 \x01(\x03\x12.\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00\x12\x0f\n\x07num_txs\x18\x04 \x01(\x03\"S\n\x07TxProof\x12\x11\n\troot_hash\x18\x01 \x01(\x0c\x12\x0c\n\x04\x64\x61ta\x18\x02 \x01(\x0c\x12\'\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.Proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1ctendermint/types/types.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1fgoogle/protobuf/timestamp.proto\x1a\x1dtendermint/crypto/proof.proto\x1a\x1etendermint/version/types.proto\x1a tendermint/types/validator.proto\"9\n\rPartSetHeader\x12\x14\n\x05total\x18\x01 \x01(\rR\x05total\x12\x12\n\x04hash\x18\x02 \x01(\x0cR\x04hash\"h\n\x04Part\x12\x14\n\x05index\x18\x01 \x01(\rR\x05index\x12\x14\n\x05\x62ytes\x18\x02 \x01(\x0cR\x05\x62ytes\x12\x34\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofB\x04\xc8\xde\x1f\x00R\x05proof\"l\n\x07\x42lockID\x12\x12\n\x04hash\x18\x01 \x01(\x0cR\x04hash\x12M\n\x0fpart_set_header\x18\x02 \x01(\x0b\x32\x1f.tendermint.types.PartSetHeaderB\x04\xc8\xde\x1f\x00R\rpartSetHeader\"\xe6\x04\n\x06Header\x12=\n\x07version\x18\x01 \x01(\x0b\x32\x1d.tendermint.version.ConsensusB\x04\xc8\xde\x1f\x00R\x07version\x12&\n\x08\x63hain_id\x18\x02 \x01(\tB\x0b\xe2\xde\x1f\x07\x43hainIDR\x07\x63hainId\x12\x16\n\x06height\x18\x03 \x01(\x03R\x06height\x12\x38\n\x04time\x18\x04 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\x04time\x12\x43\n\rlast_block_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x04\xc8\xde\x1f\x00R\x0blastBlockId\x12(\n\x10last_commit_hash\x18\x06 \x01(\x0cR\x0elastCommitHash\x12\x1b\n\tdata_hash\x18\x07 \x01(\x0cR\x08\x64\x61taHash\x12\'\n\x0fvalidators_hash\x18\x08 \x01(\x0cR\x0evalidatorsHash\x12\x30\n\x14next_validators_hash\x18\t \x01(\x0cR\x12nextValidatorsHash\x12%\n\x0e\x63onsensus_hash\x18\n \x01(\x0cR\rconsensusHash\x12\x19\n\x08\x61pp_hash\x18\x0b \x01(\x0cR\x07\x61ppHash\x12*\n\x11last_results_hash\x18\x0c \x01(\x0cR\x0flastResultsHash\x12#\n\revidence_hash\x18\r \x01(\x0cR\x0c\x65videnceHash\x12)\n\x10proposer_address\x18\x0e \x01(\x0cR\x0fproposerAddress\"\x18\n\x04\x44\x61ta\x12\x10\n\x03txs\x18\x01 \x03(\x0cR\x03txs\"\xb7\x03\n\x04Vote\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x04 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x05 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12+\n\x11validator_address\x18\x06 \x01(\x0cR\x10validatorAddress\x12\'\n\x0fvalidator_index\x18\x07 \x01(\x05R\x0evalidatorIndex\x12\x1c\n\tsignature\x18\x08 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\t \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\n \x01(\x0cR\x12\x65xtensionSignature\"\xc0\x01\n\x06\x43ommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x41\n\nsignatures\x18\x04 \x03(\x0b\x32\x1b.tendermint.types.CommitSigB\x04\xc8\xde\x1f\x00R\nsignatures\"\xdd\x01\n\tCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\"\xe1\x01\n\x0e\x45xtendedCommit\x12\x16\n\x06height\x18\x01 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x02 \x01(\x05R\x05round\x12\x45\n\x08\x62lock_id\x18\x03 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12Z\n\x13\x65xtended_signatures\x18\x04 \x03(\x0b\x32#.tendermint.types.ExtendedCommitSigB\x04\xc8\xde\x1f\x00R\x12\x65xtendedSignatures\"\xb4\x02\n\x11\x45xtendedCommitSig\x12\x41\n\rblock_id_flag\x18\x01 \x01(\x0e\x32\x1d.tendermint.types.BlockIDFlagR\x0b\x62lockIdFlag\x12+\n\x11validator_address\x18\x02 \x01(\x0cR\x10validatorAddress\x12\x42\n\ttimestamp\x18\x03 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x04 \x01(\x0cR\tsignature\x12\x1c\n\textension\x18\x05 \x01(\x0cR\textension\x12/\n\x13\x65xtension_signature\x18\x06 \x01(\x0cR\x12\x65xtensionSignature\"\xb3\x02\n\x08Proposal\x12\x33\n\x04type\x18\x01 \x01(\x0e\x32\x1f.tendermint.types.SignedMsgTypeR\x04type\x12\x16\n\x06height\x18\x02 \x01(\x03R\x06height\x12\x14\n\x05round\x18\x03 \x01(\x05R\x05round\x12\x1b\n\tpol_round\x18\x04 \x01(\x05R\x08polRound\x12\x45\n\x08\x62lock_id\x18\x05 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x42\n\ttimestamp\x18\x06 \x01(\x0b\x32\x1a.google.protobuf.TimestampB\x08\xc8\xde\x1f\x00\x90\xdf\x1f\x01R\ttimestamp\x12\x1c\n\tsignature\x18\x07 \x01(\x0cR\tsignature\"r\n\x0cSignedHeader\x12\x30\n\x06header\x18\x01 \x01(\x0b\x32\x18.tendermint.types.HeaderR\x06header\x12\x30\n\x06\x63ommit\x18\x02 \x01(\x0b\x32\x18.tendermint.types.CommitR\x06\x63ommit\"\x96\x01\n\nLightBlock\x12\x43\n\rsigned_header\x18\x01 \x01(\x0b\x32\x1e.tendermint.types.SignedHeaderR\x0csignedHeader\x12\x43\n\rvalidator_set\x18\x02 \x01(\x0b\x32\x1e.tendermint.types.ValidatorSetR\x0cvalidatorSet\"\xc2\x01\n\tBlockMeta\x12\x45\n\x08\x62lock_id\x18\x01 \x01(\x0b\x32\x19.tendermint.types.BlockIDB\x0f\xc8\xde\x1f\x00\xe2\xde\x1f\x07\x42lockIDR\x07\x62lockId\x12\x1d\n\nblock_size\x18\x02 \x01(\x03R\tblockSize\x12\x36\n\x06header\x18\x03 \x01(\x0b\x32\x18.tendermint.types.HeaderB\x04\xc8\xde\x1f\x00R\x06header\x12\x17\n\x07num_txs\x18\x04 \x01(\x03R\x06numTxs\"j\n\x07TxProof\x12\x1b\n\troot_hash\x18\x01 \x01(\x0cR\x08rootHash\x12\x12\n\x04\x64\x61ta\x18\x02 \x01(\x0cR\x04\x64\x61ta\x12.\n\x05proof\x18\x03 \x01(\x0b\x32\x18.tendermint.crypto.ProofR\x05proof*\xd7\x01\n\rSignedMsgType\x12,\n\x17SIGNED_MSG_TYPE_UNKNOWN\x10\x00\x1a\x0f\x8a\x9d \x0bUnknownType\x12,\n\x17SIGNED_MSG_TYPE_PREVOTE\x10\x01\x1a\x0f\x8a\x9d \x0bPrevoteType\x12\x30\n\x19SIGNED_MSG_TYPE_PRECOMMIT\x10\x02\x1a\x11\x8a\x9d \rPrecommitType\x12.\n\x18SIGNED_MSG_TYPE_PROPOSAL\x10 \x1a\x10\x8a\x9d \x0cProposalType\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xb8\x01\n\x14\x63om.tendermint.typesB\nTypesProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\nTypesProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_SIGNEDMSGTYPE']._loaded_options = None _globals['_SIGNEDMSGTYPE']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_SIGNEDMSGTYPE'].values_by_name["SIGNED_MSG_TYPE_UNKNOWN"]._loaded_options = None @@ -73,36 +83,36 @@ _globals['_BLOCKMETA'].fields_by_name['block_id']._serialized_options = b'\310\336\037\000\342\336\037\007BlockID' _globals['_BLOCKMETA'].fields_by_name['header']._loaded_options = None _globals['_BLOCKMETA'].fields_by_name['header']._serialized_options = b'\310\336\037\000' - _globals['_SIGNEDMSGTYPE']._serialized_start=2666 - _globals['_SIGNEDMSGTYPE']._serialized_end=2881 + _globals['_SIGNEDMSGTYPE']._serialized_start=3405 + _globals['_SIGNEDMSGTYPE']._serialized_end=3620 _globals['_PARTSETHEADER']._serialized_start=202 - _globals['_PARTSETHEADER']._serialized_end=246 - _globals['_PART']._serialized_start=248 - _globals['_PART']._serialized_end=331 - _globals['_BLOCKID']._serialized_start=333 - _globals['_BLOCKID']._serialized_end=420 - _globals['_HEADER']._serialized_start=423 - _globals['_HEADER']._serialized_end=858 - _globals['_DATA']._serialized_start=860 - _globals['_DATA']._serialized_end=879 - _globals['_VOTE']._serialized_start=882 - _globals['_VOTE']._serialized_end=1204 - _globals['_COMMIT']._serialized_start=1207 - _globals['_COMMIT']._serialized_end=1363 - _globals['_COMMITSIG']._serialized_start=1366 - _globals['_COMMITSIG']._serialized_end=1534 - _globals['_EXTENDEDCOMMIT']._serialized_start=1537 - _globals['_EXTENDEDCOMMIT']._serialized_end=1718 - _globals['_EXTENDEDCOMMITSIG']._serialized_start=1721 - _globals['_EXTENDEDCOMMITSIG']._serialized_end=1945 - _globals['_PROPOSAL']._serialized_start=1948 - _globals['_PROPOSAL']._serialized_end=2193 - _globals['_SIGNEDHEADER']._serialized_start=2195 - _globals['_SIGNEDHEADER']._serialized_end=2293 - _globals['_LIGHTBLOCK']._serialized_start=2295 - _globals['_LIGHTBLOCK']._serialized_end=2417 - _globals['_BLOCKMETA']._serialized_start=2420 - _globals['_BLOCKMETA']._serialized_end=2578 - _globals['_TXPROOF']._serialized_start=2580 - _globals['_TXPROOF']._serialized_end=2663 + _globals['_PARTSETHEADER']._serialized_end=259 + _globals['_PART']._serialized_start=261 + _globals['_PART']._serialized_end=365 + _globals['_BLOCKID']._serialized_start=367 + _globals['_BLOCKID']._serialized_end=475 + _globals['_HEADER']._serialized_start=478 + _globals['_HEADER']._serialized_end=1092 + _globals['_DATA']._serialized_start=1094 + _globals['_DATA']._serialized_end=1118 + _globals['_VOTE']._serialized_start=1121 + _globals['_VOTE']._serialized_end=1560 + _globals['_COMMIT']._serialized_start=1563 + _globals['_COMMIT']._serialized_end=1755 + _globals['_COMMITSIG']._serialized_start=1758 + _globals['_COMMITSIG']._serialized_end=1979 + _globals['_EXTENDEDCOMMIT']._serialized_start=1982 + _globals['_EXTENDEDCOMMIT']._serialized_end=2207 + _globals['_EXTENDEDCOMMITSIG']._serialized_start=2210 + _globals['_EXTENDEDCOMMITSIG']._serialized_end=2518 + _globals['_PROPOSAL']._serialized_start=2521 + _globals['_PROPOSAL']._serialized_end=2828 + _globals['_SIGNEDHEADER']._serialized_start=2830 + _globals['_SIGNEDHEADER']._serialized_end=2944 + _globals['_LIGHTBLOCK']._serialized_start=2947 + _globals['_LIGHTBLOCK']._serialized_end=3097 + _globals['_BLOCKMETA']._serialized_start=3100 + _globals['_BLOCKMETA']._serialized_end=3294 + _globals['_TXPROOF']._serialized_start=3296 + _globals['_TXPROOF']._serialized_end=3402 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/types/validator_pb2.py b/pyinjective/proto/tendermint/types/validator_pb2.py index d7059a2b..67578121 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2.py +++ b/pyinjective/proto/tendermint/types/validator_pb2.py @@ -1,29 +1,39 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/types/validator.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/types/validator.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -from tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.tendermint.crypto import keys_pb2 as tendermint_dot_crypto_dot_keys__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\x8a\x01\n\x0cValidatorSet\x12/\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.Validator\x12-\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.Validator\x12\x1a\n\x12total_voting_power\x18\x03 \x01(\x03\"\x82\x01\n\tValidator\x12\x0f\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0c\x12\x33\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00\x12\x14\n\x0cvoting_power\x18\x03 \x01(\x03\x12\x19\n\x11proposer_priority\x18\x04 \x01(\x03\"V\n\x0fSimpleValidator\x12-\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKey\x12\x14\n\x0cvoting_power\x18\x02 \x01(\x03*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\x35Z3github.com/cometbft/cometbft/proto/tendermint/typesb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n tendermint/types/validator.proto\x12\x10tendermint.types\x1a\x14gogoproto/gogo.proto\x1a\x1ctendermint/crypto/keys.proto\"\xb2\x01\n\x0cValidatorSet\x12;\n\nvalidators\x18\x01 \x03(\x0b\x32\x1b.tendermint.types.ValidatorR\nvalidators\x12\x37\n\x08proposer\x18\x02 \x01(\x0b\x32\x1b.tendermint.types.ValidatorR\x08proposer\x12,\n\x12total_voting_power\x18\x03 \x01(\x03R\x10totalVotingPower\"\xb2\x01\n\tValidator\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\x0cR\x07\x61\x64\x64ress\x12;\n\x07pub_key\x18\x02 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyB\x04\xc8\xde\x1f\x00R\x06pubKey\x12!\n\x0cvoting_power\x18\x03 \x01(\x03R\x0bvotingPower\x12+\n\x11proposer_priority\x18\x04 \x01(\x03R\x10proposerPriority\"k\n\x0fSimpleValidator\x12\x35\n\x07pub_key\x18\x01 \x01(\x0b\x32\x1c.tendermint.crypto.PublicKeyR\x06pubKey\x12!\n\x0cvoting_power\x18\x02 \x01(\x03R\x0bvotingPower*\xd7\x01\n\x0b\x42lockIDFlag\x12\x31\n\x15\x42LOCK_ID_FLAG_UNKNOWN\x10\x00\x1a\x16\x8a\x9d \x12\x42lockIDFlagUnknown\x12/\n\x14\x42LOCK_ID_FLAG_ABSENT\x10\x01\x1a\x15\x8a\x9d \x11\x42lockIDFlagAbsent\x12/\n\x14\x42LOCK_ID_FLAG_COMMIT\x10\x02\x1a\x15\x8a\x9d \x11\x42lockIDFlagCommit\x12)\n\x11\x42LOCK_ID_FLAG_NIL\x10\x03\x1a\x12\x8a\x9d \x0e\x42lockIDFlagNil\x1a\x08\x88\xa3\x1e\x00\xa8\xa4\x1e\x01\x42\xbc\x01\n\x14\x63om.tendermint.typesB\x0eValidatorProtoP\x01Z3github.com/cometbft/cometbft/proto/tendermint/types\xa2\x02\x03TTX\xaa\x02\x10Tendermint.Types\xca\x02\x10Tendermint\\Types\xe2\x02\x1cTendermint\\Types\\GPBMetadata\xea\x02\x11Tendermint::Typesb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.types.validator_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z3github.com/cometbft/cometbft/proto/tendermint/types' + _globals['DESCRIPTOR']._serialized_options = b'\n\024com.tendermint.typesB\016ValidatorProtoP\001Z3github.com/cometbft/cometbft/proto/tendermint/types\242\002\003TTX\252\002\020Tendermint.Types\312\002\020Tendermint\\Types\342\002\034Tendermint\\Types\\GPBMetadata\352\002\021Tendermint::Types' _globals['_BLOCKIDFLAG']._loaded_options = None _globals['_BLOCKIDFLAG']._serialized_options = b'\210\243\036\000\250\244\036\001' _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_UNKNOWN"]._loaded_options = None @@ -36,12 +46,12 @@ _globals['_BLOCKIDFLAG'].values_by_name["BLOCK_ID_FLAG_NIL"]._serialized_options = b'\212\235 \016BlockIDFlagNil' _globals['_VALIDATOR'].fields_by_name['pub_key']._loaded_options = None _globals['_VALIDATOR'].fields_by_name['pub_key']._serialized_options = b'\310\336\037\000' - _globals['_BLOCKIDFLAG']._serialized_start=469 - _globals['_BLOCKIDFLAG']._serialized_end=684 + _globals['_BLOCKIDFLAG']._serialized_start=578 + _globals['_BLOCKIDFLAG']._serialized_end=793 _globals['_VALIDATORSET']._serialized_start=107 - _globals['_VALIDATORSET']._serialized_end=245 - _globals['_VALIDATOR']._serialized_start=248 - _globals['_VALIDATOR']._serialized_end=378 - _globals['_SIMPLEVALIDATOR']._serialized_start=380 - _globals['_SIMPLEVALIDATOR']._serialized_end=466 + _globals['_VALIDATORSET']._serialized_end=285 + _globals['_VALIDATOR']._serialized_start=288 + _globals['_VALIDATOR']._serialized_end=466 + _globals['_SIMPLEVALIDATOR']._serialized_start=468 + _globals['_SIMPLEVALIDATOR']._serialized_end=575 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/tendermint/version/types_pb2.py b/pyinjective/proto/tendermint/version/types_pb2.py index e035eb93..ab206bad 100644 --- a/pyinjective/proto/tendermint/version/types_pb2.py +++ b/pyinjective/proto/tendermint/version/types_pb2.py @@ -1,32 +1,42 @@ # -*- coding: utf-8 -*- # Generated by the protocol buffer compiler. DO NOT EDIT! +# NO CHECKED-IN PROTOBUF GENCODE # source: tendermint/version/types.proto -# Protobuf Python Version: 5.26.1 +# Protobuf Python Version: 5.27.2 """Generated protocol buffer code.""" from google.protobuf import descriptor as _descriptor from google.protobuf import descriptor_pool as _descriptor_pool +from google.protobuf import runtime_version as _runtime_version from google.protobuf import symbol_database as _symbol_database from google.protobuf.internal import builder as _builder +_runtime_version.ValidateProtobufRuntimeVersion( + _runtime_version.Domain.PUBLIC, + 5, + 27, + 2, + '', + 'tendermint/version/types.proto' +) # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() -from gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 +from pyinjective.proto.gogoproto import gogo_pb2 as gogoproto_dot_gogo__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\")\n\x03\x41pp\x12\x10\n\x08protocol\x18\x01 \x01(\x04\x12\x10\n\x08software\x18\x02 \x01(\t\"-\n\tConsensus\x12\r\n\x05\x62lock\x18\x01 \x01(\x04\x12\x0b\n\x03\x61pp\x18\x02 \x01(\x04:\x04\xe8\xa0\x1f\x01\x42\x37Z5github.com/cometbft/cometbft/proto/tendermint/versionb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1etendermint/version/types.proto\x12\x12tendermint.version\x1a\x14gogoproto/gogo.proto\"=\n\x03\x41pp\x12\x1a\n\x08protocol\x18\x01 \x01(\x04R\x08protocol\x12\x1a\n\x08software\x18\x02 \x01(\tR\x08software\"9\n\tConsensus\x12\x14\n\x05\x62lock\x18\x01 \x01(\x04R\x05\x62lock\x12\x10\n\x03\x61pp\x18\x02 \x01(\x04R\x03\x61pp:\x04\xe8\xa0\x1f\x01\x42\xc4\x01\n\x16\x63om.tendermint.versionB\nTypesProtoP\x01Z5github.com/cometbft/cometbft/proto/tendermint/version\xa2\x02\x03TVX\xaa\x02\x12Tendermint.Version\xca\x02\x12Tendermint\\Version\xe2\x02\x1eTendermint\\Version\\GPBMetadata\xea\x02\x13Tendermint::Versionb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) _builder.BuildTopDescriptorsAndMessages(DESCRIPTOR, 'tendermint.version.types_pb2', _globals) if not _descriptor._USE_C_DESCRIPTORS: _globals['DESCRIPTOR']._loaded_options = None - _globals['DESCRIPTOR']._serialized_options = b'Z5github.com/cometbft/cometbft/proto/tendermint/version' + _globals['DESCRIPTOR']._serialized_options = b'\n\026com.tendermint.versionB\nTypesProtoP\001Z5github.com/cometbft/cometbft/proto/tendermint/version\242\002\003TVX\252\002\022Tendermint.Version\312\002\022Tendermint\\Version\342\002\036Tendermint\\Version\\GPBMetadata\352\002\023Tendermint::Version' _globals['_CONSENSUS']._loaded_options = None _globals['_CONSENSUS']._serialized_options = b'\350\240\037\001' _globals['_APP']._serialized_start=76 - _globals['_APP']._serialized_end=117 - _globals['_CONSENSUS']._serialized_start=119 - _globals['_CONSENSUS']._serialized_end=164 + _globals['_APP']._serialized_end=137 + _globals['_CONSENSUS']._serialized_start=139 + _globals['_CONSENSUS']._serialized_end=196 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/sendtocosmos.py b/pyinjective/sendtocosmos.py index 043910b6..c07cceca 100644 --- a/pyinjective/sendtocosmos.py +++ b/pyinjective/sendtocosmos.py @@ -1,7 +1,7 @@ from web3 import Web3 -from .utils.logger import LoggerProvider -from .wallet import Address +from pyinjective.utils.logger import LoggerProvider +from pyinjective.wallet import Address class Peggo: diff --git a/pyinjective/transaction.py b/pyinjective/transaction.py index f54d5649..dc20f42d 100644 --- a/pyinjective/transaction.py +++ b/pyinjective/transaction.py @@ -2,12 +2,12 @@ from google.protobuf import any_pb2, message -from .constant import MAX_MEMO_CHARACTERS -from .exceptions import EmptyMsgError, UndefinedError, ValueTooLargeError -from .proto.cosmos.base.v1beta1.coin_pb2 import Coin -from .proto.cosmos.tx.signing.v1beta1 import signing_pb2 as tx_sign -from .proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_tx_type -from .wallet import PublicKey +from pyinjective.constant import MAX_MEMO_CHARACTERS +from pyinjective.exceptions import EmptyMsgError, UndefinedError, ValueTooLargeError +from pyinjective.proto.cosmos.base.v1beta1.coin_pb2 import Coin +from pyinjective.proto.cosmos.tx.signing.v1beta1 import signing_pb2 as tx_sign +from pyinjective.proto.cosmos.tx.v1beta1 import tx_pb2 as cosmos_tx_type +from pyinjective.wallet import PublicKey class Transaction: diff --git a/pyinjective/wallet.py b/pyinjective/wallet.py index 991ba744..b142e7df 100644 --- a/pyinjective/wallet.py +++ b/pyinjective/wallet.py @@ -11,8 +11,8 @@ from ecdsa.util import sigencode_string_canonize from mnemonic import Mnemonic -from .exceptions import ConvertError, DecodeError -from .proto.injective.crypto.v1beta1.ethsecp256k1.keys_pb2 import PubKey as PubKeyProto +from pyinjective.exceptions import ConvertError, DecodeError +from pyinjective.proto.injective.crypto.v1beta1.ethsecp256k1.keys_pb2 import PubKey as PubKeyProto BECH32_PUBKEY_ACC_PREFIX = "injpub" BECH32_PUBKEY_VAL_PREFIX = "injvaloperpub" diff --git a/tests/client/chain/grpc/test_chain_grpc_bank_api.py b/tests/client/chain/grpc/test_chain_grpc_bank_api.py index 64b14f95..fbb155aa 100644 --- a/tests/client/chain/grpc/test_chain_grpc_bank_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_bank_api.py @@ -244,6 +244,7 @@ async def test_fetch_denom_metadata( "2560px-Flag_of_the_People%27s_Republic_of_China.svg.png" ), uri_hash="", + decimals=6, ) bank_servicer.denom_metadata_responses.append( @@ -269,6 +270,7 @@ async def test_fetch_denom_metadata( "symbol": metadata.symbol, "uri": metadata.uri, "uriHash": metadata.uri_hash, + "decimals": metadata.decimals, } } @@ -296,6 +298,7 @@ async def test_fetch_denoms_metadata( "2560px-Flag_of_the_People%27s_Republic_of_China.svg.png" ), uri_hash="", + decimals=6, ) pagination = pagination_pb.PageResponse( next_key=( @@ -334,6 +337,7 @@ async def test_fetch_denoms_metadata( "symbol": metadata.symbol, "uri": metadata.uri, "uriHash": metadata.uri_hash, + "decimals": metadata.decimals, }, ], "pagination": { From 99545c436f5714915af193a461ffba9cf1fa2b40 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 11:18:21 -0300 Subject: [PATCH 52/63] (fix) Updated compiled protos with the latest changes from the injective-core and injective-indexer v1.13 candidate versions --- Makefile | 2 +- poetry.lock | 623 +++++++++--------- .../injective_derivative_exchange_rpc_pb2.py | 276 ++++---- .../injective_spot_exchange_rpc_pb2.py | 192 +++--- .../proto/google/api/field_info_pb2.py | 10 +- .../exchange/v1beta1/exchange_pb2.py | 226 +++---- .../grpc/test_chain_grpc_exchange_api.py | 2 + .../grpc/test_indexer_grpc_derivative_api.py | 8 + .../grpc/test_indexer_grpc_spot_api.py | 4 + .../test_indexer_grpc_derivative_stream.py | 2 + .../test_indexer_grpc_spot_stream.py | 2 + 11 files changed, 700 insertions(+), 647 deletions(-) diff --git a/Makefile b/Makefile index 7d960aad..6c0f5e58 100644 --- a/Makefile +++ b/Makefile @@ -31,7 +31,7 @@ clean-all: $(call clean_repos) clone-injective-indexer: - git clone https://github.com/InjectiveLabs/injective-indexer.git -b release/v1.13.x --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-indexer.git -b v1.13.2 --depth 1 --single-branch clone-all: clone-injective-indexer diff --git a/poetry.lock b/poetry.lock index 09a977e5..27a93475 100644 --- a/poetry.lock +++ b/poetry.lock @@ -96,6 +96,20 @@ yarl = ">=1.0,<2.0" [package.extras] speedups = ["Brotli", "aiodns", "brotlicffi"] +[[package]] +name = "aioresponses" +version = "0.7.6" +description = "Mock out requests made by ClientSession from aiohttp package" +optional = false +python-versions = "*" +files = [ + {file = "aioresponses-0.7.6-py2.py3-none-any.whl", hash = "sha256:d2c26defbb9b440ea2685ec132e90700907fd10bcca3e85ec2f157219f0d26f7"}, + {file = "aioresponses-0.7.6.tar.gz", hash = "sha256:f795d9dbda2d61774840e7e32f5366f45752d1adc1b74c9362afd017296c7ee1"}, +] + +[package.dependencies] +aiohttp = ">=3.3.0,<4.0.0" + [[package]] name = "aiosignal" version = "1.3.1" @@ -370,13 +384,13 @@ uvloop = ["uvloop (>=0.15.2)"] [[package]] name = "certifi" -version = "2024.6.2" +version = "2024.7.4" description = "Python package for providing Mozilla's CA Bundle." optional = false python-versions = ">=3.6" files = [ - {file = "certifi-2024.6.2-py3-none-any.whl", hash = "sha256:ddc6c8ce995e6987e7faf5e3f1b02b302836a0e5d98ece18392cb1a36c72ad56"}, - {file = "certifi-2024.6.2.tar.gz", hash = "sha256:3cd43f1c6fa7dedc5899d69d3ad0398fd018ad1a17fba83ddaf78aa46c747516"}, + {file = "certifi-2024.7.4-py3-none-any.whl", hash = "sha256:c198e21b1289c2ab85ee4e67bb4b4ef3ead0892059901a8d5b622f24a1101e90"}, + {file = "certifi-2024.7.4.tar.gz", hash = "sha256:5a1e7645bc0ec61a09e26c36f6106dd4cf40c6db3a1fb6352b0244e7fb057c7b"}, ] [[package]] @@ -729,63 +743,63 @@ files = [ [[package]] name = "coverage" -version = "7.5.3" +version = "7.6.0" description = "Code coverage measurement for Python" optional = false python-versions = ">=3.8" files = [ - {file = "coverage-7.5.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:a6519d917abb15e12380406d721e37613e2a67d166f9fb7e5a8ce0375744cd45"}, - {file = "coverage-7.5.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:aea7da970f1feccf48be7335f8b2ca64baf9b589d79e05b9397a06696ce1a1ec"}, - {file = "coverage-7.5.3-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:923b7b1c717bd0f0f92d862d1ff51d9b2b55dbbd133e05680204465f454bb286"}, - {file = "coverage-7.5.3-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:62bda40da1e68898186f274f832ef3e759ce929da9a9fd9fcf265956de269dbc"}, - {file = "coverage-7.5.3-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d8b7339180d00de83e930358223c617cc343dd08e1aa5ec7b06c3a121aec4e1d"}, - {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:25a5caf742c6195e08002d3b6c2dd6947e50efc5fc2c2205f61ecb47592d2d83"}, - {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:05ac5f60faa0c704c0f7e6a5cbfd6f02101ed05e0aee4d2822637a9e672c998d"}, - {file = "coverage-7.5.3-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:239a4e75e09c2b12ea478d28815acf83334d32e722e7433471fbf641c606344c"}, - {file = "coverage-7.5.3-cp310-cp310-win32.whl", hash = "sha256:a5812840d1d00eafae6585aba38021f90a705a25b8216ec7f66aebe5b619fb84"}, - {file = "coverage-7.5.3-cp310-cp310-win_amd64.whl", hash = "sha256:33ca90a0eb29225f195e30684ba4a6db05dbef03c2ccd50b9077714c48153cac"}, - {file = "coverage-7.5.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:f81bc26d609bf0fbc622c7122ba6307993c83c795d2d6f6f6fd8c000a770d974"}, - {file = "coverage-7.5.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:7cec2af81f9e7569280822be68bd57e51b86d42e59ea30d10ebdbb22d2cb7232"}, - {file = "coverage-7.5.3-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:55f689f846661e3f26efa535071775d0483388a1ccfab899df72924805e9e7cd"}, - {file = "coverage-7.5.3-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:50084d3516aa263791198913a17354bd1dc627d3c1639209640b9cac3fef5807"}, - {file = "coverage-7.5.3-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:341dd8f61c26337c37988345ca5c8ccabeff33093a26953a1ac72e7d0103c4fb"}, - {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:ab0b028165eea880af12f66086694768f2c3139b2c31ad5e032c8edbafca6ffc"}, - {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:5bc5a8c87714b0c67cfeb4c7caa82b2d71e8864d1a46aa990b5588fa953673b8"}, - {file = "coverage-7.5.3-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:38a3b98dae8a7c9057bd91fbf3415c05e700a5114c5f1b5b0ea5f8f429ba6614"}, - {file = "coverage-7.5.3-cp311-cp311-win32.whl", hash = "sha256:fcf7d1d6f5da887ca04302db8e0e0cf56ce9a5e05f202720e49b3e8157ddb9a9"}, - {file = "coverage-7.5.3-cp311-cp311-win_amd64.whl", hash = "sha256:8c836309931839cca658a78a888dab9676b5c988d0dd34ca247f5f3e679f4e7a"}, - {file = "coverage-7.5.3-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:296a7d9bbc598e8744c00f7a6cecf1da9b30ae9ad51c566291ff1314e6cbbed8"}, - {file = "coverage-7.5.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:34d6d21d8795a97b14d503dcaf74226ae51eb1f2bd41015d3ef332a24d0a17b3"}, - {file = "coverage-7.5.3-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8e317953bb4c074c06c798a11dbdd2cf9979dbcaa8ccc0fa4701d80042d4ebf1"}, - {file = "coverage-7.5.3-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:705f3d7c2b098c40f5b81790a5fedb274113373d4d1a69e65f8b68b0cc26f6db"}, - {file = "coverage-7.5.3-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:b1196e13c45e327d6cd0b6e471530a1882f1017eb83c6229fc613cd1a11b53cd"}, - {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:015eddc5ccd5364dcb902eaecf9515636806fa1e0d5bef5769d06d0f31b54523"}, - {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:fd27d8b49e574e50caa65196d908f80e4dff64d7e592d0c59788b45aad7e8b35"}, - {file = "coverage-7.5.3-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:33fc65740267222fc02975c061eb7167185fef4cc8f2770267ee8bf7d6a42f84"}, - {file = "coverage-7.5.3-cp312-cp312-win32.whl", hash = "sha256:7b2a19e13dfb5c8e145c7a6ea959485ee8e2204699903c88c7d25283584bfc08"}, - {file = "coverage-7.5.3-cp312-cp312-win_amd64.whl", hash = "sha256:0bbddc54bbacfc09b3edaec644d4ac90c08ee8ed4844b0f86227dcda2d428fcb"}, - {file = "coverage-7.5.3-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:f78300789a708ac1f17e134593f577407d52d0417305435b134805c4fb135adb"}, - {file = "coverage-7.5.3-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:b368e1aee1b9b75757942d44d7598dcd22a9dbb126affcbba82d15917f0cc155"}, - {file = "coverage-7.5.3-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f836c174c3a7f639bded48ec913f348c4761cbf49de4a20a956d3431a7c9cb24"}, - {file = "coverage-7.5.3-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:244f509f126dc71369393ce5fea17c0592c40ee44e607b6d855e9c4ac57aac98"}, - {file = "coverage-7.5.3-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4c2872b3c91f9baa836147ca33650dc5c172e9273c808c3c3199c75490e709d"}, - {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:dd4b3355b01273a56b20c219e74e7549e14370b31a4ffe42706a8cda91f19f6d"}, - {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:f542287b1489c7a860d43a7d8883e27ca62ab84ca53c965d11dac1d3a1fab7ce"}, - {file = "coverage-7.5.3-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:75e3f4e86804023e991096b29e147e635f5e2568f77883a1e6eed74512659ab0"}, - {file = "coverage-7.5.3-cp38-cp38-win32.whl", hash = "sha256:c59d2ad092dc0551d9f79d9d44d005c945ba95832a6798f98f9216ede3d5f485"}, - {file = "coverage-7.5.3-cp38-cp38-win_amd64.whl", hash = "sha256:fa21a04112c59ad54f69d80e376f7f9d0f5f9123ab87ecd18fbb9ec3a2beed56"}, - {file = "coverage-7.5.3-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:f5102a92855d518b0996eb197772f5ac2a527c0ec617124ad5242a3af5e25f85"}, - {file = "coverage-7.5.3-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:d1da0a2e3b37b745a2b2a678a4c796462cf753aebf94edcc87dcc6b8641eae31"}, - {file = "coverage-7.5.3-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:8383a6c8cefba1b7cecc0149415046b6fc38836295bc4c84e820872eb5478b3d"}, - {file = "coverage-7.5.3-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9aad68c3f2566dfae84bf46295a79e79d904e1c21ccfc66de88cd446f8686341"}, - {file = "coverage-7.5.3-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2e079c9ec772fedbade9d7ebc36202a1d9ef7291bc9b3a024ca395c4d52853d7"}, - {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:bde997cac85fcac227b27d4fb2c7608a2c5f6558469b0eb704c5726ae49e1c52"}, - {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:990fb20b32990b2ce2c5f974c3e738c9358b2735bc05075d50a6f36721b8f303"}, - {file = "coverage-7.5.3-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3d5a67f0da401e105753d474369ab034c7bae51a4c31c77d94030d59e41df5bd"}, - {file = "coverage-7.5.3-cp39-cp39-win32.whl", hash = "sha256:e08c470c2eb01977d221fd87495b44867a56d4d594f43739a8028f8646a51e0d"}, - {file = "coverage-7.5.3-cp39-cp39-win_amd64.whl", hash = "sha256:1d2a830ade66d3563bb61d1e3c77c8def97b30ed91e166c67d0632c018f380f0"}, - {file = "coverage-7.5.3-pp38.pp39.pp310-none-any.whl", hash = "sha256:3538d8fb1ee9bdd2e2692b3b18c22bb1c19ffbefd06880f5ac496e42d7bb3884"}, - {file = "coverage-7.5.3.tar.gz", hash = "sha256:04aefca5190d1dc7a53a4c1a5a7f8568811306d7a8ee231c42fb69215571944f"}, + {file = "coverage-7.6.0-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:dff044f661f59dace805eedb4a7404c573b6ff0cdba4a524141bc63d7be5c7fd"}, + {file = "coverage-7.6.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:a8659fd33ee9e6ca03950cfdcdf271d645cf681609153f218826dd9805ab585c"}, + {file = "coverage-7.6.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:7792f0ab20df8071d669d929c75c97fecfa6bcab82c10ee4adb91c7a54055463"}, + {file = "coverage-7.6.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d4b3cd1ca7cd73d229487fa5caca9e4bc1f0bca96526b922d61053ea751fe791"}, + {file = "coverage-7.6.0-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e7e128f85c0b419907d1f38e616c4f1e9f1d1b37a7949f44df9a73d5da5cd53c"}, + {file = "coverage-7.6.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:a94925102c89247530ae1dab7dc02c690942566f22e189cbd53579b0693c0783"}, + {file = "coverage-7.6.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:dcd070b5b585b50e6617e8972f3fbbee786afca71b1936ac06257f7e178f00f6"}, + {file = "coverage-7.6.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:d50a252b23b9b4dfeefc1f663c568a221092cbaded20a05a11665d0dbec9b8fb"}, + {file = "coverage-7.6.0-cp310-cp310-win32.whl", hash = "sha256:0e7b27d04131c46e6894f23a4ae186a6a2207209a05df5b6ad4caee6d54a222c"}, + {file = "coverage-7.6.0-cp310-cp310-win_amd64.whl", hash = "sha256:54dece71673b3187c86226c3ca793c5f891f9fc3d8aa183f2e3653da18566169"}, + {file = "coverage-7.6.0-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c7b525ab52ce18c57ae232ba6f7010297a87ced82a2383b1afd238849c1ff933"}, + {file = "coverage-7.6.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:4bea27c4269234e06f621f3fac3925f56ff34bc14521484b8f66a580aacc2e7d"}, + {file = "coverage-7.6.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:ed8d1d1821ba5fc88d4a4f45387b65de52382fa3ef1f0115a4f7a20cdfab0e94"}, + {file = "coverage-7.6.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:01c322ef2bbe15057bc4bf132b525b7e3f7206f071799eb8aa6ad1940bcf5fb1"}, + {file = "coverage-7.6.0-cp311-cp311-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:03cafe82c1b32b770a29fd6de923625ccac3185a54a5e66606da26d105f37dac"}, + {file = "coverage-7.6.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:0d1b923fc4a40c5832be4f35a5dab0e5ff89cddf83bb4174499e02ea089daf57"}, + {file = "coverage-7.6.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:4b03741e70fb811d1a9a1d75355cf391f274ed85847f4b78e35459899f57af4d"}, + {file = "coverage-7.6.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:a73d18625f6a8a1cbb11eadc1d03929f9510f4131879288e3f7922097a429f63"}, + {file = "coverage-7.6.0-cp311-cp311-win32.whl", hash = "sha256:65fa405b837060db569a61ec368b74688f429b32fa47a8929a7a2f9b47183713"}, + {file = "coverage-7.6.0-cp311-cp311-win_amd64.whl", hash = "sha256:6379688fb4cfa921ae349c76eb1a9ab26b65f32b03d46bb0eed841fd4cb6afb1"}, + {file = "coverage-7.6.0-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:f7db0b6ae1f96ae41afe626095149ecd1b212b424626175a6633c2999eaad45b"}, + {file = "coverage-7.6.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:bbdf9a72403110a3bdae77948b8011f644571311c2fb35ee15f0f10a8fc082e8"}, + {file = "coverage-7.6.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:9cc44bf0315268e253bf563f3560e6c004efe38f76db03a1558274a6e04bf5d5"}, + {file = "coverage-7.6.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:da8549d17489cd52f85a9829d0e1d91059359b3c54a26f28bec2c5d369524807"}, + {file = "coverage-7.6.0-cp312-cp312-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0086cd4fc71b7d485ac93ca4239c8f75732c2ae3ba83f6be1c9be59d9e2c6382"}, + {file = "coverage-7.6.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:1fad32ee9b27350687035cb5fdf9145bc9cf0a094a9577d43e909948ebcfa27b"}, + {file = "coverage-7.6.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:044a0985a4f25b335882b0966625270a8d9db3d3409ddc49a4eb00b0ef5e8cee"}, + {file = "coverage-7.6.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:76d5f82213aa78098b9b964ea89de4617e70e0d43e97900c2778a50856dac605"}, + {file = "coverage-7.6.0-cp312-cp312-win32.whl", hash = "sha256:3c59105f8d58ce500f348c5b56163a4113a440dad6daa2294b5052a10db866da"}, + {file = "coverage-7.6.0-cp312-cp312-win_amd64.whl", hash = "sha256:ca5d79cfdae420a1d52bf177de4bc2289c321d6c961ae321503b2ca59c17ae67"}, + {file = "coverage-7.6.0-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:d39bd10f0ae453554798b125d2f39884290c480f56e8a02ba7a6ed552005243b"}, + {file = "coverage-7.6.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:beb08e8508e53a568811016e59f3234d29c2583f6b6e28572f0954a6b4f7e03d"}, + {file = "coverage-7.6.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b2e16f4cd2bc4d88ba30ca2d3bbf2f21f00f382cf4e1ce3b1ddc96c634bc48ca"}, + {file = "coverage-7.6.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6616d1c9bf1e3faea78711ee42a8b972367d82ceae233ec0ac61cc7fec09fa6b"}, + {file = "coverage-7.6.0-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ad4567d6c334c46046d1c4c20024de2a1c3abc626817ae21ae3da600f5779b44"}, + {file = "coverage-7.6.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:d17c6a415d68cfe1091d3296ba5749d3d8696e42c37fca5d4860c5bf7b729f03"}, + {file = "coverage-7.6.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:9146579352d7b5f6412735d0f203bbd8d00113a680b66565e205bc605ef81bc6"}, + {file = "coverage-7.6.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:cdab02a0a941af190df8782aafc591ef3ad08824f97850b015c8c6a8b3877b0b"}, + {file = "coverage-7.6.0-cp38-cp38-win32.whl", hash = "sha256:df423f351b162a702c053d5dddc0fc0ef9a9e27ea3f449781ace5f906b664428"}, + {file = "coverage-7.6.0-cp38-cp38-win_amd64.whl", hash = "sha256:f2501d60d7497fd55e391f423f965bbe9e650e9ffc3c627d5f0ac516026000b8"}, + {file = "coverage-7.6.0-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:7221f9ac9dad9492cecab6f676b3eaf9185141539d5c9689d13fd6b0d7de840c"}, + {file = "coverage-7.6.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:ddaaa91bfc4477d2871442bbf30a125e8fe6b05da8a0015507bfbf4718228ab2"}, + {file = "coverage-7.6.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c4cbe651f3904e28f3a55d6f371203049034b4ddbce65a54527a3f189ca3b390"}, + {file = "coverage-7.6.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:831b476d79408ab6ccfadaaf199906c833f02fdb32c9ab907b1d4aa0713cfa3b"}, + {file = "coverage-7.6.0-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:46c3d091059ad0b9c59d1034de74a7f36dcfa7f6d3bde782c49deb42438f2450"}, + {file = "coverage-7.6.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:4d5fae0a22dc86259dee66f2cc6c1d3e490c4a1214d7daa2a93d07491c5c04b6"}, + {file = "coverage-7.6.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:07ed352205574aad067482e53dd606926afebcb5590653121063fbf4e2175166"}, + {file = "coverage-7.6.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:49c76cdfa13015c4560702574bad67f0e15ca5a2872c6a125f6327ead2b731dd"}, + {file = "coverage-7.6.0-cp39-cp39-win32.whl", hash = "sha256:482855914928c8175735a2a59c8dc5806cf7d8f032e4820d52e845d1f731dca2"}, + {file = "coverage-7.6.0-cp39-cp39-win_amd64.whl", hash = "sha256:543ef9179bc55edfd895154a51792b01c017c87af0ebaae092720152e19e42ca"}, + {file = "coverage-7.6.0-pp38.pp39.pp310-none-any.whl", hash = "sha256:6fe885135c8a479d3e37a7aae61cbd3a0fb2deccb4dda3c25f92a49189f766d6"}, + {file = "coverage-7.6.0.tar.gz", hash = "sha256:289cc803fa1dc901f84701ac10c9ee873619320f2f9aff38794db4a4a0268d51"}, ] [package.dependencies] @@ -1170,13 +1184,13 @@ test = ["hypothesis (>=4.43.0)", "mypy (==0.971)", "pytest (>=7.0.0)", "pytest-x [[package]] name = "exceptiongroup" -version = "1.2.1" +version = "1.2.2" description = "Backport of PEP 654 (exception groups)" optional = false python-versions = ">=3.7" files = [ - {file = "exceptiongroup-1.2.1-py3-none-any.whl", hash = "sha256:5258b9ed329c5bbdd31a309f53cbfb0b155341807f6ff7606a1e801a891b29ad"}, - {file = "exceptiongroup-1.2.1.tar.gz", hash = "sha256:a4785e48b045528f5bfe627b6ad554ff32def154f42372786903b7abcfe1aa16"}, + {file = "exceptiongroup-1.2.2-py3-none-any.whl", hash = "sha256:3111b9d131c238bec2f8f516e123e14ba243563fb135d3fe885990585aa7795b"}, + {file = "exceptiongroup-1.2.2.tar.gz", hash = "sha256:47c2edf7c6738fafb49fd34290706d1a1a2f4d1c6df275526b62cbb4aa5393cc"}, ] [package.extras] @@ -1184,18 +1198,18 @@ test = ["pytest (>=6)"] [[package]] name = "filelock" -version = "3.14.0" +version = "3.15.4" description = "A platform independent file lock." optional = false python-versions = ">=3.8" files = [ - {file = "filelock-3.14.0-py3-none-any.whl", hash = "sha256:43339835842f110ca7ae60f1e1c160714c5a6afd15a2873419ab185334975c0f"}, - {file = "filelock-3.14.0.tar.gz", hash = "sha256:6ea72da3be9b8c82afd3edcf99f2fffbb5076335a5ae4d03248bb5b6c3eae78a"}, + {file = "filelock-3.15.4-py3-none-any.whl", hash = "sha256:6ca1fffae96225dab4c6eaf1c4f4f28cd2568d3ec2a44e15a08520504de468e7"}, + {file = "filelock-3.15.4.tar.gz", hash = "sha256:2207938cbc1844345cb01a5a95524dae30f0ce089eba5b00378295a17e3e90cb"}, ] [package.extras] docs = ["furo (>=2023.9.10)", "sphinx (>=7.2.6)", "sphinx-autodoc-typehints (>=1.25.2)"] -testing = ["covdefaults (>=2.3)", "coverage (>=7.3.2)", "diff-cover (>=8.0.1)", "pytest (>=7.4.3)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)", "pytest-timeout (>=2.2)"] +testing = ["covdefaults (>=2.3)", "coverage (>=7.3.2)", "diff-cover (>=8.0.1)", "pytest (>=7.4.3)", "pytest-asyncio (>=0.21)", "pytest-cov (>=4.1)", "pytest-mock (>=3.12)", "pytest-timeout (>=2.2)", "virtualenv (>=20.26.2)"] typing = ["typing-extensions (>=4.8)"] [[package]] @@ -1324,119 +1338,119 @@ files = [ [[package]] name = "grpcio" -version = "1.64.1" +version = "1.65.1" description = "HTTP/2-based RPC framework" optional = false python-versions = ">=3.8" files = [ - {file = "grpcio-1.64.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:55697ecec192bc3f2f3cc13a295ab670f51de29884ca9ae6cd6247df55df2502"}, - {file = "grpcio-1.64.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:3b64ae304c175671efdaa7ec9ae2cc36996b681eb63ca39c464958396697daff"}, - {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:bac71b4b28bc9af61efcdc7630b166440bbfbaa80940c9a697271b5e1dabbc61"}, - {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:6c024ffc22d6dc59000faf8ad781696d81e8e38f4078cb0f2630b4a3cf231a90"}, - {file = "grpcio-1.64.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e7cd5c1325f6808b8ae31657d281aadb2a51ac11ab081ae335f4f7fc44c1721d"}, - {file = "grpcio-1.64.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:0a2813093ddb27418a4c99f9b1c223fab0b053157176a64cc9db0f4557b69bd9"}, - {file = "grpcio-1.64.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:2981c7365a9353f9b5c864595c510c983251b1ab403e05b1ccc70a3d9541a73b"}, - {file = "grpcio-1.64.1-cp310-cp310-win32.whl", hash = "sha256:1262402af5a511c245c3ae918167eca57342c72320dffae5d9b51840c4b2f86d"}, - {file = "grpcio-1.64.1-cp310-cp310-win_amd64.whl", hash = "sha256:19264fc964576ddb065368cae953f8d0514ecc6cb3da8903766d9fb9d4554c33"}, - {file = "grpcio-1.64.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:58b1041e7c870bb30ee41d3090cbd6f0851f30ae4eb68228955d973d3efa2e61"}, - {file = "grpcio-1.64.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:bbc5b1d78a7822b0a84c6f8917faa986c1a744e65d762ef6d8be9d75677af2ca"}, - {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:5841dd1f284bd1b3d8a6eca3a7f062b06f1eec09b184397e1d1d43447e89a7ae"}, - {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8caee47e970b92b3dd948371230fcceb80d3f2277b3bf7fbd7c0564e7d39068e"}, - {file = "grpcio-1.64.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:73819689c169417a4f978e562d24f2def2be75739c4bed1992435d007819da1b"}, - {file = "grpcio-1.64.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:6503b64c8b2dfad299749cad1b595c650c91e5b2c8a1b775380fcf8d2cbba1e9"}, - {file = "grpcio-1.64.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:1de403fc1305fd96cfa75e83be3dee8538f2413a6b1685b8452301c7ba33c294"}, - {file = "grpcio-1.64.1-cp311-cp311-win32.whl", hash = "sha256:d4d29cc612e1332237877dfa7fe687157973aab1d63bd0f84cf06692f04c0367"}, - {file = "grpcio-1.64.1-cp311-cp311-win_amd64.whl", hash = "sha256:5e56462b05a6f860b72f0fa50dca06d5b26543a4e88d0396259a07dc30f4e5aa"}, - {file = "grpcio-1.64.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:4657d24c8063e6095f850b68f2d1ba3b39f2b287a38242dcabc166453e950c59"}, - {file = "grpcio-1.64.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:62b4e6eb7bf901719fce0ca83e3ed474ae5022bb3827b0a501e056458c51c0a1"}, - {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:ee73a2f5ca4ba44fa33b4d7d2c71e2c8a9e9f78d53f6507ad68e7d2ad5f64a22"}, - {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:198908f9b22e2672a998870355e226a725aeab327ac4e6ff3a1399792ece4762"}, - {file = "grpcio-1.64.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:39b9d0acaa8d835a6566c640f48b50054f422d03e77e49716d4c4e8e279665a1"}, - {file = "grpcio-1.64.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:5e42634a989c3aa6049f132266faf6b949ec2a6f7d302dbb5c15395b77d757eb"}, - {file = "grpcio-1.64.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:b1a82e0b9b3022799c336e1fc0f6210adc019ae84efb7321d668129d28ee1efb"}, - {file = "grpcio-1.64.1-cp312-cp312-win32.whl", hash = "sha256:55260032b95c49bee69a423c2f5365baa9369d2f7d233e933564d8a47b893027"}, - {file = "grpcio-1.64.1-cp312-cp312-win_amd64.whl", hash = "sha256:c1a786ac592b47573a5bb7e35665c08064a5d77ab88a076eec11f8ae86b3e3f6"}, - {file = "grpcio-1.64.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:a011ac6c03cfe162ff2b727bcb530567826cec85eb8d4ad2bfb4bd023287a52d"}, - {file = "grpcio-1.64.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:4d6dab6124225496010bd22690f2d9bd35c7cbb267b3f14e7a3eb05c911325d4"}, - {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:a5e771d0252e871ce194d0fdcafd13971f1aae0ddacc5f25615030d5df55c3a2"}, - {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2c3c1b90ab93fed424e454e93c0ed0b9d552bdf1b0929712b094f5ecfe7a23ad"}, - {file = "grpcio-1.64.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:20405cb8b13fd779135df23fabadc53b86522d0f1cba8cca0e87968587f50650"}, - {file = "grpcio-1.64.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:0cc79c982ccb2feec8aad0e8fb0d168bcbca85bc77b080d0d3c5f2f15c24ea8f"}, - {file = "grpcio-1.64.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:a3a035c37ce7565b8f4f35ff683a4db34d24e53dc487e47438e434eb3f701b2a"}, - {file = "grpcio-1.64.1-cp38-cp38-win32.whl", hash = "sha256:1257b76748612aca0f89beec7fa0615727fd6f2a1ad580a9638816a4b2eb18fd"}, - {file = "grpcio-1.64.1-cp38-cp38-win_amd64.whl", hash = "sha256:0a12ddb1678ebc6a84ec6b0487feac020ee2b1659cbe69b80f06dbffdb249122"}, - {file = "grpcio-1.64.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:75dbbf415026d2862192fe1b28d71f209e2fd87079d98470db90bebe57b33179"}, - {file = "grpcio-1.64.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:e3d9f8d1221baa0ced7ec7322a981e28deb23749c76eeeb3d33e18b72935ab62"}, - {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:5f8b75f64d5d324c565b263c67dbe4f0af595635bbdd93bb1a88189fc62ed2e5"}, - {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c84ad903d0d94311a2b7eea608da163dace97c5fe9412ea311e72c3684925602"}, - {file = "grpcio-1.64.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:940e3ec884520155f68a3b712d045e077d61c520a195d1a5932c531f11883489"}, - {file = "grpcio-1.64.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:f10193c69fc9d3d726e83bbf0f3d316f1847c3071c8c93d8090cf5f326b14309"}, - {file = "grpcio-1.64.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:ac15b6c2c80a4d1338b04d42a02d376a53395ddf0ec9ab157cbaf44191f3ffdd"}, - {file = "grpcio-1.64.1-cp39-cp39-win32.whl", hash = "sha256:03b43d0ccf99c557ec671c7dede64f023c7da9bb632ac65dbc57f166e4970040"}, - {file = "grpcio-1.64.1-cp39-cp39-win_amd64.whl", hash = "sha256:ed6091fa0adcc7e4ff944090cf203a52da35c37a130efa564ded02b7aff63bcd"}, - {file = "grpcio-1.64.1.tar.gz", hash = "sha256:8d51dd1c59d5fa0f34266b80a3805ec29a1f26425c2a54736133f6d87fc4968a"}, + {file = "grpcio-1.65.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:3dc5f928815b8972fb83b78d8db5039559f39e004ec93ebac316403fe031a062"}, + {file = "grpcio-1.65.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:8333ca46053c35484c9f2f7e8d8ec98c1383a8675a449163cea31a2076d93de8"}, + {file = "grpcio-1.65.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:7af64838b6e615fff0ec711960ed9b6ee83086edfa8c32670eafb736f169d719"}, + {file = "grpcio-1.65.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:dbb64b4166362d9326f7efbf75b1c72106c1aa87f13a8c8b56a1224fac152f5c"}, + {file = "grpcio-1.65.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a8422dc13ad93ec8caa2612b5032a2b9cd6421c13ed87f54db4a3a2c93afaf77"}, + {file = "grpcio-1.65.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:4effc0562b6c65d4add6a873ca132e46ba5e5a46f07c93502c37a9ae7f043857"}, + {file = "grpcio-1.65.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:a6c71575a2fedf259724981fd73a18906513d2f306169c46262a5bae956e6364"}, + {file = "grpcio-1.65.1-cp310-cp310-win32.whl", hash = "sha256:34966cf526ef0ea616e008d40d989463e3db157abb213b2f20c6ce0ae7928875"}, + {file = "grpcio-1.65.1-cp310-cp310-win_amd64.whl", hash = "sha256:ca931de5dd6d9eb94ff19a2c9434b23923bce6f767179fef04dfa991f282eaad"}, + {file = "grpcio-1.65.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:bbb46330cc643ecf10bd9bd4ca8e7419a14b6b9dedd05f671c90fb2c813c6037"}, + {file = "grpcio-1.65.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:d827a6fb9215b961eb73459ad7977edb9e748b23e3407d21c845d1d8ef6597e5"}, + {file = "grpcio-1.65.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:6e71aed8835f8d9fbcb84babc93a9da95955d1685021cceb7089f4f1e717d719"}, + {file = "grpcio-1.65.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:9a1c84560b3b2d34695c9ba53ab0264e2802721c530678a8f0a227951f453462"}, + {file = "grpcio-1.65.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:27adee2338d697e71143ed147fe286c05810965d5d30ec14dd09c22479bfe48a"}, + {file = "grpcio-1.65.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:f62652ddcadc75d0e7aa629e96bb61658f85a993e748333715b4ab667192e4e8"}, + {file = "grpcio-1.65.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:71a05fd814700dd9cb7d9a507f2f6a1ef85866733ccaf557eedacec32d65e4c2"}, + {file = "grpcio-1.65.1-cp311-cp311-win32.whl", hash = "sha256:b590f1ad056294dfaeac0b7e1b71d3d5ace638d8dd1f1147ce4bd13458783ba8"}, + {file = "grpcio-1.65.1-cp311-cp311-win_amd64.whl", hash = "sha256:12e9bdf3b5fd48e5fbe5b3da382ad8f97c08b47969f3cca81dd9b36b86ed39e2"}, + {file = "grpcio-1.65.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:54cb822e177374b318b233e54b6856c692c24cdbd5a3ba5335f18a47396bac8f"}, + {file = "grpcio-1.65.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:aaf3c54419a28d45bd1681372029f40e5bfb58e5265e3882eaf21e4a5f81a119"}, + {file = "grpcio-1.65.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:557de35bdfbe8bafea0a003dbd0f4da6d89223ac6c4c7549d78e20f92ead95d9"}, + {file = "grpcio-1.65.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:8bfd95ef3b097f0cc86ade54eafefa1c8ed623aa01a26fbbdcd1a3650494dd11"}, + {file = "grpcio-1.65.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9e6a8f3d6c41e6b642870afe6cafbaf7b61c57317f9ec66d0efdaf19db992b90"}, + {file = "grpcio-1.65.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:1faaf7355ceed07ceaef0b9dcefa4c98daf1dd8840ed75c2de128c3f4a4d859d"}, + {file = "grpcio-1.65.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:60f1f38eed830488ad2a1b11579ef0f345ff16fffdad1d24d9fbc97ba31804ff"}, + {file = "grpcio-1.65.1-cp312-cp312-win32.whl", hash = "sha256:e75acfa52daf5ea0712e8aa82f0003bba964de7ae22c26d208cbd7bc08500177"}, + {file = "grpcio-1.65.1-cp312-cp312-win_amd64.whl", hash = "sha256:ff5a84907e51924973aa05ed8759210d8cdae7ffcf9e44fd17646cf4a902df59"}, + {file = "grpcio-1.65.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:1fbd6331f18c3acd7e09d17fd840c096f56eaf0ef830fbd50af45ae9dc8dfd83"}, + {file = "grpcio-1.65.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:de5b6be29116e094c5ef9d9e4252e7eb143e3d5f6bd6d50a78075553ab4930b0"}, + {file = "grpcio-1.65.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:e4a3cdba62b2d6aeae6027ae65f350de6dc082b72e6215eccf82628e79efe9ba"}, + {file = "grpcio-1.65.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:941c4869aa229d88706b78187d60d66aca77fe5c32518b79e3c3e03fc26109a2"}, + {file = "grpcio-1.65.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f40cebe5edb518d78b8131e87cb83b3ee688984de38a232024b9b44e74ee53d3"}, + {file = "grpcio-1.65.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:2ca684ba331fb249d8a1ce88db5394e70dbcd96e58d8c4b7e0d7b141a453dce9"}, + {file = "grpcio-1.65.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:8558f0083ddaf5de64a59c790bffd7568e353914c0c551eae2955f54ee4b857f"}, + {file = "grpcio-1.65.1-cp38-cp38-win32.whl", hash = "sha256:8d8143a3e3966f85dce6c5cc45387ec36552174ba5712c5dc6fcc0898fb324c0"}, + {file = "grpcio-1.65.1-cp38-cp38-win_amd64.whl", hash = "sha256:76e81a86424d6ca1ce7c16b15bdd6a964a42b40544bf796a48da241fdaf61153"}, + {file = "grpcio-1.65.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:cb5175f45c980ff418998723ea1b3869cce3766d2ab4e4916fbd3cedbc9d0ed3"}, + {file = "grpcio-1.65.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:b12c1aa7b95abe73b3e04e052c8b362655b41c7798da69f1eaf8d186c7d204df"}, + {file = "grpcio-1.65.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:3019fb50128b21a5e018d89569ffaaaa361680e1346c2f261bb84a91082eb3d3"}, + {file = "grpcio-1.65.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:7ae15275ed98ea267f64ee9ddedf8ecd5306a5b5bb87972a48bfe24af24153e8"}, + {file = "grpcio-1.65.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5f096ffb881f37e8d4f958b63c74bfc400c7cebd7a944b027357cd2fb8d91a57"}, + {file = "grpcio-1.65.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:2f56b5a68fdcf17a0a1d524bf177218c3c69b3947cb239ea222c6f1867c3ab68"}, + {file = "grpcio-1.65.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:941596d419b9736ab548aa0feb5bbba922f98872668847bf0720b42d1d227b9e"}, + {file = "grpcio-1.65.1-cp39-cp39-win32.whl", hash = "sha256:5fd7337a823b890215f07d429f4f193d24b80d62a5485cf88ee06648591a0c57"}, + {file = "grpcio-1.65.1-cp39-cp39-win_amd64.whl", hash = "sha256:1bceeec568372cbebf554eae1b436b06c2ff24cfaf04afade729fb9035408c6c"}, + {file = "grpcio-1.65.1.tar.gz", hash = "sha256:3c492301988cd720cd145d84e17318d45af342e29ef93141228f9cd73222368b"}, ] [package.extras] -protobuf = ["grpcio-tools (>=1.64.1)"] +protobuf = ["grpcio-tools (>=1.65.1)"] [[package]] name = "grpcio-tools" -version = "1.64.1" +version = "1.65.1" description = "Protobuf code generator for gRPC" optional = false python-versions = ">=3.8" files = [ - {file = "grpcio_tools-1.64.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:6c8181318e3a21827c2f834fd0505040aa8f24fb568a154ff1c95c9802c0e3f5"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:24340327f7fb85f7406910c9484f98dd9588bdf639578b9341920d67f64306a0"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:646828eec31218e1314b04d7c62c78534d3478cae6348909b6a39ee880a757b2"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:1f467bd03d70de23e7d68d3465fd9bfd5167d15168a569edacee730b4ec105bf"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a29163cbc6ecaf6f853711420ddab7e35f24d9ee014a5e35b0a6b31c328d1c63"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:759982ba0f942995bf170386559679b9d9f3b00caf103f346f3c33b8703c3057"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:1c0db41e812e1741b59844c71c8dfc8c3076eb4472b4c30165aefacf609c81bf"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-win32.whl", hash = "sha256:a5208855046a338c5663ca39f59fb167e24514f1287c266db42fbf2057373aa0"}, - {file = "grpcio_tools-1.64.1-cp310-cp310-win_amd64.whl", hash = "sha256:a808aaa308e26fc5026b15008aec45bea8aa2f2662989cbaffa300601ac98fae"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:23e6c847647e338b6ed139c7d10ed783dbb37d8ce078ce9ab0a3f7e6a518ff4e"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:0a72a2d87529329117fca6493d948489f1963e3f645d27a785a27b54b05c38cb"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:5532fbac9e1229d3290a512d4253bd311ed742d3b77d634ce7240e97b4af32ac"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:4a75c8f13762dc323b38e8dc7186d80a61c0d1321062850e3056221a4db779a4"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a653002b287accf79b0924bb1a76b33ea83774be57cef14e6ec383a965999ad5"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:0d3572b62453342f4164cb245c434053c6991ee7bf883eb94f15e45f3121967b"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:e8ffaa1972e64d968a706c954f6614e718abd10068b107727028ffb9506503d2"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-win32.whl", hash = "sha256:cf3fbad6312bb61f48eab8ae5d2b31dcb007653282d5901982e17111773104e1"}, - {file = "grpcio_tools-1.64.1-cp311-cp311-win_amd64.whl", hash = "sha256:fd4a596ec2b34c8a6b15c6581ef7ea91c9b85f68099004da656db79e5a2b7a8c"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:acf9a8bce188bb760c138327a89f64be8bbeb062634d151c77bbcd138d60bdc6"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8c7d0633b1177fafaeb76e9b0c7b8b14221eb1086874a79925879b298843f8a0"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:35efe38dd8cc5e05f44e67bcc2ae40f461862549b5d2590c1b644c5d4d93c390"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e28cfaede2a243452252c94b72378f1d939b786689cb11d218fdae6a8421940f"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6711f3e3fbfae9313e15f9abc47241d881772f3fb4e4d0257918bff24363139e"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:be39db97d13f3bd0b2ff9bf8d0e68f590f4877cf2c4db201a2f9d4d39724e137"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:22efb9a167da6fd051c76f1a00c4275b5d15e8b7842364c84dc4cc88def8fd4c"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-win32.whl", hash = "sha256:d9a470f9e72bccc8994b025fa40cb1a7202db17a5f8e1869f4c2079ded869ac2"}, - {file = "grpcio_tools-1.64.1-cp312-cp312-win_amd64.whl", hash = "sha256:5ecfecf1da38fa9f0f95dd5f3314c04974be5af40264c520fbc1a9f4f5b1acca"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:9d3fd5f43503ac594872ad4deb80c08353a3d73c9304afe0226bcb077d5dacca"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:c8cb5567cd5836b29d37ea12c8ccb753a19712ec459c4dbc05c084ca57b84b3b"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:d0f42307f951851894a1ddcbed2e2403fdb0ac0920bbb4ec5c80a2959a1d328d"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a078af44be25363f55cbedc33c560513f2b2928a0594c8069da0bc65917ef1a1"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:58eee15287eb54d1ba27d4e73fcd7e7a9f819e529a74dabc9cf3933fbe3bef07"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:b740e136a12a992c3c75dafe12d96c65e9249daa71e6b75f17aac5459c64f165"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:625cc1493d4672af90d23f9909bbc0c4041cfa9fa21f9228abe433f5ad9b356f"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-win32.whl", hash = "sha256:85808e3c020d6e08975be00521ec8841885740ffd84a48375305fe7198d8b9e5"}, - {file = "grpcio_tools-1.64.1-cp38-cp38-win_amd64.whl", hash = "sha256:37664461c8da4777c78772f79914ddd59914a4c1dc0bdd11ba86b569477a9d25"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:ff9b631788573bfbecfe8cb647d484dfac9cfbad4a7bb640a9e5dcfb24a1b3c5"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:7e67903fba7b122cad7e41b1347c71f2d8e484f51f5c91cacc52249b4ab274bf"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:6cef267289e3a1257ef79c399a4a244a2b508c4f8d28faf9b061983187b8c2ff"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:23eef1138065edf360ed649381cf1d9c9123b3a8c003a4b28bf0c4a5b025087a"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ba0758d779bc2134219c9ee392d7d30a7ff7f788fd68bf4f56bb4a0213e5d2e4"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:a8fb6a4438ef1ce619bd6695799b0a06c049a0be3e10ecf0b5fc5d72929a9f02"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3cc3036589e416cf8516802d3e6c37fd7de1b6c4defc292a1859848515c67ab5"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-win32.whl", hash = "sha256:59db889e5f698e00ea65032d3fddbfdbec72b22b285a57c167fb7a48bce2ca27"}, - {file = "grpcio_tools-1.64.1-cp39-cp39-win_amd64.whl", hash = "sha256:984ed040f13efcede72c4dfb298274df3877573ca305f51f5cb24249463d6a77"}, - {file = "grpcio_tools-1.64.1.tar.gz", hash = "sha256:72b3550b91adb8354656ecf0f6d1d4611299044bae11fb1e7cc1d1bb66b8c1eb"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-linux_armv7l.whl", hash = "sha256:16f2f49048c76a68a8171507c39652c8be9ed4e7408deb9877002813aea4c396"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-macosx_12_0_universal2.whl", hash = "sha256:6f75bf562057723818dff7bf4e05884c220653ead3db19effe5873ce88c7cfd2"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-manylinux_2_17_aarch64.whl", hash = "sha256:e859001e20d4199ac90979e11d0d0ecb83f6b0235b08f8bfae93c2bd1401795a"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:257decc1782b9adca422a2625663529be64018c056d7346d8bbc7c9bf0fe3b80"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ac8cc2684bcde43296cf5a350b80b73713610f0789ff912c88f898ef065a0b6c"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:b8ef108fceabb12ed29f750f2cb4827d7bad5033dc13596ad0de092f015f5123"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:32fa16e64f4b1684ed634155af9b03fdeabdf641d484e53c453e592e0f574f03"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-win32.whl", hash = "sha256:d4afb3e74c7a567eabda3c447421eb8fb5c6cbf19bb9292319056beff4ab49a1"}, + {file = "grpcio_tools-1.65.1-cp310-cp310-win_amd64.whl", hash = "sha256:edb4731b4ad068c3c48d52bbfa1404236cbcdd2524eb01a655e8adfadc2f0034"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-linux_armv7l.whl", hash = "sha256:fabbc0698cf0c614059c3e103b06c74d07190e9c7518f457703e98617ed467c0"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:ee1353c741f8f2fcf4fcce8764d4570e2d7c3025cc4c918a0c6532c18b6cbac5"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-manylinux_2_17_aarch64.whl", hash = "sha256:f49acf17ae7b1a35b5e0e5907ed9b70c042b3e7ab8769ea9fd26f20b2b888743"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:c50895d383d41a379f9a235ce6d14c6639f36d43bf71c7148bf8a114a8f0936a"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c394cf5b77eb71ff5c0ab857877f59dfee080cc95fb24d47e97d3965aaaf3c64"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:e24819f8d11fc9e6bad1e13a1d7fddd6027ed2a1aad583f093cfe027852ff3f9"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:2ec7e376f3f53e7ab90614d5a2404c19c7902750bcc5bed8219ab864f9bc1c4b"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-win32.whl", hash = "sha256:9b6dbddca8e399ad96d263b786d0803acc67194cb80d01117691a9f239ac8dc9"}, + {file = "grpcio_tools-1.65.1-cp311-cp311-win_amd64.whl", hash = "sha256:3135888461888dcc7b358c17d60f32654cb36daf02bb805c84c0f8ab550743eb"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-linux_armv7l.whl", hash = "sha256:b8fe0bd8e63a4dd84c022ccbb6057e9f3c338e036a1b95c2a6dbcc928c35b4f9"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:bfb1a5e429756cdc9ce7183cca24a90bd7e68626379c83ea065bb30125d7aca4"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-manylinux_2_17_aarch64.whl", hash = "sha256:4dde0d90f96e29670c58a08aeeac61da49792f71602cb7421943be8918857a2a"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a89203d864dd024c4a13032f2df792eb465c63c224f9b82460d53f0cf30a3d16"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7813a67cb427847e1a88d4fd4cbabfd2ed272455bd78b4f417377361d3b8edbd"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:33e4c602221f91c1d87c4574c496621f11826d4f8867f31f4c4c2ff1b144a777"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:fd2fe61d40e7421dc64c90912e29c05f1c419dd7a90452c84a1b456e06bd8530"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-win32.whl", hash = "sha256:013017df92d6165e1556a17c618cf22471ef131fb614b428683730968b54b46d"}, + {file = "grpcio_tools-1.65.1-cp312-cp312-win_amd64.whl", hash = "sha256:1ab64a9af7ce0aeb639a77423fa99de91863a0b8ce0e43fc50f57fc460a0d30e"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-linux_armv7l.whl", hash = "sha256:a95fd13dc17b065a934f00a0b99078de7773d4743772312efc8e75521ab62f7b"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:e44c69c029614fc61da2701587299fe19e52031aa1fba2a69a02c2dd77f903fe"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-manylinux_2_17_aarch64.whl", hash = "sha256:196e12c18f0ebe5ac7f5446fc1daef8d9c69ba40a987a1f8379bfdf6c32e54af"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:881ccc523a171235bb6b1d8e965c2f11e525b54eb1d66aeb8fea5a72f84d6e02"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8d5a12e0bd2a0f33af11e11d89f19cddea66568716b53b77f3f5dc605ceb32e0"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:1d8671d82449206ef040756a14484b0c5189615a0aac5f4734ad3d023d07d4b1"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:dc904f0de72eecbd024c111caa3e3165522349ff3c89361e4cbf06035c93061a"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-win32.whl", hash = "sha256:b6e45377dbe50c7a737d81620841b8c3f3a1650c76cb56a87b5b0414d10f9987"}, + {file = "grpcio_tools-1.65.1-cp38-cp38-win_amd64.whl", hash = "sha256:5c9b4d95d2623b8b9435103305c3d375f8b4a266ee6fbbf29b5f4a57a8405047"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-linux_armv7l.whl", hash = "sha256:4b0714458a6a3a1ed587271f3e7c301b735ccbdd7946071a1d85a6d0aabcb57a"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:1ece34ebb677a869606200812653f274757844754f0b684e59d61244b194f002"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-manylinux_2_17_aarch64.whl", hash = "sha256:4887af67ff130174fa7fb420ee985d38659a7c960053639de28980003fe710eb"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d99945dc53daa7987ae8c33227f96697ccc4d0a4a1ca6c366e28fcc9fc1c55fb"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:68d14cbd135541366bbef18c1d463f5d560878629f1901cae03777dad87755d9"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:bc55edf7a0af0ad7384887845b6498fdb1a75d3633d11807f953cac531a34588"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:074fce3b96a5c59ed526bdd07c04c6243c07b13278388837a0540840ae10bf5b"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-win32.whl", hash = "sha256:004232fa8ef82298eeb01b391d708b3a89317910e2f7c623b566aea0448c8dcc"}, + {file = "grpcio_tools-1.65.1-cp39-cp39-win_amd64.whl", hash = "sha256:9cc6f342b8e8a2aa801d2d1640290a47563d8bb1a802671191dc3fc218747da3"}, + {file = "grpcio_tools-1.65.1.tar.gz", hash = "sha256:24cffe8bc90fb8237f0bcf240bd6c70304255fe27b69db32601499a043f871be"}, ] [package.dependencies] -grpcio = ">=1.64.1" +grpcio = ">=1.65.1" protobuf = ">=5.26.1,<6.0dev" setuptools = "*" @@ -1473,13 +1487,13 @@ test = ["eth-utils (>=1.0.1,<3)", "hypothesis (>=3.44.24,<=6.31.6)", "pytest (>= [[package]] name = "identify" -version = "2.5.36" +version = "2.6.0" description = "File identification library for Python" optional = false python-versions = ">=3.8" files = [ - {file = "identify-2.5.36-py2.py3-none-any.whl", hash = "sha256:37d93f380f4de590500d9dba7db359d0d3da95ffe7f9de1753faa159e71e7dfa"}, - {file = "identify-2.5.36.tar.gz", hash = "sha256:e5e00f54165f9047fbebeb4a560f9acfb8af4c88232be60a488e9b68d122745d"}, + {file = "identify-2.6.0-py2.py3-none-any.whl", hash = "sha256:e79ae4406387a9d300332b5fd366d8994f1525e8414984e1a59e058b2eda2dd0"}, + {file = "identify-2.6.0.tar.gz", hash = "sha256:cb171c685bdc31bcc4c1734698736a7d5b6c8bf2e0c15117f4d469c8640ae5cf"}, ] [package.extras] @@ -1523,13 +1537,13 @@ colors = ["colorama (>=0.4.6)"] [[package]] name = "jsonschema" -version = "4.22.0" +version = "4.23.0" description = "An implementation of JSON Schema validation for Python" optional = false python-versions = ">=3.8" files = [ - {file = "jsonschema-4.22.0-py3-none-any.whl", hash = "sha256:ff4cfd6b1367a40e7bc6411caec72effadd3db0bbe5017de188f2d6108335802"}, - {file = "jsonschema-4.22.0.tar.gz", hash = "sha256:5b22d434a45935119af990552c862e5d6d564e8f6601206b305a61fdf661a2b7"}, + {file = "jsonschema-4.23.0-py3-none-any.whl", hash = "sha256:fbadb6f8b144a8f8cf9f0b89ba94501d143e50411a1278633f56a7acf7fd5566"}, + {file = "jsonschema-4.23.0.tar.gz", hash = "sha256:d71497fef26351a33265337fa77ffeb82423f3ea21283cd9467bb03999266bc4"}, ] [package.dependencies] @@ -1540,7 +1554,7 @@ rpds-py = ">=0.7.1" [package.extras] format = ["fqdn", "idna", "isoduration", "jsonpointer (>1.13)", "rfc3339-validator", "rfc3987", "uri-template", "webcolors (>=1.11)"] -format-nongpl = ["fqdn", "idna", "isoduration", "jsonpointer (>1.13)", "rfc3339-validator", "rfc3986-validator (>0.1.0)", "uri-template", "webcolors (>=1.11)"] +format-nongpl = ["fqdn", "idna", "isoduration", "jsonpointer (>1.13)", "rfc3339-validator", "rfc3986-validator (>0.1.0)", "uri-template", "webcolors (>=24.6.0)"] [[package]] name = "jsonschema-specifications" @@ -1880,22 +1894,22 @@ virtualenv = ">=20.10.0" [[package]] name = "protobuf" -version = "5.27.1" +version = "5.27.2" description = "" optional = false python-versions = ">=3.8" files = [ - {file = "protobuf-5.27.1-cp310-abi3-win32.whl", hash = "sha256:3adc15ec0ff35c5b2d0992f9345b04a540c1e73bfee3ff1643db43cc1d734333"}, - {file = "protobuf-5.27.1-cp310-abi3-win_amd64.whl", hash = "sha256:25236b69ab4ce1bec413fd4b68a15ef8141794427e0b4dc173e9d5d9dffc3bcd"}, - {file = "protobuf-5.27.1-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:4e38fc29d7df32e01a41cf118b5a968b1efd46b9c41ff515234e794011c78b17"}, - {file = "protobuf-5.27.1-cp38-abi3-manylinux2014_aarch64.whl", hash = "sha256:917ed03c3eb8a2d51c3496359f5b53b4e4b7e40edfbdd3d3f34336e0eef6825a"}, - {file = "protobuf-5.27.1-cp38-abi3-manylinux2014_x86_64.whl", hash = "sha256:ee52874a9e69a30271649be88ecbe69d374232e8fd0b4e4b0aaaa87f429f1631"}, - {file = "protobuf-5.27.1-cp38-cp38-win32.whl", hash = "sha256:7a97b9c5aed86b9ca289eb5148df6c208ab5bb6906930590961e08f097258107"}, - {file = "protobuf-5.27.1-cp38-cp38-win_amd64.whl", hash = "sha256:f6abd0f69968792da7460d3c2cfa7d94fd74e1c21df321eb6345b963f9ec3d8d"}, - {file = "protobuf-5.27.1-cp39-cp39-win32.whl", hash = "sha256:dfddb7537f789002cc4eb00752c92e67885badcc7005566f2c5de9d969d3282d"}, - {file = "protobuf-5.27.1-cp39-cp39-win_amd64.whl", hash = "sha256:39309898b912ca6febb0084ea912e976482834f401be35840a008da12d189340"}, - {file = "protobuf-5.27.1-py3-none-any.whl", hash = "sha256:4ac7249a1530a2ed50e24201d6630125ced04b30619262f06224616e0030b6cf"}, - {file = "protobuf-5.27.1.tar.gz", hash = "sha256:df5e5b8e39b7d1c25b186ffdf9f44f40f810bbcc9d2b71d9d3156fee5a9adf15"}, + {file = "protobuf-5.27.2-cp310-abi3-win32.whl", hash = "sha256:354d84fac2b0d76062e9b3221f4abbbacdfd2a4d8af36bab0474f3a0bb30ab38"}, + {file = "protobuf-5.27.2-cp310-abi3-win_amd64.whl", hash = "sha256:0e341109c609749d501986b835f667c6e1e24531096cff9d34ae411595e26505"}, + {file = "protobuf-5.27.2-cp38-abi3-macosx_10_9_universal2.whl", hash = "sha256:a109916aaac42bff84702fb5187f3edadbc7c97fc2c99c5ff81dd15dcce0d1e5"}, + {file = "protobuf-5.27.2-cp38-abi3-manylinux2014_aarch64.whl", hash = "sha256:176c12b1f1c880bf7a76d9f7c75822b6a2bc3db2d28baa4d300e8ce4cde7409b"}, + {file = "protobuf-5.27.2-cp38-abi3-manylinux2014_x86_64.whl", hash = "sha256:b848dbe1d57ed7c191dfc4ea64b8b004a3f9ece4bf4d0d80a367b76df20bf36e"}, + {file = "protobuf-5.27.2-cp38-cp38-win32.whl", hash = "sha256:4fadd8d83e1992eed0248bc50a4a6361dc31bcccc84388c54c86e530b7f58863"}, + {file = "protobuf-5.27.2-cp38-cp38-win_amd64.whl", hash = "sha256:610e700f02469c4a997e58e328cac6f305f649826853813177e6290416e846c6"}, + {file = "protobuf-5.27.2-cp39-cp39-win32.whl", hash = "sha256:9e8f199bf7f97bd7ecebffcae45ebf9527603549b2b562df0fbc6d4d688f14ca"}, + {file = "protobuf-5.27.2-cp39-cp39-win_amd64.whl", hash = "sha256:7fc3add9e6003e026da5fc9e59b131b8f22b428b991ccd53e2af8071687b4fce"}, + {file = "protobuf-5.27.2-py3-none-any.whl", hash = "sha256:54330f07e4949d09614707c48b06d1a22f8ffb5763c159efd5c0928326a91470"}, + {file = "protobuf-5.27.2.tar.gz", hash = "sha256:f3ecdef226b9af856075f28227ff2c90ce3a594d092c39bee5513573f25e2714"}, ] [[package]] @@ -2008,15 +2022,31 @@ tomli = {version = ">=1", markers = "python_version < \"3.11\""} [package.extras] dev = ["argcomplete", "attrs (>=19.2)", "hypothesis (>=3.56)", "mock", "pygments (>=2.7.2)", "requests", "setuptools", "xmlschema"] +[[package]] +name = "pytest-aioresponses" +version = "0.2.0" +description = "py.test integration for aioresponses" +optional = false +python-versions = ">=3.6,<4.0" +files = [ + {file = "pytest-aioresponses-0.2.0.tar.gz", hash = "sha256:61cced206857cb4e7aab10b61600527f505c358d046e7d3ad3ae09455d02d937"}, + {file = "pytest_aioresponses-0.2.0-py3-none-any.whl", hash = "sha256:1a78d1eb76e1bffe7adc83a1bad0d48c373b41289367ae1f5e7ec0fceb60a04d"}, +] + +[package.dependencies] +aioresponses = ">=0.7.1,<0.8.0" +pytest = ">=3.5.0" +pytest-asyncio = ">=0.14.0" + [[package]] name = "pytest-asyncio" -version = "0.23.7" +version = "0.23.8" description = "Pytest support for asyncio" optional = false python-versions = ">=3.8" files = [ - {file = "pytest_asyncio-0.23.7-py3-none-any.whl", hash = "sha256:009b48127fbe44518a547bddd25611551b0e43ccdbf1e67d12479f569832c20b"}, - {file = "pytest_asyncio-0.23.7.tar.gz", hash = "sha256:5f5c72948f4c49e7db4f29f2521d4031f1c27f86e57b046126654083d4770268"}, + {file = "pytest_asyncio-0.23.8-py3-none-any.whl", hash = "sha256:50265d892689a5faefb84df80819d1ecef566eb3549cf915dfb33569359d1ce2"}, + {file = "pytest_asyncio-0.23.8.tar.gz", hash = "sha256:759b10b33a6dc61cce40a8bd5205e302978bbbcc00e279a8b61d9a6a3c82e4d3"}, ] [package.dependencies] @@ -2327,110 +2357,110 @@ test = ["hypothesis (==5.19.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] name = "rpds-py" -version = "0.18.1" +version = "0.19.0" description = "Python bindings to Rust's persistent data structures (rpds)" optional = false python-versions = ">=3.8" files = [ - {file = "rpds_py-0.18.1-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:d31dea506d718693b6b2cffc0648a8929bdc51c70a311b2770f09611caa10d53"}, - {file = "rpds_py-0.18.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:732672fbc449bab754e0b15356c077cc31566df874964d4801ab14f71951ea80"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:4a98a1f0552b5f227a3d6422dbd61bc6f30db170939bd87ed14f3c339aa6c7c9"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:7f1944ce16401aad1e3f7d312247b3d5de7981f634dc9dfe90da72b87d37887d"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:38e14fb4e370885c4ecd734f093a2225ee52dc384b86fa55fe3f74638b2cfb09"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:08d74b184f9ab6289b87b19fe6a6d1a97fbfea84b8a3e745e87a5de3029bf944"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d70129cef4a8d979caa37e7fe957202e7eee8ea02c5e16455bc9808a59c6b2f0"}, - {file = "rpds_py-0.18.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:ce0bb20e3a11bd04461324a6a798af34d503f8d6f1aa3d2aa8901ceaf039176d"}, - {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:81c5196a790032e0fc2464c0b4ab95f8610f96f1f2fa3d4deacce6a79852da60"}, - {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:f3027be483868c99b4985fda802a57a67fdf30c5d9a50338d9db646d590198da"}, - {file = "rpds_py-0.18.1-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:d44607f98caa2961bab4fa3c4309724b185b464cdc3ba6f3d7340bac3ec97cc1"}, - {file = "rpds_py-0.18.1-cp310-none-win32.whl", hash = "sha256:c273e795e7a0f1fddd46e1e3cb8be15634c29ae8ff31c196debb620e1edb9333"}, - {file = "rpds_py-0.18.1-cp310-none-win_amd64.whl", hash = "sha256:8352f48d511de5f973e4f2f9412736d7dea76c69faa6d36bcf885b50c758ab9a"}, - {file = "rpds_py-0.18.1-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:6b5ff7e1d63a8281654b5e2896d7f08799378e594f09cf3674e832ecaf396ce8"}, - {file = "rpds_py-0.18.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:8927638a4d4137a289e41d0fd631551e89fa346d6dbcfc31ad627557d03ceb6d"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:154bf5c93d79558b44e5b50cc354aa0459e518e83677791e6adb0b039b7aa6a7"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:07f2139741e5deb2c5154a7b9629bc5aa48c766b643c1a6750d16f865a82c5fc"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:8c7672e9fba7425f79019db9945b16e308ed8bc89348c23d955c8c0540da0a07"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:489bdfe1abd0406eba6b3bb4fdc87c7fa40f1031de073d0cfb744634cc8fa261"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3c20f05e8e3d4fc76875fc9cb8cf24b90a63f5a1b4c5b9273f0e8225e169b100"}, - {file = "rpds_py-0.18.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:967342e045564cef76dfcf1edb700b1e20838d83b1aa02ab313e6a497cf923b8"}, - {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:2cc7c1a47f3a63282ab0f422d90ddac4aa3034e39fc66a559ab93041e6505da7"}, - {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:f7afbfee1157e0f9376c00bb232e80a60e59ed716e3211a80cb8506550671e6e"}, - {file = "rpds_py-0.18.1-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:9e6934d70dc50f9f8ea47081ceafdec09245fd9f6032669c3b45705dea096b88"}, - {file = "rpds_py-0.18.1-cp311-none-win32.whl", hash = "sha256:c69882964516dc143083d3795cb508e806b09fc3800fd0d4cddc1df6c36e76bb"}, - {file = "rpds_py-0.18.1-cp311-none-win_amd64.whl", hash = "sha256:70a838f7754483bcdc830444952fd89645569e7452e3226de4a613a4c1793fb2"}, - {file = "rpds_py-0.18.1-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:3dd3cd86e1db5aadd334e011eba4e29d37a104b403e8ca24dcd6703c68ca55b3"}, - {file = "rpds_py-0.18.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:05f3d615099bd9b13ecf2fc9cf2d839ad3f20239c678f461c753e93755d629ee"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:35b2b771b13eee8729a5049c976197ff58a27a3829c018a04341bcf1ae409b2b"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:ee17cd26b97d537af8f33635ef38be873073d516fd425e80559f4585a7b90c43"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b646bf655b135ccf4522ed43d6902af37d3f5dbcf0da66c769a2b3938b9d8184"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:19ba472b9606c36716062c023afa2484d1e4220548751bda14f725a7de17b4f6"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6e30ac5e329098903262dc5bdd7e2086e0256aa762cc8b744f9e7bf2a427d3f8"}, - {file = "rpds_py-0.18.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:d58ad6317d188c43750cb76e9deacf6051d0f884d87dc6518e0280438648a9ac"}, - {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:e1735502458621921cee039c47318cb90b51d532c2766593be6207eec53e5c4c"}, - {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:f5bab211605d91db0e2995a17b5c6ee5edec1270e46223e513eaa20da20076ac"}, - {file = "rpds_py-0.18.1-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:2fc24a329a717f9e2448f8cd1f960f9dac4e45b6224d60734edeb67499bab03a"}, - {file = "rpds_py-0.18.1-cp312-none-win32.whl", hash = "sha256:1805d5901779662d599d0e2e4159d8a82c0b05faa86ef9222bf974572286b2b6"}, - {file = "rpds_py-0.18.1-cp312-none-win_amd64.whl", hash = "sha256:720edcb916df872d80f80a1cc5ea9058300b97721efda8651efcd938a9c70a72"}, - {file = "rpds_py-0.18.1-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:c827576e2fa017a081346dce87d532a5310241648eb3700af9a571a6e9fc7e74"}, - {file = "rpds_py-0.18.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:aa3679e751408d75a0b4d8d26d6647b6d9326f5e35c00a7ccd82b78ef64f65f8"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:0abeee75434e2ee2d142d650d1e54ac1f8b01e6e6abdde8ffd6eeac6e9c38e20"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:ed402d6153c5d519a0faf1bb69898e97fb31613b49da27a84a13935ea9164dfc"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:338dee44b0cef8b70fd2ef54b4e09bb1b97fc6c3a58fea5db6cc083fd9fc2724"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7750569d9526199c5b97e5a9f8d96a13300950d910cf04a861d96f4273d5b104"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:607345bd5912aacc0c5a63d45a1f73fef29e697884f7e861094e443187c02be5"}, - {file = "rpds_py-0.18.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:207c82978115baa1fd8d706d720b4a4d2b0913df1c78c85ba73fe6c5804505f0"}, - {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:6d1e42d2735d437e7e80bab4d78eb2e459af48c0a46e686ea35f690b93db792d"}, - {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:5463c47c08630007dc0fe99fb480ea4f34a89712410592380425a9b4e1611d8e"}, - {file = "rpds_py-0.18.1-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:06d218939e1bf2ca50e6b0ec700ffe755e5216a8230ab3e87c059ebb4ea06afc"}, - {file = "rpds_py-0.18.1-cp38-none-win32.whl", hash = "sha256:312fe69b4fe1ffbe76520a7676b1e5ac06ddf7826d764cc10265c3b53f96dbe9"}, - {file = "rpds_py-0.18.1-cp38-none-win_amd64.whl", hash = "sha256:9437ca26784120a279f3137ee080b0e717012c42921eb07861b412340f85bae2"}, - {file = "rpds_py-0.18.1-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:19e515b78c3fc1039dd7da0a33c28c3154458f947f4dc198d3c72db2b6b5dc93"}, - {file = "rpds_py-0.18.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:a7b28c5b066bca9a4eb4e2f2663012debe680f097979d880657f00e1c30875a0"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:673fdbbf668dd958eff750e500495ef3f611e2ecc209464f661bc82e9838991e"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:d960de62227635d2e61068f42a6cb6aae91a7fe00fca0e3aeed17667c8a34611"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:352a88dc7892f1da66b6027af06a2e7e5d53fe05924cc2cfc56495b586a10b72"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:4e0ee01ad8260184db21468a6e1c37afa0529acc12c3a697ee498d3c2c4dcaf3"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e4c39ad2f512b4041343ea3c7894339e4ca7839ac38ca83d68a832fc8b3748ab"}, - {file = "rpds_py-0.18.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:aaa71ee43a703c321906813bb252f69524f02aa05bf4eec85f0c41d5d62d0f4c"}, - {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:6cd8098517c64a85e790657e7b1e509b9fe07487fd358e19431cb120f7d96338"}, - {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:4adec039b8e2928983f885c53b7cc4cda8965b62b6596501a0308d2703f8af1b"}, - {file = "rpds_py-0.18.1-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:32b7daaa3e9389db3695964ce8e566e3413b0c43e3394c05e4b243a4cd7bef26"}, - {file = "rpds_py-0.18.1-cp39-none-win32.whl", hash = "sha256:2625f03b105328729f9450c8badda34d5243231eef6535f80064d57035738360"}, - {file = "rpds_py-0.18.1-cp39-none-win_amd64.whl", hash = "sha256:bf18932d0003c8c4d51a39f244231986ab23ee057d235a12b2684ea26a353590"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:cbfbea39ba64f5e53ae2915de36f130588bba71245b418060ec3330ebf85678e"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:a3d456ff2a6a4d2adcdf3c1c960a36f4fd2fec6e3b4902a42a384d17cf4e7a65"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:7700936ef9d006b7ef605dc53aa364da2de5a3aa65516a1f3ce73bf82ecfc7ae"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:51584acc5916212e1bf45edd17f3a6b05fe0cbb40482d25e619f824dccb679de"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:942695a206a58d2575033ff1e42b12b2aece98d6003c6bc739fbf33d1773b12f"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b906b5f58892813e5ba5c6056d6a5ad08f358ba49f046d910ad992196ea61397"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f6f8e3fecca256fefc91bb6765a693d96692459d7d4c644660a9fff32e517843"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:7732770412bab81c5a9f6d20aeb60ae943a9b36dcd990d876a773526468e7163"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:bd1105b50ede37461c1d51b9698c4f4be6e13e69a908ab7751e3807985fc0346"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:618916f5535784960f3ecf8111581f4ad31d347c3de66d02e728de460a46303c"}, - {file = "rpds_py-0.18.1-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:17c6d2155e2423f7e79e3bb18151c686d40db42d8645e7977442170c360194d4"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:6c4c4c3f878df21faf5fac86eda32671c27889e13570645a9eea0a1abdd50922"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:fab6ce90574645a0d6c58890e9bcaac8d94dff54fb51c69e5522a7358b80ab64"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:531796fb842b53f2695e94dc338929e9f9dbf473b64710c28af5a160b2a8927d"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:740884bc62a5e2bbb31e584f5d23b32320fd75d79f916f15a788d527a5e83644"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:998125738de0158f088aef3cb264a34251908dd2e5d9966774fdab7402edfab7"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e2be6e9dd4111d5b31ba3b74d17da54a8319d8168890fbaea4b9e5c3de630ae5"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d0cee71bc618cd93716f3c1bf56653740d2d13ddbd47673efa8bf41435a60daa"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:2c3caec4ec5cd1d18e5dd6ae5194d24ed12785212a90b37f5f7f06b8bedd7139"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:27bba383e8c5231cd559affe169ca0b96ec78d39909ffd817f28b166d7ddd4d8"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:a888e8bdb45916234b99da2d859566f1e8a1d2275a801bb8e4a9644e3c7e7909"}, - {file = "rpds_py-0.18.1-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:6031b25fb1b06327b43d841f33842b383beba399884f8228a6bb3df3088485ff"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:48c2faaa8adfacefcbfdb5f2e2e7bdad081e5ace8d182e5f4ade971f128e6bb3"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:d85164315bd68c0806768dc6bb0429c6f95c354f87485ee3593c4f6b14def2bd"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6afd80f6c79893cfc0574956f78a0add8c76e3696f2d6a15bca2c66c415cf2d4"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:fa242ac1ff583e4ec7771141606aafc92b361cd90a05c30d93e343a0c2d82a89"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d21be4770ff4e08698e1e8e0bce06edb6ea0626e7c8f560bc08222880aca6a6f"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5c45a639e93a0c5d4b788b2613bd637468edd62f8f95ebc6fcc303d58ab3f0a8"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:910e71711d1055b2768181efa0a17537b2622afeb0424116619817007f8a2b10"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b9bb1f182a97880f6078283b3505a707057c42bf55d8fca604f70dedfdc0772a"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:1d54f74f40b1f7aaa595a02ff42ef38ca654b1469bef7d52867da474243cc633"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:8d2e182c9ee01135e11e9676e9a62dfad791a7a467738f06726872374a83db49"}, - {file = "rpds_py-0.18.1-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:636a15acc588f70fda1661234761f9ed9ad79ebed3f2125d44be0862708b666e"}, - {file = "rpds_py-0.18.1.tar.gz", hash = "sha256:dc48b479d540770c811fbd1eb9ba2bb66951863e448efec2e2c102625328e92f"}, + {file = "rpds_py-0.19.0-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:fb37bd599f031f1a6fb9e58ec62864ccf3ad549cf14bac527dbfa97123edcca4"}, + {file = "rpds_py-0.19.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:3384d278df99ec2c6acf701d067147320b864ef6727405d6470838476e44d9e8"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e54548e0be3ac117595408fd4ca0ac9278fde89829b0b518be92863b17ff67a2"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:8eb488ef928cdbc05a27245e52de73c0d7c72a34240ef4d9893fdf65a8c1a955"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a5da93debdfe27b2bfc69eefb592e1831d957b9535e0943a0ee8b97996de21b5"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:79e205c70afddd41f6ee79a8656aec738492a550247a7af697d5bd1aee14f766"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:959179efb3e4a27610e8d54d667c02a9feaa86bbabaf63efa7faa4dfa780d4f1"}, + {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a6e605bb9edcf010f54f8b6a590dd23a4b40a8cb141255eec2a03db249bc915b"}, + {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:9133d75dc119a61d1a0ded38fb9ba40a00ef41697cc07adb6ae098c875195a3f"}, + {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:dd36b712d35e757e28bf2f40a71e8f8a2d43c8b026d881aa0c617b450d6865c9"}, + {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:354f3a91718489912f2e0fc331c24eaaf6a4565c080e00fbedb6015857c00582"}, + {file = "rpds_py-0.19.0-cp310-none-win32.whl", hash = "sha256:ebcbf356bf5c51afc3290e491d3722b26aaf5b6af3c1c7f6a1b757828a46e336"}, + {file = "rpds_py-0.19.0-cp310-none-win_amd64.whl", hash = "sha256:75a6076289b2df6c8ecb9d13ff79ae0cad1d5fb40af377a5021016d58cd691ec"}, + {file = "rpds_py-0.19.0-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:6d45080095e585f8c5097897313def60caa2046da202cdb17a01f147fb263b81"}, + {file = "rpds_py-0.19.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:c5c9581019c96f865483d031691a5ff1cc455feb4d84fc6920a5ffc48a794d8a"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1540d807364c84516417115c38f0119dfec5ea5c0dd9a25332dea60b1d26fc4d"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:9e65489222b410f79711dc3d2d5003d2757e30874096b2008d50329ea4d0f88c"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:9da6f400eeb8c36f72ef6646ea530d6d175a4f77ff2ed8dfd6352842274c1d8b"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:37f46bb11858717e0efa7893c0f7055c43b44c103e40e69442db5061cb26ed34"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:071d4adc734de562bd11d43bd134330fb6249769b2f66b9310dab7460f4bf714"}, + {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:9625367c8955e4319049113ea4f8fee0c6c1145192d57946c6ffcd8fe8bf48dd"}, + {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:e19509145275d46bc4d1e16af0b57a12d227c8253655a46bbd5ec317e941279d"}, + {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:4d438e4c020d8c39961deaf58f6913b1bf8832d9b6f62ec35bd93e97807e9cbc"}, + {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:90bf55d9d139e5d127193170f38c584ed3c79e16638890d2e36f23aa1630b952"}, + {file = "rpds_py-0.19.0-cp311-none-win32.whl", hash = "sha256:8d6ad132b1bc13d05ffe5b85e7a01a3998bf3a6302ba594b28d61b8c2cf13aaf"}, + {file = "rpds_py-0.19.0-cp311-none-win_amd64.whl", hash = "sha256:7ec72df7354e6b7f6eb2a17fa6901350018c3a9ad78e48d7b2b54d0412539a67"}, + {file = "rpds_py-0.19.0-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:5095a7c838a8647c32aa37c3a460d2c48debff7fc26e1136aee60100a8cd8f68"}, + {file = "rpds_py-0.19.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:6f2f78ef14077e08856e788fa482107aa602636c16c25bdf59c22ea525a785e9"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b7cc6cb44f8636fbf4a934ca72f3e786ba3c9f9ba4f4d74611e7da80684e48d2"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:cf902878b4af334a09de7a45badbff0389e7cf8dc2e4dcf5f07125d0b7c2656d"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:688aa6b8aa724db1596514751ffb767766e02e5c4a87486ab36b8e1ebc1aedac"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:57dbc9167d48e355e2569346b5aa4077f29bf86389c924df25c0a8b9124461fb"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3b4cf5a9497874822341c2ebe0d5850fed392034caadc0bad134ab6822c0925b"}, + {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:8a790d235b9d39c70a466200d506bb33a98e2ee374a9b4eec7a8ac64c2c261fa"}, + {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:1d16089dfa58719c98a1c06f2daceba6d8e3fb9b5d7931af4a990a3c486241cb"}, + {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:bc9128e74fe94650367fe23f37074f121b9f796cabbd2f928f13e9661837296d"}, + {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:c8f77e661ffd96ff104bebf7d0f3255b02aa5d5b28326f5408d6284c4a8b3248"}, + {file = "rpds_py-0.19.0-cp312-none-win32.whl", hash = "sha256:5f83689a38e76969327e9b682be5521d87a0c9e5a2e187d2bc6be4765f0d4600"}, + {file = "rpds_py-0.19.0-cp312-none-win_amd64.whl", hash = "sha256:06925c50f86da0596b9c3c64c3837b2481337b83ef3519e5db2701df695453a4"}, + {file = "rpds_py-0.19.0-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:52e466bea6f8f3a44b1234570244b1cff45150f59a4acae3fcc5fd700c2993ca"}, + {file = "rpds_py-0.19.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:e21cc693045fda7f745c790cb687958161ce172ffe3c5719ca1764e752237d16"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6b31f059878eb1f5da8b2fd82480cc18bed8dcd7fb8fe68370e2e6285fa86da6"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:1dd46f309e953927dd018567d6a9e2fb84783963650171f6c5fe7e5c41fd5666"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:34a01a4490e170376cd79258b7f755fa13b1a6c3667e872c8e35051ae857a92b"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:bcf426a8c38eb57f7bf28932e68425ba86def6e756a5b8cb4731d8e62e4e0223"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f68eea5df6347d3f1378ce992d86b2af16ad7ff4dcb4a19ccdc23dea901b87fb"}, + {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:dab8d921b55a28287733263c0e4c7db11b3ee22aee158a4de09f13c93283c62d"}, + {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:6fe87efd7f47266dfc42fe76dae89060038f1d9cb911f89ae7e5084148d1cc08"}, + {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:535d4b52524a961d220875688159277f0e9eeeda0ac45e766092bfb54437543f"}, + {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:8b1a94b8afc154fbe36978a511a1f155f9bd97664e4f1f7a374d72e180ceb0ae"}, + {file = "rpds_py-0.19.0-cp38-none-win32.whl", hash = "sha256:7c98298a15d6b90c8f6e3caa6457f4f022423caa5fa1a1ca7a5e9e512bdb77a4"}, + {file = "rpds_py-0.19.0-cp38-none-win_amd64.whl", hash = "sha256:b0da31853ab6e58a11db3205729133ce0df26e6804e93079dee095be3d681dc1"}, + {file = "rpds_py-0.19.0-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:5039e3cef7b3e7a060de468a4a60a60a1f31786da94c6cb054e7a3c75906111c"}, + {file = "rpds_py-0.19.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:ab1932ca6cb8c7499a4d87cb21ccc0d3326f172cfb6a64021a889b591bb3045c"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f2afd2164a1e85226fcb6a1da77a5c8896c18bfe08e82e8ceced5181c42d2179"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:b1c30841f5040de47a0046c243fc1b44ddc87d1b12435a43b8edff7e7cb1e0d0"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:f757f359f30ec7dcebca662a6bd46d1098f8b9fb1fcd661a9e13f2e8ce343ba1"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:15e65395a59d2e0e96caf8ee5389ffb4604e980479c32742936ddd7ade914b22"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb0f6eb3a320f24b94d177e62f4074ff438f2ad9d27e75a46221904ef21a7b05"}, + {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b228e693a2559888790936e20f5f88b6e9f8162c681830eda303bad7517b4d5a"}, + {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:2575efaa5d949c9f4e2cdbe7d805d02122c16065bfb8d95c129372d65a291a0b"}, + {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:5c872814b77a4e84afa293a1bee08c14daed1068b2bb1cc312edbf020bbbca2b"}, + {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:850720e1b383df199b8433a20e02b25b72f0fded28bc03c5bd79e2ce7ef050be"}, + {file = "rpds_py-0.19.0-cp39-none-win32.whl", hash = "sha256:ce84a7efa5af9f54c0aa7692c45861c1667080814286cacb9958c07fc50294fb"}, + {file = "rpds_py-0.19.0-cp39-none-win_amd64.whl", hash = "sha256:1c26da90b8d06227d7769f34915913911222d24ce08c0ab2d60b354e2d9c7aff"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:75969cf900d7be665ccb1622a9aba225cf386bbc9c3bcfeeab9f62b5048f4a07"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:8445f23f13339da640d1be8e44e5baf4af97e396882ebbf1692aecd67f67c479"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a5a7c1062ef8aea3eda149f08120f10795835fc1c8bc6ad948fb9652a113ca55"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:462b0c18fbb48fdbf980914a02ee38c423a25fcc4cf40f66bacc95a2d2d73bc8"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:3208f9aea18991ac7f2b39721e947bbd752a1abbe79ad90d9b6a84a74d44409b"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c3444fe52b82f122d8a99bf66777aed6b858d392b12f4c317da19f8234db4533"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:88cb4bac7185a9f0168d38c01d7a00addece9822a52870eee26b8d5b61409213"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6b130bd4163c93798a6b9bb96be64a7c43e1cec81126ffa7ffaa106e1fc5cef5"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:a707b158b4410aefb6b054715545bbb21aaa5d5d0080217290131c49c2124a6e"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:dc9ac4659456bde7c567107556ab065801622396b435a3ff213daef27b495388"}, + {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:81ea573aa46d3b6b3d890cd3c0ad82105985e6058a4baed03cf92518081eec8c"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:3f148c3f47f7f29a79c38cc5d020edcb5ca780020fab94dbc21f9af95c463581"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b0906357f90784a66e89ae3eadc2654f36c580a7d65cf63e6a616e4aec3a81be"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f629ecc2db6a4736b5ba95a8347b0089240d69ad14ac364f557d52ad68cf94b0"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:c6feacd1d178c30e5bc37184526e56740342fd2aa6371a28367bad7908d454fc"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ae8b6068ee374fdfab63689be0963333aa83b0815ead5d8648389a8ded593378"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:78d57546bad81e0da13263e4c9ce30e96dcbe720dbff5ada08d2600a3502e526"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a8b6683a37338818646af718c9ca2a07f89787551057fae57c4ec0446dc6224b"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:e8481b946792415adc07410420d6fc65a352b45d347b78fec45d8f8f0d7496f0"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:bec35eb20792ea64c3c57891bc3ca0bedb2884fbac2c8249d9b731447ecde4fa"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:aa5476c3e3a402c37779e95f7b4048db2cb5b0ed0b9d006983965e93f40fe05a"}, + {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:19d02c45f2507b489fd4df7b827940f1420480b3e2e471e952af4d44a1ea8e34"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:a3e2fd14c5d49ee1da322672375963f19f32b3d5953f0615b175ff7b9d38daed"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:93a91c2640645303e874eada51f4f33351b84b351a689d470f8108d0e0694210"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e5b9fc03bf76a94065299d4a2ecd8dfbae4ae8e2e8098bbfa6ab6413ca267709"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5a4b07cdf3f84310c08c1de2c12ddadbb7a77568bcb16e95489f9c81074322ed"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ba0ed0dc6763d8bd6e5de5cf0d746d28e706a10b615ea382ac0ab17bb7388633"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:474bc83233abdcf2124ed3f66230a1c8435896046caa4b0b5ab6013c640803cc"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:329c719d31362355a96b435f4653e3b4b061fcc9eba9f91dd40804ca637d914e"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:ef9101f3f7b59043a34f1dccbb385ca760467590951952d6701df0da9893ca0c"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:0121803b0f424ee2109d6e1f27db45b166ebaa4b32ff47d6aa225642636cd834"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:8344127403dea42f5970adccf6c5957a71a47f522171fafaf4c6ddb41b61703a"}, + {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:443cec402ddd650bb2b885113e1dcedb22b1175c6be223b14246a714b61cd521"}, + {file = "rpds_py-0.19.0.tar.gz", hash = "sha256:4fdc9afadbeb393b4bbbad75481e0ea78e4469f2e1d713a90811700830b553a9"}, ] [[package]] @@ -2445,18 +2475,19 @@ files = [ [[package]] name = "setuptools" -version = "70.0.0" +version = "71.0.0" description = "Easily download, build, install, upgrade, and uninstall Python packages" optional = false python-versions = ">=3.8" files = [ - {file = "setuptools-70.0.0-py3-none-any.whl", hash = "sha256:54faa7f2e8d2d11bcd2c07bed282eef1046b5c080d1c32add737d7b5817b1ad4"}, - {file = "setuptools-70.0.0.tar.gz", hash = "sha256:f211a66637b8fa059bb28183da127d4e86396c991a942b028c6650d4319c3fd0"}, + {file = "setuptools-71.0.0-py3-none-any.whl", hash = "sha256:f06fbe978a91819d250a30e0dc4ca79df713d909e24438a42d0ec300fc52247f"}, + {file = "setuptools-71.0.0.tar.gz", hash = "sha256:98da3b8aca443b9848a209ae4165e2edede62633219afa493a58fbba57f72e2e"}, ] [package.extras] -docs = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "pyproject-hooks (!=1.1)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] -testing = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.14)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "mypy (==1.9)", "packaging (>=23.2)", "pip (>=19.1)", "pyproject-hooks (!=1.1)", "pytest (>=6,!=8.1.1)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (>=0.2.1)", "pytest-subprocess", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] +core = ["importlib-metadata (>=6)", "importlib-resources (>=5.10.2)", "jaraco.text (>=3.7)", "more-itertools (>=8.8)", "ordered-set (>=3.1.1)", "packaging (>=24)", "platformdirs (>=2.6.2)", "tomli (>=2.0.1)", "wheel (>=0.43.0)"] +doc = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "pyproject-hooks (!=1.1)", "rst.linker (>=1.9)", "sphinx (<7.4)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] +test = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.14)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "jaraco.test", "mypy (==1.10.0)", "packaging (>=23.2)", "pip (>=19.1)", "pyproject-hooks (!=1.1)", "pytest (>=6,!=8.1.*)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (<0.4)", "pytest-ruff (>=0.2.1)", "pytest-ruff (>=0.3.2)", "pytest-subprocess", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] [[package]] name = "six" @@ -2515,13 +2546,13 @@ files = [ [[package]] name = "urllib3" -version = "2.2.1" +version = "2.2.2" description = "HTTP library with thread-safe connection pooling, file post, and more." optional = false python-versions = ">=3.8" files = [ - {file = "urllib3-2.2.1-py3-none-any.whl", hash = "sha256:450b20ec296a467077128bff42b73080516e71b56ff59a60a02bef2232c4fa9d"}, - {file = "urllib3-2.2.1.tar.gz", hash = "sha256:d0570876c61ab9e520d776c38acbbb5b05a776d3f9ff98a5c8fd5162a444cf19"}, + {file = "urllib3-2.2.2-py3-none-any.whl", hash = "sha256:a448b2f64d686155468037e1ace9f2d2199776e17f0a46610480d311f73e3472"}, + {file = "urllib3-2.2.2.tar.gz", hash = "sha256:dd505485549a7a552833da5e6063639d0d177c04f23bc3864e41e5dc5f612168"}, ] [package.extras] @@ -2532,13 +2563,13 @@ zstd = ["zstandard (>=0.18.0)"] [[package]] name = "virtualenv" -version = "20.26.2" +version = "20.26.3" description = "Virtual Python Environment builder" optional = false python-versions = ">=3.7" files = [ - {file = "virtualenv-20.26.2-py3-none-any.whl", hash = "sha256:a624db5e94f01ad993d476b9ee5346fdf7b9de43ccaee0e0197012dc838a0e9b"}, - {file = "virtualenv-20.26.2.tar.gz", hash = "sha256:82bf0f4eebbb78d36ddaee0283d43fe5736b53880b8a8cdcd37390a07ac3741c"}, + {file = "virtualenv-20.26.3-py3-none-any.whl", hash = "sha256:8cc4a31139e796e9a7de2cd5cf2489de1217193116a8fd42328f1bd65f434589"}, + {file = "virtualenv-20.26.3.tar.gz", hash = "sha256:4c43a2a236279d9ea36a0d76f98d84bd6ca94ac4e0f4a3b9d46d05e10fea542a"}, ] [package.dependencies] @@ -2552,13 +2583,13 @@ test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess [[package]] name = "web3" -version = "6.19.0" +version = "6.20.0" description = "web3.py" optional = false python-versions = ">=3.7.2" files = [ - {file = "web3-6.19.0-py3-none-any.whl", hash = "sha256:fb39683d6aa7586ce0ab0be4be392f8acb62c2503958079d61b59f2a0b883718"}, - {file = "web3-6.19.0.tar.gz", hash = "sha256:d27fbd4ac5aa70d0e0c516bd3e3b802fbe74bc159b407c34052d9301b400f757"}, + {file = "web3-6.20.0-py3-none-any.whl", hash = "sha256:ec09882d21378b688210cf29385e82b604bdc18fe5c2e238bf3b5fe2a6e6dbbc"}, + {file = "web3-6.20.0.tar.gz", hash = "sha256:b04725517502cad4f15e39356eaf7c4fcb0127c7728f83eec8cbafb5b6455f33"}, ] [package.dependencies] @@ -2771,4 +2802,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "5053b5a6c91b3dcac3057e8a7c5f6e355475e17bde39390e90543d24b6f10397" +content-hash = "c9faf26469b617ee8930f1f56e3875d6e4b915b2ac16eb4918d7398c5c7d1eb2" diff --git a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py index deb13aa0..a4dac3b7 100644 --- a/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_derivative_exchange_rpc_pb2.py @@ -24,7 +24,7 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"\x7f\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x03 \x03(\tR\x0emarketStatuses\"d\n\x0fMarketsResponse\x12Q\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x07markets\"\xc9\x08\n\x14\x44\x65rivativeMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x30\n\x14initial_margin_ratio\x18\x08 \x01(\tR\x12initialMarginRatio\x12\x38\n\x18maintenance_margin_ratio\x18\t \x01(\tR\x16maintenanceMarginRatio\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12!\n\x0cis_perpetual\x18\x0f \x01(\x08R\x0bisPerpetual\x12-\n\x13min_price_tick_size\x18\x10 \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x11 \x01(\tR\x13minQuantityTickSize\x12j\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfoR\x13perpetualMarketInfo\x12s\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFundingR\x16perpetualMarketFunding\x12w\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfoR\x17\x65xpiryFuturesMarketInfo\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"\xdf\x01\n\x13PerpetualMarketInfo\x12\x35\n\x17hourly_funding_rate_cap\x18\x01 \x01(\tR\x14hourlyFundingRateCap\x12\x30\n\x14hourly_interest_rate\x18\x02 \x01(\tR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x03 \x01(\x12R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x04 \x01(\x12R\x0f\x66undingInterval\"\x99\x01\n\x16PerpetualMarketFunding\x12-\n\x12\x63umulative_funding\x18\x01 \x01(\tR\x11\x63umulativeFunding\x12)\n\x10\x63umulative_price\x18\x02 \x01(\tR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x12R\rlastTimestamp\"w\n\x17\x45xpiryFuturesMarketInfo\x12\x31\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12R\x13\x65xpirationTimestamp\x12)\n\x10settlement_price\x18\x02 \x01(\tR\x0fsettlementPrice\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"a\n\x0eMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\"4\n\x13StreamMarketRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xac\x01\n\x14StreamMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x8d\x01\n\x1b\x42inaryOptionsMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb7\x01\n\x1c\x42inaryOptionsMarketsResponse\x12T\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x07markets\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xfe\x05\n\x17\x42inaryOptionsMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x12R\x13settlementTimestamp\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0f \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x10 \x01(\tR\x13minQuantityTickSize\x12)\n\x10settlement_price\x18\x11 \x01(\tR\x0fsettlementPrice\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"9\n\x1a\x42inaryOptionsMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"q\n\x1b\x42inaryOptionsMarketResponse\x12R\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x06market\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"r\n\x13OrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"\xde\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12\x41\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x04\x62uys\x12\x43\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"{\n\x14OrderbooksV2Response\x12\x63\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2R\norderbooks\"\x9c\x01\n SingleDerivativeLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12[\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xda\x01\n\x19StreamOrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xf3\x01\n\x1dStreamOrderbookUpdateResponse\x12p\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\x83\x02\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12G\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12I\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\xc9\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa4\x01\n\x0eOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xdc\x02\n\x10PositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xab\x01\n\x11PositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"\xde\x02\n\x12PositionsV2Request\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xaf\x01\n\x13PositionsV2Response\x12U\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2R\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe4\x02\n\x14\x44\x65rivativePositionV2\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x14\n\x05\x64\x65nom\x18\x0c \x01(\tR\x05\x64\x65nom\"c\n\x1aLiquidablePositionsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"r\n\x1bLiquidablePositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\"\xbe\x01\n\x16\x46undingPaymentsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x06 \x03(\tR\tmarketIds\"\xab\x01\n\x17\x46undingPaymentsResponse\x12M\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPaymentR\x08payments\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"w\n\x13\x46undingRatesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x12R\x07\x65ndTime\"\xae\x01\n\x14\x46undingRatesResponse\x12S\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRateR\x0c\x66undingRates\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\\\n\x0b\x46undingRate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04rate\x18\x02 \x01(\tR\x04rate\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc9\x01\n\x16StreamPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nmarket_ids\x18\x03 \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\x04 \x03(\tR\rsubaccountIds\x12\'\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x8a\x01\n\x17StreamPositionsResponse\x12Q\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xcf\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xaa\x01\n\x14StreamOrdersResponse\x12M\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9f\x01\n\x0eTradesResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe8\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12W\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa1\x01\n\x10TradesV2Response\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa5\x01\n\x14StreamTradesResponse\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa7\x01\n\x16StreamTradesV2Response\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb2\x01\n\x1cSubaccountOrdersListResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"j\n\x1cSubaccountTradesListResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\"\xfc\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x0c \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\r \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0e \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xad\x01\n\x15OrdersHistoryResponse\x12Q\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xb3\x01\n\x1bStreamOrdersHistoryResponse\x12O\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp2\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42\x8a\x02\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\x01Z$/injective_derivative_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x1eInjectiveDerivativeExchangeRpc\xca\x02\x1eInjectiveDerivativeExchangeRpc\xe2\x02*InjectiveDerivativeExchangeRpc\\GPBMetadata\xea\x02\x1eInjectiveDerivativeExchangeRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n0exchange/injective_derivative_exchange_rpc.proto\x12!injective_derivative_exchange_rpc\"\x7f\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x03 \x03(\tR\x0emarketStatuses\"d\n\x0fMarketsResponse\x12Q\n\x07markets\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x07markets\"\xec\x08\n\x14\x44\x65rivativeMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x04 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x05 \x01(\tR\x0boracleQuote\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x30\n\x14initial_margin_ratio\x18\x08 \x01(\tR\x12initialMarginRatio\x12\x38\n\x18maintenance_margin_ratio\x18\t \x01(\tR\x16maintenanceMarginRatio\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12!\n\x0cis_perpetual\x18\x0f \x01(\x08R\x0bisPerpetual\x12-\n\x13min_price_tick_size\x18\x10 \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x11 \x01(\tR\x13minQuantityTickSize\x12j\n\x15perpetual_market_info\x18\x12 \x01(\x0b\x32\x36.injective_derivative_exchange_rpc.PerpetualMarketInfoR\x13perpetualMarketInfo\x12s\n\x18perpetual_market_funding\x18\x13 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.PerpetualMarketFundingR\x16perpetualMarketFunding\x12w\n\x1a\x65xpiry_futures_market_info\x18\x14 \x01(\x0b\x32:.injective_derivative_exchange_rpc.ExpiryFuturesMarketInfoR\x17\x65xpiryFuturesMarketInfo\x12!\n\x0cmin_notional\x18\x15 \x01(\tR\x0bminNotional\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\"\xdf\x01\n\x13PerpetualMarketInfo\x12\x35\n\x17hourly_funding_rate_cap\x18\x01 \x01(\tR\x14hourlyFundingRateCap\x12\x30\n\x14hourly_interest_rate\x18\x02 \x01(\tR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x03 \x01(\x12R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x04 \x01(\x12R\x0f\x66undingInterval\"\x99\x01\n\x16PerpetualMarketFunding\x12-\n\x12\x63umulative_funding\x18\x01 \x01(\tR\x11\x63umulativeFunding\x12)\n\x10\x63umulative_price\x18\x02 \x01(\tR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x12R\rlastTimestamp\"w\n\x17\x45xpiryFuturesMarketInfo\x12\x31\n\x14\x65xpiration_timestamp\x18\x01 \x01(\x12R\x13\x65xpirationTimestamp\x12)\n\x10settlement_price\x18\x02 \x01(\tR\x0fsettlementPrice\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"a\n\x0eMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\"4\n\x13StreamMarketRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xac\x01\n\x14StreamMarketResponse\x12O\n\x06market\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x8d\x01\n\x1b\x42inaryOptionsMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1f\n\x0bquote_denom\x18\x02 \x01(\tR\nquoteDenom\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb7\x01\n\x1c\x42inaryOptionsMarketsResponse\x12T\n\x07markets\x18\x01 \x03(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x07markets\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa1\x06\n\x17\x42inaryOptionsMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x04 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x05 \x01(\tR\x0eoracleProvider\x12\x1f\n\x0boracle_type\x18\x06 \x01(\tR\noracleType\x12.\n\x13oracle_scale_factor\x18\x07 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x08 \x01(\x12R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\t \x01(\x12R\x13settlementTimestamp\x12\x1f\n\x0bquote_denom\x18\n \x01(\tR\nquoteDenom\x12V\n\x10quote_token_meta\x18\x0b \x01(\x0b\x32,.injective_derivative_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x0c \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\r \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\x0e \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0f \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x10 \x01(\tR\x13minQuantityTickSize\x12)\n\x10settlement_price\x18\x11 \x01(\tR\x0fsettlementPrice\x12!\n\x0cmin_notional\x18\x12 \x01(\tR\x0bminNotional\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"9\n\x1a\x42inaryOptionsMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"q\n\x1b\x42inaryOptionsMarketResponse\x12R\n\x06market\x18\x01 \x01(\x0b\x32:.injective_derivative_exchange_rpc.BinaryOptionsMarketInfoR\x06market\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"r\n\x13OrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"\xde\x01\n\x1a\x44\x65rivativeLimitOrderbookV2\x12\x41\n\x04\x62uys\x18\x01 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x04\x62uys\x12\x43\n\x05sells\x18\x02 \x03(\x0b\x32-.injective_derivative_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"{\n\x14OrderbooksV2Response\x12\x63\n\norderbooks\x18\x01 \x03(\x0b\x32\x43.injective_derivative_exchange_rpc.SingleDerivativeLimitOrderbookV2R\norderbooks\"\x9c\x01\n SingleDerivativeLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12[\n\torderbook\x18\x02 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xda\x01\n\x19StreamOrderbookV2Response\x12[\n\torderbook\x18\x01 \x01(\x0b\x32=.injective_derivative_exchange_rpc.DerivativeLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xf3\x01\n\x1dStreamOrderbookUpdateResponse\x12p\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x38.injective_derivative_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\x83\x02\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12G\n\x04\x62uys\x18\x03 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12I\n\x05sells\x18\x04 \x03(\x0b\x32\x33.injective_derivative_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\xc9\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa4\x01\n\x0eOrdersResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xd7\x05\n\x14\x44\x65rivativeLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12$\n\x0eis_reduce_only\x18\x05 \x01(\x08R\x0cisReduceOnly\x12\x16\n\x06margin\x18\x06 \x01(\tR\x06margin\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x08 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\t \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\n \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\x0b \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\x0c \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0e \x01(\x12R\tupdatedAt\x12!\n\x0corder_number\x18\x0f \x01(\x12R\x0borderNumber\x12\x1d\n\norder_type\x18\x10 \x01(\tR\torderType\x12%\n\x0eis_conditional\x18\x11 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x12 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x13 \x01(\tR\x0fplacedOrderHash\x12%\n\x0e\x65xecution_type\x18\x14 \x01(\tR\rexecutionType\x12\x17\n\x07tx_hash\x18\x15 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x16 \x01(\tR\x03\x63id\"\xdc\x02\n\x10PositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xab\x01\n\x11PositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xb0\x03\n\x12\x44\x65rivativePosition\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x43\n\x1e\x61ggregate_reduce_only_quantity\x18\x0b \x01(\tR\x1b\x61ggregateReduceOnlyQuantity\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x1d\n\ncreated_at\x18\r \x01(\x12R\tcreatedAt\"\xde\x02\n\x12PositionsV2Request\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x05 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x06 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x07 \x03(\tR\tmarketIds\x12\x1c\n\tdirection\x18\x08 \x01(\tR\tdirection\x12<\n\x1asubaccount_total_positions\x18\t \x01(\x08R\x18subaccountTotalPositions\x12\'\n\x0f\x61\x63\x63ount_address\x18\n \x01(\tR\x0e\x61\x63\x63ountAddress\"\xaf\x01\n\x13PositionsV2Response\x12U\n\tpositions\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativePositionV2R\tpositions\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe4\x02\n\x14\x44\x65rivativePositionV2\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x1a\n\x08quantity\x18\x05 \x01(\tR\x08quantity\x12\x1f\n\x0b\x65ntry_price\x18\x06 \x01(\tR\nentryPrice\x12\x16\n\x06margin\x18\x07 \x01(\tR\x06margin\x12+\n\x11liquidation_price\x18\x08 \x01(\tR\x10liquidationPrice\x12\x1d\n\nmark_price\x18\t \x01(\tR\tmarkPrice\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x14\n\x05\x64\x65nom\x18\x0c \x01(\tR\x05\x64\x65nom\"c\n\x1aLiquidablePositionsRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\"r\n\x1bLiquidablePositionsResponse\x12S\n\tpositions\x18\x01 \x03(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\tpositions\"\xbe\x01\n\x16\x46undingPaymentsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x05 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x06 \x03(\tR\tmarketIds\"\xab\x01\n\x17\x46undingPaymentsResponse\x12M\n\x08payments\x18\x01 \x03(\x0b\x32\x31.injective_derivative_exchange_rpc.FundingPaymentR\x08payments\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\x88\x01\n\x0e\x46undingPayment\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x16\n\x06\x61mount\x18\x03 \x01(\tR\x06\x61mount\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"w\n\x13\x46undingRatesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x02 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x19\n\x08\x65nd_time\x18\x04 \x01(\x12R\x07\x65ndTime\"\xae\x01\n\x14\x46undingRatesResponse\x12S\n\rfunding_rates\x18\x01 \x03(\x0b\x32..injective_derivative_exchange_rpc.FundingRateR\x0c\x66undingRates\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\\\n\x0b\x46undingRate\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x12\n\x04rate\x18\x02 \x01(\tR\x04rate\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc9\x01\n\x16StreamPositionsRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1d\n\nmarket_ids\x18\x03 \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\x04 \x03(\tR\rsubaccountIds\x12\'\n\x0f\x61\x63\x63ount_address\x18\x05 \x01(\tR\x0e\x61\x63\x63ountAddress\"\x8a\x01\n\x17StreamPositionsResponse\x12Q\n\x08position\x18\x01 \x01(\x0b\x32\x35.injective_derivative_exchange_rpc.DerivativePositionR\x08position\x12\x1c\n\ttimestamp\x18\x02 \x01(\x12R\ttimestamp\"\xcf\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12)\n\x10include_inactive\x18\x0b \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\x0c \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\r \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xaa\x01\n\x14StreamOrdersResponse\x12M\n\x05order\x18\x01 \x01(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9f\x01\n\x0eTradesResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xe8\x03\n\x0f\x44\x65rivativeTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12%\n\x0eis_liquidation\x18\x05 \x01(\x08R\risLiquidation\x12W\n\x0eposition_delta\x18\x06 \x01(\x0b\x32\x30.injective_derivative_exchange_rpc.PositionDeltaR\rpositionDelta\x12\x16\n\x06payout\x18\x07 \x01(\tR\x06payout\x12\x10\n\x03\x66\x65\x65\x18\x08 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\t \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\n \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0c \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\r \x01(\tR\x03\x63id\"\xbb\x01\n\rPositionDelta\x12\'\n\x0ftrade_direction\x18\x01 \x01(\tR\x0etradeDirection\x12\'\n\x0f\x65xecution_price\x18\x02 \x01(\tR\x0e\x65xecutionPrice\x12-\n\x12\x65xecution_quantity\x18\x03 \x01(\tR\x11\x65xecutionQuantity\x12)\n\x10\x65xecution_margin\x18\x04 \x01(\tR\x0f\x65xecutionMargin\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa1\x01\n\x10TradesV2Response\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa5\x01\n\x14StreamTradesResponse\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\xa7\x01\n\x16StreamTradesV2Response\x12H\n\x05trade\x18\x01 \x01(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xb2\x01\n\x1cSubaccountOrdersListResponse\x12O\n\x06orders\x18\x01 \x03(\x0b\x32\x37.injective_derivative_exchange_rpc.DerivativeLimitOrderR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"j\n\x1cSubaccountTradesListResponse\x12J\n\x06trades\x18\x01 \x03(\x0b\x32\x32.injective_derivative_exchange_rpc.DerivativeTradeR\x06trades\"\xfc\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12%\n\x0eis_conditional\x18\t \x01(\tR\risConditional\x12\x1d\n\norder_type\x18\n \x01(\tR\torderType\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x0c \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\r \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0e \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\x0f \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xad\x01\n\x15OrdersHistoryResponse\x12Q\n\x06orders\x18\x01 \x03(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x06orders\x12\x41\n\x06paging\x18\x02 \x01(\x0b\x32).injective_derivative_exchange_rpc.PagingR\x06paging\"\xa9\x05\n\x16\x44\x65rivativeOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12$\n\x0eis_reduce_only\x18\x0e \x01(\x08R\x0cisReduceOnly\x12\x1c\n\tdirection\x18\x0f \x01(\tR\tdirection\x12%\n\x0eis_conditional\x18\x10 \x01(\x08R\risConditional\x12\x1d\n\ntrigger_at\x18\x11 \x01(\x04R\ttriggerAt\x12*\n\x11placed_order_hash\x18\x12 \x01(\tR\x0fplacedOrderHash\x12\x16\n\x06margin\x18\x13 \x01(\tR\x06margin\x12\x17\n\x07tx_hash\x18\x14 \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x15 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xb3\x01\n\x1bStreamOrdersHistoryResponse\x12O\n\x05order\x18\x01 \x01(\x0b\x32\x39.injective_derivative_exchange_rpc.DerivativeOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp2\xc4\x1a\n\x1eInjectiveDerivativeExchangeRPC\x12p\n\x07Markets\x12\x31.injective_derivative_exchange_rpc.MarketsRequest\x1a\x32.injective_derivative_exchange_rpc.MarketsResponse\x12m\n\x06Market\x12\x30.injective_derivative_exchange_rpc.MarketRequest\x1a\x31.injective_derivative_exchange_rpc.MarketResponse\x12\x81\x01\n\x0cStreamMarket\x12\x36.injective_derivative_exchange_rpc.StreamMarketRequest\x1a\x37.injective_derivative_exchange_rpc.StreamMarketResponse0\x01\x12\x97\x01\n\x14\x42inaryOptionsMarkets\x12>.injective_derivative_exchange_rpc.BinaryOptionsMarketsRequest\x1a?.injective_derivative_exchange_rpc.BinaryOptionsMarketsResponse\x12\x94\x01\n\x13\x42inaryOptionsMarket\x12=.injective_derivative_exchange_rpc.BinaryOptionsMarketRequest\x1a>.injective_derivative_exchange_rpc.BinaryOptionsMarketResponse\x12|\n\x0bOrderbookV2\x12\x35.injective_derivative_exchange_rpc.OrderbookV2Request\x1a\x36.injective_derivative_exchange_rpc.OrderbookV2Response\x12\x7f\n\x0cOrderbooksV2\x12\x36.injective_derivative_exchange_rpc.OrderbooksV2Request\x1a\x37.injective_derivative_exchange_rpc.OrderbooksV2Response\x12\x90\x01\n\x11StreamOrderbookV2\x12;.injective_derivative_exchange_rpc.StreamOrderbookV2Request\x1a<.injective_derivative_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x9c\x01\n\x15StreamOrderbookUpdate\x12?.injective_derivative_exchange_rpc.StreamOrderbookUpdateRequest\x1a@.injective_derivative_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12m\n\x06Orders\x12\x30.injective_derivative_exchange_rpc.OrdersRequest\x1a\x31.injective_derivative_exchange_rpc.OrdersResponse\x12v\n\tPositions\x12\x33.injective_derivative_exchange_rpc.PositionsRequest\x1a\x34.injective_derivative_exchange_rpc.PositionsResponse\x12|\n\x0bPositionsV2\x12\x35.injective_derivative_exchange_rpc.PositionsV2Request\x1a\x36.injective_derivative_exchange_rpc.PositionsV2Response\x12\x94\x01\n\x13LiquidablePositions\x12=.injective_derivative_exchange_rpc.LiquidablePositionsRequest\x1a>.injective_derivative_exchange_rpc.LiquidablePositionsResponse\x12\x88\x01\n\x0f\x46undingPayments\x12\x39.injective_derivative_exchange_rpc.FundingPaymentsRequest\x1a:.injective_derivative_exchange_rpc.FundingPaymentsResponse\x12\x7f\n\x0c\x46undingRates\x12\x36.injective_derivative_exchange_rpc.FundingRatesRequest\x1a\x37.injective_derivative_exchange_rpc.FundingRatesResponse\x12\x8a\x01\n\x0fStreamPositions\x12\x39.injective_derivative_exchange_rpc.StreamPositionsRequest\x1a:.injective_derivative_exchange_rpc.StreamPositionsResponse0\x01\x12\x81\x01\n\x0cStreamOrders\x12\x36.injective_derivative_exchange_rpc.StreamOrdersRequest\x1a\x37.injective_derivative_exchange_rpc.StreamOrdersResponse0\x01\x12m\n\x06Trades\x12\x30.injective_derivative_exchange_rpc.TradesRequest\x1a\x31.injective_derivative_exchange_rpc.TradesResponse\x12s\n\x08TradesV2\x12\x32.injective_derivative_exchange_rpc.TradesV2Request\x1a\x33.injective_derivative_exchange_rpc.TradesV2Response\x12\x81\x01\n\x0cStreamTrades\x12\x36.injective_derivative_exchange_rpc.StreamTradesRequest\x1a\x37.injective_derivative_exchange_rpc.StreamTradesResponse0\x01\x12\x87\x01\n\x0eStreamTradesV2\x12\x38.injective_derivative_exchange_rpc.StreamTradesV2Request\x1a\x39.injective_derivative_exchange_rpc.StreamTradesV2Response0\x01\x12\x97\x01\n\x14SubaccountOrdersList\x12>.injective_derivative_exchange_rpc.SubaccountOrdersListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountOrdersListResponse\x12\x97\x01\n\x14SubaccountTradesList\x12>.injective_derivative_exchange_rpc.SubaccountTradesListRequest\x1a?.injective_derivative_exchange_rpc.SubaccountTradesListResponse\x12\x82\x01\n\rOrdersHistory\x12\x37.injective_derivative_exchange_rpc.OrdersHistoryRequest\x1a\x38.injective_derivative_exchange_rpc.OrdersHistoryResponse\x12\x96\x01\n\x13StreamOrdersHistory\x12=.injective_derivative_exchange_rpc.StreamOrdersHistoryRequest\x1a>.injective_derivative_exchange_rpc.StreamOrdersHistoryResponse0\x01\x42\x8a\x02\n%com.injective_derivative_exchange_rpcB#InjectiveDerivativeExchangeRpcProtoP\x01Z$/injective_derivative_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x1eInjectiveDerivativeExchangeRpc\xca\x02\x1eInjectiveDerivativeExchangeRpc\xe2\x02*InjectiveDerivativeExchangeRpc\\GPBMetadata\xea\x02\x1eInjectiveDerivativeExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,141 +37,141 @@ _globals['_MARKETSRESPONSE']._serialized_start=216 _globals['_MARKETSRESPONSE']._serialized_end=316 _globals['_DERIVATIVEMARKETINFO']._serialized_start=319 - _globals['_DERIVATIVEMARKETINFO']._serialized_end=1416 - _globals['_TOKENMETA']._serialized_start=1419 - _globals['_TOKENMETA']._serialized_end=1579 - _globals['_PERPETUALMARKETINFO']._serialized_start=1582 - _globals['_PERPETUALMARKETINFO']._serialized_end=1805 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=1808 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=1961 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1963 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=2082 - _globals['_MARKETREQUEST']._serialized_start=2084 - _globals['_MARKETREQUEST']._serialized_end=2128 - _globals['_MARKETRESPONSE']._serialized_start=2130 - _globals['_MARKETRESPONSE']._serialized_end=2227 - _globals['_STREAMMARKETREQUEST']._serialized_start=2229 - _globals['_STREAMMARKETREQUEST']._serialized_end=2281 - _globals['_STREAMMARKETRESPONSE']._serialized_start=2284 - _globals['_STREAMMARKETRESPONSE']._serialized_end=2456 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=2459 - _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=2600 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=2603 - _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2786 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2789 - _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=3555 - _globals['_PAGING']._serialized_start=3558 - _globals['_PAGING']._serialized_end=3692 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=3694 - _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=3751 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=3753 - _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=3866 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=3868 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=3917 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=3919 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=4033 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=4036 - _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=4258 - _globals['_PRICELEVEL']._serialized_start=4260 - _globals['_PRICELEVEL']._serialized_end=4352 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=4354 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=4406 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=4408 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=4531 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=4534 - _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=4690 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=4692 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=4749 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=4752 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=4970 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=4972 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=5033 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=5036 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=5279 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=5282 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=5541 - _globals['_PRICELEVELUPDATE']._serialized_start=5543 - _globals['_PRICELEVELUPDATE']._serialized_end=5670 - _globals['_ORDERSREQUEST']._serialized_start=5673 - _globals['_ORDERSREQUEST']._serialized_end=6130 - _globals['_ORDERSRESPONSE']._serialized_start=6133 - _globals['_ORDERSRESPONSE']._serialized_end=6297 - _globals['_DERIVATIVELIMITORDER']._serialized_start=6300 - _globals['_DERIVATIVELIMITORDER']._serialized_end=7027 - _globals['_POSITIONSREQUEST']._serialized_start=7030 - _globals['_POSITIONSREQUEST']._serialized_end=7378 - _globals['_POSITIONSRESPONSE']._serialized_start=7381 - _globals['_POSITIONSRESPONSE']._serialized_end=7552 - _globals['_DERIVATIVEPOSITION']._serialized_start=7555 - _globals['_DERIVATIVEPOSITION']._serialized_end=7987 - _globals['_POSITIONSV2REQUEST']._serialized_start=7990 - _globals['_POSITIONSV2REQUEST']._serialized_end=8340 - _globals['_POSITIONSV2RESPONSE']._serialized_start=8343 - _globals['_POSITIONSV2RESPONSE']._serialized_end=8518 - _globals['_DERIVATIVEPOSITIONV2']._serialized_start=8521 - _globals['_DERIVATIVEPOSITIONV2']._serialized_end=8877 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=8879 - _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=8978 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=8980 - _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=9094 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=9097 - _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=9287 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=9290 - _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=9461 - _globals['_FUNDINGPAYMENT']._serialized_start=9464 - _globals['_FUNDINGPAYMENT']._serialized_end=9600 - _globals['_FUNDINGRATESREQUEST']._serialized_start=9602 - _globals['_FUNDINGRATESREQUEST']._serialized_end=9721 - _globals['_FUNDINGRATESRESPONSE']._serialized_start=9724 - _globals['_FUNDINGRATESRESPONSE']._serialized_end=9898 - _globals['_FUNDINGRATE']._serialized_start=9900 - _globals['_FUNDINGRATE']._serialized_end=9992 - _globals['_STREAMPOSITIONSREQUEST']._serialized_start=9995 - _globals['_STREAMPOSITIONSREQUEST']._serialized_end=10196 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=10199 - _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=10337 - _globals['_STREAMORDERSREQUEST']._serialized_start=10340 - _globals['_STREAMORDERSREQUEST']._serialized_end=10803 - _globals['_STREAMORDERSRESPONSE']._serialized_start=10806 - _globals['_STREAMORDERSRESPONSE']._serialized_end=10976 - _globals['_TRADESREQUEST']._serialized_start=10979 - _globals['_TRADESREQUEST']._serialized_end=11426 - _globals['_TRADESRESPONSE']._serialized_start=11429 - _globals['_TRADESRESPONSE']._serialized_end=11588 - _globals['_DERIVATIVETRADE']._serialized_start=11591 - _globals['_DERIVATIVETRADE']._serialized_end=12079 - _globals['_POSITIONDELTA']._serialized_start=12082 - _globals['_POSITIONDELTA']._serialized_end=12269 - _globals['_TRADESV2REQUEST']._serialized_start=12272 - _globals['_TRADESV2REQUEST']._serialized_end=12721 - _globals['_TRADESV2RESPONSE']._serialized_start=12724 - _globals['_TRADESV2RESPONSE']._serialized_end=12885 - _globals['_STREAMTRADESREQUEST']._serialized_start=12888 - _globals['_STREAMTRADESREQUEST']._serialized_end=13341 - _globals['_STREAMTRADESRESPONSE']._serialized_start=13344 - _globals['_STREAMTRADESRESPONSE']._serialized_end=13509 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=13512 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=13967 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=13970 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=14137 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=14140 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=14277 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=14280 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=14458 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=14461 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=14667 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=14669 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=14775 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=14778 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=15286 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=15289 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=15462 - _globals['_DERIVATIVEORDERHISTORY']._serialized_start=15465 - _globals['_DERIVATIVEORDERHISTORY']._serialized_end=16146 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=16149 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=16369 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=16372 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=16551 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=16554 - _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=19950 + _globals['_DERIVATIVEMARKETINFO']._serialized_end=1451 + _globals['_TOKENMETA']._serialized_start=1454 + _globals['_TOKENMETA']._serialized_end=1614 + _globals['_PERPETUALMARKETINFO']._serialized_start=1617 + _globals['_PERPETUALMARKETINFO']._serialized_end=1840 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=1843 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=1996 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=1998 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=2117 + _globals['_MARKETREQUEST']._serialized_start=2119 + _globals['_MARKETREQUEST']._serialized_end=2163 + _globals['_MARKETRESPONSE']._serialized_start=2165 + _globals['_MARKETRESPONSE']._serialized_end=2262 + _globals['_STREAMMARKETREQUEST']._serialized_start=2264 + _globals['_STREAMMARKETREQUEST']._serialized_end=2316 + _globals['_STREAMMARKETRESPONSE']._serialized_start=2319 + _globals['_STREAMMARKETRESPONSE']._serialized_end=2491 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_start=2494 + _globals['_BINARYOPTIONSMARKETSREQUEST']._serialized_end=2635 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_start=2638 + _globals['_BINARYOPTIONSMARKETSRESPONSE']._serialized_end=2821 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_start=2824 + _globals['_BINARYOPTIONSMARKETINFO']._serialized_end=3625 + _globals['_PAGING']._serialized_start=3628 + _globals['_PAGING']._serialized_end=3762 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_start=3764 + _globals['_BINARYOPTIONSMARKETREQUEST']._serialized_end=3821 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_start=3823 + _globals['_BINARYOPTIONSMARKETRESPONSE']._serialized_end=3936 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=3938 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=3987 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=3989 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=4103 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_start=4106 + _globals['_DERIVATIVELIMITORDERBOOKV2']._serialized_end=4328 + _globals['_PRICELEVEL']._serialized_start=4330 + _globals['_PRICELEVEL']._serialized_end=4422 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=4424 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=4476 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=4478 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=4601 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_start=4604 + _globals['_SINGLEDERIVATIVELIMITORDERBOOKV2']._serialized_end=4760 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=4762 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=4819 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=4822 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=5040 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=5042 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=5103 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=5106 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=5349 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=5352 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=5611 + _globals['_PRICELEVELUPDATE']._serialized_start=5613 + _globals['_PRICELEVELUPDATE']._serialized_end=5740 + _globals['_ORDERSREQUEST']._serialized_start=5743 + _globals['_ORDERSREQUEST']._serialized_end=6200 + _globals['_ORDERSRESPONSE']._serialized_start=6203 + _globals['_ORDERSRESPONSE']._serialized_end=6367 + _globals['_DERIVATIVELIMITORDER']._serialized_start=6370 + _globals['_DERIVATIVELIMITORDER']._serialized_end=7097 + _globals['_POSITIONSREQUEST']._serialized_start=7100 + _globals['_POSITIONSREQUEST']._serialized_end=7448 + _globals['_POSITIONSRESPONSE']._serialized_start=7451 + _globals['_POSITIONSRESPONSE']._serialized_end=7622 + _globals['_DERIVATIVEPOSITION']._serialized_start=7625 + _globals['_DERIVATIVEPOSITION']._serialized_end=8057 + _globals['_POSITIONSV2REQUEST']._serialized_start=8060 + _globals['_POSITIONSV2REQUEST']._serialized_end=8410 + _globals['_POSITIONSV2RESPONSE']._serialized_start=8413 + _globals['_POSITIONSV2RESPONSE']._serialized_end=8588 + _globals['_DERIVATIVEPOSITIONV2']._serialized_start=8591 + _globals['_DERIVATIVEPOSITIONV2']._serialized_end=8947 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_start=8949 + _globals['_LIQUIDABLEPOSITIONSREQUEST']._serialized_end=9048 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_start=9050 + _globals['_LIQUIDABLEPOSITIONSRESPONSE']._serialized_end=9164 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_start=9167 + _globals['_FUNDINGPAYMENTSREQUEST']._serialized_end=9357 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_start=9360 + _globals['_FUNDINGPAYMENTSRESPONSE']._serialized_end=9531 + _globals['_FUNDINGPAYMENT']._serialized_start=9534 + _globals['_FUNDINGPAYMENT']._serialized_end=9670 + _globals['_FUNDINGRATESREQUEST']._serialized_start=9672 + _globals['_FUNDINGRATESREQUEST']._serialized_end=9791 + _globals['_FUNDINGRATESRESPONSE']._serialized_start=9794 + _globals['_FUNDINGRATESRESPONSE']._serialized_end=9968 + _globals['_FUNDINGRATE']._serialized_start=9970 + _globals['_FUNDINGRATE']._serialized_end=10062 + _globals['_STREAMPOSITIONSREQUEST']._serialized_start=10065 + _globals['_STREAMPOSITIONSREQUEST']._serialized_end=10266 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_start=10269 + _globals['_STREAMPOSITIONSRESPONSE']._serialized_end=10407 + _globals['_STREAMORDERSREQUEST']._serialized_start=10410 + _globals['_STREAMORDERSREQUEST']._serialized_end=10873 + _globals['_STREAMORDERSRESPONSE']._serialized_start=10876 + _globals['_STREAMORDERSRESPONSE']._serialized_end=11046 + _globals['_TRADESREQUEST']._serialized_start=11049 + _globals['_TRADESREQUEST']._serialized_end=11496 + _globals['_TRADESRESPONSE']._serialized_start=11499 + _globals['_TRADESRESPONSE']._serialized_end=11658 + _globals['_DERIVATIVETRADE']._serialized_start=11661 + _globals['_DERIVATIVETRADE']._serialized_end=12149 + _globals['_POSITIONDELTA']._serialized_start=12152 + _globals['_POSITIONDELTA']._serialized_end=12339 + _globals['_TRADESV2REQUEST']._serialized_start=12342 + _globals['_TRADESV2REQUEST']._serialized_end=12791 + _globals['_TRADESV2RESPONSE']._serialized_start=12794 + _globals['_TRADESV2RESPONSE']._serialized_end=12955 + _globals['_STREAMTRADESREQUEST']._serialized_start=12958 + _globals['_STREAMTRADESREQUEST']._serialized_end=13411 + _globals['_STREAMTRADESRESPONSE']._serialized_start=13414 + _globals['_STREAMTRADESRESPONSE']._serialized_end=13579 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=13582 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=14037 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=14040 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=14207 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=14210 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=14347 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=14350 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=14528 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=14531 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=14737 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=14739 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=14845 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=14848 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=15356 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=15359 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=15532 + _globals['_DERIVATIVEORDERHISTORY']._serialized_start=15535 + _globals['_DERIVATIVEORDERHISTORY']._serialized_end=16216 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=16219 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=16439 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=16442 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=16621 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_start=16624 + _globals['_INJECTIVEDERIVATIVEEXCHANGERPC']._serialized_end=20020 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py index d87cf1c1..1179eb15 100644 --- a/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_spot_exchange_rpc_pb2.py @@ -24,7 +24,7 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"\x9e\x01\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x04 \x03(\tR\x0emarketStatuses\"X\n\x0fMarketsResponse\x12\x45\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x07markets\"\xae\x04\n\x0eSpotMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12N\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\rbaseTokenMeta\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12P\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x08 \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\t \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\n \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0b \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x0c \x01(\tR\x13minQuantityTickSize\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"U\n\x0eMarketResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\"5\n\x14StreamMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xa1\x01\n\x15StreamMarketsResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"f\n\x13OrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"\xcc\x01\n\x14SpotLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x04\x62uys\x12=\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2R\norderbooks\"\x8a\x01\n\x1aSingleSpotLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xce\x01\n\x19StreamOrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xed\x01\n\x1dStreamOrderbookUpdateResponse\x12j\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\xf7\x01\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12\x43\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x83\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x92\x01\n\x0eOrdersResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x89\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x9e\x01\n\x14StreamOrdersResponse\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8d\x01\n\x0eTradesResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb2\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12=\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x99\x01\n\x14StreamTradesResponse\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8f\x01\n\x10TradesV2Response\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x16StreamTradesV2Response\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xa0\x01\n\x1cSubaccountOrdersListResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"^\n\x1cSubaccountTradesListResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\"\xb6\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05state\x18\t \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\n \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\x0b \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x15OrdersHistoryResponse\x12\x45\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xa7\x01\n\x1bStreamOrdersHistoryResponse\x12\x43\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x01\n\x18\x41tomicSwapHistoryRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x05 \x01(\x11R\nfromNumber\x12\x1b\n\tto_number\x18\x06 \x01(\x11R\x08toNumber\"\x95\x01\n\x19\x41tomicSwapHistoryResponse\x12;\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\x12;\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwapR\x04\x64\x61ta\"\xe0\x03\n\nAtomicSwap\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05route\x18\x02 \x01(\tR\x05route\x12\x42\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\nsourceCoin\x12>\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x08\x64\x65stCoin\x12\x35\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x04\x66\x65\x65s\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\x12&\n\x0findex_by_sender\x18\x07 \x01(\x11R\rindexBySender\x12\x37\n\x18index_by_sender_contract\x18\x08 \x01(\x11R\x15indexBySenderContract\x12\x17\n\x07tx_hash\x18\t \x01(\tR\x06txHash\x12\x1f\n\x0b\x65xecuted_at\x18\n \x01(\x12R\nexecutedAt\x12#\n\rrefund_amount\x18\x0b \x01(\tR\x0crefundAmount\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB\xe0\x01\n\x1f\x63om.injective_spot_exchange_rpcB\x1dInjectiveSpotExchangeRpcProtoP\x01Z\x1e/injective_spot_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x18InjectiveSpotExchangeRpc\xca\x02\x18InjectiveSpotExchangeRpc\xe2\x02$InjectiveSpotExchangeRpc\\GPBMetadata\xea\x02\x18InjectiveSpotExchangeRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n*exchange/injective_spot_exchange_rpc.proto\x12\x1binjective_spot_exchange_rpc\"\x9e\x01\n\x0eMarketsRequest\x12#\n\rmarket_status\x18\x01 \x01(\tR\x0cmarketStatus\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12\'\n\x0fmarket_statuses\x18\x04 \x03(\tR\x0emarketStatuses\"X\n\x0fMarketsResponse\x12\x45\n\x07markets\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x07markets\"\xd1\x04\n\x0eSpotMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12#\n\rmarket_status\x18\x02 \x01(\tR\x0cmarketStatus\x12\x16\n\x06ticker\x18\x03 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x04 \x01(\tR\tbaseDenom\x12N\n\x0f\x62\x61se_token_meta\x18\x05 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\rbaseTokenMeta\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12P\n\x10quote_token_meta\x18\x07 \x01(\x0b\x32&.injective_spot_exchange_rpc.TokenMetaR\x0equoteTokenMeta\x12$\n\x0emaker_fee_rate\x18\x08 \x01(\tR\x0cmakerFeeRate\x12$\n\x0etaker_fee_rate\x18\t \x01(\tR\x0ctakerFeeRate\x12\x30\n\x14service_provider_fee\x18\n \x01(\tR\x12serviceProviderFee\x12-\n\x13min_price_tick_size\x18\x0b \x01(\tR\x10minPriceTickSize\x12\x33\n\x16min_quantity_tick_size\x18\x0c \x01(\tR\x13minQuantityTickSize\x12!\n\x0cmin_notional\x18\r \x01(\tR\x0bminNotional\"\xa0\x01\n\tTokenMeta\x12\x12\n\x04name\x18\x01 \x01(\tR\x04name\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\x12\x16\n\x06symbol\x18\x03 \x01(\tR\x06symbol\x12\x12\n\x04logo\x18\x04 \x01(\tR\x04logo\x12\x1a\n\x08\x64\x65\x63imals\x18\x05 \x01(\x11R\x08\x64\x65\x63imals\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\",\n\rMarketRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"U\n\x0eMarketResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\"5\n\x14StreamMarketsRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xa1\x01\n\x15StreamMarketsResponse\x12\x43\n\x06market\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotMarketInfoR\x06market\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"1\n\x12OrderbookV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\"f\n\x13OrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"\xcc\x01\n\x14SpotLimitOrderbookV2\x12;\n\x04\x62uys\x18\x01 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x04\x62uys\x12=\n\x05sells\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05sells\x12\x1a\n\x08sequence\x18\x03 \x01(\x04R\x08sequence\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\\\n\nPriceLevel\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"4\n\x13OrderbooksV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"o\n\x14OrderbooksV2Response\x12W\n\norderbooks\x18\x01 \x03(\x0b\x32\x37.injective_spot_exchange_rpc.SingleSpotLimitOrderbookV2R\norderbooks\"\x8a\x01\n\x1aSingleSpotLimitOrderbookV2\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12O\n\torderbook\x18\x02 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\"9\n\x18StreamOrderbookV2Request\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xce\x01\n\x19StreamOrderbookV2Response\x12O\n\torderbook\x18\x01 \x01(\x0b\x32\x31.injective_spot_exchange_rpc.SpotLimitOrderbookV2R\torderbook\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"=\n\x1cStreamOrderbookUpdateRequest\x12\x1d\n\nmarket_ids\x18\x01 \x03(\tR\tmarketIds\"\xed\x01\n\x1dStreamOrderbookUpdateResponse\x12j\n\x17orderbook_level_updates\x18\x01 \x01(\x0b\x32\x32.injective_spot_exchange_rpc.OrderbookLevelUpdatesR\x15orderbookLevelUpdates\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\x12\x1b\n\tmarket_id\x18\x04 \x01(\tR\x08marketId\"\xf7\x01\n\x15OrderbookLevelUpdates\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1a\n\x08sequence\x18\x02 \x01(\x04R\x08sequence\x12\x41\n\x04\x62uys\x18\x03 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x04\x62uys\x12\x43\n\x05sells\x18\x04 \x03(\x0b\x32-.injective_spot_exchange_rpc.PriceLevelUpdateR\x05sells\x12\x1d\n\nupdated_at\x18\x05 \x01(\x12R\tupdatedAt\"\x7f\n\x10PriceLevelUpdate\x12\x14\n\x05price\x18\x01 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x02 \x01(\tR\x08quantity\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12\x1c\n\ttimestamp\x18\x04 \x01(\x12R\ttimestamp\"\x83\x03\n\rOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x92\x01\n\x0eOrdersResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb8\x03\n\x0eSpotLimitOrder\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x14\n\x05price\x18\x05 \x01(\tR\x05price\x12\x1a\n\x08quantity\x18\x06 \x01(\tR\x08quantity\x12+\n\x11unfilled_quantity\x18\x07 \x01(\tR\x10unfilledQuantity\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x14\n\x05state\x18\n \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0b \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x0c \x01(\x12R\tupdatedAt\x12\x17\n\x07tx_hash\x18\r \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\x89\x03\n\x13StreamOrdersRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x1d\n\norder_side\x18\x02 \x01(\tR\torderSide\x12#\n\rsubaccount_id\x18\x03 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x04 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x05 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x06 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x07 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\x08 \x03(\tR\tmarketIds\x12)\n\x10include_inactive\x18\t \x01(\x08R\x0fincludeInactive\x12\x36\n\x17subaccount_total_orders\x18\n \x01(\x08R\x15subaccountTotalOrders\x12\x19\n\x08trade_id\x18\x0b \x01(\tR\x07tradeId\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\x9e\x01\n\x14StreamOrdersResponse\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xbf\x03\n\rTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8d\x01\n\x0eTradesResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xb2\x03\n\tSpotTrade\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12#\n\rsubaccount_id\x18\x02 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x03 \x01(\tR\x08marketId\x12\x30\n\x14trade_execution_type\x18\x04 \x01(\tR\x12tradeExecutionType\x12\'\n\x0ftrade_direction\x18\x05 \x01(\tR\x0etradeDirection\x12=\n\x05price\x18\x06 \x01(\x0b\x32\'.injective_spot_exchange_rpc.PriceLevelR\x05price\x12\x10\n\x03\x66\x65\x65\x18\x07 \x01(\tR\x03\x66\x65\x65\x12\x1f\n\x0b\x65xecuted_at\x18\x08 \x01(\x12R\nexecutedAt\x12#\n\rfee_recipient\x18\t \x01(\tR\x0c\x66\x65\x65Recipient\x12\x19\n\x08trade_id\x18\n \x01(\tR\x07tradeId\x12%\n\x0e\x65xecution_side\x18\x0b \x01(\tR\rexecutionSide\x12\x10\n\x03\x63id\x18\x0c \x01(\tR\x03\x63id\"\xc5\x03\n\x13StreamTradesRequest\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x99\x01\n\x14StreamTradesResponse\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc1\x03\n\x0fTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x8f\x01\n\x10TradesV2Response\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xc7\x03\n\x15StreamTradesV2Request\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_side\x18\x02 \x01(\tR\rexecutionSide\x12\x1c\n\tdirection\x18\x03 \x01(\tR\tdirection\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x1d\n\nmarket_ids\x18\t \x03(\tR\tmarketIds\x12%\n\x0esubaccount_ids\x18\n \x03(\tR\rsubaccountIds\x12\'\n\x0f\x65xecution_types\x18\x0b \x03(\tR\x0e\x65xecutionTypes\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12\'\n\x0f\x61\x63\x63ount_address\x18\r \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x16StreamTradesV2Response\x12<\n\x05trade\x18\x01 \x01(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x05trade\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\x89\x01\n\x1bSubaccountOrdersListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\"\xa0\x01\n\x1cSubaccountOrdersListResponse\x12\x43\n\x06orders\x18\x01 \x03(\x0b\x32+.injective_spot_exchange_rpc.SpotLimitOrderR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xce\x01\n\x1bSubaccountTradesListRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12%\n\x0e\x65xecution_type\x18\x03 \x01(\tR\rexecutionType\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x06 \x01(\x11R\x05limit\"^\n\x1cSubaccountTradesListResponse\x12>\n\x06trades\x18\x01 \x03(\x0b\x32&.injective_spot_exchange_rpc.SpotTradeR\x06trades\"\xb6\x03\n\x14OrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x12\n\x04skip\x18\x03 \x01(\x04R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0border_types\x18\x05 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x06 \x01(\tR\tdirection\x12\x1d\n\nstart_time\x18\x07 \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\x08 \x01(\x12R\x07\x65ndTime\x12\x14\n\x05state\x18\t \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\n \x03(\tR\x0e\x65xecutionTypes\x12\x1d\n\nmarket_ids\x18\x0b \x03(\tR\tmarketIds\x12\x19\n\x08trade_id\x18\x0c \x01(\tR\x07tradeId\x12.\n\x13\x61\x63tive_markets_only\x18\r \x01(\x08R\x11\x61\x63tiveMarketsOnly\x12\x10\n\x03\x63id\x18\x0e \x01(\tR\x03\x63id\"\x9b\x01\n\x15OrdersHistoryResponse\x12\x45\n\x06orders\x18\x01 \x03(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x06orders\x12;\n\x06paging\x18\x02 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\"\xf3\x03\n\x10SpotOrderHistory\x12\x1d\n\norder_hash\x18\x01 \x01(\tR\torderHash\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1b\n\tis_active\x18\x03 \x01(\x08R\x08isActive\x12#\n\rsubaccount_id\x18\x04 \x01(\tR\x0csubaccountId\x12%\n\x0e\x65xecution_type\x18\x05 \x01(\tR\rexecutionType\x12\x1d\n\norder_type\x18\x06 \x01(\tR\torderType\x12\x14\n\x05price\x18\x07 \x01(\tR\x05price\x12#\n\rtrigger_price\x18\x08 \x01(\tR\x0ctriggerPrice\x12\x1a\n\x08quantity\x18\t \x01(\tR\x08quantity\x12\'\n\x0f\x66illed_quantity\x18\n \x01(\tR\x0e\x66illedQuantity\x12\x14\n\x05state\x18\x0b \x01(\tR\x05state\x12\x1d\n\ncreated_at\x18\x0c \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\r \x01(\x12R\tupdatedAt\x12\x1c\n\tdirection\x18\x0e \x01(\tR\tdirection\x12\x17\n\x07tx_hash\x18\x0f \x01(\tR\x06txHash\x12\x10\n\x03\x63id\x18\x10 \x01(\tR\x03\x63id\"\xdc\x01\n\x1aStreamOrdersHistoryRequest\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0border_types\x18\x03 \x03(\tR\norderTypes\x12\x1c\n\tdirection\x18\x04 \x01(\tR\tdirection\x12\x14\n\x05state\x18\x05 \x01(\tR\x05state\x12\'\n\x0f\x65xecution_types\x18\x06 \x03(\tR\x0e\x65xecutionTypes\"\xa7\x01\n\x1bStreamOrdersHistoryResponse\x12\x43\n\x05order\x18\x01 \x01(\x0b\x32-.injective_spot_exchange_rpc.SpotOrderHistoryR\x05order\x12%\n\x0eoperation_type\x18\x02 \x01(\tR\roperationType\x12\x1c\n\ttimestamp\x18\x03 \x01(\x12R\ttimestamp\"\xc7\x01\n\x18\x41tomicSwapHistoryRequest\x12\x18\n\x07\x61\x64\x64ress\x18\x01 \x01(\tR\x07\x61\x64\x64ress\x12)\n\x10\x63ontract_address\x18\x02 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x1f\n\x0b\x66rom_number\x18\x05 \x01(\x11R\nfromNumber\x12\x1b\n\tto_number\x18\x06 \x01(\x11R\x08toNumber\"\x95\x01\n\x19\x41tomicSwapHistoryResponse\x12;\n\x06paging\x18\x01 \x01(\x0b\x32#.injective_spot_exchange_rpc.PagingR\x06paging\x12;\n\x04\x64\x61ta\x18\x02 \x03(\x0b\x32\'.injective_spot_exchange_rpc.AtomicSwapR\x04\x64\x61ta\"\xe0\x03\n\nAtomicSwap\x12\x16\n\x06sender\x18\x01 \x01(\tR\x06sender\x12\x14\n\x05route\x18\x02 \x01(\tR\x05route\x12\x42\n\x0bsource_coin\x18\x03 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\nsourceCoin\x12>\n\tdest_coin\x18\x04 \x01(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x08\x64\x65stCoin\x12\x35\n\x04\x66\x65\x65s\x18\x05 \x03(\x0b\x32!.injective_spot_exchange_rpc.CoinR\x04\x66\x65\x65s\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\x12&\n\x0findex_by_sender\x18\x07 \x01(\x11R\rindexBySender\x12\x37\n\x18index_by_sender_contract\x18\x08 \x01(\x11R\x15indexBySenderContract\x12\x17\n\x07tx_hash\x18\t \x01(\tR\x06txHash\x12\x1f\n\x0b\x65xecuted_at\x18\n \x01(\x12R\nexecutedAt\x12#\n\rrefund_amount\x18\x0b \x01(\tR\x0crefundAmount\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount2\x9e\x11\n\x18InjectiveSpotExchangeRPC\x12\x64\n\x07Markets\x12+.injective_spot_exchange_rpc.MarketsRequest\x1a,.injective_spot_exchange_rpc.MarketsResponse\x12\x61\n\x06Market\x12*.injective_spot_exchange_rpc.MarketRequest\x1a+.injective_spot_exchange_rpc.MarketResponse\x12x\n\rStreamMarkets\x12\x31.injective_spot_exchange_rpc.StreamMarketsRequest\x1a\x32.injective_spot_exchange_rpc.StreamMarketsResponse0\x01\x12p\n\x0bOrderbookV2\x12/.injective_spot_exchange_rpc.OrderbookV2Request\x1a\x30.injective_spot_exchange_rpc.OrderbookV2Response\x12s\n\x0cOrderbooksV2\x12\x30.injective_spot_exchange_rpc.OrderbooksV2Request\x1a\x31.injective_spot_exchange_rpc.OrderbooksV2Response\x12\x84\x01\n\x11StreamOrderbookV2\x12\x35.injective_spot_exchange_rpc.StreamOrderbookV2Request\x1a\x36.injective_spot_exchange_rpc.StreamOrderbookV2Response0\x01\x12\x90\x01\n\x15StreamOrderbookUpdate\x12\x39.injective_spot_exchange_rpc.StreamOrderbookUpdateRequest\x1a:.injective_spot_exchange_rpc.StreamOrderbookUpdateResponse0\x01\x12\x61\n\x06Orders\x12*.injective_spot_exchange_rpc.OrdersRequest\x1a+.injective_spot_exchange_rpc.OrdersResponse\x12u\n\x0cStreamOrders\x12\x30.injective_spot_exchange_rpc.StreamOrdersRequest\x1a\x31.injective_spot_exchange_rpc.StreamOrdersResponse0\x01\x12\x61\n\x06Trades\x12*.injective_spot_exchange_rpc.TradesRequest\x1a+.injective_spot_exchange_rpc.TradesResponse\x12u\n\x0cStreamTrades\x12\x30.injective_spot_exchange_rpc.StreamTradesRequest\x1a\x31.injective_spot_exchange_rpc.StreamTradesResponse0\x01\x12g\n\x08TradesV2\x12,.injective_spot_exchange_rpc.TradesV2Request\x1a-.injective_spot_exchange_rpc.TradesV2Response\x12{\n\x0eStreamTradesV2\x12\x32.injective_spot_exchange_rpc.StreamTradesV2Request\x1a\x33.injective_spot_exchange_rpc.StreamTradesV2Response0\x01\x12\x8b\x01\n\x14SubaccountOrdersList\x12\x38.injective_spot_exchange_rpc.SubaccountOrdersListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountOrdersListResponse\x12\x8b\x01\n\x14SubaccountTradesList\x12\x38.injective_spot_exchange_rpc.SubaccountTradesListRequest\x1a\x39.injective_spot_exchange_rpc.SubaccountTradesListResponse\x12v\n\rOrdersHistory\x12\x31.injective_spot_exchange_rpc.OrdersHistoryRequest\x1a\x32.injective_spot_exchange_rpc.OrdersHistoryResponse\x12\x8a\x01\n\x13StreamOrdersHistory\x12\x37.injective_spot_exchange_rpc.StreamOrdersHistoryRequest\x1a\x38.injective_spot_exchange_rpc.StreamOrdersHistoryResponse0\x01\x12\x82\x01\n\x11\x41tomicSwapHistory\x12\x35.injective_spot_exchange_rpc.AtomicSwapHistoryRequest\x1a\x36.injective_spot_exchange_rpc.AtomicSwapHistoryResponseB\xe0\x01\n\x1f\x63om.injective_spot_exchange_rpcB\x1dInjectiveSpotExchangeRpcProtoP\x01Z\x1e/injective_spot_exchange_rpcpb\xa2\x02\x03IXX\xaa\x02\x18InjectiveSpotExchangeRpc\xca\x02\x18InjectiveSpotExchangeRpc\xe2\x02$InjectiveSpotExchangeRpc\\GPBMetadata\xea\x02\x18InjectiveSpotExchangeRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,99 +37,99 @@ _globals['_MARKETSRESPONSE']._serialized_start=236 _globals['_MARKETSRESPONSE']._serialized_end=324 _globals['_SPOTMARKETINFO']._serialized_start=327 - _globals['_SPOTMARKETINFO']._serialized_end=885 - _globals['_TOKENMETA']._serialized_start=888 - _globals['_TOKENMETA']._serialized_end=1048 - _globals['_MARKETREQUEST']._serialized_start=1050 - _globals['_MARKETREQUEST']._serialized_end=1094 - _globals['_MARKETRESPONSE']._serialized_start=1096 - _globals['_MARKETRESPONSE']._serialized_end=1181 - _globals['_STREAMMARKETSREQUEST']._serialized_start=1183 - _globals['_STREAMMARKETSREQUEST']._serialized_end=1236 - _globals['_STREAMMARKETSRESPONSE']._serialized_start=1239 - _globals['_STREAMMARKETSRESPONSE']._serialized_end=1400 - _globals['_ORDERBOOKV2REQUEST']._serialized_start=1402 - _globals['_ORDERBOOKV2REQUEST']._serialized_end=1451 - _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1453 - _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1555 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1558 - _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1762 - _globals['_PRICELEVEL']._serialized_start=1764 - _globals['_PRICELEVEL']._serialized_end=1856 - _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1858 - _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1910 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1912 - _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=2023 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=2026 - _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=2164 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=2166 - _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=2223 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=2226 - _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=2432 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=2434 - _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=2495 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=2498 - _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2735 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2738 - _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=2985 - _globals['_PRICELEVELUPDATE']._serialized_start=2987 - _globals['_PRICELEVELUPDATE']._serialized_end=3114 - _globals['_ORDERSREQUEST']._serialized_start=3117 - _globals['_ORDERSREQUEST']._serialized_end=3504 - _globals['_ORDERSRESPONSE']._serialized_start=3507 - _globals['_ORDERSRESPONSE']._serialized_end=3653 - _globals['_SPOTLIMITORDER']._serialized_start=3656 - _globals['_SPOTLIMITORDER']._serialized_end=4096 - _globals['_PAGING']._serialized_start=4099 - _globals['_PAGING']._serialized_end=4233 - _globals['_STREAMORDERSREQUEST']._serialized_start=4236 - _globals['_STREAMORDERSREQUEST']._serialized_end=4629 - _globals['_STREAMORDERSRESPONSE']._serialized_start=4632 - _globals['_STREAMORDERSRESPONSE']._serialized_end=4790 - _globals['_TRADESREQUEST']._serialized_start=4793 - _globals['_TRADESREQUEST']._serialized_end=5240 - _globals['_TRADESRESPONSE']._serialized_start=5243 - _globals['_TRADESRESPONSE']._serialized_end=5384 - _globals['_SPOTTRADE']._serialized_start=5387 - _globals['_SPOTTRADE']._serialized_end=5821 - _globals['_STREAMTRADESREQUEST']._serialized_start=5824 - _globals['_STREAMTRADESREQUEST']._serialized_end=6277 - _globals['_STREAMTRADESRESPONSE']._serialized_start=6280 - _globals['_STREAMTRADESRESPONSE']._serialized_end=6433 - _globals['_TRADESV2REQUEST']._serialized_start=6436 - _globals['_TRADESV2REQUEST']._serialized_end=6885 - _globals['_TRADESV2RESPONSE']._serialized_start=6888 - _globals['_TRADESV2RESPONSE']._serialized_end=7031 - _globals['_STREAMTRADESV2REQUEST']._serialized_start=7034 - _globals['_STREAMTRADESV2REQUEST']._serialized_end=7489 - _globals['_STREAMTRADESV2RESPONSE']._serialized_start=7492 - _globals['_STREAMTRADESV2RESPONSE']._serialized_end=7647 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=7650 - _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=7787 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=7790 - _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=7950 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=7953 - _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=8159 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=8161 - _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=8255 - _globals['_ORDERSHISTORYREQUEST']._serialized_start=8258 - _globals['_ORDERSHISTORYREQUEST']._serialized_end=8696 - _globals['_ORDERSHISTORYRESPONSE']._serialized_start=8699 - _globals['_ORDERSHISTORYRESPONSE']._serialized_end=8854 - _globals['_SPOTORDERHISTORY']._serialized_start=8857 - _globals['_SPOTORDERHISTORY']._serialized_end=9356 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=9359 - _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=9579 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=9582 - _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=9749 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=9752 - _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=9951 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=9954 - _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=10103 - _globals['_ATOMICSWAP']._serialized_start=10106 - _globals['_ATOMICSWAP']._serialized_end=10586 - _globals['_COIN']._serialized_start=10588 - _globals['_COIN']._serialized_end=10640 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=10643 - _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=12849 + _globals['_SPOTMARKETINFO']._serialized_end=920 + _globals['_TOKENMETA']._serialized_start=923 + _globals['_TOKENMETA']._serialized_end=1083 + _globals['_MARKETREQUEST']._serialized_start=1085 + _globals['_MARKETREQUEST']._serialized_end=1129 + _globals['_MARKETRESPONSE']._serialized_start=1131 + _globals['_MARKETRESPONSE']._serialized_end=1216 + _globals['_STREAMMARKETSREQUEST']._serialized_start=1218 + _globals['_STREAMMARKETSREQUEST']._serialized_end=1271 + _globals['_STREAMMARKETSRESPONSE']._serialized_start=1274 + _globals['_STREAMMARKETSRESPONSE']._serialized_end=1435 + _globals['_ORDERBOOKV2REQUEST']._serialized_start=1437 + _globals['_ORDERBOOKV2REQUEST']._serialized_end=1486 + _globals['_ORDERBOOKV2RESPONSE']._serialized_start=1488 + _globals['_ORDERBOOKV2RESPONSE']._serialized_end=1590 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_start=1593 + _globals['_SPOTLIMITORDERBOOKV2']._serialized_end=1797 + _globals['_PRICELEVEL']._serialized_start=1799 + _globals['_PRICELEVEL']._serialized_end=1891 + _globals['_ORDERBOOKSV2REQUEST']._serialized_start=1893 + _globals['_ORDERBOOKSV2REQUEST']._serialized_end=1945 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_start=1947 + _globals['_ORDERBOOKSV2RESPONSE']._serialized_end=2058 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_start=2061 + _globals['_SINGLESPOTLIMITORDERBOOKV2']._serialized_end=2199 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_start=2201 + _globals['_STREAMORDERBOOKV2REQUEST']._serialized_end=2258 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_start=2261 + _globals['_STREAMORDERBOOKV2RESPONSE']._serialized_end=2467 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_start=2469 + _globals['_STREAMORDERBOOKUPDATEREQUEST']._serialized_end=2530 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_start=2533 + _globals['_STREAMORDERBOOKUPDATERESPONSE']._serialized_end=2770 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_start=2773 + _globals['_ORDERBOOKLEVELUPDATES']._serialized_end=3020 + _globals['_PRICELEVELUPDATE']._serialized_start=3022 + _globals['_PRICELEVELUPDATE']._serialized_end=3149 + _globals['_ORDERSREQUEST']._serialized_start=3152 + _globals['_ORDERSREQUEST']._serialized_end=3539 + _globals['_ORDERSRESPONSE']._serialized_start=3542 + _globals['_ORDERSRESPONSE']._serialized_end=3688 + _globals['_SPOTLIMITORDER']._serialized_start=3691 + _globals['_SPOTLIMITORDER']._serialized_end=4131 + _globals['_PAGING']._serialized_start=4134 + _globals['_PAGING']._serialized_end=4268 + _globals['_STREAMORDERSREQUEST']._serialized_start=4271 + _globals['_STREAMORDERSREQUEST']._serialized_end=4664 + _globals['_STREAMORDERSRESPONSE']._serialized_start=4667 + _globals['_STREAMORDERSRESPONSE']._serialized_end=4825 + _globals['_TRADESREQUEST']._serialized_start=4828 + _globals['_TRADESREQUEST']._serialized_end=5275 + _globals['_TRADESRESPONSE']._serialized_start=5278 + _globals['_TRADESRESPONSE']._serialized_end=5419 + _globals['_SPOTTRADE']._serialized_start=5422 + _globals['_SPOTTRADE']._serialized_end=5856 + _globals['_STREAMTRADESREQUEST']._serialized_start=5859 + _globals['_STREAMTRADESREQUEST']._serialized_end=6312 + _globals['_STREAMTRADESRESPONSE']._serialized_start=6315 + _globals['_STREAMTRADESRESPONSE']._serialized_end=6468 + _globals['_TRADESV2REQUEST']._serialized_start=6471 + _globals['_TRADESV2REQUEST']._serialized_end=6920 + _globals['_TRADESV2RESPONSE']._serialized_start=6923 + _globals['_TRADESV2RESPONSE']._serialized_end=7066 + _globals['_STREAMTRADESV2REQUEST']._serialized_start=7069 + _globals['_STREAMTRADESV2REQUEST']._serialized_end=7524 + _globals['_STREAMTRADESV2RESPONSE']._serialized_start=7527 + _globals['_STREAMTRADESV2RESPONSE']._serialized_end=7682 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_start=7685 + _globals['_SUBACCOUNTORDERSLISTREQUEST']._serialized_end=7822 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_start=7825 + _globals['_SUBACCOUNTORDERSLISTRESPONSE']._serialized_end=7985 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_start=7988 + _globals['_SUBACCOUNTTRADESLISTREQUEST']._serialized_end=8194 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_start=8196 + _globals['_SUBACCOUNTTRADESLISTRESPONSE']._serialized_end=8290 + _globals['_ORDERSHISTORYREQUEST']._serialized_start=8293 + _globals['_ORDERSHISTORYREQUEST']._serialized_end=8731 + _globals['_ORDERSHISTORYRESPONSE']._serialized_start=8734 + _globals['_ORDERSHISTORYRESPONSE']._serialized_end=8889 + _globals['_SPOTORDERHISTORY']._serialized_start=8892 + _globals['_SPOTORDERHISTORY']._serialized_end=9391 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_start=9394 + _globals['_STREAMORDERSHISTORYREQUEST']._serialized_end=9614 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_start=9617 + _globals['_STREAMORDERSHISTORYRESPONSE']._serialized_end=9784 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_start=9787 + _globals['_ATOMICSWAPHISTORYREQUEST']._serialized_end=9986 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_start=9989 + _globals['_ATOMICSWAPHISTORYRESPONSE']._serialized_end=10138 + _globals['_ATOMICSWAP']._serialized_start=10141 + _globals['_ATOMICSWAP']._serialized_end=10621 + _globals['_COIN']._serialized_start=10623 + _globals['_COIN']._serialized_end=10675 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_start=10678 + _globals['_INJECTIVESPOTEXCHANGERPC']._serialized_end=12884 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/google/api/field_info_pb2.py b/pyinjective/proto/google/api/field_info_pb2.py index bca6df16..5fa8269e 100644 --- a/pyinjective/proto/google/api/field_info_pb2.py +++ b/pyinjective/proto/google/api/field_info_pb2.py @@ -25,7 +25,7 @@ from google.protobuf import descriptor_pb2 as google_dot_protobuf_dot_descriptor__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bgoogle/api/field_info.proto\x12\ngoogle.api\x1a google/protobuf/descriptor.proto\"\x94\x01\n\tFieldInfo\x12\x34\n\x06\x66ormat\x18\x01 \x01(\x0e\x32\x1c.google.api.FieldInfo.FormatR\x06\x66ormat\"Q\n\x06\x46ormat\x12\x16\n\x12\x46ORMAT_UNSPECIFIED\x10\x00\x12\t\n\x05UUID4\x10\x01\x12\x08\n\x04IPV4\x10\x02\x12\x08\n\x04IPV6\x10\x03\x12\x10\n\x0cIPV4_OR_IPV6\x10\x04:W\n\nfield_info\x12\x1d.google.protobuf.FieldOptions\x18\xcc\xf1\xf9\x8a\x01 \x01(\x0b\x32\x15.google.api.FieldInfoR\tfieldInfoB\xac\x01\n\x0e\x63om.google.apiB\x0e\x46ieldInfoProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\x1bgoogle/api/field_info.proto\x12\ngoogle.api\x1a google/protobuf/descriptor.proto\"\xda\x01\n\tFieldInfo\x12\x34\n\x06\x66ormat\x18\x01 \x01(\x0e\x32\x1c.google.api.FieldInfo.FormatR\x06\x66ormat\x12\x44\n\x10referenced_types\x18\x02 \x03(\x0b\x32\x19.google.api.TypeReferenceR\x0freferencedTypes\"Q\n\x06\x46ormat\x12\x16\n\x12\x46ORMAT_UNSPECIFIED\x10\x00\x12\t\n\x05UUID4\x10\x01\x12\x08\n\x04IPV4\x10\x02\x12\x08\n\x04IPV6\x10\x03\x12\x10\n\x0cIPV4_OR_IPV6\x10\x04\",\n\rTypeReference\x12\x1b\n\ttype_name\x18\x01 \x01(\tR\x08typeName:W\n\nfield_info\x12\x1d.google.protobuf.FieldOptions\x18\xcc\xf1\xf9\x8a\x01 \x01(\x0b\x32\x15.google.api.FieldInfoR\tfieldInfoB\xac\x01\n\x0e\x63om.google.apiB\x0e\x46ieldInfoProtoP\x01ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\xa2\x02\x03GAX\xaa\x02\nGoogle.Api\xca\x02\nGoogle\\Api\xe2\x02\x16Google\\Api\\GPBMetadata\xea\x02\x0bGoogle::Apib\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -34,7 +34,9 @@ _globals['DESCRIPTOR']._loaded_options = None _globals['DESCRIPTOR']._serialized_options = b'\n\016com.google.apiB\016FieldInfoProtoP\001ZAgoogle.golang.org/genproto/googleapis/api/annotations;annotations\242\002\003GAX\252\002\nGoogle.Api\312\002\nGoogle\\Api\342\002\026Google\\Api\\GPBMetadata\352\002\013Google::Api' _globals['_FIELDINFO']._serialized_start=78 - _globals['_FIELDINFO']._serialized_end=226 - _globals['_FIELDINFO_FORMAT']._serialized_start=145 - _globals['_FIELDINFO_FORMAT']._serialized_end=226 + _globals['_FIELDINFO']._serialized_end=296 + _globals['_FIELDINFO_FORMAT']._serialized_start=215 + _globals['_FIELDINFO_FORMAT']._serialized_end=296 + _globals['_TYPEREFERENCE']._serialized_start=298 + _globals['_TYPEREFERENCE']._serialized_end=342 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py index 2d0a07bd..045d5e46 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2.py @@ -28,7 +28,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\x8f\x15\n\x06Params\x12\x65\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x1bspotMarketInstantListingFee\x12q\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R!derivativeMarketInstantListingFee\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotMakerFeeRate\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotTakerFeeRate\x12m\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeMakerFeeRate\x12m\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeTakerFeeRate\x12\x64\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultInitialMarginRatio\x12l\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultMaintenanceMarginRatio\x12\x38\n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03R\x16\x64\x65\x66\x61ultFundingInterval\x12)\n\x10\x66unding_multiple\x18\n \x01(\x03R\x0f\x66undingMultiple\x12X\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12i\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x64\x65\x66\x61ultHourlyFundingRateCap\x12\x64\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultHourlyInterestRate\x12\x44\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\rR\x1bmaxDerivativeOrderSideCount\x12s\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR#injRewardStakedRequirementThreshold\x12G\n trading_rewards_vesting_duration\x18\x10 \x01(\x03R\x1dtradingRewardsVestingDuration\x12\x64\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19liquidatorRewardShareRate\x12x\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R$binaryOptionsMarketInstantListingFee\x12\x80\x01\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevelR\x1c\x61tomicMarketOrderAccessLevel\x12x\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"spotAtomicMarketOrderFeeMultiplier\x12\x84\x01\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR(derivativeAtomicMarketOrderFeeMultiplier\x12\x8b\x01\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR+binaryOptionsAtomicMarketOrderFeeMultiplier\x12^\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16minimalProtocolFeeRate\x12[\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08R&isInstantDerivativeMarketLaunchEnabled\x12\x44\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03R\x1bpostOnlyModeHeightThreshold\x12g\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03R,marginDecreasePriceTimestampThresholdSeconds\x12\'\n\x0f\x65xchange_admins\x18\x1b \x03(\tR\x0e\x65xchangeAdmins:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"\x84\x01\n\x13MarketFeeMultiplier\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rfeeMultiplier:\x04\x88\xa0\x1f\x00\"\xec\x08\n\x10\x44\x65rivativeMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x02 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x03 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12 \n\x0bisPerpetual\x18\r \x01(\x08R\x0bisPerpetual\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x12 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xd7\x08\n\x13\x42inaryOptionsMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x02 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x03 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x07 \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x08 \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\t \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\n \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12N\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x46\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xe4\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x31\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03R\x13\x65xpirationTimestamp\x12\x30\n\x14twap_start_timestamp\x18\x03 \x01(\x03R\x12twapStartTimestamp\x12w\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"expirationTwapStartPriceCumulative\x12N\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"\xc6\x02\n\x13PerpetualMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14hourlyFundingRateCap\x12U\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x04 \x01(\x03R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x05 \x01(\x03R\x0f\x66undingInterval\"\xe3\x01\n\x16PerpetualMarketFunding\x12R\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x03R\rlastTimestamp\"\x8d\x01\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"=\n\x14NextFundingTimestamp\x12%\n\x0enext_timestamp\x18\x01 \x01(\x03R\rnextTimestamp\"\xea\x01\n\x0eMidPriceAndTOB\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xec\x05\n\nSpotMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12@\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\r \x01(\rR\x10\x61\x64minPermissions\"\xa5\x01\n\x07\x44\x65posit\x12P\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10\x61vailableBalance\x12H\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctotalBalance\",\n\x14SubaccountTradeNonce\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\xe3\x01\n\tOrderInfo\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12#\n\rfee_recipient\x18\x02 \x01(\tR\x0c\x66\x65\x65Recipient\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\x84\x02\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xcc\x02\n\x0eSpotLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\"\xd4\x02\n\x0fSpotMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x46\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12\x1d\n\norder_hash\x18\x03 \x01(\x0cR\torderHash\x12\x44\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xc7\x02\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xfc\x03\n\x1bSubaccountOrderbookMetadata\x12\x39\n\x19vanilla_limit_order_count\x18\x01 \x01(\rR\x16vanillaLimitOrderCount\x12@\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\rR\x19reduceOnlyLimitOrderCount\x12h\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x61ggregateReduceOnlyQuantity\x12\x61\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61ggregateVanillaQuantity\x12\x45\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\rR\x1cvanillaConditionalOrderCount\x12L\n#reduce_only_conditional_order_count\x18\x06 \x01(\rR\x1freduceOnlyConditionalOrderCount\"\xc3\x01\n\x0fSubaccountOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\"\n\x0cisReduceOnly\x18\x03 \x01(\x08R\x0cisReduceOnly\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\"w\n\x13SubaccountOrderData\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrderR\x05order\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\"\x8f\x03\n\x14\x44\x65rivativeLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\x95\x03\n\x15\x44\x65rivativeMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12\x44\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmarginHold\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\xc5\x02\n\x08Position\x12\x16\n\x06isLong\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"I\n\x14MarketOrderIndicator\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x02 \x01(\x08R\x05isBuy\"\xcd\x02\n\x08TradeLog\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x03 \x01(\x0cR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"\x9a\x02\n\rPositionDelta\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12R\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x65xecutionQuantity\x12N\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65xecutionMargin\x12L\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x65xecutionPrice\"\xa1\x03\n\x12\x44\x65rivativeTradeLog\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\x12\x35\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03pnl\"{\n\x12SubaccountPosition\x12@\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\"w\n\x11SubaccountDeposit\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12=\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x07\x64\x65posit\"p\n\rDepositUpdate\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDepositR\x08\x64\x65posits\"\xcc\x01\n\x10PointsMultiplier\x12[\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15makerPointsMultiplier\x12[\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15takerPointsMultiplier\"\xfe\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x35\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\tR\x14\x62oostedSpotMarketIds\x12j\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x15spotMarketMultipliers\x12\x41\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\tR\x1a\x62oostedDerivativeMarketIds\x12v\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x1b\x64\x65rivativeMarketMultipliers\"\xbc\x01\n\x12\x43\x61mpaignRewardPool\x12\'\n\x0fstart_timestamp\x18\x01 \x01(\x03R\x0estartTimestamp\x12}\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x12maxCampaignRewards\"\xa9\x02\n\x19TradingRewardCampaignInfo\x12:\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03R\x17\x63\x61mpaignDurationSeconds\x12!\n\x0cquote_denoms\x18\x02 \x03(\tR\x0bquoteDenoms\x12u\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfoR\x16tradingRewardBoostInfo\x12\x36\n\x17\x64isqualified_market_ids\x18\x04 \x03(\tR\x15\x64isqualifiedMarketIds\"\xc0\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12S\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11makerDiscountRate\x12S\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11takerDiscountRate\x12\x42\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0cstakedAmount\x12;\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"\x8c\x02\n\x13\x46\x65\x65\x44iscountSchedule\x12!\n\x0c\x62ucket_count\x18\x01 \x01(\x04R\x0b\x62ucketCount\x12\'\n\x0f\x62ucket_duration\x18\x02 \x01(\x03R\x0e\x62ucketDuration\x12!\n\x0cquote_denoms\x18\x03 \x03(\tR\x0bquoteDenoms\x12N\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\ttierInfos\x12\x36\n\x17\x64isqualified_market_ids\x18\x05 \x03(\tR\x15\x64isqualifiedMarketIds\"M\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12#\n\rttl_timestamp\x18\x02 \x01(\x03R\x0cttlTimestamp\"\x9e\x01\n\x0cVolumeRecord\x12\x46\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmakerVolume\x12\x46\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0btakerVolume\"\x91\x01\n\x0e\x41\x63\x63ountRewards\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x65\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07rewards\"\x86\x01\n\x0cTradeRecords\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Y\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\x12latestTradeRecords\"6\n\rSubaccountIDs\x12%\n\x0esubaccount_ids\x18\x01 \x03(\x0cR\rsubaccountIds\"\xa7\x01\n\x0bTradeRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"m\n\x05Level\x12\x31\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01p\x12\x31\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01q\"\x97\x01\n\x1f\x41ggregateSubaccountVolumeRecord\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"\x89\x01\n\x1c\x41ggregateAccountVolumeRecord\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"s\n\x0cMarketVolume\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"A\n\rDenomDecimals\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04R\x08\x64\x65\x63imals\"e\n\x12GrantAuthorization\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"^\n\x0b\x41\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"\x90\x01\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12I\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0fnetGrantedStake\x12\x19\n\x08is_valid\x18\x03 \x01(\x08R\x07isValid*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rExchangeProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n)injective/exchange/v1beta1/exchange.proto\x12\x1ainjective.exchange.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a%injective/oracle/v1beta1/oracle.proto\x1a\x11\x61mino/amino.proto\"\xdd\x15\n\x06Params\x12\x65\n\x1fspot_market_instant_listing_fee\x18\x01 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R\x1bspotMarketInstantListingFee\x12q\n%derivative_market_instant_listing_fee\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R!derivativeMarketInstantListingFee\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_maker_fee_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotMakerFeeRate\x12\x61\n\x1b\x64\x65\x66\x61ult_spot_taker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x17\x64\x65\x66\x61ultSpotTakerFeeRate\x12m\n!default_derivative_maker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeMakerFeeRate\x12m\n!default_derivative_taker_fee_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultDerivativeTakerFeeRate\x12\x64\n\x1c\x64\x65\x66\x61ult_initial_margin_ratio\x18\x07 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultInitialMarginRatio\x12l\n default_maintenance_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1d\x64\x65\x66\x61ultMaintenanceMarginRatio\x12\x38\n\x18\x64\x65\x66\x61ult_funding_interval\x18\t \x01(\x03R\x16\x64\x65\x66\x61ultFundingInterval\x12)\n\x10\x66unding_multiple\x18\n \x01(\x03R\x0f\x66undingMultiple\x12X\n\x16relayer_fee_share_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12i\n\x1f\x64\x65\x66\x61ult_hourly_funding_rate_cap\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x64\x65\x66\x61ultHourlyFundingRateCap\x12\x64\n\x1c\x64\x65\x66\x61ult_hourly_interest_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19\x64\x65\x66\x61ultHourlyInterestRate\x12\x44\n\x1fmax_derivative_order_side_count\x18\x0e \x01(\rR\x1bmaxDerivativeOrderSideCount\x12s\n\'inj_reward_staked_requirement_threshold\x18\x0f \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR#injRewardStakedRequirementThreshold\x12G\n trading_rewards_vesting_duration\x18\x10 \x01(\x03R\x1dtradingRewardsVestingDuration\x12\x64\n\x1cliquidator_reward_share_rate\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x19liquidatorRewardShareRate\x12x\n)binary_options_market_instant_listing_fee\x18\x12 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x04\xc8\xde\x1f\x00R$binaryOptionsMarketInstantListingFee\x12\x80\x01\n atomic_market_order_access_level\x18\x13 \x01(\x0e\x32\x38.injective.exchange.v1beta1.AtomicMarketOrderAccessLevelR\x1c\x61tomicMarketOrderAccessLevel\x12x\n\'spot_atomic_market_order_fee_multiplier\x18\x14 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"spotAtomicMarketOrderFeeMultiplier\x12\x84\x01\n-derivative_atomic_market_order_fee_multiplier\x18\x15 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR(derivativeAtomicMarketOrderFeeMultiplier\x12\x8b\x01\n1binary_options_atomic_market_order_fee_multiplier\x18\x16 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR+binaryOptionsAtomicMarketOrderFeeMultiplier\x12^\n\x19minimal_protocol_fee_rate\x18\x17 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16minimalProtocolFeeRate\x12[\n+is_instant_derivative_market_launch_enabled\x18\x18 \x01(\x08R&isInstantDerivativeMarketLaunchEnabled\x12\x44\n\x1fpost_only_mode_height_threshold\x18\x19 \x01(\x03R\x1bpostOnlyModeHeightThreshold\x12g\n1margin_decrease_price_timestamp_threshold_seconds\x18\x1a \x01(\x03R,marginDecreasePriceTimestampThresholdSeconds\x12\'\n\x0f\x65xchange_admins\x18\x1b \x03(\tR\x0e\x65xchangeAdmins\x12L\n\x13inj_auction_max_cap\x18\x1c \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x10injAuctionMaxCap:\x18\xe8\xa0\x1f\x01\x8a\xe7\xb0*\x0f\x65xchange/Params\"\x84\x01\n\x13MarketFeeMultiplier\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\x0e\x66\x65\x65_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rfeeMultiplier:\x04\x88\xa0\x1f\x00\"\xec\x08\n\x10\x44\x65rivativeMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1f\n\x0boracle_base\x18\x02 \x01(\tR\noracleBase\x12!\n\x0coracle_quote\x18\x03 \x01(\tR\x0boracleQuote\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x1f\n\x0bquote_denom\x18\x06 \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12U\n\x14initial_margin_ratio\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12initialMarginRatio\x12]\n\x18maintenance_margin_ratio\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16maintenanceMarginRatio\x12I\n\x0emaker_fee_rate\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12 \n\x0bisPerpetual\x18\r \x01(\x08R\x0bisPerpetual\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x11 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x12 \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xd7\x08\n\x13\x42inaryOptionsMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12#\n\roracle_symbol\x18\x02 \x01(\tR\x0coracleSymbol\x12\'\n\x0foracle_provider\x18\x03 \x01(\tR\x0eoracleProvider\x12\x45\n\x0boracle_type\x18\x04 \x01(\x0e\x32$.injective.oracle.v1beta1.OracleTypeR\noracleType\x12.\n\x13oracle_scale_factor\x18\x05 \x01(\rR\x11oracleScaleFactor\x12\x31\n\x14\x65xpiration_timestamp\x18\x06 \x01(\x03R\x13\x65xpirationTimestamp\x12\x31\n\x14settlement_timestamp\x18\x07 \x01(\x03R\x13settlementTimestamp\x12\x14\n\x05\x61\x64min\x18\x08 \x01(\tR\x05\x61\x64min\x12\x1f\n\x0bquote_denom\x18\t \x01(\tR\nquoteDenom\x12\x1b\n\tmarket_id\x18\n \x01(\tR\x08marketId\x12I\n\x0emaker_fee_rate\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x0c \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\r \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12@\n\x06status\x18\x0e \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\x0f \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\x10 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12N\n\x10settlement_price\x18\x11 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\x12\x46\n\x0cmin_notional\x18\x12 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12+\n\x11\x61\x64min_permissions\x18\x13 \x01(\rR\x10\x61\x64minPermissions:\x04\x88\xa0\x1f\x00\"\xe4\x02\n\x17\x45xpiryFuturesMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x31\n\x14\x65xpiration_timestamp\x18\x02 \x01(\x03R\x13\x65xpirationTimestamp\x12\x30\n\x14twap_start_timestamp\x18\x03 \x01(\x03R\x12twapStartTimestamp\x12w\n&expiration_twap_start_price_cumulative\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\"expirationTwapStartPriceCumulative\x12N\n\x10settlement_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"\xc6\x02\n\x13PerpetualMarketInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Z\n\x17hourly_funding_rate_cap\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x14hourlyFundingRateCap\x12U\n\x14hourly_interest_rate\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x12hourlyInterestRate\x12\x34\n\x16next_funding_timestamp\x18\x04 \x01(\x03R\x14nextFundingTimestamp\x12)\n\x10\x66unding_interval\x18\x05 \x01(\x03R\x0f\x66undingInterval\"\xe3\x01\n\x16PerpetualMarketFunding\x12R\n\x12\x63umulative_funding\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x63umulativeFunding\x12N\n\x10\x63umulative_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x63umulativePrice\x12%\n\x0elast_timestamp\x18\x03 \x01(\x03R\rlastTimestamp\"\x8d\x01\n\x1e\x44\x65rivativeMarketSettlementInfo\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12N\n\x10settlement_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0fsettlementPrice\"=\n\x14NextFundingTimestamp\x12%\n\x0enext_timestamp\x18\x01 \x01(\x03R\rnextTimestamp\"\xea\x01\n\x0eMidPriceAndTOB\x12@\n\tmid_price\x18\x01 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08midPrice\x12I\n\x0e\x62\x65st_buy_price\x18\x02 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0c\x62\x65stBuyPrice\x12K\n\x0f\x62\x65st_sell_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\rbestSellPrice\"\xec\x05\n\nSpotMarket\x12\x16\n\x06ticker\x18\x01 \x01(\tR\x06ticker\x12\x1d\n\nbase_denom\x18\x02 \x01(\tR\tbaseDenom\x12\x1f\n\x0bquote_denom\x18\x03 \x01(\tR\nquoteDenom\x12I\n\x0emaker_fee_rate\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0cmakerFeeRate\x12I\n\x0etaker_fee_rate\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctakerFeeRate\x12X\n\x16relayer_fee_share_rate\x18\x06 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13relayerFeeShareRate\x12\x1b\n\tmarket_id\x18\x07 \x01(\tR\x08marketId\x12@\n\x06status\x18\x08 \x01(\x0e\x32(.injective.exchange.v1beta1.MarketStatusR\x06status\x12R\n\x13min_price_tick_size\x18\t \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10minPriceTickSize\x12X\n\x16min_quantity_tick_size\x18\n \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x13minQuantityTickSize\x12\x46\n\x0cmin_notional\x18\x0b \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bminNotional\x12\x14\n\x05\x61\x64min\x18\x0c \x01(\tR\x05\x61\x64min\x12+\n\x11\x61\x64min_permissions\x18\r \x01(\rR\x10\x61\x64minPermissions\"\xa5\x01\n\x07\x44\x65posit\x12P\n\x11\x61vailable_balance\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x10\x61vailableBalance\x12H\n\rtotal_balance\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctotalBalance\",\n\x14SubaccountTradeNonce\x12\x14\n\x05nonce\x18\x01 \x01(\rR\x05nonce\"\xe3\x01\n\tOrderInfo\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12#\n\rfee_recipient\x18\x02 \x01(\tR\x0c\x66\x65\x65Recipient\x12\x39\n\x05price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x10\n\x03\x63id\x18\x05 \x01(\tR\x03\x63id\"\x84\x02\n\tSpotOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xcc\x02\n\x0eSpotLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12?\n\x08\x66illable\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\"\xd4\x02\n\x0fSpotMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x46\n\x0c\x62\x61lance_hold\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0b\x62\x61lanceHold\x12\x1d\n\norder_hash\x18\x03 \x01(\x0cR\torderHash\x12\x44\n\norder_type\x18\x04 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xc7\x02\n\x0f\x44\x65rivativeOrder\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12J\n\norder_info\x18\x02 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x03 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\"\xfc\x03\n\x1bSubaccountOrderbookMetadata\x12\x39\n\x19vanilla_limit_order_count\x18\x01 \x01(\rR\x16vanillaLimitOrderCount\x12@\n\x1dreduce_only_limit_order_count\x18\x02 \x01(\rR\x19reduceOnlyLimitOrderCount\x12h\n\x1e\x61ggregate_reduce_only_quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x1b\x61ggregateReduceOnlyQuantity\x12\x61\n\x1a\x61ggregate_vanilla_quantity\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x18\x61ggregateVanillaQuantity\x12\x45\n\x1fvanilla_conditional_order_count\x18\x05 \x01(\rR\x1cvanillaConditionalOrderCount\x12L\n#reduce_only_conditional_order_count\x18\x06 \x01(\rR\x1freduceOnlyConditionalOrderCount\"\xc3\x01\n\x0fSubaccountOrder\x12\x39\n\x05price\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\"\n\x0cisReduceOnly\x18\x03 \x01(\x08R\x0cisReduceOnly\x12\x10\n\x03\x63id\x18\x04 \x01(\tR\x03\x63id\"w\n\x13SubaccountOrderData\x12\x41\n\x05order\x18\x01 \x01(\x0b\x32+.injective.exchange.v1beta1.SubaccountOrderR\x05order\x12\x1d\n\norder_hash\x18\x02 \x01(\x0cR\torderHash\"\x8f\x03\n\x14\x44\x65rivativeLimitOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12?\n\x08\x66illable\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08\x66illable\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\x95\x03\n\x15\x44\x65rivativeMarketOrder\x12J\n\norder_info\x18\x01 \x01(\x0b\x32%.injective.exchange.v1beta1.OrderInfoB\x04\xc8\xde\x1f\x00R\torderInfo\x12\x44\n\norder_type\x18\x02 \x01(\x0e\x32%.injective.exchange.v1beta1.OrderTypeR\torderType\x12;\n\x06margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12\x44\n\x0bmargin_hold\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nmarginHold\x12H\n\rtrigger_price\x18\x05 \x01(\tB#\xc8\xde\x1f\x01\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0ctriggerPrice\x12\x1d\n\norder_hash\x18\x06 \x01(\x0cR\torderHash\"\xc5\x02\n\x08Position\x12\x16\n\x06isLong\x18\x01 \x01(\x08R\x06isLong\x12?\n\x08quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x44\n\x0b\x65ntry_price\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\nentryPrice\x12;\n\x06margin\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06margin\x12]\n\x18\x63umulative_funding_entry\x18\x05 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x16\x63umulativeFundingEntry\"I\n\x14MarketOrderIndicator\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x14\n\x05isBuy\x18\x02 \x01(\x08R\x05isBuy\"\xcd\x02\n\x08TradeLog\x12?\n\x08quantity\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12#\n\rsubaccount_id\x18\x03 \x01(\x0cR\x0csubaccountId\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\"\x9a\x02\n\rPositionDelta\x12\x17\n\x07is_long\x18\x01 \x01(\x08R\x06isLong\x12R\n\x12\x65xecution_quantity\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11\x65xecutionQuantity\x12N\n\x10\x65xecution_margin\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0f\x65xecutionMargin\x12L\n\x0f\x65xecution_price\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0e\x65xecutionPrice\"\xa1\x03\n\x12\x44\x65rivativeTradeLog\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12P\n\x0eposition_delta\x18\x02 \x01(\x0b\x32).injective.exchange.v1beta1.PositionDeltaR\rpositionDelta\x12;\n\x06payout\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06payout\x12\x35\n\x03\x66\x65\x65\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03\x66\x65\x65\x12\x1d\n\norder_hash\x18\x05 \x01(\x0cR\torderHash\x12\x38\n\x15\x66\x65\x65_recipient_address\x18\x06 \x01(\x0c\x42\x04\xc8\xde\x1f\x01R\x13\x66\x65\x65RecipientAddress\x12\x10\n\x03\x63id\x18\x07 \x01(\tR\x03\x63id\x12\x35\n\x03pnl\x18\x08 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x03pnl\"{\n\x12SubaccountPosition\x12@\n\x08position\x18\x01 \x01(\x0b\x32$.injective.exchange.v1beta1.PositionR\x08position\x12#\n\rsubaccount_id\x18\x02 \x01(\x0cR\x0csubaccountId\"w\n\x11SubaccountDeposit\x12#\n\rsubaccount_id\x18\x01 \x01(\x0cR\x0csubaccountId\x12=\n\x07\x64\x65posit\x18\x02 \x01(\x0b\x32#.injective.exchange.v1beta1.DepositR\x07\x64\x65posit\"p\n\rDepositUpdate\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12I\n\x08\x64\x65posits\x18\x02 \x03(\x0b\x32-.injective.exchange.v1beta1.SubaccountDepositR\x08\x64\x65posits\"\xcc\x01\n\x10PointsMultiplier\x12[\n\x17maker_points_multiplier\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15makerPointsMultiplier\x12[\n\x17taker_points_multiplier\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x15takerPointsMultiplier\"\xfe\x02\n\x1eTradingRewardCampaignBoostInfo\x12\x35\n\x17\x62oosted_spot_market_ids\x18\x01 \x03(\tR\x14\x62oostedSpotMarketIds\x12j\n\x17spot_market_multipliers\x18\x02 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x15spotMarketMultipliers\x12\x41\n\x1d\x62oosted_derivative_market_ids\x18\x03 \x03(\tR\x1a\x62oostedDerivativeMarketIds\x12v\n\x1d\x64\x65rivative_market_multipliers\x18\x04 \x03(\x0b\x32,.injective.exchange.v1beta1.PointsMultiplierB\x04\xc8\xde\x1f\x00R\x1b\x64\x65rivativeMarketMultipliers\"\xbc\x01\n\x12\x43\x61mpaignRewardPool\x12\'\n\x0fstart_timestamp\x18\x01 \x01(\x03R\x0estartTimestamp\x12}\n\x14max_campaign_rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x12maxCampaignRewards\"\xa9\x02\n\x19TradingRewardCampaignInfo\x12:\n\x19\x63\x61mpaign_duration_seconds\x18\x01 \x01(\x03R\x17\x63\x61mpaignDurationSeconds\x12!\n\x0cquote_denoms\x18\x02 \x03(\tR\x0bquoteDenoms\x12u\n\x19trading_reward_boost_info\x18\x03 \x01(\x0b\x32:.injective.exchange.v1beta1.TradingRewardCampaignBoostInfoR\x16tradingRewardBoostInfo\x12\x36\n\x17\x64isqualified_market_ids\x18\x04 \x03(\tR\x15\x64isqualifiedMarketIds\"\xc0\x02\n\x13\x46\x65\x65\x44iscountTierInfo\x12S\n\x13maker_discount_rate\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11makerDiscountRate\x12S\n\x13taker_discount_rate\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x11takerDiscountRate\x12\x42\n\rstaked_amount\x18\x03 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0cstakedAmount\x12;\n\x06volume\x18\x04 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x06volume\"\x8c\x02\n\x13\x46\x65\x65\x44iscountSchedule\x12!\n\x0c\x62ucket_count\x18\x01 \x01(\x04R\x0b\x62ucketCount\x12\'\n\x0f\x62ucket_duration\x18\x02 \x01(\x03R\x0e\x62ucketDuration\x12!\n\x0cquote_denoms\x18\x03 \x03(\tR\x0bquoteDenoms\x12N\n\ntier_infos\x18\x04 \x03(\x0b\x32/.injective.exchange.v1beta1.FeeDiscountTierInfoR\ttierInfos\x12\x36\n\x17\x64isqualified_market_ids\x18\x05 \x03(\tR\x15\x64isqualifiedMarketIds\"M\n\x12\x46\x65\x65\x44iscountTierTTL\x12\x12\n\x04tier\x18\x01 \x01(\x04R\x04tier\x12#\n\rttl_timestamp\x18\x02 \x01(\x03R\x0cttlTimestamp\"\x9e\x01\n\x0cVolumeRecord\x12\x46\n\x0cmaker_volume\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0bmakerVolume\x12\x46\n\x0ctaker_volume\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x0btakerVolume\"\x91\x01\n\x0e\x41\x63\x63ountRewards\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12\x65\n\x07rewards\x18\x02 \x03(\x0b\x32\x19.cosmos.base.v1beta1.CoinB0\xc8\xde\x1f\x00\xaa\xdf\x1f(github.com/cosmos/cosmos-sdk/types.CoinsR\x07rewards\"\x86\x01\n\x0cTradeRecords\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12Y\n\x14latest_trade_records\x18\x02 \x03(\x0b\x32\'.injective.exchange.v1beta1.TradeRecordR\x12latestTradeRecords\"6\n\rSubaccountIDs\x12%\n\x0esubaccount_ids\x18\x01 \x03(\x0cR\rsubaccountIds\"\xa7\x01\n\x0bTradeRecord\x12\x1c\n\ttimestamp\x18\x01 \x01(\x03R\ttimestamp\x12\x39\n\x05price\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x05price\x12?\n\x08quantity\x18\x03 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x08quantity\"m\n\x05Level\x12\x31\n\x01p\x18\x01 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01p\x12\x31\n\x01q\x18\x02 \x01(\tB#\xc8\xde\x1f\x00\xda\xde\x1f\x1b\x63osmossdk.io/math.LegacyDecR\x01q\"\x97\x01\n\x1f\x41ggregateSubaccountVolumeRecord\x12#\n\rsubaccount_id\x18\x01 \x01(\tR\x0csubaccountId\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"\x89\x01\n\x1c\x41ggregateAccountVolumeRecord\x12\x18\n\x07\x61\x63\x63ount\x18\x01 \x01(\tR\x07\x61\x63\x63ount\x12O\n\x0emarket_volumes\x18\x02 \x03(\x0b\x32(.injective.exchange.v1beta1.MarketVolumeR\rmarketVolumes\"s\n\x0cMarketVolume\x12\x1b\n\tmarket_id\x18\x01 \x01(\tR\x08marketId\x12\x46\n\x06volume\x18\x02 \x01(\x0b\x32(.injective.exchange.v1beta1.VolumeRecordB\x04\xc8\xde\x1f\x00R\x06volume\"A\n\rDenomDecimals\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x1a\n\x08\x64\x65\x63imals\x18\x02 \x01(\x04R\x08\x64\x65\x63imals\"e\n\x12GrantAuthorization\x12\x18\n\x07grantee\x18\x01 \x01(\tR\x07grantee\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"^\n\x0b\x41\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12\x35\n\x06\x61mount\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x06\x61mount\"\x90\x01\n\x0e\x45\x66\x66\x65\x63tiveGrant\x12\x18\n\x07granter\x18\x01 \x01(\tR\x07granter\x12I\n\x11net_granted_stake\x18\x02 \x01(\tB\x1d\xc8\xde\x1f\x00\xda\xde\x1f\x15\x63osmossdk.io/math.IntR\x0fnetGrantedStake\x12\x19\n\x08is_valid\x18\x03 \x01(\x08R\x07isValid*t\n\x1c\x41tomicMarketOrderAccessLevel\x12\n\n\x06Nobody\x10\x00\x12\"\n\x1e\x42\x65ginBlockerSmartContractsOnly\x10\x01\x12\x16\n\x12SmartContractsOnly\x10\x02\x12\x0c\n\x08\x45veryone\x10\x03*T\n\x0cMarketStatus\x12\x0f\n\x0bUnspecified\x10\x00\x12\n\n\x06\x41\x63tive\x10\x01\x12\n\n\x06Paused\x10\x02\x12\x0e\n\nDemolished\x10\x03\x12\x0b\n\x07\x45xpired\x10\x04*\xbb\x02\n\tOrderType\x12 \n\x0bUNSPECIFIED\x10\x00\x1a\x0f\x8a\x9d \x0bUNSPECIFIED\x12\x10\n\x03\x42UY\x10\x01\x1a\x07\x8a\x9d \x03\x42UY\x12\x12\n\x04SELL\x10\x02\x1a\x08\x8a\x9d \x04SELL\x12\x1a\n\x08STOP_BUY\x10\x03\x1a\x0c\x8a\x9d \x08STOP_BUY\x12\x1c\n\tSTOP_SELL\x10\x04\x1a\r\x8a\x9d \tSTOP_SELL\x12\x1a\n\x08TAKE_BUY\x10\x05\x1a\x0c\x8a\x9d \x08TAKE_BUY\x12\x1c\n\tTAKE_SELL\x10\x06\x1a\r\x8a\x9d \tTAKE_SELL\x12\x16\n\x06\x42UY_PO\x10\x07\x1a\n\x8a\x9d \x06\x42UY_PO\x12\x18\n\x07SELL_PO\x10\x08\x1a\x0b\x8a\x9d \x07SELL_PO\x12\x1e\n\nBUY_ATOMIC\x10\t\x1a\x0e\x8a\x9d \nBUY_ATOMIC\x12 \n\x0bSELL_ATOMIC\x10\n\x1a\x0f\x8a\x9d \x0bSELL_ATOMIC*\xaf\x01\n\rExecutionType\x12\x1c\n\x18UnspecifiedExecutionType\x10\x00\x12\n\n\x06Market\x10\x01\x12\r\n\tLimitFill\x10\x02\x12\x1a\n\x16LimitMatchRestingOrder\x10\x03\x12\x16\n\x12LimitMatchNewOrder\x10\x04\x12\x15\n\x11MarketLiquidation\x10\x05\x12\x1a\n\x16\x45xpiryMarketSettlement\x10\x06*\x89\x02\n\tOrderMask\x12\x16\n\x06UNUSED\x10\x00\x1a\n\x8a\x9d \x06UNUSED\x12\x10\n\x03\x41NY\x10\x01\x1a\x07\x8a\x9d \x03\x41NY\x12\x18\n\x07REGULAR\x10\x02\x1a\x0b\x8a\x9d \x07REGULAR\x12 \n\x0b\x43ONDITIONAL\x10\x04\x1a\x0f\x8a\x9d \x0b\x43ONDITIONAL\x12.\n\x17\x44IRECTION_BUY_OR_HIGHER\x10\x08\x1a\x11\x8a\x9d \rBUY_OR_HIGHER\x12.\n\x17\x44IRECTION_SELL_OR_LOWER\x10\x10\x1a\x11\x8a\x9d \rSELL_OR_LOWER\x12\x1b\n\x0bTYPE_MARKET\x10 \x1a\n\x8a\x9d \x06MARKET\x12\x19\n\nTYPE_LIMIT\x10@\x1a\t\x8a\x9d \x05LIMITB\x89\x02\n\x1e\x63om.injective.exchange.v1beta1B\rExchangeProtoP\x01ZNgithub.com/InjectiveLabs/injective-core/injective-chain/modules/exchange/types\xa2\x02\x03IEX\xaa\x02\x1aInjective.Exchange.V1beta1\xca\x02\x1aInjective\\Exchange\\V1beta1\xe2\x02&Injective\\Exchange\\V1beta1\\GPBMetadata\xea\x02\x1cInjective::Exchange::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -110,6 +110,8 @@ _globals['_PARAMS'].fields_by_name['binary_options_atomic_market_order_fee_multiplier']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._loaded_options = None _globals['_PARAMS'].fields_by_name['minimal_protocol_fee_rate']._serialized_options = b'\310\336\037\000\332\336\037\033cosmossdk.io/math.LegacyDec' + _globals['_PARAMS'].fields_by_name['inj_auction_max_cap']._loaded_options = None + _globals['_PARAMS'].fields_by_name['inj_auction_max_cap']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_PARAMS']._loaded_options = None _globals['_PARAMS']._serialized_options = b'\350\240\037\001\212\347\260*\017exchange/Params' _globals['_MARKETFEEMULTIPLIER'].fields_by_name['fee_multiplier']._loaded_options = None @@ -306,116 +308,116 @@ _globals['_ACTIVEGRANT'].fields_by_name['amount']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._loaded_options = None _globals['_EFFECTIVEGRANT'].fields_by_name['net_granted_stake']._serialized_options = b'\310\336\037\000\332\336\037\025cosmossdk.io/math.Int' - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=15910 - _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=16026 - _globals['_MARKETSTATUS']._serialized_start=16028 - _globals['_MARKETSTATUS']._serialized_end=16112 - _globals['_ORDERTYPE']._serialized_start=16115 - _globals['_ORDERTYPE']._serialized_end=16430 - _globals['_EXECUTIONTYPE']._serialized_start=16433 - _globals['_EXECUTIONTYPE']._serialized_end=16608 - _globals['_ORDERMASK']._serialized_start=16611 - _globals['_ORDERMASK']._serialized_end=16876 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_start=15988 + _globals['_ATOMICMARKETORDERACCESSLEVEL']._serialized_end=16104 + _globals['_MARKETSTATUS']._serialized_start=16106 + _globals['_MARKETSTATUS']._serialized_end=16190 + _globals['_ORDERTYPE']._serialized_start=16193 + _globals['_ORDERTYPE']._serialized_end=16508 + _globals['_EXECUTIONTYPE']._serialized_start=16511 + _globals['_EXECUTIONTYPE']._serialized_end=16686 + _globals['_ORDERMASK']._serialized_start=16689 + _globals['_ORDERMASK']._serialized_end=16954 _globals['_PARAMS']._serialized_start=186 - _globals['_PARAMS']._serialized_end=2889 - _globals['_MARKETFEEMULTIPLIER']._serialized_start=2892 - _globals['_MARKETFEEMULTIPLIER']._serialized_end=3024 - _globals['_DERIVATIVEMARKET']._serialized_start=3027 - _globals['_DERIVATIVEMARKET']._serialized_end=4159 - _globals['_BINARYOPTIONSMARKET']._serialized_start=4162 - _globals['_BINARYOPTIONSMARKET']._serialized_end=5273 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=5276 - _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=5632 - _globals['_PERPETUALMARKETINFO']._serialized_start=5635 - _globals['_PERPETUALMARKETINFO']._serialized_end=5961 - _globals['_PERPETUALMARKETFUNDING']._serialized_start=5964 - _globals['_PERPETUALMARKETFUNDING']._serialized_end=6191 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=6194 - _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=6335 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=6337 - _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=6398 - _globals['_MIDPRICEANDTOB']._serialized_start=6401 - _globals['_MIDPRICEANDTOB']._serialized_end=6635 - _globals['_SPOTMARKET']._serialized_start=6638 - _globals['_SPOTMARKET']._serialized_end=7386 - _globals['_DEPOSIT']._serialized_start=7389 - _globals['_DEPOSIT']._serialized_end=7554 - _globals['_SUBACCOUNTTRADENONCE']._serialized_start=7556 - _globals['_SUBACCOUNTTRADENONCE']._serialized_end=7600 - _globals['_ORDERINFO']._serialized_start=7603 - _globals['_ORDERINFO']._serialized_end=7830 - _globals['_SPOTORDER']._serialized_start=7833 - _globals['_SPOTORDER']._serialized_end=8093 - _globals['_SPOTLIMITORDER']._serialized_start=8096 - _globals['_SPOTLIMITORDER']._serialized_end=8428 - _globals['_SPOTMARKETORDER']._serialized_start=8431 - _globals['_SPOTMARKETORDER']._serialized_end=8771 - _globals['_DERIVATIVEORDER']._serialized_start=8774 - _globals['_DERIVATIVEORDER']._serialized_end=9101 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=9104 - _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=9612 - _globals['_SUBACCOUNTORDER']._serialized_start=9615 - _globals['_SUBACCOUNTORDER']._serialized_end=9810 - _globals['_SUBACCOUNTORDERDATA']._serialized_start=9812 - _globals['_SUBACCOUNTORDERDATA']._serialized_end=9931 - _globals['_DERIVATIVELIMITORDER']._serialized_start=9934 - _globals['_DERIVATIVELIMITORDER']._serialized_end=10333 - _globals['_DERIVATIVEMARKETORDER']._serialized_start=10336 - _globals['_DERIVATIVEMARKETORDER']._serialized_end=10741 - _globals['_POSITION']._serialized_start=10744 - _globals['_POSITION']._serialized_end=11069 - _globals['_MARKETORDERINDICATOR']._serialized_start=11071 - _globals['_MARKETORDERINDICATOR']._serialized_end=11144 - _globals['_TRADELOG']._serialized_start=11147 - _globals['_TRADELOG']._serialized_end=11480 - _globals['_POSITIONDELTA']._serialized_start=11483 - _globals['_POSITIONDELTA']._serialized_end=11765 - _globals['_DERIVATIVETRADELOG']._serialized_start=11768 - _globals['_DERIVATIVETRADELOG']._serialized_end=12185 - _globals['_SUBACCOUNTPOSITION']._serialized_start=12187 - _globals['_SUBACCOUNTPOSITION']._serialized_end=12310 - _globals['_SUBACCOUNTDEPOSIT']._serialized_start=12312 - _globals['_SUBACCOUNTDEPOSIT']._serialized_end=12431 - _globals['_DEPOSITUPDATE']._serialized_start=12433 - _globals['_DEPOSITUPDATE']._serialized_end=12545 - _globals['_POINTSMULTIPLIER']._serialized_start=12548 - _globals['_POINTSMULTIPLIER']._serialized_end=12752 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=12755 - _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=13137 - _globals['_CAMPAIGNREWARDPOOL']._serialized_start=13140 - _globals['_CAMPAIGNREWARDPOOL']._serialized_end=13328 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=13331 - _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=13628 - _globals['_FEEDISCOUNTTIERINFO']._serialized_start=13631 - _globals['_FEEDISCOUNTTIERINFO']._serialized_end=13951 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=13954 - _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=14222 - _globals['_FEEDISCOUNTTIERTTL']._serialized_start=14224 - _globals['_FEEDISCOUNTTIERTTL']._serialized_end=14301 - _globals['_VOLUMERECORD']._serialized_start=14304 - _globals['_VOLUMERECORD']._serialized_end=14462 - _globals['_ACCOUNTREWARDS']._serialized_start=14465 - _globals['_ACCOUNTREWARDS']._serialized_end=14610 - _globals['_TRADERECORDS']._serialized_start=14613 - _globals['_TRADERECORDS']._serialized_end=14747 - _globals['_SUBACCOUNTIDS']._serialized_start=14749 - _globals['_SUBACCOUNTIDS']._serialized_end=14803 - _globals['_TRADERECORD']._serialized_start=14806 - _globals['_TRADERECORD']._serialized_end=14973 - _globals['_LEVEL']._serialized_start=14975 - _globals['_LEVEL']._serialized_end=15084 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=15087 - _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=15238 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=15241 - _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=15378 - _globals['_MARKETVOLUME']._serialized_start=15380 - _globals['_MARKETVOLUME']._serialized_end=15495 - _globals['_DENOMDECIMALS']._serialized_start=15497 - _globals['_DENOMDECIMALS']._serialized_end=15562 - _globals['_GRANTAUTHORIZATION']._serialized_start=15564 - _globals['_GRANTAUTHORIZATION']._serialized_end=15665 - _globals['_ACTIVEGRANT']._serialized_start=15667 - _globals['_ACTIVEGRANT']._serialized_end=15761 - _globals['_EFFECTIVEGRANT']._serialized_start=15764 - _globals['_EFFECTIVEGRANT']._serialized_end=15908 + _globals['_PARAMS']._serialized_end=2967 + _globals['_MARKETFEEMULTIPLIER']._serialized_start=2970 + _globals['_MARKETFEEMULTIPLIER']._serialized_end=3102 + _globals['_DERIVATIVEMARKET']._serialized_start=3105 + _globals['_DERIVATIVEMARKET']._serialized_end=4237 + _globals['_BINARYOPTIONSMARKET']._serialized_start=4240 + _globals['_BINARYOPTIONSMARKET']._serialized_end=5351 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_start=5354 + _globals['_EXPIRYFUTURESMARKETINFO']._serialized_end=5710 + _globals['_PERPETUALMARKETINFO']._serialized_start=5713 + _globals['_PERPETUALMARKETINFO']._serialized_end=6039 + _globals['_PERPETUALMARKETFUNDING']._serialized_start=6042 + _globals['_PERPETUALMARKETFUNDING']._serialized_end=6269 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_start=6272 + _globals['_DERIVATIVEMARKETSETTLEMENTINFO']._serialized_end=6413 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_start=6415 + _globals['_NEXTFUNDINGTIMESTAMP']._serialized_end=6476 + _globals['_MIDPRICEANDTOB']._serialized_start=6479 + _globals['_MIDPRICEANDTOB']._serialized_end=6713 + _globals['_SPOTMARKET']._serialized_start=6716 + _globals['_SPOTMARKET']._serialized_end=7464 + _globals['_DEPOSIT']._serialized_start=7467 + _globals['_DEPOSIT']._serialized_end=7632 + _globals['_SUBACCOUNTTRADENONCE']._serialized_start=7634 + _globals['_SUBACCOUNTTRADENONCE']._serialized_end=7678 + _globals['_ORDERINFO']._serialized_start=7681 + _globals['_ORDERINFO']._serialized_end=7908 + _globals['_SPOTORDER']._serialized_start=7911 + _globals['_SPOTORDER']._serialized_end=8171 + _globals['_SPOTLIMITORDER']._serialized_start=8174 + _globals['_SPOTLIMITORDER']._serialized_end=8506 + _globals['_SPOTMARKETORDER']._serialized_start=8509 + _globals['_SPOTMARKETORDER']._serialized_end=8849 + _globals['_DERIVATIVEORDER']._serialized_start=8852 + _globals['_DERIVATIVEORDER']._serialized_end=9179 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_start=9182 + _globals['_SUBACCOUNTORDERBOOKMETADATA']._serialized_end=9690 + _globals['_SUBACCOUNTORDER']._serialized_start=9693 + _globals['_SUBACCOUNTORDER']._serialized_end=9888 + _globals['_SUBACCOUNTORDERDATA']._serialized_start=9890 + _globals['_SUBACCOUNTORDERDATA']._serialized_end=10009 + _globals['_DERIVATIVELIMITORDER']._serialized_start=10012 + _globals['_DERIVATIVELIMITORDER']._serialized_end=10411 + _globals['_DERIVATIVEMARKETORDER']._serialized_start=10414 + _globals['_DERIVATIVEMARKETORDER']._serialized_end=10819 + _globals['_POSITION']._serialized_start=10822 + _globals['_POSITION']._serialized_end=11147 + _globals['_MARKETORDERINDICATOR']._serialized_start=11149 + _globals['_MARKETORDERINDICATOR']._serialized_end=11222 + _globals['_TRADELOG']._serialized_start=11225 + _globals['_TRADELOG']._serialized_end=11558 + _globals['_POSITIONDELTA']._serialized_start=11561 + _globals['_POSITIONDELTA']._serialized_end=11843 + _globals['_DERIVATIVETRADELOG']._serialized_start=11846 + _globals['_DERIVATIVETRADELOG']._serialized_end=12263 + _globals['_SUBACCOUNTPOSITION']._serialized_start=12265 + _globals['_SUBACCOUNTPOSITION']._serialized_end=12388 + _globals['_SUBACCOUNTDEPOSIT']._serialized_start=12390 + _globals['_SUBACCOUNTDEPOSIT']._serialized_end=12509 + _globals['_DEPOSITUPDATE']._serialized_start=12511 + _globals['_DEPOSITUPDATE']._serialized_end=12623 + _globals['_POINTSMULTIPLIER']._serialized_start=12626 + _globals['_POINTSMULTIPLIER']._serialized_end=12830 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_start=12833 + _globals['_TRADINGREWARDCAMPAIGNBOOSTINFO']._serialized_end=13215 + _globals['_CAMPAIGNREWARDPOOL']._serialized_start=13218 + _globals['_CAMPAIGNREWARDPOOL']._serialized_end=13406 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_start=13409 + _globals['_TRADINGREWARDCAMPAIGNINFO']._serialized_end=13706 + _globals['_FEEDISCOUNTTIERINFO']._serialized_start=13709 + _globals['_FEEDISCOUNTTIERINFO']._serialized_end=14029 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_start=14032 + _globals['_FEEDISCOUNTSCHEDULE']._serialized_end=14300 + _globals['_FEEDISCOUNTTIERTTL']._serialized_start=14302 + _globals['_FEEDISCOUNTTIERTTL']._serialized_end=14379 + _globals['_VOLUMERECORD']._serialized_start=14382 + _globals['_VOLUMERECORD']._serialized_end=14540 + _globals['_ACCOUNTREWARDS']._serialized_start=14543 + _globals['_ACCOUNTREWARDS']._serialized_end=14688 + _globals['_TRADERECORDS']._serialized_start=14691 + _globals['_TRADERECORDS']._serialized_end=14825 + _globals['_SUBACCOUNTIDS']._serialized_start=14827 + _globals['_SUBACCOUNTIDS']._serialized_end=14881 + _globals['_TRADERECORD']._serialized_start=14884 + _globals['_TRADERECORD']._serialized_end=15051 + _globals['_LEVEL']._serialized_start=15053 + _globals['_LEVEL']._serialized_end=15162 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_start=15165 + _globals['_AGGREGATESUBACCOUNTVOLUMERECORD']._serialized_end=15316 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_start=15319 + _globals['_AGGREGATEACCOUNTVOLUMERECORD']._serialized_end=15456 + _globals['_MARKETVOLUME']._serialized_start=15458 + _globals['_MARKETVOLUME']._serialized_end=15573 + _globals['_DENOMDECIMALS']._serialized_start=15575 + _globals['_DENOMDECIMALS']._serialized_end=15640 + _globals['_GRANTAUTHORIZATION']._serialized_start=15642 + _globals['_GRANTAUTHORIZATION']._serialized_end=15743 + _globals['_ACTIVEGRANT']._serialized_start=15745 + _globals['_ACTIVEGRANT']._serialized_end=15839 + _globals['_EFFECTIVEGRANT']._serialized_start=15842 + _globals['_EFFECTIVEGRANT']._serialized_end=15986 # @@protoc_insertion_point(module_scope) diff --git a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py index 5c398d4b..7ec81981 100644 --- a/tests/client/chain/grpc/test_chain_grpc_exchange_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_exchange_api.py @@ -59,6 +59,7 @@ async def test_fetch_exchange_params( post_only_mode_height_threshold=57078000, margin_decrease_price_timestamp_threshold_seconds=10, exchange_admins=[admin], + inj_auction_max_cap="1000000000000000000000", ) exchange_servicer.exchange_params.append(exchange_query_pb.QueryExchangeParamsResponse(params=params)) @@ -107,6 +108,7 @@ async def test_fetch_exchange_params( params.margin_decrease_price_timestamp_threshold_seconds ), "exchangeAdmins": [admin], + "injAuctionMaxCap": params.inj_auction_max_cap, } } diff --git a/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py b/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py index c5ae19e0..3f106dfc 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_derivative_api.py @@ -59,6 +59,7 @@ async def test_fetch_markets( min_quantity_tick_size="0.0001", perpetual_market_info=perpetual_market_info, perpetual_market_funding=perpetual_market_funding, + min_notional="1000000", ) derivative_servicer.markets_responses.append( @@ -100,6 +101,7 @@ async def test_fetch_markets( "isPerpetual": market.is_perpetual, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, "perpetualMarketInfo": { "hourlyFundingRateCap": perpetual_market_info.hourly_funding_rate_cap, "hourlyInterestRate": str(perpetual_market_info.hourly_interest_rate), @@ -162,6 +164,7 @@ async def test_fetch_market( min_quantity_tick_size="0.0001", perpetual_market_info=perpetual_market_info, perpetual_market_funding=perpetual_market_funding, + min_notional="1000000", ) derivative_servicer.market_responses.append( @@ -199,6 +202,7 @@ async def test_fetch_market( "isPerpetual": market.is_perpetual, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, "perpetualMarketInfo": { "hourlyFundingRateCap": perpetual_market_info.hourly_funding_rate_cap, "hourlyInterestRate": str(perpetual_market_info.hourly_interest_rate), @@ -247,6 +251,7 @@ async def test_fetch_binary_options_markets( min_price_tick_size="0.01", min_quantity_tick_size="1", settlement_price="1000", + min_notional="1000000", ) paging = exchange_derivative_pb.Paging(total=5, to=5, count_by_subaccount=10, next=["next1", "next2"]) setattr(paging, "from", 1) @@ -292,6 +297,7 @@ async def test_fetch_binary_options_markets( "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, "settlementPrice": market.settlement_price, + "minNotional": market.min_notional, } ], "paging": { @@ -337,6 +343,7 @@ async def test_fetch_binary_options_market( min_price_tick_size="0.01", min_quantity_tick_size="1", settlement_price="1000", + min_notional="1000000", ) derivative_servicer.binary_options_market_responses.append( @@ -372,6 +379,7 @@ async def test_fetch_binary_options_market( "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, "settlementPrice": market.settlement_price, + "minNotional": market.min_notional, } } diff --git a/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py b/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py index 095ca9a1..f17dac2d 100644 --- a/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py +++ b/tests/client/indexer/grpc/test_indexer_grpc_spot_api.py @@ -49,6 +49,7 @@ async def test_fetch_markets( service_provider_fee="0.4", min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="1000000", ) spot_servicer.markets_responses.append( @@ -93,6 +94,7 @@ async def test_fetch_markets( "serviceProviderFee": market.service_provider_fee, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, } ] } @@ -134,6 +136,7 @@ async def test_fetch_market( service_provider_fee="0.4", min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="1000000", ) spot_servicer.market_responses.append( @@ -173,6 +176,7 @@ async def test_fetch_market( "serviceProviderFee": market.service_provider_fee, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, } } diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py index fb9e9827..55c491cd 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_derivative_stream.py @@ -64,6 +64,7 @@ async def test_stream_market( min_quantity_tick_size="0.0001", perpetual_market_info=perpetual_market_info, perpetual_market_funding=perpetual_market_funding, + min_notional="1000000", ) derivative_servicer.stream_market_responses.append( @@ -117,6 +118,7 @@ async def test_stream_market( "isPerpetual": market.is_perpetual, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, "perpetualMarketInfo": { "hourlyFundingRateCap": perpetual_market_info.hourly_funding_rate_cap, "hourlyInterestRate": str(perpetual_market_info.hourly_interest_rate), diff --git a/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py b/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py index be13f590..96b31d49 100644 --- a/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py +++ b/tests/client/indexer/stream_grpc/test_indexer_grpc_spot_stream.py @@ -54,6 +54,7 @@ async def test_stream_markets( service_provider_fee="0.4", min_price_tick_size="0.000000000000001", min_quantity_tick_size="1000000000000000", + min_notional="1000000", ) spot_servicer.stream_markets_responses.append( @@ -109,6 +110,7 @@ async def test_stream_markets( "serviceProviderFee": market.service_provider_fee, "minPriceTickSize": market.min_price_tick_size, "minQuantityTickSize": market.min_quantity_tick_size, + "minNotional": market.min_notional, }, "operationType": operation_type, "timestamp": str(timestamp), From ddebcba60afe4a47119913cec36f79873016e466 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 11:23:19 -0300 Subject: [PATCH 53/63] (fix) Update denoms INI files --- pyinjective/denoms_devnet.ini | 1658 ++++- pyinjective/denoms_mainnet.ini | 11633 +++++++++++++++++++++++++++++- pyinjective/denoms_testnet.ini | 11698 ++++++++++++++++++++++++++++++- 3 files changed, 24450 insertions(+), 539 deletions(-) diff --git a/pyinjective/denoms_devnet.ini b/pyinjective/denoms_devnet.ini index 1470812f..f25b7d71 100644 --- a/pyinjective/denoms_devnet.ini +++ b/pyinjective/denoms_devnet.ini @@ -295,364 +295,1446 @@ min_display_price_tick_size = 0.0000000001 min_quantity_tick_size = 0.1 min_display_quantity_tick_size = 0.1 -[0x7f2a8e1253006061b5c21c7491d980896d4a2f585c9467d9403884ef74783294] -description = 'Devnet Derivative Yvcek/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0xdc44a6e8292dd72d05a1a145aa17501dd4d3543ab74a97fa163a758a71fc6d08] -description = 'Devnet Derivative rRdTb/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0x4815c00dc47b5dc7ec6b9f39bbb470dc0480e05909b34556232da961eaf6706f] -description = 'Devnet Derivative PMSJi/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0xa9e0d8b1ccd91645522e69dd22dd3886c7799ad28d89483a23d15f24785f1cbf] -description = 'Devnet Derivative aHUBZ/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0xef6d48cd7730e9ae0b5d7a5cda91ab8c9b6958925241db0de312a9b5b8ca6174] -description = 'Devnet Derivative JMNHn/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0x16a18bd31c16f3d4eccf8ec735af7787f22ebe9527124315550b1597873e0bc3] -description = 'Devnet Derivative LmurW/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[$ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/$alien +decimals = 6 -[0x3b07c2a88a906c433b3ba202315a73c1d3658c1782efddceaf021c03a11220a9] -description = 'Devnet Derivative OUdeG/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[$AOI] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/$aoi +decimals = 6 -[0x66072f526a9bbd51e43d095b9847f8ec3de2169acbc941d2a0d0b0f8b47de14e] -description = 'Devnet Derivative KStzF/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[$Babykira] +peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/$babykira +decimals = 6 -[0x290ea838b02d47902fc95392de3a387ae0bc0001130560c350a5b3cbf8d944e6] -description = 'Devnet Derivative TCXRu/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[1INCH] +peggy_denom = peggy0x111111111117dC0aa78b770fA6A738034120C302 +decimals = 18 -[0x899fe3b0dbedea9229be2c2711f4fbe3f8aec3fd65678567db771c661cda16b8] -description = 'Devnet Derivative DqnMP/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[AAVE] +peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 +decimals = 18 -[0x27f58926f9413414b855d9895f8f389bfa029116f933e0f19e97be4dd3d0877e] -description = 'Devnet Derivative ceLAy/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ALPHA] +peggy_denom = inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u +decimals = 8 -[0x574c0ce69f5be41036aa2503d7f20862fae35a7f9f417684fe2983aafa4ac04b] -description = 'Devnet Derivative vmoUr/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ANDR] +peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E +decimals = 6 -[0x40e7ffe2caaab13fb5cf59f8f662237d3b166b46e5f0b284b012e7872ea534ce] -description = 'Devnet Derivative sltjp/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[APE] +peggy_denom = peggy0x44d63c7FC48385b212aB397aB91A2637ec964634 +decimals = 18 -[0xf10b867312254f18abc8d21bf15f6acdd7a5200fd8688837528d259702b9b2d8] -description = 'Devnet Derivative kMoLd/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[APP] +peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 +decimals = 18 -[0x6caa9a43eb25794d1664a89731b51c177f3ab642b9bd4a5c4170d01bec5cfee5] -description = 'Devnet Derivative INllC/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ARB] +peggy_denom = ibc/8CF0E4184CA3105798EDB18CAA3981ADB16A9951FE9B05C6D830C746202747E1 +decimals = 8 -[0x4d041bf90b285a1de037faa354f8d0697dc18512381ad3a782faa158c8df0282] -description = 'Devnet Derivative jwPvq/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ARBlegacy] +peggy_denom = inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +decimals = 8 -[0x367f418ec1f796a19bef6ff9dc1b70fedb46238bbb7c952bd37efd22b937a10e] -description = 'Devnet Derivative FWQWO/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ASG] +peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 +decimals = 8 -[0x75c7b4beabf3db173b82a916c98377416ba2779f815976c69424345b041e357e] -description = 'Devnet Derivative JCKqR/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ASTR] +peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +decimals = 18 -[0x3dda0eb99f27083fe07b44837adbe4cecbadcd8e881994f044de2f464894e9b8] -description = 'Devnet Derivative UBHiV/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ASTRO] +peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +decimals = 6 -[0x8da64a935e7b9b1fbb3a9b50c570b361ca0583293a4e97dfe14d7b57b94f5f1d] -description = 'Devnet Derivative NcgYC/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[ATOM] +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +decimals = 6 -[0xdb6536e47062df2a3a565c47016c6dc19c5207c31e2e2b4f346967e126fd2204] -description = 'Devnet Derivative cntQK/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[AUTISM] +peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism +decimals = 6 -[0xf9f0ec6cdd07b773ce69ba9b79ca8139b51a15a41fe7d4a6f4f819007eb68208] -description = 'Devnet Derivative SONAJ/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[AVAX] +peggy_denom = inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 +decimals = 8 -[0x645757ab9ecdea6e438f5bd0c5b2617ad7c437d3fabb91207a8b13f4e36a8236] -description = 'Devnet Derivative NSNME/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[AXL] +peggy_denom = ibc/B68C1D2682A8B69E20BB921E34C6A3A2B6D1E13E3E8C0092E373826F546DEE65 +decimals = 6 -[0x1bbefa3a17c98836c00be107e16bb370367fbfde4ca764be7d464223e2947ee6] -description = 'Devnet Derivative pQqmD/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[AXS] +peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b +decimals = 18 -[0xca6d0fae5e3ba5ef964af03f22b3585cc00dab447d1a091cb229312c7c6dbf21] -description = 'Devnet Derivative dEhsM/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[Alpha Coin] +peggy_denom = peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B +decimals = 18 -[0xe4813e500717dbbe689c219ad0c91f7471b06c8a5f1c03a8e7fa8c1c095c530d] -description = 'Devnet Derivative FgXEY/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[Ape Coin] +peggy_denom = peggy0x4d224452801ACEd8B2F0aebE155379bb5D594381 +decimals = 18 -[0xf77923be4d1910297893872f937efcec9aef9fd3b72c29d258c783575576d670] -description = 'Devnet Derivative YgYbX/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[Arbitrum] +peggy_denom = peggy0x912CE59144191C1204E64559FE8253a0e49E6548 +decimals = 18 -[0x87562628ec23650498e74dd0cff9cec4e68728f7a6cd4c5206e1511fbf3a203f] -description = 'Devnet Derivative TENMX/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[Axelar] +peggy_denom = peggy0x3eacbDC6C382ea22b78aCc158581A55aaF4ef3Cc +decimals = 6 -[0x8be690d528567804337633d80f1f0b3b3f5ecf4314aaf54919794c984b03cee6] -description = 'Devnet Derivative gLNiU/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[BAMBOO] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/bamboo +decimals = 6 -[0x72c6445f01e11cd687e26f27fb0a5a01d66bd08e6f1421618013d5802d08a499] -description = 'Devnet Derivative XcdUO/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +[BAND] +peggy_denom = peggy0xBA11D00c5f74255f56a5E366F4F77f5A186d7f55 +decimals = 18 -[AAVE] -peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 +[BAT] +peggy_denom = peggy0x0D8775F648430679A709E98d2b0Cb6250d2887EF decimals = 18 -[APE] -peggy_denom = peggy0x4d224452801ACEd8B2F0aebE155379bb5D594381 +[BAYC] +peggy_denom = bayc decimals = 18 -[ATOM] -peggy_denom = ibc/C4CFF46FD6DE35CA4CF4CE031E643C8FDC9BA4B99AE598E9B0ED98FE3A2319F9 +[BEAST] +peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be +decimals = 6 + +[BINJ] +peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj +decimals = 6 + +[BITS] +peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/bits decimals = 6 [BLACK] peggy_denom = factory/inj16eckaf75gcu9uxdglyvmh63k9t0l7chd0qmu85/black decimals = 6 +[BMOS] +peggy_denom = ibc/D9353C3B1407A7F7FE0A5CCB7D06249B57337888C95C6648AEAF2C83F4F3074E +decimals = 6 + [BNB] peggy_denom = peggy0xB8c77482e45F1F44dE1745F52C74426C631bDD52 decimals = 18 -[CHZ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +[BODEN] +peggy_denom = boden +decimals = 9 + +[BONJO] +peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/bonjo +decimals = 6 + +[BONK] +peggy_denom = inj14rry9q6dym3dgcwzq79yay0e9azdz55jr465ch +decimals = 5 + +[BONUS] +peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF decimals = 8 -[ETHBTCTrend] -peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 -decimals = 18 +[BRETT] +peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +decimals = 6 -[GF] -peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 +[BRZ] +peggy_denom = inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk +decimals = 4 + +[BSKT] +peggy_denom = inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 +decimals = 5 + +[BTC] +peggy_denom = btc +decimals = 8 + +[BULLS] +peggy_denom = factory/inj1zq37mfquqgud2uqemqdkyv36gdstkxl27pj5e3/bulls +decimals = 6 + +[BUSD] +peggy_denom = peggy0x4Fabb145d64652a948d72533023f6E7A623C7C53 decimals = 18 -[HDRO] -peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro +[Babykira] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/$babykira decimals = 6 -[INJ] -peggy_denom = inj +[Basket] +peggy_denom = peggy0xbC0899E527007f1B8Ced694508FCb7a2b9a46F53 +decimals = 5 + +[Bird INJ] +peggy_denom = factory/inj125hcdvz9dnhdqal2u8ctr7l0hd8xy9wdgzt8ld/binj +decimals = 6 + +[BitSong] +peggy_denom = peggy0x05079687D35b93538cbd59fe5596380cae9054A9 decimals = 18 -[KIRA] -peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +[Bonjo] +peggy_denom = inj19w5lfwk6k9q2d8kxnwsu4962ljnay85f9sgwn6 +decimals = 18 + +[Brazilian Digital Token] +peggy_denom = peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B +decimals = 4 + +[CAD] +peggy_denom = cad decimals = 6 -[LINK] -peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA +[CANTO] +peggy_denom = ibc/D91A2C4EE7CD86BBAFCE0FA44A60DDD9AFBB7EEB5B2D46C0984DEBCC6FEDFAE8 decimals = 18 -[MATIC] -peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +[CEL] +peggy_denom = peggy0xaaAEBE6Fe48E54f431b0C390CfaF0b017d09D42d +decimals = 4 + +[CELL] +peggy_denom = peggy0x26c8AFBBFE1EBaca03C2bB082E69D0476Bffe099 decimals = 18 -[PROJ] -peggy_denom = proj +[CHZ] +peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF decimals = 18 -[QUNT] -peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt -decimals = 6 +[CHZlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 -[SOMM] -peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +[CLON] +peggy_denom = ibc/695B1D16DE4D0FD293E6B79451640974080B59AA60942974C1CC906568DED795 decimals = 6 -[USC Coin (Wormhole from Ethereum)] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +[COCK] +peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/cock decimals = 6 -[USD Coin] -peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +[COKE] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp decimals = 6 -[USDC] -peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 -decimals = 6 +[COMP] +peggy_denom = peggy0xc00e94Cb662C3520282E6f5717214004A7f26888 +decimals = 18 -[USDT] -peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 +[CRE] +peggy_denom = ibc/3A6DD3358D9F7ADD18CDE79BA10B400511A5DE4AE2C037D7C9639B52ADAF35C6 decimals = 6 -[WBTC] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku +[CVR] +peggy_denom = peggy0x3c03b4ec9477809072ff9cc9292c9b25d4a8e6c6 decimals = 18 -[WETH] -peggy_denom = peggy0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2 +[Chiliz (legacy)] +peggy_denom = inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 + +[Cosmos] +peggy_denom = ibc/C4CFF46FD6DE35CA4CF4CE031E643C8FDC9BA4B99AE598E9B0ED98FE3A2319F9 +decimals = 6 + +[DAI] +peggy_denom = peggy0x6b175474e89094c44da98b954eedeac495271d0f +decimals = 18 + +[DDL] +peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/ddl +decimals = 6 + +[DEFI5] +peggy_denom = peggy0xfa6de2697D59E88Ed7Fc4dFE5A33daC43565ea41 +decimals = 18 + +[DEMO] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/demo +decimals = 18 + +[DGNZ] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dgnz +decimals = 6 + +[DOGE] +peggy_denom = doge +decimals = 8 + +[DOJ] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/doj +decimals = 6 + +[DOJO] +peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/dojo +decimals = 6 + +[DOT] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[DREAM] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dream +decimals = 6 + +[DROGO] +peggy_denom = ibc/565FE65B82C091F8BAD1379FA1B4560C036C07913355ED4BD8D156DA63F43712 +decimals = 6 + +[DUDE] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/dude +decimals = 6 + +[Dojo Token] +peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 +decimals = 18 + +[ELON] +peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +decimals = 6 + +[ENA] +peggy_denom = peggy0x57e114b691db790c35207b2e685d4a43181e6061 +decimals = 18 + +[ENJ] +peggy_denom = peggy0xF629cBd94d3791C9250152BD8dfBDF380E2a3B9c +decimals = 18 + +[ERIC] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/eric +decimals = 6 + +[ETH] +peggy_denom = eth +decimals = 18 + +[ETHBTCTrend] +peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 +decimals = 18 + +[EUR] +peggy_denom = eur +decimals = 6 + +[EVAI] +peggy_denom = peggy0x50f09629d0afDF40398a3F317cc676cA9132055c +decimals = 8 + +[EVIINDEX] +peggy_denom = eviindex +decimals = 18 + +[EVMOS] +peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 +decimals = 18 + +[FET] +peggy_denom = ibc/C1D3666F27EA64209584F18BC79648E0C1783BB6EEC04A8060E4A8E9881C841B +decimals = 18 + +[FTM] +peggy_denom = peggy0x4E15361FD6b4BB609Fa63C81A2be19d873717870 +decimals = 18 + +[Fetch.ai] +peggy_denom = peggy0xaea46a60368a7bd060eec7df8cba43b7ef41ad85 +decimals = 18 + +[GALAXY] +peggy_denom = factory/inj10zdjt8ylfln5xr3a2ruf9nwn6d5q2d2r3v6mh8/galaxy +decimals = 6 + +[GBP] +peggy_denom = gbp +decimals = 6 + +[GF] +peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 +decimals = 18 + +[GIGA] +peggy_denom = ibc/36C811A2253AA64B58A9B66C537B89348FE5792A8808AAA343082CBFCAA72278 +decimals = 5 + +[GINGER] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/ginger +decimals = 6 + +[GLTO] +peggy_denom = peggy0xd73175f9eb15eee81745d367ae59309Ca2ceb5e2 +decimals = 6 + +[GME] +peggy_denom = ibc/CAA5AB050F6C3DFE878212A37A4A6D3BEA6670F5B9786FFF7EF2D34213025272 +decimals = 8 + +[GOLD] +peggy_denom = gold +decimals = 18 + +[GOLDIE] +peggy_denom = factory/inj130ayayz6ls8qpmu699axhlg7ygy8u6thjjk9nc/goldie +decimals = 6 + +[GROK] +peggy_denom = factory/inj1vgrf5mcvvg9p5c6jajqefn840nq74wjzgkt30z/grok +decimals = 6 + +[GRT] +peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 +decimals = 18 + +[GYEN] +peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 +decimals = 6 + +[HDRO] +peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro +decimals = 6 + +[HT] +peggy_denom = peggy0x6f259637dcD74C767781E37Bc6133cd6A68aa161 +decimals = 18 + +[HUAHUA] +peggy_denom = ibc/E7807A46C0B7B44B350DA58F51F278881B863EC4DCA94635DAB39E52C30766CB +decimals = 6 + +[Hydro] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +decimals = 6 + +[Hydro Wrapped INJ] +peggy_denom = inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc +decimals = 18 + +[IKINGS] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/ikings +decimals = 6 + +[INCEL] +peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel +decimals = 6 + +[INJ] +peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +decimals = 18 + +[INJECT] +peggy_denom = factory/inj1j7zt6g03vpmg9p7g7qngvylfxqeuds73utsjnk/inject +decimals = 6 + +[INJER] +peggy_denom = factory/inj1sjmplasxl9zgj6yh45j3ndskgdhcfcss9djkdn/injer +decimals = 6 + +[INJINU] +peggy_denom = factory/inj1vjppa6h9lf75pt0v6qnxtej4xcl0qevnxzcrvm/injinu +decimals = 6 + +[INJX] +peggy_denom = factory/inj104h3hchl7ws8lp78zpvrunvsjdwfjc02r5d0fp/injx +decimals = 6 + +[INJbsc] +peggy_denom = inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 +decimals = 18 + +[INJet] +peggy_denom = inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw +decimals = 18 + +[IOTX] +peggy_denom = peggy0x6fB3e0A217407EFFf7Ca062D46c26E5d60a14d69 +decimals = 18 + +[IPandaAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipandaai +decimals = 6 + +[Injective] +peggy_denom = peggy0x5512c04B6FF813f3571bDF64A1d74c98B5257332 +decimals = 18 + +[Injective Panda] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/bamboo +decimals = 6 + +[Internet Explorer] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/ninjb +decimals = 6 + +[JPY] +peggy_denom = jpy +decimals = 6 + +[JUNO] +peggy_denom = ibc/D50E26996253EBAA8C684B9CD653FE2F7665D7BDDCA3D48D5E1378CF6334F211 +decimals = 6 + +[JUP] +peggy_denom = jup +decimals = 6 + +[KAGE] +peggy_denom = inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +decimals = 18 + +[KARATE] +peggy_denom = factory/inj1898t0vtmul3tcn3t0v8qe3pat47ca937jkpezv/karate +decimals = 6 + +[KARMA] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karma +decimals = 6 + +[KATANA] +peggy_denom = factory/inj1vwn4x08hlactxj3y3kuqddafs2hhqzapruwt87/katana +decimals = 6 + +[KAVA] +peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +decimals = 6 + +[KINJA] +peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/kinja +decimals = 6 + +[KIRA] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +decimals = 6 + +[KPEPE] +peggy_denom = pepe +decimals = 18 + +[KUJI] +peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 +decimals = 6 + +[LAMA] +peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/lama +decimals = 6 + +[LAMBO] +peggy_denom = peggy0x3d2b66BC4f9D6388BD2d97B95b565BE1686aEfB3 +decimals = 18 + +[LDO] +peggy_denom = inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy +decimals = 8 + +[LINK] +peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA +decimals = 18 + +[LIOR] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +decimals = 6 + +[LUNA] +peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 +decimals = 6 + +[LVN] +peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 +decimals = 6 + +[LYM] +peggy_denom = peggy0xc690f7c7fcffa6a82b79fab7508c466fefdfc8c5 +decimals = 18 + +[Lido DAO Token] +peggy_denom = peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32 +decimals = 18 + +[MAGA] +peggy_denom = peggy0x576e2BeD8F7b46D34016198911Cdf9886f78bea7 +decimals = 9 + +[MATIC] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/matic +decimals = 18 + +[MEMEME] +peggy_denom = peggy0x1A963Df363D01EEBB2816b366d61C917F20e1EbE +decimals = 18 + +[MILA] +peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/mila +decimals = 6 + +[MILK] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + +[MOONIFY] +peggy_denom = factory/inj1ktq0gf7altpsf0l2qzql4sfs0vc0ru75cnj3a6/moonify +decimals = 6 + +[MOTHER] +peggy_denom = ibc/984E90A8E0265B9804B7345C7542BF9B3046978AE5557B4AABADDFE605CACABE +decimals = 6 + +[MPEPE] +peggy_denom = mpepe +decimals = 18 + +[MT] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mt +decimals = 6 + +[NBLA] +peggy_denom = factory/inj1d0zfq42409a5mhdagjutl8u6u9rgcm4h8zfmfq/nbla +decimals = 6 + +[NBZ] +peggy_denom = ibc/1011E4D6D4800DA9B8F21D7C207C0B0C18E54E614A8576037F066B775210709D +decimals = 6 + +[NBZAIRDROP] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/nbzairdrop +decimals = 0 + +[NEOK] +peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 +decimals = 18 + +[NEXO] +peggy_denom = peggy0xB62132e35a6c13ee1EE0f84dC5d40bad8d815206 +decimals = 18 + +[NINJA] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +decimals = 6 + +[NINJB] +peggy_denom = factory/inj1ezzzfm2exjz57hxuc65sl8s3d5y6ee0kxvu67n/ninjb +decimals = 6 + +[NLC] +peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 +decimals = 6 + +[NOBI] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + +[NOBITCHES] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/nobitches +decimals = 6 + +[NOIA] +peggy_denom = peggy0xa8c8CfB141A3bB59FEA1E2ea6B79b5ECBCD7b6ca +decimals = 18 + +[NOIS] +peggy_denom = ibc/DD9182E8E2B13C89D6B4707C7B43E8DB6193F9FF486AFA0E6CF86B427B0D231A +decimals = 6 + +[NONE] +peggy_denom = peggy0x903ff0ba636E32De1767A4B5eEb55c155763D8B7 +decimals = 18 + +[NONJA] +peggy_denom = inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck +decimals = 18 + +[NPEPE] +peggy_denom = factory/inj1ga982yy0wumrlt4nnj79wcgmw7mzvw6jcyecl0/npepe +decimals = 6 + +[Neptune Receipt INJ] +peggy_denom = inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 + +[OCEAN] +peggy_denom = peggy0x967da4048cD07aB37855c090aAF366e4ce1b9F48 +decimals = 18 + +[OMI] +peggy_denom = peggy0xed35af169af46a02ee13b9d79eb57d6d68c1749e +decimals = 18 + +[OMNI] +peggy_denom = peggy0x36e66fbbce51e4cd5bd3c62b637eb411b18949d4 +decimals = 18 + +[OP] +peggy_denom = op +decimals = 18 + +[ORAI] +peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 +decimals = 6 + +[ORNE] +peggy_denom = ibc/3D99439444ACDEE71DBC4A774E49DB74B58846CCE31B9A868A7A61E4C14D321E +decimals = 6 + +[OSMO] +peggy_denom = ibc/92E0120F15D037353CFB73C14651FC8930ADC05B93100FD7754D3A689E53B333 +decimals = 6 + +[OX] +peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f +decimals = 18 + +[Ondo US Dollar Yield] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + +[Oraichain] +peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 +decimals = 18 + +[PAXG] +peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 +decimals = 18 + +[PEPE] +peggy_denom = peggy0x6982508145454ce325ddbe47a25d4ec3d2311933 +decimals = 18 + +[PHUC] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/phuc +decimals = 6 + +[PIKA] +peggy_denom = factory/inj1h4usvhhva6dgmun9rk4haeh8lynln7yhk6ym00/pika +decimals = 6 + +[POINT] +peggy_denom = factory/inj1zaem9jqplp08hkkd5vcl6vmvala9qury79vfj4/point +decimals = 0 + +[POOL] +peggy_denom = peggy0x0cEC1A9154Ff802e7934Fc916Ed7Ca50bDE6844e +decimals = 18 + +[POOR] +peggy_denom = peggy0x9D433Fa992C5933D6843f8669019Da6D512fd5e9 +decimals = 8 + +[PROJ] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/proj +decimals = 18 + +[PROJX] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/projx +decimals = 18 + +[PUG] +peggy_denom = peggy0xf9a06dE3F6639E6ee4F079095D5093644Ad85E8b +decimals = 18 + +[PUNK] +peggy_denom = factory/inj1esz96ru3guug4ctmn5chjmkymt979sfvufq0hs/punk +decimals = 6 + +[PVP] +peggy_denom = peggy0x9B44793a0177C84DD01AD81137db696531902871 +decimals = 8 + +[PYTH] +peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 +decimals = 6 + +[PYTHlegacy] +peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +decimals = 6 + +[PYUSD] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[Phuc] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc +decimals = 6 + +[Pikachu] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/pika +decimals = 6 + +[Polkadot] +peggy_denom = inj1spzwwtr2luljr300ng2gu52zg7wn7j44m92mdf +decimals = 10 + +[Polygon] +peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +decimals = 18 + +[Punk Token] +peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 + +[QAT] +peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 +decimals = 18 + +[QNT] +peggy_denom = peggy0x4a220e6096b25eadb88358cb44068a3248254675 +decimals = 18 + +[QUNT] +peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt +decimals = 6 + +[RAI] +peggy_denom = peggy0x03ab458634910AaD20eF5f1C8ee96F1D6ac54919 +decimals = 18 + +[RAMEN] +peggy_denom = factory/inj1z5utcc5u90n8a5m8gv30char6j4hdzxz6t3pke/ramen +decimals = 6 + +[RIBBIT] +peggy_denom = peggy0xb794Ad95317f75c44090f64955954C3849315fFe +decimals = 18 + +[RICE] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/rice +decimals = 12 + +[ROOT] +peggy_denom = peggy0xa3d4BEe77B05d4a0C943877558Ce21A763C4fa29 +decimals = 6 + +[RUNE] +peggy_denom = peggy0x3155BA85D5F96b2d030a4966AF206230e46849cb +decimals = 18 + +[SAE] +peggy_denom = factory/inj152mdu38fkkk4fl7ycrpdqxpm63w3ztadgtktyr/sae +decimals = 6 + +[SAGA] +peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 +decimals = 6 + +[SCRT] +peggy_denom = ibc/0954E1C28EB7AF5B72D24F3BC2B47BBB2FDF91BDDFD57B74B99E133AED40972A +decimals = 6 + +[SDEX] +peggy_denom = peggy0x5DE8ab7E27f6E7A1fFf3E5B337584Aa43961BEeF +decimals = 18 + +[SEI] +peggy_denom = sei +decimals = 6 + +[SHIB] +peggy_denom = peggy0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE +decimals = 18 + +[SHROOM] +peggy_denom = inj1300xcg9naqy00fujsr9r8alwk7dh65uqu87xm8 +decimals = 18 + +[SHURIKEN] +peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +decimals = 6 + +[SKIPBIDIDOBDOBDOBYESYESYESYES] +peggy_denom = peggy0x5085202d0A4D8E4724Aa98C42856441c3b97Bc6d +decimals = 9 + +[SMELLY] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/smelly +decimals = 6 + +[SNOWY] +peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/snowy +decimals = 6 + +[SNS] +peggy_denom = ibc/4BFB3FB1903142C5A7570EE7697636436E52FDB99AB8ABE0257E178A926E2568 +decimals = 8 + +[SNX] +peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F +decimals = 18 + +[SOL] +peggy_denom = ibc/A8B0B746B5AB736C2D8577259B510D56B8AF598008F68041E3D634BCDE72BE97 +decimals = 8 + +[SOLlegacy] +peggy_denom = inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +decimals = 8 + +[SOMM] +peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +decimals = 6 + +[SPUUN] +peggy_denom = factory/inj1flkktfvf8nxvk300f2z3vxglpllpw59c563pk7/spuun +decimals = 6 + +[STARS] +peggy_denom = peggy0xc55c2175E90A46602fD42e931f62B3Acc1A013Ca +decimals = 18 + +[STINJ] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/stinj +decimals = 18 + +[STRD] +peggy_denom = ibc/3FDD002A3A4019B05A33D324B2F29748E77AF501BEA5C96D1F28B2D6755F9F25 +decimals = 6 + +[STT] +peggy_denom = peggy0xaC9Bb427953aC7FDDC562ADcA86CF42D988047Fd +decimals = 18 + +[STX] +peggy_denom = stx +decimals = 6 + +[SUI] +peggy_denom = sui +decimals = 9 + +[SUSHI] +peggy_denom = inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd +decimals = 18 + +[SWAP] +peggy_denom = peggy0xcc4304a31d09258b0029ea7fe63d032f52e44efe +decimals = 18 + +[Shiba INJ] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba inj +decimals = 6 + +[Shinobi] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/nobi +decimals = 6 + +[Shuriken Token] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shuriken +decimals = 6 + +[Solana] +peggy_denom = inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 +decimals = 8 + +[Sommelier] +peggy_denom = peggy0xa670d7237398238DE01267472C6f13e5B8010FD1 +decimals = 6 + +[SteadyBTC] +peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d +decimals = 18 + +[SteadyETH] +peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +decimals = 18 + +[Stride Staked Injective] +peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 +decimals = 18 + +[Summoners Arena Essence] +peggy_denom = ibc/0AFCFFE18230E0E703A527F7522223D808EBB0E02FDBC84AAF8A045CD8FE0BBB +decimals = 8 + +[SushiSwap] +peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 +decimals = 18 + +[TAB] +peggy_denom = peggy0x36B3D7ACe7201E28040eFf30e815290D7b37ffaD +decimals = 18 + +[TALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis +decimals = 6 + +[TEST1] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test1 +decimals = 6 + +[TEST2] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test2 +decimals = 6 + +[TEST3] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test3 +decimals = 6 + +[TEvmos] +peggy_denom = ibc/300B5A980CA53175DBAC918907B47A2885CADD17042AD58209E777217D64AF20 +decimals = 18 + +[TIA] +peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 +decimals = 6 + +[TIX] +peggy_denom = factory/inj1rw3qvamxgmvyexuz2uhyfa4hukvtvteznxjvke/tix +decimals = 6 + +[TRUCPI] +peggy_denom = trucpi +decimals = 18 + +[Terra] +peggy_denom = peggy0xd2877702675e6cEb975b4A1dFf9fb7BAF4C91ea9 +decimals = 6 + +[TerraUSD] +peggy_denom = peggy0xa47c8bf37f92aBed4A126BDA807A7b7498661acD +decimals = 18 + +[Test QAT] +peggy_denom = peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9 +decimals = 18 + +[Tether] +peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 +decimals = 6 + +[UMA] +peggy_denom = peggy0x04Fa0d235C4abf4BcF4787aF4CF447DE572eF828 +decimals = 18 + +[UNI] +peggy_denom = peggy0x1f9840a85d5aF5bf1D1762F925BDADdC4201F984 +decimals = 18 + +[UPHOTON] +peggy_denom = ibc/48BC9C6ACBDFC1EBA034F1859245D53EA4BF74147189D66F27C23BF966335DFB +decimals = 6 + +[USD Coin] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +decimals = 6 + +[USD Coin (legacy)] +peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +decimals = 6 + +[USDC] +peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E +decimals = 6 + +[USDC-MPL] +peggy_denom = peggy0xf875aef00C4E21E9Ab4A335eB36A1175Ab00424A +decimals = 6 + +[USDCarb] +peggy_denom = inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r +decimals = 6 + +[USDCbsc] +peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu +decimals = 6 + +[USDCet] +peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +decimals = 6 + +[USDCgateway] +peggy_denom = ibc/7BE71BB68C781453F6BB10114F8E2DF8DC37BA791C502F5389EA10E7BEA68323 +decimals = 6 + +[USDClegacy] +peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 +decimals = 6 + +[USDCpoly] +peggy_denom = inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 +decimals = 6 + +[USDCso] +peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu +decimals = 6 + +[USDT] +peggy_denom = peggy0x03fA678f56e230effB1b5148e4d1fa25184b639a +decimals = 6 + +[USDTap] +peggy_denom = inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +decimals = 6 + +[USDTbsc] +peggy_denom = inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj +decimals = 6 + +[USDTet] +peggy_denom = inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 +decimals = 6 + +[USDTkv] +peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB +decimals = 6 + +[USDTso] +peggy_denom = inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd +decimals = 6 + +[USDY] +peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 +decimals = 18 + +[USDe] +peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 +decimals = 18 + +[UST] +peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C +decimals = 18 + +[UTK] +peggy_denom = peggy0xdc9Ac3C20D1ed0B540dF9b1feDC10039Df13F99c +decimals = 18 + +[UUST] +peggy_denom = ibc/C643B73073217F778DD7BDCB74C7EBCEF8E7EF81614FFA3C1C31861221AA9C4A +decimals = 0 + +[Unknown] +peggy_denom = unknown +decimals = 0 + +[VATRENI] +peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay +decimals = 8 + +[VRD] +peggy_denom = peggy0xf25304e75026E6a35FEDcA3B0889aE5c4D3C55D8 +decimals = 18 + +[W] +peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 +decimals = 6 + +[WAGMI] +peggy_denom = factory/inj188veuqed0dygkcmq5d24u3807n6csv4wdv28gh/wagmi +decimals = 9 + +[WAIFU] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifu +decimals = 6 + +[WASSIE] +peggy_denom = peggy0x2c95d751da37a5c1d9c5a7fd465c1d50f3d96160 +decimals = 18 + +[WGLMR-WEI] +peggy_denom = ibc/8FF72FB47F07B4AFA8649500A168683BEFCB9EE164BD331FA597D26224D51055 +decimals = 0 + +[WGMI] +peggy_denom = factory/inj1rmjzj9fn47kdmfk4f3z39qr6czexxe0yjyc546/wgmi +decimals = 6 + +[WHALE] +peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 +decimals = 6 + +[WIF] +peggy_denom = wif +decimals = 6 + +[WIZZ] +peggy_denom = factory/inj1uvfpvnmuqhx8jwg4786y59tkagmph827h38mst/wizz +decimals = 6 + +[WKLAY] +peggy_denom = inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 +decimals = 8 + +[WMATIC] +peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC +decimals = 8 + +[WMATIClegacy] +peggy_denom = inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 + +[WOSMO] +peggy_denom = ibc/DD648F5D3CDA56D0D8D8820CF703D246B9FC4007725D8B38D23A21FF1A1477E3 +decimals = 6 + +[WSTETH] +peggy_denom = peggy0x7f39c581f595b53c5cb19bd0b3f8da6c935e2ca0 +decimals = 18 + +[Wrapped Bitcoin] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/wbtc +decimals = 8 + +[Wrapped Ethereum] +peggy_denom = inj1k9r62py07wydch6sj5sfvun93e4qe0lg7jyatc +decimals = 8 + +[XAC] +peggy_denom = peggy0xDe4C5a791913838027a2185709E98c5C6027EA63 +decimals = 8 + +[XAG] +peggy_denom = xag +decimals = 6 + +[XAU] +peggy_denom = xau +decimals = 6 + +[XBX] +peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 +decimals = 18 + +[XIII] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/xiii +decimals = 6 + +[XNJ] +peggy_denom = inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar +decimals = 18 + +[XPLA] +peggy_denom = inj1j08452mqwadp8xu25kn9rleyl2gufgfjqjvewe +decimals = 8 + +[XPRT] +peggy_denom = ibc/B786E7CBBF026F6F15A8DA248E0F18C62A0F7A70CB2DABD9239398C8B5150ABB +decimals = 6 + +[XRP] +peggy_denom = peggy0x1d2f0da169ceb9fc7b3144628db156f3f6c60dbe decimals = 18 +[XTALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis +decimals = 6 + [YFI] peggy_denom = peggy0x0bc529c00C6401aEF6D220BE8C6Ea1667F6Ad93e decimals = 18 + +[YUKI] +peggy_denom = factory/inj1spdy83ds5ezq9rvtg0ndy8480ad5rlczcpvtu2/yuki +decimals = 6 + +[ZEN] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/zen +decimals = 18 + +[ZIG] +peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 +decimals = 18 + +[ZK] +peggy_denom = zk +decimals = 18 + +[ZRO] +peggy_denom = zro +decimals = 6 + +[ZRX] +peggy_denom = peggy0xE41d2489571d322189246DaFA5ebDe1F4699F498 +decimals = 18 + +[axlUSDC] +peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 +decimals = 6 + +[dINJ] +peggy_denom = inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 + +[dYdX] +peggy_denom = peggy0x92d6c1e31e14520e676a687f0a93788b716beff5 +decimals = 18 + +[ezETH] +peggy_denom = peggy0xbf5495Efe5DB9ce00f80364C8B423567e58d2110 +decimals = 18 + +[fUSDT] +peggy_denom = peggy0x81994b9607e06ab3d5cF3AffF9a67374f05F27d7 +decimals = 8 + +[factory/inj153e2w8u77h4ytrhgry846k5t8n9uea8xtal6d7/lp] +peggy_denom = factory/inj153e2w8u77h4ytrhgry846k5t8n9uea8xtal6d7/lp +decimals = 0 + +[factory/inj1lv0mhwcu3y4p9av5nafct8j7y4ag6lmlfuxuy3/lp] +peggy_denom = factory/inj1lv0mhwcu3y4p9av5nafct8j7y4ag6lmlfuxuy3/lp +decimals = 0 + +[factory/inj1uukt3kqela4vsllvrqnrgllkna5wn3cm588w6k/inj1kwdranvwf6vl2grh99layugwdnph6um2e8k25g] +peggy_denom = factory/inj1uukt3kqela4vsllvrqnrgllkna5wn3cm588w6k/inj1kwdranvwf6vl2grh99layugwdnph6um2e8k25g +decimals = 0 + +[factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj149ltwdnpxrhx9al42s359glcjnsuc6x3gfemjd] +peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj149ltwdnpxrhx9al42s359glcjnsuc6x3gfemjd +decimals = 0 + +[factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1ery8l6jquynn9a4cz2pff6khg8c68f7u20ufuj] +peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1ery8l6jquynn9a4cz2pff6khg8c68f7u20ufuj +decimals = 0 + +[factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1up07dctjqud4fns75cnpejr4frmjtddztvuruc] +peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1up07dctjqud4fns75cnpejr4frmjtddztvuruc +decimals = 0 + +[factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1vauk4puffxad4r3qs3ex0vfl5mkuw5xe8aya8c] +peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1vauk4puffxad4r3qs3ex0vfl5mkuw5xe8aya8c +decimals = 0 + +[factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1w798gp0zqv3s9hjl3jlnwxtwhykga6rnx4llty] +peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1w798gp0zqv3s9hjl3jlnwxtwhykga6rnx4llty +decimals = 0 + +[hINJ] +peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 + +[lootbox1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/lootbox1 +decimals = 0 + +[nATOM] +peggy_denom = inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 +decimals = 6 + +[nINJ] +peggy_denom = inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf +decimals = 18 + +[nTIA] +peggy_denom = inj1fzquxxxam59z6fzewy2hvvreeh3m04x83zg4vv +decimals = 6 + +[nUSDT] +peggy_denom = inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s +decimals = 6 + +[nWETH] +peggy_denom = inj1kehk5nvreklhylx22p3x0yjydfsz9fv3fvg5xt +decimals = 18 + +[proj] +peggy_denom = proj +decimals = 18 + +[sUSDE] +peggy_denom = peggy0x9D39A5DE30e57443BfF2A8307A4256c8797A3497 +decimals = 18 + +[share11] +peggy_denom = share11 +decimals = 18 + +[share13] +peggy_denom = share13 +decimals = 18 + +[share14] +peggy_denom = share14 +decimals = 18 + +[share15] +peggy_denom = share15 +decimals = 18 + +[share16] +peggy_denom = share16 +decimals = 18 + +[share17] +peggy_denom = share17 +decimals = 18 + +[share18] +peggy_denom = share18 +decimals = 18 + +[share19] +peggy_denom = share19 +decimals = 18 + +[share20] +peggy_denom = share20 +decimals = 18 + +[share21] +peggy_denom = share21 +decimals = 18 + +[share22] +peggy_denom = share22 +decimals = 18 + +[share23] +peggy_denom = share23 +decimals = 18 + +[share24] +peggy_denom = share24 +decimals = 18 + +[share25] +peggy_denom = share25 +decimals = 18 + +[share26] +peggy_denom = share26 +decimals = 18 + +[share27] +peggy_denom = share27 +decimals = 18 + +[share28] +peggy_denom = share28 +decimals = 18 + +[share29] +peggy_denom = share29 +decimals = 18 + +[share30] +peggy_denom = share30 +decimals = 18 + +[share31] +peggy_denom = share31 +decimals = 18 + +[share9] +peggy_denom = share9 +decimals = 18 + +[stETH] +peggy_denom = peggy0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84 +decimals = 18 + +[wBTC] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +decimals = 8 + +[wETH] +peggy_denom = peggy0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2 +decimals = 18 + +[wUSDM] +peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 +decimals = 18 diff --git a/pyinjective/denoms_mainnet.ini b/pyinjective/denoms_mainnet.ini index 92a36540..774a32df 100644 --- a/pyinjective/denoms_mainnet.ini +++ b/pyinjective/denoms_mainnet.ini @@ -208,27 +208,27 @@ min_display_quantity_tick_size = 0.001 [0xdce84d5e9c4560b549256f34583fb4ed07c82026987451d5da361e6e238287b3] description = 'Mainnet Spot LUNA/UST' base = 6 -quote = 6 +quote = 18 min_price_tick_size = 0.00000001 -min_display_price_tick_size = 0.00000001 +min_display_price_tick_size = 0.00000000000000000001 min_quantity_tick_size = 100000 min_display_quantity_tick_size = 0.1 [0x0f1a11df46d748c2b20681273d9528021522c6a0db00de4684503bbd53bef16e] description = 'Mainnet Spot UST/USDT' -base = 6 +base = 18 quote = 6 min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 +min_display_price_tick_size = 100000000 min_quantity_tick_size = 10000 -min_display_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.00000000000001 [0xfbc729e93b05b4c48916c1433c9f9c2ddb24605a73483303ea0f87a8886b52af] description = 'Mainnet Spot INJ/UST' base = 18 -quote = 6 +quote = 18 min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.000000000000001 min_quantity_tick_size = 1000000000000000 min_display_quantity_tick_size = 0.001 @@ -925,6 +925,15 @@ min_display_price_tick_size = 0.0000001 min_quantity_tick_size = 100000000 min_display_quantity_tick_size = 1 +[0xacb0dc21cddb15b686f36c3456f4223f701a2afa382006ef478d156439483b4d] +description = 'Mainnet Spot EZETH/WETH' +base = 18 +quote = 18 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 10000000000000 +min_display_quantity_tick_size = 0.00001 + [0x960038a93b70a08f1694c4aa5c914afda329063191e65a5b698f9d0676a0abf9] description = 'Mainnet Spot SAGA/USDT' base = 6 @@ -934,6 +943,15 @@ min_display_price_tick_size = 0.001 min_quantity_tick_size = 100000 min_display_quantity_tick_size = 0.1 +[0xca8121ea57a4f7fd3e058fa1957ebb69b37d52792e49b0b43932f1b9c0e01f8b] +description = 'Mainnet Spot wUSDM/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000000 +min_display_quantity_tick_size = 0.1 + [0x4ca0f92fc28be0c9761326016b5a1a2177dd6375558365116b5bdda9abc229ce] description = 'Mainnet Derivative BTC/USDT PERP' base = 0 @@ -982,9 +1000,9 @@ min_display_quantity_tick_size = 0.01 [0x8c7fd5e6a7f49d840512a43d95389a78e60ebaf0cde1af86b26a785eb23b3be5] description = 'Mainnet Derivative OSMO/UST PERP' base = 0 -quote = 6 +quote = 18 min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.000000000000001 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 @@ -1168,342 +1186,11533 @@ min_display_price_tick_size = 0.1 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 -[AAVE] -peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 -decimals = 18 - -[ANDR] -peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E -decimals = 6 +[0x0160a0c8ecbf5716465b9fc22bceeedf6e92dcdc688e823bbe1af3b22a84e5b5] +description = 'Mainnet Derivative XAU/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 -[APE] -peggy_denom = peggy0x4d224452801ACEd8B2F0aebE155379bb5D594381 -decimals = 18 +[0xedc48ec071136eeb858b11ba50ba87c96e113400e29670fecc0a18d588238052] +description = 'Mainnet Derivative XAG/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 -[APP] -peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 -decimals = 18 +[0x3c5bba656074e6e84965dc7d99a218f6f514066e6ddc5046acaff59105bb6bf5] +description = 'Mainnet Derivative EUR/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 -[ARB] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd -decimals = 8 +[0x5c0de20c02afe5dcc1c3c841e33bfbaa1144d8900611066141ad584eeaefbd2f] +description = 'Mainnet Derivative GBP/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 -[ASG] -peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 -decimals = 8 +[0xf1ceea00e01327497c321679896e5e64ad2a4e4b88e7324adeec7661351b6d93] +description = 'Mainnet Derivative BODEN/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 -[ATOM] -peggy_denom = ibc/C4CFF46FD6DE35CA4CF4CE031E643C8FDC9BA4B99AE598E9B0ED98FE3A2319F9 -decimals = 6 +[0x85f12da064199cf316d69344f60c0c3bbf00cf619a455cfd340b84e3d4783246] +description = 'Mainnet Derivative BTC/wUSDM PERP' +base = 0 +quote = 18 +min_price_tick_size = 1000000000000000000 +min_display_price_tick_size = 1 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 -[AUTISM] -peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism -decimals = 6 +[0x0d4c722badb032f14dfc07355258a4bcbd354cbc5d79cb5b69ddd52b1eb2f709] +description = 'Mainnet Derivative BTC/wUSDM Perp' +base = 0 +quote = 18 +min_price_tick_size = 1000000000000000000 +min_display_price_tick_size = 1 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 -[AXS] -peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b +[ tether] +peggy_denom = inj1wpeh7cm7s0mj7m3x6vrf5hvxfx2xusz5l27evk decimals = 18 -[Arbitrum] -peggy_denom = ibc/8CF0E4184CA3105798EDB18CAA3981ADB16A9951FE9B05C6D830C746202747E1 -decimals = 8 - -[Axelar Wrapped USDC] -peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 +[$ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN decimals = 6 -[BLACK] -peggy_denom = factory/inj16eckaf75gcu9uxdglyvmh63k9t0l7chd0qmu85/black +[$AOI] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/$aoi decimals = 6 -[BONUS] -peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF -decimals = 8 +[$Babykira] +peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/BABYKIRA +decimals = 6 -[BRETT] -peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +[$NINJA] +peggy_denom = inj1yngv6had7vm443k220q9ttg0sc4zkpdwp70fmq decimals = 6 -[CANTO] -peggy_denom = ibc/D91A2C4EE7CD86BBAFCE0FA44A60DDD9AFBB7EEB5B2D46C0984DEBCC6FEDFAE8 -decimals = 18 +[$TunaSniper] +peggy_denom = inj1nmzj7jartqsex022j3kkkszeayypqkzl5vpe59 +decimals = 8 -[CHZ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +[$WIF] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl decimals = 8 -[CRE] -peggy_denom = ibc/3A6DD3358D9F7ADD18CDE79BA10B400511A5DE4AE2C037D7C9639B52ADAF35C6 +[$wifs] +peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoes decimals = 6 -[DOJO] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 -decimals = 18 - -[DOT] -peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 -decimals = 10 +[...] +peggy_denom = factory/inj1jj7z2f69374z6lmph44ztnxghgczyylqgc7tzw/dot +decimals = 6 -[ENA] -peggy_denom = peggy0x57e114B691Db790C35207b2e685D4A43181e6061 -decimals = 18 +[0XGNSS] +peggy_denom = inj1cfv8rrcete7vengcken0mjqt8q75vpcc0j0my5 +decimals = 8 -[ETHBTCTrend] -peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 +[1INCH] +peggy_denom = peggy0x111111111117dC0aa78b770fA6A738034120C302 decimals = 18 -[EVMOS] -peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 -decimals = 18 +[2024MEME] +peggy_denom = inj1m2w8aenm3365w8t4x7jvpassk9ju7xq3snahhh +decimals = 8 -[GF] -peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 -decimals = 18 +[4] +peggy_denom = ibc/F9823EBB2D7E55C5998A51A6AC1572451AB81CE1421E9AEF841902D78EA7B5AD +decimals = 0 -[GINGER] -peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/GINGER -decimals = 6 +[79228162514264337593543950342] +peggy_denom = ibc/80A315889AFA247F37386C42CC38EAAF25B8C7B8DA8FC5EC5D7EEC72DCE9B3D0 +decimals = 0 -[GRT] -peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 +[AAAA] +peggy_denom = inj1wlrndkkyj90jsp9mness2kqp5x0huzuhuhx28d decimals = 18 -[GYEN] -peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 -decimals = 6 - -[HDRO] -peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro -decimals = 6 +[AAVE] +peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 +decimals = 18 -[HUAHUA] -peggy_denom = ibc/E7807A46C0B7B44B350DA58F51F278881B863EC4DCA94635DAB39E52C30766CB +[ABC] +peggy_denom = factory/inj13njxly446jm3gd8y84qnk3sm6wu0pjjc47mwl6/ABC decimals = 6 -[INJ] -peggy_denom = inj +[ADA] +peggy_denom = inj1vla438tlw69h93crmq3wq9l79d6cqwecqef3ps decimals = 18 -[KATANA] -peggy_denom = factory/inj1vwn4x08hlactxj3y3kuqddafs2hhqzapruwt87/katana +[ADO] +peggy_denom = ibc/CF0C070562EC0816B09DDD9518328DCCFBE6C4388907EFF883FD4BE4E510005E decimals = 6 -[KAVA] -peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +[ADOLF] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/adolf decimals = 6 -[KIRA] -peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA -decimals = 6 +[AGIX] +peggy_denom = inj163fdg2e00gfdx9mjvarlgljuzt4guvx8ghhwml +decimals = 8 -[KUJI] -peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 +[AI] +peggy_denom = inj1sw0zn2vfy6wnfg0rht7r80tq3jq4ukjafjud7x +decimals = 8 + +[AININJA] +peggy_denom = inj1vun8dfgm6rr9xv40p4tpmd8lcc9cvt3384dv7w decimals = 6 -[LDO] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy +[AINJ] +peggy_denom = inj10k45sksxulzp7avvmt2fud25cmywk6u75pwgd2 decimals = 8 -[LINK] -peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA +[AJNIN] +peggy_denom = inj1msvvtt2e6rshp0fyqlp7gzceffzgymvwjucwyh decimals = 18 -[LUNA] -peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 +[AK47] +peggy_denom = factory/inj1y207pve646dtac77v7qehw85heuy92c03t7t07/ak47 decimals = 6 -[MATIC] -peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 -decimals = 18 - -[NEOK] -peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 -decimals = 18 - -[NINJA] -peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +[AKITA] +peggy_denom = factory/inj1z0yv9ljw68eh4pec2r790jw8yal4dt5wnu4wuk/akita decimals = 6 -[NONJA] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck +[ALASKA] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 decimals = 18 -[Noble USD Coin] -peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E +[ALCHECN] +peggy_denom = inj1fxmws9tyrfs7ewgkh0ktae3f5pqffd4uudygze decimals = 6 -[OMNI] -peggy_denom = peggy0x36E66fbBce51e4cD5bd3C62B637Eb411b18949D4 +[ALE] +peggy_denom = inj1yq0394aplhz94nrthglzsx2c29e8spyrq6u8ah decimals = 18 -[ORAI] -peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 +[ALEM] +peggy_denom = ibc/FE5CF6EA14A5A5EF61AFBD8294E7B245DF4523F6F3B38DE8CC65A916BCEA00B4 decimals = 6 -[PHUC] -peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc +[ALFAROMEO] +peggy_denom = inj1jvtzkr6cwd4dzeqq4q74g2qj3gp2gvmuar5c0t decimals = 6 -[PUG] -peggy_denom = peggy0xf9a06dE3F6639E6ee4F079095D5093644Ad85E8b -decimals = 18 +[ALIEN] +peggy_denom = factory/inj175fuhj3rlyttt255fsc6fwyteealzt67szpvan/ALIEN +decimals = 6 -[PYTH] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +[ALIENWARE] +peggy_denom = inj128hmvp03navfcad7fjdsdnjdaxsp8q8z9av3th decimals = 6 -[Pyth Network] -peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 +[ALIGATOR] +peggy_denom = inj1t6uqhmlgpju7265aelawdkvn3xqnq3jv8j60l7 decimals = 6 -[QNT] -peggy_denom = peggy0x4a220E6096B25EADb88358cb44068A3248254675 +[ALPHA] +peggy_denom = peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B decimals = 18 -[QUNT] -peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt +[ALPHANET] +peggy_denom = inj135fkkvwr9neffh40pgg24as5mwwuuku33n8zzw +decimals = 8 + +[AMM] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/AMM decimals = 6 -[SAGA] -peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 +[AMOGUS] +peggy_denom = factory/inj1a47ddtzh8le8ukznc9v3dvqs5w5anwjjvy8lqj/amogus decimals = 6 -[SNOWY] -peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/SNOWY +[ANALOS] +peggy_denom = inj1zr4fs5xkkf4h99sdalaxyglr3txjuewtyzjvg5 +decimals = 8 + +[ANBU] +peggy_denom = factory/inj1aqnupu0z86nyttmpejmgu57vx22wmuz9fdg7ps/ANBU decimals = 6 -[SNX] -peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F -decimals = 18 +[ANDR] +peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E +decimals = 6 -[SOL] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +[ANDRE] +peggy_denom = inj1qtqd73kkp9jdm7tzv3vrjn9038e6lsk929fel8 decimals = 8 -[SOMM] -peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +[ANDY] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/andy decimals = 6 -[STRD] -peggy_denom = ibc/3FDD002A3A4019B05A33D324B2F29748E77AF501BEA5C96D1F28B2D6755F9F25 -decimals = 6 +[ANIME] +peggy_denom = inj1mas82tve60sh3tkh879chgjkeaggxpeydwkl2n +decimals = 18 -[SUSHI] -peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 +[ANK] +peggy_denom = inj16lxeq4xcdefptg39p9x78z5hkn0849z9z7xkyt decimals = 18 -[TALIS] -peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis +[ANONS] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/ANONS decimals = 6 -[TIA] -peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 +[AOT] +peggy_denom = factory/inj1yjeq7tz86a8su0asaxckpa3a9rslfp97vpq3zq/AOT decimals = 6 -[UNI] -peggy_denom = peggy0x1f9840a85d5aF5bf1D1762F925BDADdC4201F984 +[APC] +peggy_denom = inj150382m6ah6lg3znprdrsggx38xl47fs4rmzy3m decimals = 18 -[USC Coin (Wormhole from Ethereum)] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +[APE] +peggy_denom = factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/APE decimals = 6 -[USD Coin (Wormhole from Solana)] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu +[APEINJ] +peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/apeinj decimals = 6 -[USDC] -peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 +[APOLLO] +peggy_denom = ibc/1D10FF873E3C5EC7263A7658CB116F9535EC0794185A8153F2DD662E0FA08CE5 decimals = 6 -[USDE] -peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 +[APP] +peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 decimals = 18 -[USDT] -peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 +[APPLE] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/APPLE decimals = 6 -[USDTkv] -peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB +[APSO] +peggy_denom = inj1sqsthjm8fpqc7seaa6lj08k7ja43jsd70rgy09 decimals = 6 -[USDY] -peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +[APT] +peggy_denom = inj1mrltq7kh35xjkdzvul9ky077khsa5qatc0ylxj decimals = 6 -[UST] -peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C +[AQLA] +peggy_denom = ibc/46B490B10E114ED9CE18FA1C92394F78CAA8A907EC72D66FF881E3B5EDC5E327 decimals = 6 -[W] -peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 -decimals = 6 +[ARB] +peggy_denom = ibc/F28C5C931D2673B7A2F06FC74934F7BDC0D2906D2AF40D582ED27D1E5C48D475 +decimals = 18 -[WBTC] -peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +[ARBlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd decimals = 8 -[WETH] -peggy_denom = peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2 +[ARCH] +peggy_denom = ibc/9C6E75FE14DF8959B7CC6E77398DF825B9815C753BB49D2860E303EA2FD803DD decimals = 18 -[WHALE] -peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 +[ARCHER] +peggy_denom = inj1ype9ps9ep2qukhuuyf4s2emr7qnexkcfa09p34 decimals = 6 -[WMATIC] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h -decimals = 8 +[ARIZO] +peggy_denom = inj1mdgw6dnw7hda2lancr0zgy6retrd2s5m253qud +decimals = 6 -[Wormhole Wrapped SOL] -peggy_denom = ibc/A8B0B746B5AB736C2D8577259B510D56B8AF598008F68041E3D634BCDE72BE97 -decimals = 8 +[ARKI] +peggy_denom = inj1zhnaq7aunhzp0q6g5nrac9dxe5dg0ws0sqzftv +decimals = 18 -[Wrapped Matic] -peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC +[ARMANI] +peggy_denom = ibc/0C04597A68991F93CE8C9EF88EA795179CD020695041D00911E5CFF023D415CC +decimals = 6 + +[ARTEMIS] +peggy_denom = inj1yt49wv3up03hnlsfd7yh6dqfdxwxayrk6as6al decimals = 8 -[XBX] -peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 +[ARVI] +peggy_denom = inj16ff6zvsaay89w7e5ukvz83f6f9my98s20z5ea3 decimals = 18 -[XIII] -peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIII -decimals = 6 +[ARYAN] +peggy_denom = inj16z7ja300985vuvkt975zyvtccu80xmzcfr4upt +decimals = 18 + +[ASG] +peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 +decimals = 8 + +[ASH] +peggy_denom = ibc/EED40547772504DF629EFEC08892E689CD14498B1C0AD766CD5075BBBEE3D808 +decimals = 6 + +[ASI] +peggy_denom = inj1wgd5c8l27w8sac4tdfcxl2zyu5cfurtuxdvfx9 +decimals = 18 + +[ASS] +peggy_denom = inj1fj7z77awl6srtmcuux3xgq995uempgx5hethh3 +decimals = 18 + +[ASSYN] +peggy_denom = factory/inj1qzn0ys7rht689z4p6pq99u6kc92jnkqyj02cur/ASSYN +decimals = 6 + +[ASTR] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +decimals = 18 + +[ASTRO] +peggy_denom = ibc/063F4461F7317CFF10F50AB044E44932D22AAD84FA7107082744946E6DB7B7A8 +decimals = 6 + +[ASTROBOT] +peggy_denom = inj153k5xjpqx39jm06gcxvjq5sxl8f7j79n72q9pz +decimals = 18 + +[ASTROGEMS] +peggy_denom = inj1xvlxqaxw0ef0596d96ecfwpta29y2jc9n5w9s9 +decimals = 8 + +[ASTROINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn +decimals = 8 + +[ASTROLAND] +peggy_denom = inj16q7u3mzp3qmm6vf5a9jfzp46rs2dj68cuktzyw +decimals = 8 + +[ASTROLOGY] +peggy_denom = inj1u9th8dxhyrkz3tr2h5s6z2yap2s6e6955jk4yf +decimals = 8 + +[ASTROPAD] +peggy_denom = inj1tvcarn0xz9p9rxrgev5a2qjmrtqtnl4xtu5vsu +decimals = 8 + +[ASTROPEPE] +peggy_denom = ibc/03BC83F4E4972621EAE3144FC91AED13AF3541A90A51B690425C95D1E03850D9 +decimals = 6 + +[ASTROSOL] +peggy_denom = inj12vy3zzany7gtl9l9hdkzgvvr597r2ta48tvylj +decimals = 8 + +[ASTROXMAS] +peggy_denom = inj19q50d6sgc3sv2hcvlfalc5kf2fc576v4nga849 +decimals = 8 + +[ASUKA] +peggy_denom = inj1c64fwq7xexhh58spf2eer85yz3uvv3y659j5dd +decimals = 18 + +[ASWC] +peggy_denom = factory/inj10emnhmzncp27szh758nc7tvl3ph9wfxgej5u5v/ASWC +decimals = 6 + +[ATOM] +peggy_denom = ibc/8D311D92BCD4E87F145DEB9DDA339416DEF7E13571D92A3521CAB0BF62760FBE +decimals = 6 + +[ATOM-LUNA-LP] +peggy_denom = ibc/0ED853D2B77215F953F65364EF1CA7D8A2BD7B7E3009196BBA18E884FE3D3576 +decimals = 6 + +[ATOM1KLFG] +peggy_denom = ibc/2061C894621F0F53F6FEAE9ABD3841F66D27F0D7368CC67864508BDE6D8C4522 +decimals = 6 + +[AUTISM] +peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism +decimals = 6 + +[AUUU] +peggy_denom = ibc/4CEF2F778CDA8306B6DE18A3A4C4450BEBC84F27FC49F91F3617A37203FE84B2 +decimals = 6 + +[AVAX] +peggy_denom = inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 +decimals = 8 + +[AXL] +peggy_denom = ibc/B68C1D2682A8B69E20BB921E34C6A3A2B6D1E13E3E8C0092E373826F546DEE65 +decimals = 6 + +[AXS] +peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b +decimals = 18 + +[AZUKI] +peggy_denom = inj1l5qrquc6kun08asp6dt50zgcxes9ntazyvs9eu +decimals = 8 + +[Aave] +peggy_denom = ibc/49265FCAA6CC20B59652C0B45B2283A260BB19FC183DE95C29CCA8E01F8B004C +decimals = 18 + +[Alaskan Malamute] +peggy_denom = inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 +decimals = 18 + +[Alien Token] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/aoi +decimals = 6 + +[Alpha Coin] +peggy_denom = inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u +decimals = 8 + +[Alpha Pro Club] +peggy_denom = inj1q2u8r40uh0ykqrjwszppz6yj2nvst4xvfvks29 +decimals = 8 + +[ApeCoin] +peggy_denom = ibc/8A13F5DA968B4D526E9DC5AE20B584FE62462E80AF06B9D0EA0B0DB35ABBBF27 +decimals = 18 + +[Apots Doge ] +peggy_denom = inj1dgnrks2s53jd5a0qsuhyvryhk4s03f5mxv9khy +decimals = 6 + +[April Fool's Day] +peggy_denom = inj1m9vaf9rm6qfjtq4ymupefkxjtv7vake0z4fc35 +decimals = 6 + +[Aptos Coin (Wormhole)] +peggy_denom = ibc/D807D81AB6C2983C9DCC2E1268051C4195405A030E1999549C562BCB7E1251A5 +decimals = 8 + +[Arbitrum] +peggy_denom = peggy0x912CE59144191C1204E64559FE8253a0e49E6548 +decimals = 18 + +[Arbitrum (legacy)] +peggy_denom = inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +decimals = 8 + +[Arbitrum axlETH] +peggy_denom = ibc/A124994412FAC16975DF2DA42D7AFDB538A1CFCE0E40FB19620BADF6292B0A62 +decimals = 18 + +[Artro] +peggy_denom = factory/inj13r3azv5009e8w3xql5g0tuxug974ps6eed0czz/Artro +decimals = 6 + +[Astar] +peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +decimals = 18 + +[Astro-Injective] +peggy_denom = inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn +decimals = 8 + +[AstroGems] +peggy_denom = inj122y9wxxmpyu2rj5ju30uwgdvk9sj020z2zt7rv +decimals = 8 + +[Astrophile] +peggy_denom = inj1y07h8hugnqnqvrpj9kmjpsva7pj4yjwjjkd0u4 +decimals = 18 + +[Axelar] +peggy_denom = peggy0x3eacbDC6C382ea22b78aCc158581A55aaF4ef3Cc +decimals = 6 + +[Axie Infinity Shard] +peggy_denom = ibc/EB519ECF709F0DB6BA1359F91BA2DDC5A07FB9869E1768D377EFEF9DF33DC4AB +decimals = 18 + +[BABY] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/GINGERDOG +decimals = 6 + +[BABY GINGER] +peggy_denom = factory/inj15zruc9fw2qw9sc3pvlup5qmmqsk5pcmck7ylhw/BABYGINGER +decimals = 6 + +[BABY NINJA] +peggy_denom = factory/inj1hs5chngjfhjwc4fsajyr50qfu8tjqsqrj9rf29/baby-ninja +decimals = 6 + +[BABYDEK] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/BABYDEK +decimals = 6 + +[BABYDGNZ] +peggy_denom = inj1tyvchyp04yscelq30q6vzngn9wvmjw446sw786 +decimals = 6 + +[BABYDOGE] +peggy_denom = inj1nk2x5ll6guwt84aagnw82e7ajmlwde6w2zmpdw +decimals = 6 + +[BABYGINGER] +peggy_denom = inj17uyp6dz3uyq40ckkzlgrze2k25zhgvdqa3yh0v +decimals = 6 + +[BABYHACHI] +peggy_denom = factory/inj1hjfm3z53dj4ct5nxef5ghn8hul0y53u7ytv8st/babyhachi +decimals = 6 + +[BABYINJ] +peggy_denom = inj1llatk73a2935vky6nzv78w80ff5v3etqadzv76 +decimals = 8 + +[BABYIPEPE] +peggy_denom = factory/inj14u2wghxjswct5uznt40kre5ct7a477m2ma5hsm/babyipepe +decimals = 6 + +[BABYKIRA] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/BABYKIRA +decimals = 6 + +[BABYKISHU] +peggy_denom = factory/inj15e7ah9tmmhyd3qafupnwe8uj74nc7gkehkrnuw/babykishu +decimals = 6 + +[BABYNINJA] +peggy_denom = inj16exmkvtzkqgxgl44w6793hzjta78f4zpyv8z9p +decimals = 6 + +[BABYPANDA] +peggy_denom = factory/inj19mznavp32fkmwzdyuute4al2lrjzvy6ym9em3h/babypanda +decimals = 6 + +[BABYPEPE] +peggy_denom = factory/inj1un9z8767u2r8snaqqcysnm9skxf36dspqx86sy/babypepe +decimals = 6 + +[BABYQUNT] +peggy_denom = factory/inj1xdm6zdjcwu4vy32yp2g2dazwg2ug50w2k7sy9p/BABYQUNT +decimals = 6 + +[BABYROLL] +peggy_denom = inj16rvlt87pmpntkyv3x4zfvgmyxt8ejj9mpcc72m +decimals = 18 + +[BABYSHROOM] +peggy_denom = inj1dch98v88yhksd8j4wsypdua0gk3d9zdmsj7k59 +decimals = 6 + +[BABYSPUUN] +peggy_denom = inj1n73ty9gxej3xk7c0hhktjdq3ppsekwjnhq98p5 +decimals = 6 + +[BAD] +peggy_denom = ibc/C04478BE3CAA4A14EAF4A47967945E92ED2C39E02146E1577991FC5243E974BB +decimals = 6 + +[BADKID] +peggy_denom = ibc/A0C5AD197FECAF6636F589071338DC7ECD6B0809CD3A5AB131EAAA5395E7E5E8 +decimals = 6 + +[BAG] +peggy_denom = ibc/CFD97474BEB91453470ABF422E94B4C55ACF2CBA300B1FE7ED494DB5F5E012B1 +decimals = 6 + +[BAJE] +peggy_denom = factory/inj10yymeqd0hydqmaq0gn6k6s8795svjq7gt5tmsf/BAJE +decimals = 6 + +[BALLOON] +peggy_denom = inj17p4x63h8gpfd7f6whmmcah6vq6wzzmejvkpqms +decimals = 18 + +[BAMBOO] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/bamboo +decimals = 6 + +[BAND] +peggy_denom = peggy0xBA11D00c5f74255f56a5E366F4F77f5A186d7f55 +decimals = 18 + +[BAPE] +peggy_denom = factory/inj16mnhqpzuj4s4ermuh76uffaq3r6rf8dw5v9rm3/BAPE +decimals = 6 + +[BAR] +peggy_denom = inj1hnap888nfhv2gnlp4zvjlyq9wmsw6hm3afvhuf +decimals = 18 + +[BARCA] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/barcelona +decimals = 6 + +[BARRY] +peggy_denom = inj1ykpcvay9rty363wtxr9749qgnnj3rlp94r302y +decimals = 18 + +[BASE] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/BASE +decimals = 6 + +[BASTARD] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/BASTARD +decimals = 6 + +[BAT] +peggy_denom = factory/inj1h75s3ne4vjpp3wtf300uv2xuz7r9lt2xu87jjk/BAT +decimals = 6 + +[BATMAN] +peggy_denom = inj158jjagrr499yfc6t5kd9c989tx6f7ukrulj280 +decimals = 6 + +[BAYC] +peggy_denom = bayc +decimals = 18 + +[BCA] +peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCA +decimals = 6 + +[BCAT] +peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCAT +decimals = 6 + +[BCC] +peggy_denom = factory/inj1hr4rj6k72emjh9u7l6zg58c0n0daezz68060aq/BCC +decimals = 6 + +[BCUBE] +peggy_denom = peggy0x93C9175E26F57d2888c7Df8B470C9eeA5C0b0A93 +decimals = 18 + +[BEANS] +peggy_denom = inj1j7e95jmqaqgazje8kvuzp6kh2j2pr6n6ffvuq5 +decimals = 8 + +[BEAR] +peggy_denom = factory/inj1jhwwydrfxe33r7ayy7nnrvped84njx97mma56r/BEAR +decimals = 6 + +[BEAST] +peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be +decimals = 6 + +[BECKHAM] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/beckham +decimals = 6 + +[BELL] +peggy_denom = factory/inj1ht2x2pyj42y4y48tj9n5029w8j9f4sxu0zkwq4/BELL +decimals = 6 + +[BENANCE] +peggy_denom = inj1292223n3vfhrxndvlzsvrrlkkyt7jyeydf77h0 +decimals = 6 + +[BENJAMIN] +peggy_denom = inj1cr970pgvudvgfva60jtxnztgsu5ngm7e80e7vd +decimals = 18 + +[BERB] +peggy_denom = inj1rlyw9tl7e5u9haunh39mh87clvmww5p39dd9kv +decimals = 18 + +[BERLIN] +peggy_denom = inj1atu2677agwrskzxj4a5dn8lq43nhmeyjz5tsfq +decimals = 18 + +[BERNESE] +peggy_denom = ibc/28E915262E40A4CA526D5BFB0BAF67A1C024F8318B779C3379147A6C26D11EA8 +decimals = 6 + +[BICHO] +peggy_denom = inj1hd42hz95w6w3rt5pkeuj783a5mtx8hx28p2eg9 +decimals = 18 + +[BIDEN] +peggy_denom = inj1d2ymlnpvqny9x2qfqykzp8geq3gmg9qrm3qwhe +decimals = 6 + +[BIGSHROOM] +peggy_denom = inj1kld2dd6xa5rs98v7afv3l57m6s30hyj8dcuhh4 +decimals = 6 + +[BIN] +peggy_denom = factory/inj1ax459aj3gkph6z0sxaddk6htzlshqlp5mfwqvx/catinbin +decimals = 6 + +[BINJ] +peggy_denom = inj14nursn4ezeqy9cgxmush6vk2p2wjsrucsl6gc9 +decimals = 18 + +[BINJANS] +peggy_denom = factory/inj1aj47a2vflavw92yyhn7rpa32f0dazf5cfj59v8/binjans +decimals = 6 + +[BINJE] +peggy_denom = inj1ufew4geh63l45ugk6aett2rdtatjm9xtycjcyd +decimals = 6 + +[BIRB] +peggy_denom = inj136zssf58vsk9uge7ulgpw9umerzcuu0kxdu5dj +decimals = 6 + +[BITCOIN] +peggy_denom = factory/inj1aj4yhftluexp75mlfmsm7sfjemrtt3rjkg3q3h/BITCOIN +decimals = 6 + +[BITS] +peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/bits +decimals = 6 + +[BITZ] +peggy_denom = ibc/01A69EE21F6A76CAA8D0DB900AF2789BF665B5B67D89A7D69E7ECF7F513CD0CA +decimals = 6 + +[BJNO] +peggy_denom = inj1jlugmrq0h5l5ndndcq0gyav3flwmulsmdsfh58 +decimals = 18 + +[BLACK] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/BLACK +decimals = 6 + +[BLACK PANTHER] +peggy_denom = inj12tkaz9e540zszf5vtlxc0aksywu9rejnwxmv3n +decimals = 18 + +[BLACKHOLE PROTOCOL] +peggy_denom = peggy0xd714d91A169127e11D8FAb3665d72E8b7ef9Dbe2 +decimals = 18 + +[BLD] +peggy_denom = ibc/B7933C59879BFE059942C6F76CAF4B1609D441AD22D54D42DAC00CE7918CAF1F +decimals = 6 + +[BLEND] +peggy_denom = ibc/45C0FE8ACE1C9C8BA38D3D6FDEBDE4F7198A434B6C63ADCEFC3D32D12443BB84 +decimals = 6 + +[BLISS] +peggy_denom = factory/inj15tz959pa5mlghhku2vm5sq45jpp4s0yf23mk6d/BLISS +decimals = 6 + +[BLOCKTOWER] +peggy_denom = inj1cnldf982xlmk5rzxgylvax6vmrlxjlvw7ss5mt +decimals = 8 + +[BLUE] +peggy_denom = factory/inj130nkx4u8p5sa2jl4apqlnnjlej2ymfq0e398w9/BLUE +decimals = 6 + +[BLUE CUB DAO] +peggy_denom = ibc/B692197280D4E62F8D9F8E5C0B697DC4C2C680ED6DE8FFF0368E0552C9215607 +decimals = 6 + +[BLUEINJ] +peggy_denom = inj1ss3d6gw5xzk5gdt9w4qhp3px62mqygk69uxwyv +decimals = 8 + +[BLUEINJECTIVE] +peggy_denom = inj1zkm3r90ard692tvrjrhu7vtkzlqpkjkdwwc57s +decimals = 8 + +[BMO] +peggy_denom = inj17fawlptgvptqwwtgxmz0prexrz2nel6zqdn2gd +decimals = 8 + +[BMOS] +peggy_denom = ibc/D9353C3B1407A7F7FE0A5CCB7D06249B57337888C95C6648AEAF2C83F4F3074E +decimals = 6 + +[BMSCWA] +peggy_denom = factory/inj1v888gdj5k9pykjca7kp7jdy6cdalfj667yws54/BabyMiloSillyCoqWifAnalos +decimals = 6 + +[BMW] +peggy_denom = inj1fzqfk93lrmn7pgmnssgqwrlmddnq7w5h3e47pc +decimals = 6 + +[BMX] +peggy_denom = inj12u37kzv3ax6ccja5felud8rtcp68gl69hjun4v +decimals = 18 + +[BNB] +peggy_denom = peggy0xB8c77482e45F1F44dE1745F52C74426C631bDD52 +decimals = 18 + +[BNINJA] +peggy_denom = factory/inj1k7tuhcp7shy4qwkwrg6ckjteucg44qfm79rkmx/BNINJA +decimals = 6 + +[BOB] +peggy_denom = inj1cwaw3cl4wscxadtmydjmwuelqw95w5rukmk47n +decimals = 18 + +[BOBURU] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/boburu +decimals = 6 + +[BODED] +peggy_denom = inj10xtrreumk28cucrtgse232s3gw2yxcclh0wswd +decimals = 6 + +[BODEN] +peggy_denom = boden +decimals = 9 + +[BOME] +peggy_denom = factory/inj1ne284hkg3yltn7aq250lghkqqrywmk2sk9x2yu/BOME +decimals = 6 + +[BONE] +peggy_denom = inj1kpp05gff8xgs0m9k7s2w66vvn53n77t9t6maqr +decimals = 6 + +[BONJA] +peggy_denom = factory/inj18v0e5dj2s726em58sg69sgmrnqmd08q5apgklm/bj +decimals = 6 + +[BONJO] +peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/BONJO +decimals = 6 + +[BONK] +peggy_denom = factory/inj1zy0r4d9s4zmssym0u46j5vxqatt5k5phfxt6rf/bonk +decimals = 18 + +[BONKINJ] +peggy_denom = inj173f5j4xtmah4kpppxgh8p6armad5cg5e6ay5qh +decimals = 6 + +[BONKJA] +peggy_denom = factory/inj1gc8fjmp9y8kfsy3s6yzucg9q0azcz60tm9hldp/bonkja +decimals = 6 + +[BONSAI] +peggy_denom = factory/inj13jx69l98q0skvwy3n503e0zcrh3wz9dcqxpwxy/bonsai +decimals = 6 + +[BONUS] +peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF +decimals = 8 + +[BOOM] +peggy_denom = inj1xuu84fqdq45wdqj38xt8fhxsazt88d7xumhzrn +decimals = 18 + +[BOOSH] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/boosh +decimals = 6 + +[BOY] +peggy_denom = ibc/84DA08CF29CD08373ABB0E36F4E6E8DC2908EA9A8E529349EBDC08520527EFC2 +decimals = 6 + +[BOYS] +peggy_denom = factory/inj1q7unmeeqkj8r4m4en50wqlfnptfvgf0wavuah8/BOYS +decimals = 6 + +[BOZO] +peggy_denom = inj1mf5dj5jscuw3z0eykkfccy2rfz7tvugvw2rkly +decimals = 18 + +[BPEPE] +peggy_denom = inj1pel9sz78wy4kphn2k7uwv5f6txuyvtrxn9j6c3 +decimals = 8 + +[BRETT] +peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +decimals = 6 + +[BRNZ] +peggy_denom = ibc/713B768D6B89E4DEEFDBE75390CA2DC234FAB6A016D3FD8D324E08A66BF5070F +decimals = 0 + +[BRO] +peggy_denom = factory/inj1cd4q88qplpve64hzftut2cameknk2rnt45kkq5/BRO +decimals = 6 + +[BRRR] +peggy_denom = inj16veue9c0sz0mp7dnf5znsakqwt7cnjpwz3auau +decimals = 18 + +[BRUCELEE] +peggy_denom = inj1dtww84csxcq2pwkvaanlfk09cer93xzc9kwnzf +decimals = 6 + +[BRZ] +peggy_denom = peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B +decimals = 4 + +[BSKT] +peggy_denom = ibc/2138C4EA63EFD757D42F75B90177FE34A9508DC0046DC48844CFF26659AE7A9D +decimals = 5 + +[BTC] +peggy_denom = btc +decimals = 8 + +[BTCETF] +peggy_denom = inj1gzmkap8g09h70keaph9utxy9ahjvuuhk5tzpw9 +decimals = 18 + +[BUFFON] +peggy_denom = inj16m2tnugwtrdec80fxvuaxgchqcdpzhf2lrftck +decimals = 18 + +[BUGS] +peggy_denom = factory/inj1zzc2wt4xzy9yhxz7y8mzcn3s6zwvajyutgay3c/BUGS +decimals = 6 + +[BUILD] +peggy_denom = inj1z9utpqxm586476kzpk7nn2ukhnydmu8vchhqlu +decimals = 18 + +[BUL] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bul +decimals = 6 + +[BULL] +peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/BULL +decimals = 6 + +[BULLS] +peggy_denom = factory/inj1zq37mfquqgud2uqemqdkyv36gdstkxl27pj5e3/bulls +decimals = 6 + +[BURGE] +peggy_denom = inj1xcmamawydqlnqde7ah3xq7gzye9acwkmc5k5ne +decimals = 18 + +[BUS] +peggy_denom = inj1me9svqmf539hfzrfhw2emm2s579kv73w77u8yz +decimals = 18 + +[BUSD] +peggy_denom = peggy0x4Fabb145d64652a948d72533023f6E7A623C7C53 +decimals = 18 + +[BUSD (BEP-20)] +peggy_denom = ibc/A8F9B4EC630F52C13D715E373A0E7B57B3F8D870B4168DADE0357398712ECC0E +decimals = 18 + +[BWH] +peggy_denom = ibc/9A31315BECC84265BCF32A31E4EB75C3B59ADCF8CCAE3C6EF8D0DF1C4EF829EB +decimals = 6 + +[BYE] +peggy_denom = inj1zfaug0dfg7zmd888thjx2hwuas0vl2ly4euk3r +decimals = 18 + +[Baby Corgi] +peggy_denom = ibc/9AC0F8299A5157831C7DF1AE52F178EFBA8D5E1826D4DD539441E3827FFCB873 +decimals = 6 + +[Baby DOJO Token] +peggy_denom = inj19dtllzcquads0hu3ykda9m58llupksqwekkfnw +decimals = 6 + +[Baby Dog Wif Nunchucks] +peggy_denom = inj1nddcunwpg4cwyl725lvkh9an3s5cradaajuwup +decimals = 8 + +[Baby Ninja] +peggy_denom = factory/inj1h3y27yhly6a87d95937jztc3tupl3nt8fg3lcp/BABYNINJA +decimals = 6 + +[Baby Nonja] +peggy_denom = inj1pchqd64c7uzsgujux6n87djwpf363x8a6jfsay +decimals = 18 + +[BabyBonk] +peggy_denom = inj1kaad0grcw49zql08j4xhxrh8m503qu58wspgdn +decimals = 18 + +[BabyInjective] +peggy_denom = inj1dvflqrkkaxped5cmks92q6vmtzx75cge9gvvap +decimals = 8 + +[Babykira] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/$babykira +decimals = 6 + +[Babyroll] +peggy_denom = inj1qd60tuupdtq2ypts6jleq60kw53d06f3gc76j5 +decimals = 18 + +[Baguette] +peggy_denom = inj15a3yppu5h3zktk2hkq8f3ywhfpqqrwft8awyq0 +decimals = 18 + +[Bamboo] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/boo +decimals = 6 + +[Base axlETH] +peggy_denom = ibc/FD8134B9853AABCA2B22A942B2BFC5AD59ED84F7E6DFAC4A7D5326E98DA946FB +decimals = 18 + +[Basket] +peggy_denom = inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 +decimals = 5 + +[Benance] +peggy_denom = inj1gn8ss00s3htff0gv6flycgdqhc9xdsmvdpzktd +decimals = 8 + +[BetaDojo] +peggy_denom = inj1p6cj0r9ne63xhu4yr2vhntkzcfvt8gaxt2a5mw +decimals = 6 + +[Binance Coin] +peggy_denom = ibc/AAED29A220506DF2EF39E43B2EE35717636502267FF6E0343B943D70E2DA59EB +decimals = 18 + +[Binance USD] +peggy_denom = ibc/A62F794AAEC56B6828541224D91DA3E21423AB0DC4D21ECB05E4588A07BD934C +decimals = 18 + +[Binu] +peggy_denom = inj1myh9um5cmpghrfnh620cnauxd8sfh4tv2mcznl +decimals = 18 + +[Bird INJ] +peggy_denom = factory/inj125hcdvz9dnhdqal2u8ctr7l0hd8xy9wdgzt8ld/binj +decimals = 6 + +[BitSong] +peggy_denom = peggy0x05079687D35b93538cbd59fe5596380cae9054A9 +decimals = 18 + +[Bitcoin] +peggy_denom = inj1ce249uga9znmc3qk2jzr67v6qxq73pudfxhwqx +decimals = 8 + +[Bitcosmos] +peggy_denom = ibc/E440667C70A0C9A5AD5A8D709731289AFB92301D64D70D0B33D18EF4FDD797FE +decimals = 6 + +[Black] +peggy_denom = inj1nuwasf0jsj3chnvzfddh06ft2fev3f5g447u2f +decimals = 18 + +[BlueInjective] +peggy_denom = inj17qsyspyh44wjch355pr72wzfv9czt5cw3h7vrr +decimals = 8 + +[Bnana] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/banana +decimals = 18 + +[Bonded Crescent] +peggy_denom = ibc/D9E839DE6F40C036592B6CEDB73841EE9A18987BC099DD112762A46AFE72159B +decimals = 6 + +[Bonjo] +peggy_denom = inj19w5lfwk6k9q2d8kxnwsu4962ljnay85f9sgwn6 +decimals = 18 + +[Bonk] +peggy_denom = ibc/C951FBB321708183F5A14811A3D099B3D73457D12E193E2B8429BDDCC6810D5A +decimals = 5 + +[Bonk Injective] +peggy_denom = factory/inj15705jepx03fxl3sntfhdznjnl0mlqwtdvyt32d/bonk +decimals = 18 + +[Bonk on INJ] +peggy_denom = factory/inj147laec3n2gq8gadzg8xthr7653r76jzhavemhh/BONK +decimals = 6 + +[BonkToken] +peggy_denom = inj1jzxkr7lzzljdsyq8483jnduvpwtq7ny5x4ch08 +decimals = 8 + +[Boomer] +peggy_denom = inj1ethjlrk28wqklz48ejtqja9yfft8t4mm92m2ga +decimals = 18 + +[Brazilian Digital Token] +peggy_denom = inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk +decimals = 4 + +[Brett] +peggy_denom = inj1zhce7csk22mpwrfk855qhw4u5926u0mjyw4df6 +decimals = 18 + +[Bull] +peggy_denom = inj1j82m0njz2gm0eea0ujmyjdlq2gzvwkvqapxeuw +decimals = 8 + +[CAC] +peggy_denom = ibc/97D9F67F798DBB31DAFA9CF4E791E69399E0FC3FC2F2A54066EE666052E23EF6 +decimals = 6 + +[CACTUS] +peggy_denom = inj16ch9sx5c6fa6lnndh7vunrjsf60h67hz988hdg +decimals = 18 + +[CAD] +peggy_denom = cad +decimals = 6 + +[CAL] +peggy_denom = inj1a9pvrzmymj7rvdw0cf5ut9hkjsvtg4v8cqae24 +decimals = 18 + +[CANTO] +peggy_denom = ibc/6C55598A43348E41BCE1CE3C9313208CB953A036955869C47C3265A3BE2BB8D4 +decimals = 18 + +[CAPY] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/capybara +decimals = 6 + +[CARTEL] +peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/cartel +decimals = 6 + +[CASINO] +peggy_denom = inj12zqf6p9me86493yzpr9v3kmunvjzv24fg736yd +decimals = 18 + +[CASSIO] +peggy_denom = inj179m94j3vkvpzurq2zpn0q9uxdfuc4nq0p76h6w +decimals = 8 + +[CAT] +peggy_denom = inj129hsu2espaf4xn8d2snqyaxrhf0jgl4tzh2weq +decimals = 18 + +[CATCOIN] +peggy_denom = inj1rwhc09dv2c9kg6d63t3qp679jws04p8van3yu8 +decimals = 8 + +[CATINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/catinj +decimals = 6 + +[CATNIP] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIPPY +decimals = 6 + +[CBG] +peggy_denom = inj19k6fxafkf8q595lvwrh3ejf9fuz9m0jusncmm6 +decimals = 18 + +[CDT] +peggy_denom = ibc/25288BA0C7D146D37373657ECA719B9AADD49DA9E514B4172D08F7C88D56C9EF +decimals = 6 + +[CEL] +peggy_denom = peggy0xaaAEBE6Fe48E54f431b0C390CfaF0b017d09D42d +decimals = 4 + +[CELL] +peggy_denom = peggy0x26c8AFBBFE1EBaca03C2bB082E69D0476Bffe099 +decimals = 18 + +[CENTER] +peggy_denom = inj1khd6f66tp8dd4f58dzsxa5uu7sy3phamkv2yr8 +decimals = 8 + +[CERBERUS] +peggy_denom = inj1932un3uh05nxy4ej50cfc3se096jd6w3jvl69g +decimals = 6 + +[CET] +peggy_denom = factory/inj1hst0759zk7c29rktahm0atx7tql5x65jnsc966/CET +decimals = 6 + +[CGLP] +peggy_denom = ibc/6A3840A623A809BC76B075D7206302622180D9FA8AEA59067025812B1BC6A1CC +decimals = 18 + +[CHAD] +peggy_denom = inj12e5vzu6a8jqr5dnl4mh04hdskjnx9rw5n86exk +decimals = 6 + +[CHAININJ] +peggy_denom = inj143rjlwt7r28wn89r39wr76umle8spx47z0c05d +decimals = 8 + +[CHAKRA] +peggy_denom = factory/inj13zsd797dnkgpxcrf3zxxjzykzcz55tw7kk5x3y/CHAKRA +decimals = 6 + +[CHAMP] +peggy_denom = inj1gnde7drvw03ahz84aah0qhkum4vf4vz6mv0us7 +decimals = 8 + +[CHAMPION] +peggy_denom = inj1rh94naxf7y20qxct44mrlawyhs79d06zmprv70 +decimals = 8 + +[CHARM] +peggy_denom = inj1c2e37gwl2q7kvuxyfk5c0qs89rquzmes0nsgjf +decimals = 8 + +[CHEEMS] +peggy_denom = factory/inj1mck4g2zd7p057un8l3kfamsyj57w7gymgrdyjw/cheems +decimals = 6 + +[CHEESE] +peggy_denom = inj1p6v3qxttvh36x7gxpwl9ltnmc6a7cgselpd7ya +decimals = 18 + +[CHELE] +peggy_denom = factory/inj16fsle0ywczyf8h4xfpwntg3mnv7cukd48nnjjp/CHELE +decimals = 6 + +[CHEN] +peggy_denom = factory/inj1s79ssggksqujyrwhq5zwxart33t98mmm2xd8f7/CHEN +decimals = 6 + +[CHI] +peggy_denom = inj198rrzmcv69xay8xuhalqz2z02egmsyzp08mvkk +decimals = 18 + +[CHICKEN] +peggy_denom = factory/inj1gqeyl6704zr62sk2lsprt54gcwc6y724xvlgq2/CHICKEN +decimals = 6 + +[CHIKU] +peggy_denom = factory/inj1g8s4usdsy7gujf96qma3p8r2a7m02juzfm4neh/CHIKU +decimals = 6 + +[CHINMOY] +peggy_denom = inj1t52r8h56j9ctycqhlkdswhjjn42s6dnc6huwzs +decimals = 18 + +[CHOCOLATE] +peggy_denom = inj1slny6cqjkag3hgkygpq5nze6newysqpsfy0dxj +decimals = 6 + +[CHONK] +peggy_denom = inj17aze0egvc8hrmgf25kkhlw3720vurz99pdp58q +decimals = 18 + +[CHOWCHOW] +peggy_denom = inj1syqdgn79wnnlzxd63g2h00rzx90k6s2pltec6w +decimals = 6 + +[CHROME] +peggy_denom = inj1k20q72a4hxt0g20sx3rcnjvhfye6u3k6dhx6nc +decimals = 6 + +[CHROMIUM] +peggy_denom = inj1plmyzu0l2jku2yw0hnh8x6lw4z5r2rggu6uu05 +decimals = 8 + +[CHUN] +peggy_denom = factory/inj19tjhqehpyq4n05hjlqyd7c5suywf3hcuvetpcr/CHUN +decimals = 9 + +[CHUNGUS] +peggy_denom = factory/inj1khr6lahyjz0wgnwzuu4dk5wz24mjrudz6vgd0z/bigchungus +decimals = 6 + +[CHZ] +peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF +decimals = 18 + +[CHZlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 + +[CINU] +peggy_denom = inj14pq4ewrxju997x0y7g2ug6cn3lqyp66ygz5x6s +decimals = 8 + +[CIRCUS] +peggy_denom = ibc/AEE5A4EF1B28693C4FF12F046C17197E509030B18F70FE3D74F6C3542BB008AD +decimals = 6 + +[CITY] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/CITY +decimals = 6 + +[CJN] +peggy_denom = inj1eln607626f3j058rfh4xd3m4pd728x2cnxw4al +decimals = 18 + +[CLEO] +peggy_denom = inj1fr66v0vrkh55yg6xfw845q78kd0cnxmu0d5pnq +decimals = 18 + +[CLEVER] +peggy_denom = inj1f6h8cvfsyz450kkcqmy53w0y4qnpj9eylsazww +decimals = 18 + +[CLON] +peggy_denom = ibc/695B1D16DE4D0FD293E6B79451640974080B59AA60942974C1CC906568DED795 +decimals = 6 + +[CNJ] +peggy_denom = inj1w38vdrkemf8s40m5xpqe5fc8hnvwq3d794vc4a +decimals = 18 + +[COCA] +peggy_denom = ibc/8C82A729E6D74B03797962FE5E1385D87B1DFD3E0B58CF99E0D5948F30A55093 +decimals = 6 + +[COCK] +peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/COCK +decimals = 6 + +[COCKPIT] +peggy_denom = factory/inj15u2mc2vyh2my4qcuj5wtv27an6lhjrnnydr926/COCKPIT +decimals = 9 + +[COFFEE] +peggy_denom = inj166gumme9j7alwh64uepatjk4sw3axq84ra6u5j +decimals = 6 + +[COFFEIN] +peggy_denom = inj18me8d9xxm340zcgk5eu8ljdantsk8ktxrvkup8 +decimals = 18 + +[COKE] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +decimals = 6 + +[COMP] +peggy_denom = peggy0xc00e94Cb662C3520282E6f5717214004A7f26888 +decimals = 18 + +[CONK] +peggy_denom = inj18vcz02pukdr2kak6g2p34krgdddan2vlpzmqju +decimals = 8 + +[CONK2.0] +peggy_denom = inj1zuz0rpg224mrpz2lu6npta34yc48sl7e5sndly +decimals = 8 + +[CONT] +peggy_denom = inj1vzpegrrn6zthj9ka93l9xk3judfx23sn0zl444 +decimals = 18 + +[COOK] +peggy_denom = factory/inj1pqpmffc7cdfx7tv9p2347ghgxdaell2xjzxmy6/COOK +decimals = 6 + +[COOKIG] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/COOKIG +decimals = 6 + +[COOL] +peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/coolcat +decimals = 6 + +[COPE] +peggy_denom = inj1lchcdq3rqc2kaupt6fwshd7fyj7p0mpkeknkyw +decimals = 18 + +[COQ] +peggy_denom = inj1lefh6m9ldqm55ume0j52fhhw6tzmx9pezkqhzp +decimals = 18 + +[CORE] +peggy_denom = inj1363eddx0m5mlyeg9z9qjyvfyutrekre47kmq34 +decimals = 18 + +[CORGI] +peggy_denom = inj129t9ywsya0tyma00xy3de7q2wnah7hrw7v9gvk +decimals = 18 + +[CORONA] +peggy_denom = inj1md4ejkx70463q3suv68t96kjg8vctnpf3ze2uz +decimals = 18 + +[COSMO] +peggy_denom = factory/inj1je6n5sr4qtx2lhpldfxndntmgls9hf38ncmcez/COSMO +decimals = 6 + +[COSMWASM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex +decimals = 8 + +[COST] +peggy_denom = inj1hlwjvef4g4tdsa5erdnzfzd8ufcw403a6558nm +decimals = 18 + +[COVID] +peggy_denom = inj1ce38ehk3cxa7tzcq2rqmgek9hc3gdldvxvtzqy +decimals = 6 + +[COWBOY] +peggy_denom = inj1dp7uy8sa0sevnj65atsdah0sa6wmwtfczwg08d +decimals = 6 + +[CP] +peggy_denom = factory/inj1300jzt0tyjg8x4txsfs79l29k556vqqk22c7es/cope +decimals = 6 + +[CPINJ] +peggy_denom = factory/inj1qczkutnsy3nmt909xtyjy4rsrkl2q4dm6aq960/coping +decimals = 6 + +[CR7] +peggy_denom = factory/inj1v25y8fcxfznd2jkz2eh5cy2520jpvt3felux66/CR7 +decimals = 6 + +[CRAB] +peggy_denom = factory/inj1fx2mj8532ynky2xw0k8tr46t5z8u7cjvpr57tq/crabfu +decimals = 6 + +[CRAB APPLE] +peggy_denom = inj1ku7f3v7z3dd9hrp898xs7xnwmmwzw32tkevahk +decimals = 18 + +[CRASH] +peggy_denom = inj1k3rankglvxjxzsaqrfff4h5ttwcjjh3m4l3pa2 +decimals = 8 + +[CRAZYHORSE] +peggy_denom = ibc/7BE6E83B27AC96A280F40229539A1B4486AA789622255283168D237C41577D3B +decimals = 6 + +[CRBRUS] +peggy_denom = ibc/F8D4A8A44D8EF57F83D49624C4C89EECB1472D6D2D1242818CDABA6BC2479DA9 +decimals = 6 + +[CRE] +peggy_denom = ibc/DDE000907D85FB1F358B3FBB1143452BE13F68E0BEA0DFFD8787095B76EEE0A1 +decimals = 6 + +[CRINJ] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/crinj +decimals = 6 + +[CRITPO] +peggy_denom = factory/inj1safqtpalmkes3hlyr0zfdr0dw4aaxulh306n67/CRITPO +decimals = 7 + +[CRN] +peggy_denom = inj1wcj4224qpghv94j8lzq8c2m9wa4f2slhqcxm9y +decimals = 18 + +[CROCO] +peggy_denom = factory/inj1y6zxg76ltrjdx7xppvtrdqlc5ujyhfra8aqr3f/CROCO +decimals = 6 + +[CROCO_NINJA] +peggy_denom = factory/inj1c0tfeukmrw69076w7nffjqhrswp8vm9rr6t3eh/CROCO +decimals = 6 + +[CRT] +peggy_denom = inj10qt8pyaenyl2waxaznez6v5dfwn05skd4guugw +decimals = 18 + +[CRYPB] +peggy_denom = inj1p82fws0lzshx2zg2sx5c5f855cf6wht9uudxg0 +decimals = 18 + +[CRseven] +peggy_denom = inj19jp9v5wqz065nhr4uhty9psztlqeg6th0wrp35 +decimals = 6 + +[CTAX] +peggy_denom = inj1mwj4p98clpf9aldzcxn7g8ffzrwz65uszesdre +decimals = 18 + +[CTO] +peggy_denom = inj19kk6ywwu5h0rnz4453gyzt3ymgu739egv954tf +decimals = 18 + +[CUB] +peggy_denom = ibc/5CB35B165F689DD57F836C6C5ED3AB268493AA5A810740446C4F2141664714F4 +decimals = 6 + +[CUIT] +peggy_denom = factory/inj1zlmrdu0ntnmgjqvj2a4p0uyrg9jw802ld00x7c/CUIT +decimals = 6 + +[CVR] +peggy_denom = peggy0x3C03b4EC9477809072FF9CC9292C9B25d4A8e6c6 +decimals = 18 + +[CW20] +peggy_denom = inj1c2mjatph5nru36x2kkls0pwpez8jjs7yd23zrl +decimals = 18 + +[CW20-wrapped inj] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12kq4zh7kckuu0rfpxcr9l6l2x26ajf23uc0w55 +decimals = 18 + +[CWIFLUCK] +peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWIFLUCK +decimals = 6 + +[CWL] +peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWL +decimals = 6 + +[CWT] +peggy_denom = factory/inj1j5hqczk6ee2zsuz7kjt5nshxcjg5g69njxe6ny/inj-cttoken +decimals = 18 + +[Canto] +peggy_denom = ibc/5C0C70B490A3568D40E81884F200716F96FCE8B0A55CB5EE41C1E369E6086CCA +decimals = 18 + +[Cat] +peggy_denom = inj1eerjxzvwklcgvclj9m2pulqsmpentaes8h347x +decimals = 18 + +[Cat WIF luck] +peggy_denom = inj1mqurena8qgf775t28feqefnp63qme7jyupk4kg +decimals = 18 + +[Cat Wif Luck] +peggy_denom = inj19lwxrsr2ke407xw2fdgs80f3rghg2pueqae3vf +decimals = 6 + +[CatInjective] +peggy_denom = inj1p2w55xu2yt55rydrf8l6k79kt3xmjmmsnn3mse +decimals = 8 + +[Chainlink] +peggy_denom = ibc/AC447F1D6EDAF817589C5FECECB6CD3B9E9EFFD33C7E16FE8820009F92A2F585 +decimals = 18 + +[Chb] +peggy_denom = inj1fvzre25nqkakvwmjr8av5jrfs56dk6c8sc6us9 +decimals = 8 + +[CheeseBalls] +peggy_denom = inj1usr473hh8hlff874tvcl4pe6qzsmc08w3k32nd +decimals = 6 + +[Chiliz (legacy)] +peggy_denom = inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 + +[Chonk] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/Chonk +decimals = 6 + +[Chonk The Cat] +peggy_denom = inj1ftq3h2y70hrx5rn5a26489drjau9qel58h3gfr +decimals = 18 + +[Circle USD] +peggy_denom = ibc/8F3ED95BF70AEC83B3A557A7F764190B8314A93E9B578DE6A8BDF00D13153708 +decimals = 6 + +[CosmWasm] +peggy_denom = inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex +decimals = 8 + +[Cosmic] +peggy_denom = inj19zcnfvv3qazdhgtpnynm0456zdda5yy8nmsw6t +decimals = 18 + +[Cosmo] +peggy_denom = factory/osmo1ua9rmqtmlyv49yety86ys8uqx3hawfkyjr0g7t/Cosmo +decimals = 6 + +[Cosmos] +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +decimals = 6 + +[Crinj Token] +peggy_denom = factory/inj1kgyxepqnymx8hy7nydl65w3ecyut566pl70swj/crinj +decimals = 6 + +[D.a.r.e] +peggy_denom = inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej +decimals = 18 + +[DAB] +peggy_denom = factory/inj1n8w9wy72cwmec80qpjsfkgl67zft3j3lklg8fg/DAB +decimals = 6 + +[DAI] +peggy_denom = ibc/433133545CF68587777A01C3EFCF720EFE1B42F14AB2153D349DC4559984F2E8 +decimals = 6 + +[DANJER] +peggy_denom = factory/inj1xzk83u23djtynmz3a3h9k0q454cuhsn3y9jhr3/DANJER +decimals = 6 + +[DAOJO] +peggy_denom = inj1jusxykgkl04rgaam65gmvyyymth9flxjdpdruh +decimals = 9 + +[DATOSHI] +peggy_denom = inj1rp63ym52lawyuha4wvn8gy33ccqtpj5pu0n2ef +decimals = 18 + +[DBT] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/dbt +decimals = 6 + +[DBTT] +peggy_denom = inj1wwga56n4glj9x7cnuweklepl59hp95g9ysg283 +decimals = 18 + +[DDD] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/ddd +decimals = 6 + +[DDL] +peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDL +decimals = 6 + +[DDLTest] +peggy_denom = inj10zhn525tfxf5j34dg5uh5js4fr2plr4yydasxd +decimals = 18 + +[DEFI5] +peggy_denom = peggy0xfa6de2697D59E88Ed7Fc4dFE5A33daC43565ea41 +decimals = 18 + +[DEFIKINGS] +peggy_denom = inj18h33x5qcr44feutwr2cgazaalcqwtpez57nutx +decimals = 8 + +[DEGGZ] +peggy_denom = inj1uv2arm5gzd35zrxd7ghsslegn0cwpc9jwc0enz +decimals = 18 + +[DEK] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dek +decimals = 6 + +[DEK on INJ] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dekinj +decimals = 1 + +[DEXTER] +peggy_denom = inj1nlcg7dgufuytaa2sfxam5hm0l38dyv3uk47kdf +decimals = 18 + +[DGNZ] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/DGNZ +decimals = 6 + +[DIB] +peggy_denom = inj1nzngv0ch009jyc0mvm5h55d38c32sqp2fjjws9 +decimals = 18 + +[DICE] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/DICE +decimals = 6 + +[DICES] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/dices +decimals = 6 + +[DICK] +peggy_denom = factory/inj1wqk200kkyh53d5px5zc6v8usq3pluk07r4pxpu/DICK +decimals = 6 + +[DIDX] +peggy_denom = factory/inj1w24j0sv9rvv473x6pqfd2cnnxtk6cvrh5ek89e/DIDX +decimals = 6 + +[DINHEIROS] +peggy_denom = ibc/306269448B7ED8EC0DB6DC30BAEA279A9190E1D583572681749B9C0D44915DAB +decimals = 0 + +[DINO] +peggy_denom = inj1zx9tv9jg98t0fa7u9882gjrtansggmakmwnenm +decimals = 18 + +[DITTO] +peggy_denom = inj1vtg4almersef8pnyh5lptwvcdxnrgqp0zkxafu +decimals = 6 + +[DNA] +peggy_denom = ibc/AE8E20F37C6A72187633E418169758A6974DD18AB460ABFC74820AAC364D2A13 +decimals = 6 + +[DOCE] +peggy_denom = inj1xx8qlk3g9g3cyqs409strtxq7fuphzwzd4mqzw +decimals = 18 + +[DOGE] +peggy_denom = factory/inj1ghcjw8w7a7ettwn97fadhamywvwf7kk3mhkndy/DOGE +decimals = 6 + +[DOGECoin] +peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGE +decimals = 6 + +[DOGEINJ] +peggy_denom = inj1qaakagef76lgu56uhdc9rdsycdrznf7pjfjt2c +decimals = 6 + +[DOGEINJCoin] +peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGEINJ +decimals = 6 + +[DOGEKIRA] +peggy_denom = inj1xux4gj0g3u8qmuasz7fsk99c0hgny4wl7hfzqu +decimals = 6 + +[DOGENINJA] +peggy_denom = inj1wjv6l090h9wgwr6lc58mj0xphg50mzt8y6dfsy +decimals = 6 + +[DOGGO] +peggy_denom = factory/inj1a4qjk3ytal0alrq566zy6z7vjv6tgrgg0h7wu9/DOGGO +decimals = 6 + +[DOGINJBREAD] +peggy_denom = inj1s4srnj2cdjf3cgun57swe2je8u7n3tkm6kz257 +decimals = 18 + +[DOGOFTHUN] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/DOGOFTHUN +decimals = 6 + +[DOGWIF] +peggy_denom = inj16ykyeaggxaqzj3x85rjuk3xunky7mg78yd2q32 +decimals = 8 + +[DOINJ] +peggy_denom = inj1swqv8e6e8tmyeqwq3rp43pfsr75p8wey7vrh0u +decimals = 8 + +[DOJ] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/doj +decimals = 6 + +[DOJO] +peggy_denom = inj1wjh8gnp7a6yfcldnp82s0e4yt7n98xpm363c38 +decimals = 18 + +[DOJO SWAP] +peggy_denom = inj1qzqlurx22acr4peuawyj3y95v9r9sdqqrafwqa +decimals = 18 + +[DOJODOG] +peggy_denom = factory/inj1s0awzzjfr92mu6t6h85jmq6s9f6hxnqwpmy3f7/DOJODOG +decimals = 6 + +[DOJOshroom] +peggy_denom = inj194l9mfrjsthrvv07d648q24pvpfkntetx68e7l +decimals = 6 + +[DOJSHIB] +peggy_denom = inj17n55k95up6tvf6ajcqs6cjwpty0j3qxxfv05vd +decimals = 18 + +[DOKI] +peggy_denom = ibc/EA7CE127E1CFD7822AD169019CAFDD63D0F5A278DCE974F438099BF16C99FB8B +decimals = 6 + +[DON] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/don +decimals = 6 + +[DONALD TRUMP] +peggy_denom = inj1mdf4myxfhgranmzew5kg39nv5wtljwksm9jyuj +decimals = 18 + +[DONK] +peggy_denom = inj1jargzf3ndsadyznuj7p3yrp5grdxsthxyfp0fj +decimals = 6 + +[DONKEY] +peggy_denom = inj1ctczwjzhjjes7vch52anvr9nfhdudq6586kyze +decimals = 18 + +[DONNA] +peggy_denom = inj17k4lmkjl963pcugn389d070rh0n70f5mtrzrvv +decimals = 18 + +[DONOTBUY] +peggy_denom = inj197p39k7ued8e6r5mnekg47hphap8zcku8nws5y +decimals = 6 + +[DOOMER] +peggy_denom = factory/inj1lqv3a2hxggzall4jekg7lpe6lwqsjevnm9ztnf/doomer +decimals = 6 + +[DOPE] +peggy_denom = factory/inj1tphwcsachh92dh5ljcdwexdwgk2lvxansym77k/DOPE +decimals = 0 + +[DORA] +peggy_denom = ibc/BC3AD52E42C6E1D13D2BDCEB497CF5AB9FEE24D804F5563B9E7DCFB825246947 +decimals = 18 + +[DOT] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[DRACO] +peggy_denom = inj14g9hcmdzlwvafsmrka6gmd22mhz7jd3cm5d8e6 +decimals = 8 + +[DRAGON] +peggy_denom = factory/inj1mg2pnk0djfmvlrrfucnhsfs4um08mwdue3hp9x/DRAGON +decimals = 6 + +[DREAM] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dream +decimals = 6 + +[DRG] +peggy_denom = inj15jg279nugsgqplswynqqfal29tav9va5wzf56t +decimals = 18 + +[DRIVING] +peggy_denom = inj1ghhdy9mejncsvhwxmvnk5hspkd5fchtrmhu3x2 +decimals = 8 + +[DROGO] +peggy_denom = ibc/565FE65B82C091F8BAD1379FA1B4560C036C07913355ED4BD8D156DA63F43712 +decimals = 6 + +[DROGON] +peggy_denom = inj1h86egqfpypg8q3jp9t607t0y8ea6fdpv66gx0j +decimals = 6 + +[DTEST] +peggy_denom = factory/inj1zn8qlkjautjt3mvr7xwuvpe6eddqt5w3mak5s7/DTEST +decimals = 6 + +[DTHREE] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/DTHREE +decimals = 6 + +[DUBAIcoin] +peggy_denom = inj1gsm06ndeq620sp73lu26nz76rqfpy9qtg7xfdw +decimals = 6 + +[DUBDUB] +peggy_denom = inj1nwm43spkusyva27208recgwya2yu2yja934x0n +decimals = 6 + +[DUCKS] +peggy_denom = factory/inj1mtxwccht2hpfn2498jc8u4k7sgrurxt04jzgcn/DUCKS +decimals = 6 + +[DUDE] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/DUDE +decimals = 6 + +[DUEL] +peggy_denom = peggy0x943Af2ece93118B973c95c2F698EE9D15002e604 +decimals = 18 + +[DUMB] +peggy_denom = factory/inj122c9quyv6aq5e2kr6gdcazdxy2eq2u2jgycrly/DUMB +decimals = 6 + +[DUMP BEOPLE] +peggy_denom = inj13d8cpsfc9gxxspdatucvngrvs435zddscapyhk +decimals = 18 + +[DUROV] +peggy_denom = inj1y73laasqpykehcf67hh3z7vn899sdmn6vtsg22 +decimals = 18 + +[DWHPPET] +peggy_denom = inj1rreafnwdwc9mu7rm6sm2nwwjd2yw46h26rzz36 +decimals = 18 + +[DWIFLUCK] +peggy_denom = factory/inj1gn54l05v5kqy5zmzk5l6wydzgvhvx2srm7rdkg/DWIFLUCK +decimals = 6 + +[DYDX] +peggy_denom = ibc/7B911D87318EB1D6A472E9F08FE93955371DF3E1DFFE851A58F4919450FFE7AA +decimals = 18 + +[DYM] +peggy_denom = ibc/346B01430895DC4273D1FAFF470A9CE1155BF6E9F845E625374D019EC9EE796D +decimals = 18 + +[Dai Stablecoin] +peggy_denom = ibc/265ABC4B9F767AF45CAC6FB76E930548D835EDA3E94BC56B70582A55A73D8C90 +decimals = 18 + +[Dai Stablecoin (Wormhole)] +peggy_denom = ibc/293F6074F0D8FF3D8A686F11BCA3DD459C54695B8F205C8867E4917A630634C2 +decimals = 8 + +[Daisy] +peggy_denom = inj1djnh5pf860722a38lxlxluwaxw6tmycqmzgvhp +decimals = 18 + +[Daojo] +peggy_denom = inj1dpgkaju5xqpa3vuz6qxqp0vljne044xgycw0d7 +decimals = 18 + +[DarkDeath] +peggy_denom = factory/inj133nvqdan8c79fhqfkmc3h59v30v4urgwuuejke/DarkDeath +decimals = 6 + +[Degen] +peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/Degen +decimals = 6 + +[DelPiero] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/delpiero +decimals = 6 + +[Dnd] +peggy_denom = inj1acxjvpu68t2nuw6950606gw2k59qt43zfxrcwq +decimals = 18 + +[Dog Wif Token ] +peggy_denom = inj1qhu9yxtp0x9gkn0n89hcw8c0wc8nhuke8zgw0d +decimals = 8 + +[Doge] +peggy_denom = inj1n4hl6mxv749jkqsrhu23z24e2p3s55de98jypt +decimals = 18 + +[Dogelon Mars] +peggy_denom = peggy0x761D38e5ddf6ccf6Cf7c55759d5210750B5D60F3 +decimals = 18 + +[Doggo] +peggy_denom = inj1gasr3mz9wdw2andhuf5254v9haw2j60zlftmha +decimals = 18 + +[Doginbread] +peggy_denom = inj1sx9mflrf6jvnzantd8rlzqh9tahgdyul5hq4pc +decimals = 18 + +[Dojo Staked INJ] +peggy_denom = inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 + +[Dojo Token] +peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 +decimals = 18 + +[Dojo bot] +peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/DOJO +decimals = 6 + +[Don] +peggy_denom = inj19yv3uvkww6gjda2jn90aayrefjacclsrulr5n2 +decimals = 18 + +[DonatelloShurikenLipsInjection2dust] +peggy_denom = factory/inj1ya7ltz2mkj0z4w25lxueh7emz6qhwe33m4knx8/INJECTIV +decimals = 6 + +[Doodle] +peggy_denom = factory/inj1yjhn49auvxjqe2y3hxl9uwwzsjynl4ms0kq6d4/Doodle +decimals = 6 + +[Dope Token] +peggy_denom = inj1lrewwyn3m2dms6ny7m59x9s5wwcxs5zf5y2w20 +decimals = 8 + +[Dot] +peggy_denom = ibc/B0442E32E21ED4228301A2B1B247D3F3355B73BF288470F9643AAD0CA07DD593 +decimals = 10 + +[Dragon Coin] +peggy_denom = inj1ftfc7f0s7ynkr3n7fnv37qpskfu3mu69ethpkq +decimals = 18 + +[Drugs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej +decimals = 18 + +[Duel] +peggy_denom = inj1ghackffa8xhf0zehv6n8j3gjzpz532c4h2zkkp +decimals = 18 + +[Dwake] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/Dwake +decimals = 6 + +[E-SHURIKEN] +peggy_denom = inj1z93hdgsd9pn6eajslmyerask38yugxsaygyyu0 +decimals = 6 + +[EARS] +peggy_denom = inj1g07rttdqwcy43yx9m20z030uex29sxpcwvvjmf +decimals = 8 + +[EASPORTS] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EASPORTS +decimals = 6 + +[ECOCH] +peggy_denom = factory/inj1tquax9jy4t7lg2uya4yclhlqlh5a75ykha2ewr/EcoChain +decimals = 6 + +[ECPS] +peggy_denom = inj1vzjfp3swqhhjp56w40j4cmekjpmrkq6d3ua7c8 +decimals = 8 + +[EGGMAN] +peggy_denom = inj1hjym72e40g8yf3dd3lah98acmkc6ms5chdxh6g +decimals = 8 + +[ELE] +peggy_denom = inj1zyg7gvzzsc0q39vhv5je50r2jcfv2ru506pd7w +decimals = 6 + +[ELEM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 +decimals = 18 + +[ELM] +peggy_denom = inj1uu3dc475nuhz68j3g4s3cpxzdfczpa3k4dcqz7 +decimals = 18 + +[ELMNT] +peggy_denom = inj17z53rhx0w6szyhuakgnj9y0khprrp2rmdg0djz +decimals = 6 + +[ELON] +peggy_denom = factory/inj1wjtuzkprkc4gdf4r7dlh9gu96yyxml8qpzzy9p/elon +decimals = 6 + +[ELON-GATED-PENIS] +peggy_denom = inj1v0ahzyf4mup6eunf4hswcs9dq3ffea4nqxdhmq +decimals = 6 + +[ELONXMAS] +peggy_denom = inj1nmrve743hvmxzv7e3p37nyjl2tf8fszcqg44ma +decimals = 8 + +[EMP] +peggy_denom = factory/inj1vc6gdrn5ta9h9danl5g0sl3wjwxqfeq6wj2rtm/EMP +decimals = 6 + +[EMP On Injective] +peggy_denom = inj1qm7x53esf29xpd2l8suuxtxgucrcv8fkd52p7t +decimals = 18 + +[ENA] +peggy_denom = peggy0x57e114B691Db790C35207b2e685D4A43181e6061 +decimals = 18 + +[ENJ] +peggy_denom = peggy0xF629cBd94d3791C9250152BD8dfBDF380E2a3B9c +decimals = 18 + +[EPIC] +peggy_denom = inj1k0f8fqym9t3gz8qq3f72d3x5uk2gx4prs6mld5 +decimals = 18 + +[EPICEIGHT] +peggy_denom = inj19dd2lqy8vpcl3kc9ftz3y7xna6qyevuhq7zxkz +decimals = 18 + +[EPICEL] +peggy_denom = inj1hz2e3fasvhhuxywx96g5vu8nnuvak5ca4r7jsk +decimals = 18 + +[EPICFIVE] +peggy_denom = inj1cavzx4eswevydc8hawdy362z3a2nucku8c0lp6 +decimals = 18 + +[EPICNINE] +peggy_denom = inj1a6jfnquus2vrfshwvurae9wkefu0k3n8ay6u4r +decimals = 18 + +[EPICONE] +peggy_denom = inj16nenk0jqfcgj8qhfap9n7ldjzke97rw9auxptx +decimals = 18 + +[EPICSEVEN] +peggy_denom = inj19tval5k0qjgqqkuw0v8g5qz9sautru4jr9rz7e +decimals = 18 + +[EPICSIX] +peggy_denom = inj1gyf3358u6juk3xvrrp7vlez9yuk2ek33dhqdau +decimals = 18 + +[EPICTE] +peggy_denom = inj1c6mpj4p2dvxdgqq9l0sasz0uzu4gah7k3g03xf +decimals = 18 + +[EPICTEN] +peggy_denom = inj1e9t4mhc00s4p0rthuyhpy2tz54nuh552sk5v60 +decimals = 18 + +[EPICTREE] +peggy_denom = inj1hjt77g9ujsh52jdm388ggx387w9dk4jwe8w5sq +decimals = 18 + +[EPICTWO] +peggy_denom = inj1z24n2kmsxkz9l75zm7e90f2l0rfgaazh6usw3h +decimals = 18 + +[EPICfour] +peggy_denom = inj14m6t04x80r2f78l26wxz3vragpy892pdmshcat +decimals = 18 + +[ERA] +peggy_denom = peggy0x3e1556B5b65C53Ab7f6956E7272A8ff6C1D0ed7b +decimals = 18 + +[ERIC] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/eric +decimals = 6 + +[ERIS Amplified SEI] +peggy_denom = ibc/9774771543D917853B9A9D108885C223DFF03ABC7BD39AD2783CA4E1F58CDC6E +decimals = 6 + +[ESCUDOS] +peggy_denom = ibc/D1546953F51A43131EDB1E80447C823FD0B562C928496808801A57F374357CE5 +decimals = 6 + +[ETF] +peggy_denom = inj1cdfcc6x6fn22wl6gs6axgn48rjve2yhjqt8hv2 +decimals = 18 + +[ETH] +peggy_denom = factory/inj1a0n3xm83w6d0gzheffkve30z8wpz6xq8zdf48r/ETH +decimals = 6 + +[ETHBTCTrend] +peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 +decimals = 18 + +[ETK] +peggy_denom = inj1hzh43wet6vskk0ltfm27dm9lq2jps2r6e4xvz8 +decimals = 18 + +[EUR] +peggy_denom = eur +decimals = 6 + +[EURO] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/EURO +decimals = 6 + +[EVAI] +peggy_denom = peggy0x50f09629d0afDF40398a3F317cc676cA9132055c +decimals = 8 + +[EVI] +peggy_denom = inj1mxcj2f8aqv8uflul4ydr7kqv90kprgsrx0mqup +decimals = 18 + +[EVIINDEX] +peggy_denom = eviindex +decimals = 18 + +[EVITCEJNI] +peggy_denom = factory/inj1n8kcnuzsrg9d7guu8c5n4cxcurqyszthy29yhg/EVITCEJNI +decimals = 6 + +[EVL] +peggy_denom = inj1yhrpy3sr475cfn0g856hzpfrgk5jufvpllfakr +decimals = 18 + +[EVMOS] +peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 +decimals = 18 + +[EXOTIC] +peggy_denom = inj1xyf06dyfuldfynqgl9j6yf4vly6fsjr7zny25p +decimals = 8 + +[EXP] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd +decimals = 8 + +[EYES] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/eyes +decimals = 6 + +[Eik] +peggy_denom = inj1a0rphvxxgr56354vqz8jhlzuhwyqs8p4zag2kn +decimals = 18 + +[Elemental Token] +peggy_denom = inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 +decimals = 18 + +[Elite] +peggy_denom = inj1rakgrkwx9hs6ye4mt4pcvnhy5zt28dt02u9ws8 +decimals = 18 + +[Enjineer] +peggy_denom = inj1xsc3wp2m654tk62z7y98egtdvd0mqcs7lp4lj0 +decimals = 18 + +[Ethena] +peggy_denom = inj1c68rz4w9csvny5xmq6f87auuhfut5zukngmptz +decimals = 18 + +[Ethereum (Arbitrum)] +peggy_denom = ibc/56ADC03A83B6E812C0C30864C8B69CBE502487AD5664D0164F73A1C832D2C7FC +decimals = 18 + +[Ethereum (ERC20)] +peggy_denom = ibc/56CD30F5F8344FDDC41733A058F9021581E97DC668BFAC631DC77A414C05451B +decimals = 18 + +[Explore Exchange] +peggy_denom = inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd +decimals = 8 + +[ExtraVirginOliveInu] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/extravirginoliveinu +decimals = 6 + +[FABLE] +peggy_denom = ibc/5FE5E50EA0DF6D68C29EDFB7992EB81CD40B6780C33834A8AB3712FB148E1313 +decimals = 6 + +[FACTORY01] +peggy_denom = inj1q8h6pxj73kv36ehv8dx9d6jd6qnphmr0xydx2h +decimals = 6 + +[FAITH] +peggy_denom = inj1efjaf4yuz5ehncz0atjxvrmal7eeschauma26q +decimals = 6 + +[FAMILY] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/FAMILY +decimals = 6 + +[FAP] +peggy_denom = inj1qekjz857yggl23469xjr9rynp6padw54f0hhkh +decimals = 18 + +[FAST] +peggy_denom = inj1m8wfsukqzxt6uduymrpkjawvpap3earl4p2xlt +decimals = 8 + +[FCS] +peggy_denom = inj1h7smsl8nzjfeszy03cqnjn2yvf629kf3m02fay +decimals = 18 + +[FCUK] +peggy_denom = inj1j3gg49wg40epnsd644s84wrzkcy98k2v50cwvv +decimals = 18 + +[FDA] +peggy_denom = inj174zq6m77dqvx4e56uqvjq25t7qq5ukmt2zhysh +decimals = 18 + +[FDAPERP] +peggy_denom = inj1zl5uwywdkgchs54ycp8f84cedz29fhwz0pzvjd +decimals = 18 + +[FDC] +peggy_denom = inj1h9tu7ul5pyu2fl2qwpsyvshhqt2g4xqaqxm89z +decimals = 6 + +[FDC3] +peggy_denom = inj1zmpydq6mlwfj246jk9sc5r7898jgcks9rj87mg +decimals = 6 + +[FDC40624A] +peggy_denom = inj1est038f5zfdj7qp3ktmqtygfkef5wj6fdl8nx2 +decimals = 6 + +[FDC40624B] +peggy_denom = inj1gukq56dd9erzmssdxp305g8wjf7ujz0kc46m6e +decimals = 6 + +[FDC40624C] +peggy_denom = inj1623nrzk2us368e6ecl7dfe4tdncqykx76ycvuy +decimals = 6 + +[FDC40625A] +peggy_denom = inj1t3zvq2n5rl2r902zmsynaysse2vj0t4c6zfjlv +decimals = 6 + +[FDC40625B] +peggy_denom = inj1m4n783st9cvc06emtgl29laypf2980j5j9l3rs +decimals = 6 + +[FDC40625C] +peggy_denom = inj1uac3sy4jv0uu6drk2pcfqmtdue7w0q0urpwgzl +decimals = 6 + +[FDC40625D] +peggy_denom = inj1shu8jhwh9g6yxx6gk6hcg89hmqccdwflljcpes +decimals = 6 + +[FDCP40626A] +peggy_denom = inj18ls4r6pw85gk39pyh4pjhln7j6504v0dtk7kxz +decimals = 6 + +[FET] +peggy_denom = inj1ap9u5fa47yhgs4xv4dcnzn08qvlcpqn0dt59sy +decimals = 18 + +[FIDEN] +peggy_denom = factory/inj1xm8azp82qt9cytzg5guhx8cjrjmrunv97dfdd3/FIDEN +decimals = 6 + +[FIFA] +peggy_denom = inj1ma5f4cpyryqukl57k22qr9dyxmmc99pw50fn72 +decimals = 18 + +[FIG] +peggy_denom = inj1whqqv3hrqt58laptw90mdhxx7upx40q6s7d0qx +decimals = 18 + +[FINNEON] +peggy_denom = inj1t3lzvya9p4zslzetpzcmc968a9c5jjkdycwlzf +decimals = 6 + +[FISHY] +peggy_denom = inj178xpd5dxe7dq82dtxpcufelshxxlqmzn0h0r26 +decimals = 8 + +[FIVE] +peggy_denom = inj1wltxzzuvl9tz8jrawcw756wcawcjt4l4cmsjru +decimals = 18 + +[FIX] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda +decimals = 18 + +[FLOKI] +peggy_denom = factory/inj1g7nvetpqjcugdnjxd27v37m7adm4wf7wphgzq2/FLOKI +decimals = 6 + +[FLUFFY] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z +decimals = 18 + +[FLUID] +peggy_denom = inj1avj9gwyj5hzxdkpegcr47kmp8k39nrnejn69mh +decimals = 8 + +[FMLY] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/FAMILY +decimals = 6 + +[FOJO] +peggy_denom = inj1n37zp9g8fzdwxca8m7wrp2e7qvrjzfemaxgp8e +decimals = 18 + +[FOMO] +peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/FOMO +decimals = 6 + +[FOMOFox] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/FOMOFox +decimals = 6 + +[FOO] +peggy_denom = inj1svrvyqm8uu6u4xnkz6tva207pztglcjylxe367 +decimals = 18 + +[FOOL] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/FOOL +decimals = 6 + +[FOORK] +peggy_denom = inj1zu6qda7u90c8w28xkru4v56ak05xpfjtwps0vw +decimals = 18 + +[FORZA] +peggy_denom = inj1p0tsq248wyk2vd980csndrtep3rz50ezfvhfrw +decimals = 18 + +[FOTHER] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/FOTHER +decimals = 6 + +[FOUR] +peggy_denom = inj1clfx8jgq3636249d0tr3yu26hsp3yqct6lpvcy +decimals = 18 + +[FOX] +peggy_denom = inj167naeycu49dhs8wduj5ddtq6zex9cd6hpn4k4w +decimals = 18 + +[FOXY] +peggy_denom = inj15acrj6ew42jvgl5qz53q7c9g82vf3n98l84s4t +decimals = 6 + +[FPL] +peggy_denom = inj13yutezdwjkz8xucrt6d564yqr3ava76r6q9vle +decimals = 8 + +[FRANKLYN] +peggy_denom = inj1gadcw96ha8fpd6ulgzulsuqj9vjz8dv0s57at8 +decimals = 18 + +[FRAX] +peggy_denom = ibc/3E5504815B2D69DCC32B1FF54CDAC28D7DA2C445BD29C496A83732DC1D52DB90 +decimals = 18 + +[FREE] +peggy_denom = inj1rp9tjztx0m5ekcxavq9w27875szf8sm7p0hwpg +decimals = 18 + +[FRINJE] +peggy_denom = factory/inj1mcx5h5wfeqk334u8wx6jv3g520zwy3lh22dyp7/FRINJE +decimals = 10 + +[FRNZ] +peggy_denom = ibc/CDD7374B312BEF9723AAEBDE622206490E112CE2B5F49275683CCCD86C7D4BCE +decimals = 6 + +[FROG] +peggy_denom = inj104y5dpcdtga79tczv6rg3rsekx4hasw2k83h5s +decimals = 18 + +[FROGCOIN] +peggy_denom = inj1dljz0rexnhhxa2vnnfxerg7y0am46kdzltwwgp +decimals = 6 + +[FROGGY] +peggy_denom = factory/inj1l8pq22awax6r8hamk2v3cgd77w90qtkmynvp8q/FROGGY +decimals = 6 + +[FROGY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGiY +decimals = 6 + +[FTC] +peggy_denom = inj1v092fpcqz0k5pf6zwz7z8v40q2yxa0elfzt2hk +decimals = 18 + +[FTM] +peggy_denom = peggy0x4E15361FD6b4BB609Fa63C81A2be19d873717870 +decimals = 18 + +[FTUNA] +peggy_denom = inj1yqm9apy8kat8fav2mmm7geshyytdld0al67ks4 +decimals = 6 + +[FUCK] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/FUCK +decimals = 6 + +[FUD] +peggy_denom = factory/inj1j2r6vr20cnhqz3tumd2lh9w8k8guamze3pdf7t/FUD +decimals = 6 + +[FUINJ] +peggy_denom = factory/inj1wlwsd6w84ydmsqs5swthm5hw22qm8fxrth5ggx/FUINJ +decimals = 6 + +[FUSION] +peggy_denom = inj1hpczn65hygw4aaaytxe6gvdu8h3245gjz0q2fx +decimals = 8 + +[FUSIONX] +peggy_denom = inj1a5pxsj6f8jggncw4s2cg39p25swgzdjyljw5tf +decimals = 8 + +[FUZION] +peggy_denom = inj1m8hyuja8wmfm0a2l04dgp5ntwkmetkkemw2jcs +decimals = 8 + +[FUZN] +peggy_denom = ibc/FE87E1E1BB401EC35CD02A57FE5DEF872FA309C018172C4E7DA07F194EAC6F19 +decimals = 6 + +[FaDaCai] +peggy_denom = inj1yevjg9fdp7px757d6g3j2dkpzmeczturx3vpme +decimals = 6 + +[Fetch.ai] +peggy_denom = peggy0xaea46a60368a7bd060eec7df8cba43b7ef41ad85 +decimals = 18 + +[FixedFloat] +peggy_denom = inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda +decimals = 18 + +[Fluffy] +peggy_denom = inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z +decimals = 18 + +[FollowNinjaBoy_inj] +peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/FollowNinjaBoy_inj +decimals = 6 + +[Frogy the frog] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIYY +decimals = 6 + +[FuckSol] +peggy_denom = factory/inj1na5d9jqhkyckh8gc5uqht75a74jq85gvpycp44/FUCKSOL +decimals = 6 + +[FusionX] +peggy_denom = inj1fghekhpfn2rfds6c466p38ttdm2a70gnzymc86 +decimals = 8 + +[GAINJA] +peggy_denom = inj1jnwu7u6h00lzanpl8d5qerr77zcj2vd65r2j7e +decimals = 18 + +[GALA] +peggy_denom = factory/inj1xtwk60ey0g03s69gfsure0kx8hwwuk24zl0g6l/GALA +decimals = 6 + +[GALAXY] +peggy_denom = factory/inj10zdjt8ylfln5xr3a2ruf9nwn6d5q2d2r3v6mh8/galaxy +decimals = 6 + +[GAMBLE] +peggy_denom = factory/inj10g0paz4mx7mq2z8l9vpxz022xshc04g5kw7s43/gamble +decimals = 6 + +[GAMER] +peggy_denom = inj1h8l2xcn4h9v0m67qem8x7rmf2akjwc34tjmm7a +decimals = 18 + +[GASH] +peggy_denom = ibc/98C86DE314A044503F35E8C395B745B65E990E12A77A357CBA74F474F860A845 +decimals = 6 + +[GASTON] +peggy_denom = factory/inj1sskt2d66eqsan9flcqa9vlt7nvn9hh2dtvp8ua/GASTON +decimals = 6 + +[GBP] +peggy_denom = gbp +decimals = 6 + +[GCM] +peggy_denom = inj1p87lprkgg4c465scz5z49a37hf835nzkcpyeej +decimals = 18 + +[GDUCK] +peggy_denom = factory/inj1fc0ngp72an2x8zxf268xe5avfan5z4g0saz6ns/gduck +decimals = 6 + +[GEISHA] +peggy_denom = factory/inj1h2dqvlca2lay8amfk5fgvateslp3h0sgf8wmmp/geisha +decimals = 6 + +[GEIST] +peggy_denom = inj1x2lg9j9pwmgnnwmhvq2g6pm6emcx7w02pnjnm6 +decimals = 8 + +[GEM] +peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/gem +decimals = 6 + +[GEM DAO] +peggy_denom = ibc/8AE86084C0D921352F711EF42CCA7BA4C8238C244FE4CC3E4E995D9782FB0E2B +decimals = 6 + +[GEMININJ] +peggy_denom = factory/inj14vrd79l2pxvqctawz39qewfh72x62pfjecxsmv/GEMININJ +decimals = 6 + +[GEMOY] +peggy_denom = inj1j5l0xc2lwqpj2duvllmegxse0dqlx5kgyjehlv +decimals = 18 + +[GENJI] +peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/GENJI +decimals = 6 + +[GENZONE] +peggy_denom = inj1zh9924tws4ctzx5zmz06j09nyjs8fw6wupkadr +decimals = 8 + +[GEO] +peggy_denom = ibc/8E4953E506CF135A3ACDF6D6556ED1DB4F6A749F3910D2B4A77E2E851C4B2638 +decimals = 6 + +[GF] +peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 +decimals = 18 + +[GGG] +peggy_denom = inj1yrw42rwc56lq7a3rjnfa5nvse9veennne8srdj +decimals = 8 + +[GGS] +peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/GGS +decimals = 6 + +[GIANT] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/giant +decimals = 6 + +[GIFT] +peggy_denom = factory/inj1exks7fvnh9lxzgqejtlvca8t7mw47rks0s0mwa/GIFT +decimals = 6 + +[GIGA] +peggy_denom = ibc/36C811A2253AA64B58A9B66C537B89348FE5792A8808AAA343082CBFCAA72278 +decimals = 5 + +[GINGER] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/GINGER +decimals = 6 + +[GINKO] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/ginko +decimals = 6 + +[GIRL] +peggy_denom = inj1zkmp7m0u0hll3k5w5598g4qs75t7j8qqvmjspz +decimals = 18 + +[GLODIOTOR] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/glodiotor +decimals = 6 + +[GLTO] +peggy_denom = peggy0xd73175f9eb15eee81745d367ae59309Ca2ceb5e2 +decimals = 6 + +[GME] +peggy_denom = ibc/CAA5AB050F6C3DFE878212A37A4A6D3BEA6670F5B9786FFF7EF2D34213025272 +decimals = 8 + +[GMKY] +peggy_denom = factory/inj1s09n0td75x8p20uyt9dw29uz8j46kejchl4nrv/GMKY +decimals = 6 + +[GOD] +peggy_denom = inj1whzt6ct4v3zf28a6h08lpf90pglzw7fdh0d384 +decimals = 18 + +[GODDARD] +peggy_denom = ibc/3E89FBB226585CF08EB2E3C2625D1D2B0156CCC2233CAB56165125CACCBE731A +decimals = 6 + +[GODRD] +peggy_denom = ibc/CABB197E23D81F1D1A4CE56A304488C35830F81AC9647F817313AE657221420D +decimals = 6 + +[GODS] +peggy_denom = factory/inj1vug68m8evczhxm26hfe7tetycsfnmm92mr6aaj/GODS +decimals = 6 + +[GODSTRIKE] +peggy_denom = inj1deejw5k4sxnlxgxnzsy5k2vgc9fzu257ajjcy7 +decimals = 8 + +[GODZILLA] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/GODZILLA +decimals = 6 + +[GOJO] +peggy_denom = factory/inj13qhzj4fr4u7t7gqj5pqy0yts07eu6k6dkjdcsx/gojo +decimals = 6 + +[GOKU] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/goku +decimals = 6 + +[GOLD] +peggy_denom = gold +decimals = 18 + +[GOLDIE] +peggy_denom = factory/inj130ayayz6ls8qpmu699axhlg7ygy8u6thjjk9nc/GOLDIE +decimals = 6 + +[GOLDMAN] +peggy_denom = inj140ypzhrxyt7n3fhrgk866hnha29u5l2pv733d0 +decimals = 8 + +[GOOSE] +peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/goose +decimals = 6 + +[GORILLA] +peggy_denom = inj1cef5deszfl232ws7nxjgma4deaydd7e7aj6hyf +decimals = 8 + +[GPT] +peggy_denom = factory/inj168gnj4lavp3y5w40rg5qhf50tupwhaj3yvhgr0/GPT +decimals = 6 + +[GRAC] +peggy_denom = ibc/59AA66AA80190D98D3A6C5114AB8249DE16B7EC848552091C7DCCFE33E0C575C +decimals = 6 + +[GREATDANE] +peggy_denom = inj195vgq0yvykunkccdzvys548p90ejuc639ryhkg +decimals = 6 + +[GREEN] +peggy_denom = inj1nlt0jkqfl6f2wlnalyk2wd4g3dq97uj8z0amn0 +decimals = 8 + +[GRENADINE] +peggy_denom = inj1ljquutxnpx3ut24up85e708hjk85hm47skx3xj +decimals = 8 + +[GRINJ] +peggy_denom = factory/inj1h3h0yjxlchmydvsjpazcfyhp57lajdurznpeh0/grinj +decimals = 6 + +[GROK] +peggy_denom = inj1shlkety7fs0n7l2lxz3pyg6hr0j6dkcdvgvjch +decimals = 8 + +[GRONI] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/groni +decimals = 6 + +[GRT] +peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 +decimals = 18 + +[GRUMPY] +peggy_denom = inj16fr4w5q629jdqt0ygknf06yna93ead2pr74gr3 +decimals = 8 + +[GUGU] +peggy_denom = ibc/B1826CEA5AE790AB7FCAE84344F113F6C42E6AA3A357CAFEAC4A05BB7531927D +decimals = 6 + +[GUPPY] +peggy_denom = ibc/F729B93A13133D7390455293338A0CEAAF876D0F180B7C154607989A1617DD45 +decimals = 6 + +[GYEN] +peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 +decimals = 6 + +[GZZ] +peggy_denom = inj1ec70stm6p3e6u2lmpl5vzan4pdm79vwlfgcdzd +decimals = 18 + +[Galaxy] +peggy_denom = inj13n675x36dnettkxkjll82q72zgnvsazn4we7dx +decimals = 6 + +[Gamble Gold] +peggy_denom = inj13a8vmd652mn2e7d8x0w7fdcdt8742j98jxjcx5 +decimals = 18 + +[Game Stop] +peggy_denom = inj1vnj7fynxr5a62maf34vca4fes4k0wrj4le5gae +decimals = 18 + +[Gay] +peggy_denom = inj1pw54fsqmp0ludl6vl5wfe63ddax52z5hlq9jhy +decimals = 18 + +[Geisha] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/geisha +decimals = 6 + +[Genny] +peggy_denom = inj1dpn7mdrxf49audd5ydk5062z08xqgnl4npzfvv +decimals = 6 + +[GoatInj] +peggy_denom = factory/inj1ua3rm4lsrse2canapg96v8jtg9k9yqzuscu766/GoatInj +decimals = 6 + +[Gorilla] +peggy_denom = factory/inj1wc7a5e50hq9nglgwhc6vs7cnskzedskj2xqv6j/Gorilla +decimals = 6 + +[GreenMarket] +peggy_denom = inj1wjd2u3wq2dwyr7zlp09squh2xrqjlggy0vlftj +decimals = 8 + +[Greenenergy] +peggy_denom = inj1aqu4y55rg43gk09muvrcel3z45nuxczukhmfut +decimals = 18 + +[Grind] +peggy_denom = inj125ry0fhlcha7fpt373kejwf8rq5h3mwewqr0y2 +decimals = 18 + +[Gryphon Staked Injective] +peggy_denom = inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf +decimals = 18 + +[H3NSY] +peggy_denom = inj1c22v69304zlaan50gdygmlgeaw56lcphl22n87 +decimals = 8 + +[HABS] +peggy_denom = factory/inj1ddn2cxjx0w4ndvcrq4k0s0pjyzwhfc5jaj6qqv/habs +decimals = 6 + +[HACHI] +peggy_denom = factory/inj13ze65lwstqrz4qy6vvxx3lglnkkuan436aw45e/HACHI +decimals = 9 + +[HAKI] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/haki +decimals = 6 + +[HAL] +peggy_denom = factory/inj197jczxq905z5ddeemfmhsc077vs4y7xal3wyrm/HALLAS +decimals = 18 + +[HALVING] +peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/HALVING +decimals = 6 + +[HAMU] +peggy_denom = factory/inj1t6py7esw8z6jc8c204ag3zjevqlpfx203hqyt2/HAMU +decimals = 6 + +[HAMURAI] +peggy_denom = factory/inj1xqf6rk5p5w3zh22xaxck9g2rnksfhpg33gm9xt/hamu +decimals = 6 + +[HANZO] +peggy_denom = factory/inj1xz4h76wctruu6l0hezq3dhtfkxzv56ztg4l29t/HANZO +decimals = 6 + +[HARD] +peggy_denom = ibc/D6C28E07F7343360AC41E15DDD44D79701DDCA2E0C2C41279739C8D4AE5264BC +decimals = 6 + +[HATEQUNT] +peggy_denom = factory/inj1sfaqn28d0nw4q8f2cm9gvhs69ecv5x8jjtk7ul/HATEQUNT +decimals = 6 + +[HATTORI] +peggy_denom = factory/inj1h7zackjlzcld6my000mtg3uzuqdv0ly4c9g88p/HATTORI +decimals = 6 + +[HAVA] +peggy_denom = factory/inj1h0ypsdtjfcjynqu3m75z2zwwz5mmrj8rtk2g52/uhava +decimals = 6 + +[HAVA COIN] +peggy_denom = inj1u759lmx8e6g8f6l2p08qvrekjwcq87dff0ks3n +decimals = 18 + +[HDRO] +peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro +decimals = 6 + +[HEMULE] +peggy_denom = inj1hqamaawcve5aum0mgupe9z7dh28fy8ghh7qxa7 +decimals = 18 + +[HERO] +peggy_denom = inj18mqec04e948rdz07epr9w3j20wje9rpg6flufs +decimals = 6 + +[HEST] +peggy_denom = factory/inj15vj7e40j5cqvxmy8u7h9ud3ustrgeqa98uey96/HEST +decimals = 6 + +[HEXA] +peggy_denom = inj13e4hazjnsnapqvd06ngrq5zapw8gegarudzehd +decimals = 8 + +[HGM] +peggy_denom = inj14y8j4je4gs57fgwakakreevx6ultyy7c7rcmk2 +decimals = 18 + +[HINJ] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/hinj +decimals = 6 + +[HOUND] +peggy_denom = factory/inj1nccncwqx5q22lf4uh83dhe89e3f0sh8kljf055/HOUND +decimals = 6 + +[HOUSE] +peggy_denom = factory/inj1rvstpdy3ml3c879yzz8evk37ralz7w4dtydsqp/HOUSE +decimals = 6 + +[HRBE] +peggy_denom = factory/inj1lucykkh3kv3wf6amckf205rg5jl8rprdcq8v83/HRBE +decimals = 6 + +[HST] +peggy_denom = inj1xhvj4u6xtx3p9kr4pqzl3fdu2vedh3e2y8a79z +decimals = 18 + +[HT] +peggy_denom = peggy0x6f259637dcD74C767781E37Bc6133cd6A68aa161 +decimals = 18 + +[HUAHUA] +peggy_denom = ibc/9D9B59CA222E54842555DBD81B22EEABE61796D4C6EC8AB47A97C388333AC340 +decimals = 6 + +[HULK] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/HULK +decimals = 6 + +[HUMP] +peggy_denom = inj1v29k9gaw7gnds42mrzqdygdgjh28vx38memy0q +decimals = 18 + +[HUOBINJ] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/huobinj +decimals = 6 + +[HUSKY] +peggy_denom = factory/inj1467q6d05yz02c2rp5qau95te3p74rqllda4ql7/husky +decimals = 6 + +[HYDRO] +peggy_denom = inj10r75ap4ztrpwnan8er49dvv4lkjxhgvqflg0f5 +decimals = 8 + +[HYDRO WRAPPED INJ] +peggy_denom = inj1r9qgault3k4jyp60d9fkzy62dt09zwg89dn4p6 +decimals = 18 + +[HappyGilmore] +peggy_denom = inj1h5d90rl5hmkp8mtuyc0zpjt00hakldm6wtseew +decimals = 18 + +[HarryPotterObamaSonicInu] +peggy_denom = inj1y64pkwy0m0jjd825c7amftqe2hmq2wn5ra8ap4 +decimals = 18 + +[Hava Coin] +peggy_denom = inj1fnlfy6r22slr72ryt4wl6uwpg3dd7emrqaq7ne +decimals = 18 + +[Hellooooo] +peggy_denom = inj1xj7c6r65e8asrrpgm889m8pr7x3ze7va2ypql4 +decimals = 18 + +[Hero Wars] +peggy_denom = inj1f63rgzp2quzxrgfchqhs6sltzf0sksxtl7wtzn +decimals = 8 + +[HeyDay] +peggy_denom = inj1rel4r07gl38pc5xqe2q36ytfczgcrry0c4wuwf +decimals = 6 + +[HnH] +peggy_denom = inj1e8r3gxvzu34ufgfwzr6gzv6plq55lg0p95qx5w +decimals = 8 + +[Hydro] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +decimals = 6 + +[Hydro Protocol] +peggy_denom = inj1vkptqdl42csvr5tsh0gwczdxdenqm7xxg9se0z +decimals = 8 + +[Hydro Wrapped INJ] +peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 + +[Hydrogen oxide] +peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/h2o +decimals = 6 + +[IBC] +peggy_denom = ibc/75BD031C1301C554833F205FAFA065178D51AC6100BCE608E6DC2759C2B71715 +decimals = 6 + +[IBCX] +peggy_denom = ibc/491C92BEEAFE513BABA355275C7AE3AC47AA7FD57285AC1D910CE874D2DC7CA0 +decimals = 6 + +[IBONK] +peggy_denom = factory/inj14cm9e5n5pjgzvwe5t8zshts2t9x2lxk3zp0js2/ibonk +decimals = 6 + +[IDFI] +peggy_denom = inj13ac29xfk969qmydhq2rwekja6mxgwtdgpeq3dj +decimals = 8 + +[IDOGE] +peggy_denom = inj18nuas38jw742ezmk942j4l935lenc6nxd4ypga +decimals = 18 + +[IHOP] +peggy_denom = factory/inj17rpa60xtn3rgzuzltuwgpw2lu3ayulkdjgwaza/IHOP +decimals = 6 + +[IJ] +peggy_denom = factory/inj1hcymy0z58zxpm3esch2u5mps04a3vq2fup4j29/InjBull +decimals = 6 + +[IJT] +peggy_denom = inj1tn8vjk2kdsr97nt5w3fhsslk0t8pnue7mf96wd +decimals = 18 + +[IKINGS] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/IKINGS +decimals = 6 + +[INCEL] +peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel +decimals = 6 + +[INDUSTRY] +peggy_denom = inj1kkc0l4xnz2eedrtp0pxr4l45cfuyw7tywd5682 +decimals = 18 + +[INJ] +peggy_denom = inj134pxgsexyt782qp3kvxf8nf9xl0q7dfdxk5tws +decimals = 18 + +[INJ LOUNGE] +peggy_denom = inj1dntqalk5gj6g5u74838lmrym3hslc9v3v9etqg +decimals = 8 + +[INJ TEST] +peggy_denom = factory/inj1gxf874xgdcza4rtkashrc8w2s3ulaxa3c7lmeh/inj-tt +decimals = 6 + +[INJ TO THE MOON] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/MOON +decimals = 6 + +[INJA] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/INJA +decimals = 6 + +[INJBOT] +peggy_denom = inj1hhxn5p7gkcql23dpmkx6agy308xnklzsg5v5cw +decimals = 8 + +[INJCEL] +peggy_denom = factory/inj1597pysn2u56ggcckykt2zzjuqkeezy5yxfujtj/INJcel +decimals = 6 + +[INJDAO] +peggy_denom = inj177wz9fpk6xjfrr7ex06sv5ukh0csgfak7x5uaq +decimals = 8 + +[INJDINO] +peggy_denom = inj13fnjq02hwxejdm584v9qhrh66mt4l3j8l3yh6f +decimals = 6 + +[INJDOGE] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/INJDOGE +decimals = 6 + +[INJDOGOS] +peggy_denom = inj1kl2zc5djmp8nmwsetua8gnmvug2c3dfa3uvy2e +decimals = 18 + +[INJECT] +peggy_denom = factory/inj1j7zt6g03vpmg9p7g7qngvylfxqeuds73utsjnk/INJECT +decimals = 6 + +[INJECTIV] +peggy_denom = factory/inj1x04zxeyrjc7ke5nt7ht3v3gkevxdk7rr0fx8qp/INJECTIV +decimals = 6 + +[INJECTIVED] +peggy_denom = inj16ccz3z2usevpyzrarggtqf5fgh8stjsql0rtew +decimals = 6 + +[INJER] +peggy_denom = factory/inj1sjmplasxl9zgj6yh45j3ndskgdhcfcss9djkdn/INJER +decimals = 6 + +[INJERA] +peggy_denom = inj1032h3lllszfld2utcunjvk8knx2c8eedgl7r4y +decimals = 6 + +[INJESUS] +peggy_denom = inj12d7qq0lp656jkrr2d3ez55cr330f3we9c75ml6 +decimals = 8 + +[INJEVO] +peggy_denom = inj1f6fxh20pdyuj98c8l2svlky8k7z7hkdztttrd2 +decimals = 8 + +[INJEX] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/INJEX +decimals = 6 + +[INJFIRE] +peggy_denom = inj1544nmruy3xc3qqp84cenuzqrdnlyfkprwdfcz5 +decimals = 8 + +[INJGEN] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/injgen +decimals = 6 + +[INJGOAT] +peggy_denom = inj1p9nluxkvuu5y9y7radpfnwemrdty74l74q2ycp +decimals = 6 + +[INJHACKTIVE] +peggy_denom = factory/inj14cpnzf4mxyxel7le3wp2zxyvwr8g0wukch9865/INJHACKTIVE +decimals = 6 + +[INJHAT] +peggy_denom = factory/inj1uc7awz4e4kg9dakz5t8w6zzz7r62992ezsr279/injhat +decimals = 6 + +[INJI] +peggy_denom = factory/inj1nql734ta2npe48l26kcexk8ysg4s9fnacv9tvv/INJI +decimals = 6 + +[INJINU] +peggy_denom = inj1ykfurk0jsxcz6hp9tqm8vn2p5k0hn76y6uans6 +decimals = 6 + +[INJM] +peggy_denom = inj1czlt30femafl68uawedg63834vcg5z92u4ld8k +decimals = 18 + +[INJMEME] +peggy_denom = inj179luuhr3ajhsyp92tw73w8d7c60jxzjcy22356 +decimals = 8 + +[INJMETA] +peggy_denom = inj1m7264u6ytz43uh5hpup7cg78h6a8xus9dnugeh +decimals = 8 + +[INJMOON] +peggy_denom = inj12val9c8g0ztttfy8c5amey0adyn0su7x7f27gc +decimals = 8 + +[INJMOOON] +peggy_denom = inj1eu0zlrku7yculmcjep0n3xu3ehvms9pz96ug9e +decimals = 6 + +[INJNET] +peggy_denom = inj13ew774de6d3qhfm3msmhs9j57le9krrw2ezh3a +decimals = 8 + +[INJOFGOD] +peggy_denom = inj1snaeff6pryn48fnrt6df04wysuq0rk7sg8ulje +decimals = 8 + +[INJOY] +peggy_denom = factory/inj1qdepvfux04s8pqvzs4leam4pgl46wy0fx37eyt/injoy +decimals = 9 + +[INJPEPE] +peggy_denom = inj1395ty2rphfvxa6jdwxugk3qrk8h49wn245afcr +decimals = 6 + +[INJPEPE2] +peggy_denom = factory/inj1jsduylsevrmddn64hdxutcel023eavw44n63z2/INJPEPE2 +decimals = 6 + +[INJPORTAL] +peggy_denom = inj1etyzmggnjdtjazuj3eqqlngvvgu2tqt6vummfh +decimals = 8 + +[INJPREMIUM] +peggy_denom = inj18uw5etyyjqudtaap029u9g5qpxf85kqvtkyhq9 +decimals = 8 + +[INJPRO] +peggy_denom = inj15x75x44futqdpx7mp86qc6dcuaqcyvfh0gpxp5 +decimals = 8 + +[INJS] +peggy_denom = factory/inj1yftyfrc720nhrzdep5j70rr8dm9na2thnrl7ut/injs +decimals = 6 + +[INJSANTA] +peggy_denom = inj1ur3qac37axxmuqpsegr7cts77t78jyupucpua3 +decimals = 8 + +[INJSHIB] +peggy_denom = inj1tty2w6sacjpc0ma6mefns27qtudmmp780rxlch +decimals = 8 + +[INJSWAP] +peggy_denom = inj1pn5u0rs8qprush2e6re775kyf7jdzk7hrm3gpj +decimals = 8 + +[INJTOOLS] +peggy_denom = factory/inj105a0fdpnq0wt5zygrhc0th5rlamd982r6ua75r/injtools +decimals = 6 + +[INJUNI] +peggy_denom = inj1dz8acarv345mk5uarfef99ecxuhne3vxux606r +decimals = 8 + +[INJUSSY] +peggy_denom = inj1vt2sgyzrna5uj6yetju8k0fjex4g8t7fr3w0vc +decimals = 6 + +[INJUST] +peggy_denom = inj1j9ld52dpgzyc6j42fv5ggk2xkzukm4tjun6449 +decimals = 6 + +[INJUSTICE] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/INJUSTICE +decimals = 6 + +[INJVERSE] +peggy_denom = inj1leqzwmk6xkczjrum5nefcysqt8k6qnmq5v043y +decimals = 8 + +[INJX] +peggy_denom = factory/inj104h3hchl7ws8lp78zpvrunvsjdwfjc02r5d0fp/injx +decimals = 6 + +[INJXMAS] +peggy_denom = inj1uneeqwr3anam9qknjln6973lewv9k0cjmhj7rj +decimals = 8 + +[INJXSOL] +peggy_denom = inj174p4dt45793vylmt8575cltj6wadtc62nakczq +decimals = 8 + +[INJXXX] +peggy_denom = inj1pykhnt3l4ekxe6ra5gjc03pgdglavsv34vdjmx +decimals = 8 + +[INJbsc] +peggy_denom = inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 +decimals = 18 + +[INJet] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw +decimals = 18 + +[INJjP] +peggy_denom = inj1xwr2fzkakfpx5afthuudhs90594kr2ka9wwldl +decimals = 8 + +[INJusd] +peggy_denom = inj1qchqhwkzzws94rpfe22qr2v5cv529t93xgrdfv +decimals = 18 + +[INUJ] +peggy_denom = inj13jhpsn63j6p693ffnfag3efadm9ds5dqqpuml9 +decimals = 18 + +[INUWIFHAT] +peggy_denom = inj1xtrzl67q5rkdrgcauljpwzwpt7pgs3jm32zcaz +decimals = 18 + +[IOA] +peggy_denom = inj1xwkqem29z2faqhjgr6jnpl7n62f2wy4nme8v77 +decimals = 18 + +[ION] +peggy_denom = ibc/1B2D7E4261A7E2130E8E3506058E3081D3154998413F0DB2F82B04035B3FE676 +decimals = 6 + +[IOTX] +peggy_denom = peggy0x6fB3e0A217407EFFf7Ca062D46c26E5d60a14d69 +decimals = 18 + +[IPDAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipdai +decimals = 6 + +[IPEPE] +peggy_denom = factory/inj1td7t8spd4k6uev6uunu40qvrrcwhr756d5qw59/ipepe +decimals = 6 + +[IPEPER] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/IPEPER +decimals = 6 + +[IPandaAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipandaai +decimals = 6 + +[ISILLY] +peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/iSILLY +decimals = 6 + +[ITO] +peggy_denom = ibc/E7140919F6B70594F89401B574DC198D206D923964184A9F79B39074301EB04F +decimals = 6 + +[ITSC] +peggy_denom = inj1r63ncppq6shw6z6pfrlflvxm6ysjm6ucx7ddnh +decimals = 18 + +[IUSD] +peggy_denom = factory/inj1l7u9lv8dfqkjnc7antm5lk7lmskh8zldh9yg05/iUSD +decimals = 18 + +[IWH] +peggy_denom = factory/inj1sgnkljwsekkf36p4lgd7v9qa0p66rj64xa756j/IWH +decimals = 6 + +[IXB] +peggy_denom = inj1p0tvxzfhht5ychd6vj8rqhm0u7g5zxl6prrzpk +decimals = 8 + +[Imol] +peggy_denom = factory/inj1g055dn0qmm9qyrnuaryffqe3hu8qja0qnslx87/Mol7 +decimals = 0 + +[InjBots] +peggy_denom = factory/inj1qfdgzwy6ppn4nq5s234smhhp9rt8z2yvjl2v49/InjBots +decimals = 18 + +[InjCroc] +peggy_denom = inj1dcl8q3yul8hu3htwxp8jf5ar5nqem62twjl0ga +decimals = 18 + +[InjDoge] +peggy_denom = inj1hlg3pr7mtvzcczq0se4xygscmm2c99rrndh4gv +decimals = 8 + +[InjDragon] +peggy_denom = inj1gkf6h3jwsxayy068uuf6ey55h29vjd5x45pg9g +decimals = 18 + +[InjPepe] +peggy_denom = inj19xa3v0nwvdghpj4v2lzf64n70yx7wlqvaxcejn +decimals = 8 + +[InjXsolana] +peggy_denom = inj1u82h7d8l47q3kzwvkm2mgzrskk5au4lrkntkjn +decimals = 8 + +[Inject] +peggy_denom = inj1tn88veylex4f4tu7clpkyneahpmf7nqqmvquuw +decimals = 18 + +[InjectDOGE] +peggy_denom = factory/inj1nf43yjjx7sjc3eulffgfyxqhcraywwgrnqmqjc/INJDOGE +decimals = 6 + +[Injection] +peggy_denom = inj1e8lv55d2nkjss7jtuht9m46cmjd83e39rppzkv +decimals = 6 + +[Injection ] +peggy_denom = inj15sls6g6crwhax7uw704fewmktg6d64h8p46dqy +decimals = 18 + +[Injective] +peggy_denom = inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw +decimals = 18 + +[Injective City] +peggy_denom = factory/inj1xzl47mx87r7sx8e6cz9d3q257xtp9fue3dx073/CITY +decimals = 6 + +[Injective Genesis] +peggy_denom = inj19gm2tefdz5lpx49veyqe3dhtqqkwmtyswv60ux +decimals = 8 + +[Injective Inu] +peggy_denom = inj1pv567vvmkv2udn6llcnmnww78erjln35ut05kc +decimals = 8 + +[Injective Memes] +peggy_denom = inj1zq5mry9y76s5w7rd6eaf8kx3ak3mlssqkpzerp +decimals = 8 + +[Injective Moon] +peggy_denom = inj1tu45dzd54ugqc9fdwmce8vcpeyels45rllx4tt +decimals = 8 + +[Injective Panda] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/bamboo +decimals = 6 + +[Injective Protocol] +peggy_denom = peggy0x7C7aB80590708cD1B7cf15fE602301FE52BB1d18 +decimals = 18 + +[Injective Snowy] +peggy_denom = inj17hsx7q99utdthm9l6c6nvm2j8a92dr489car5x +decimals = 8 + +[Injective-X] +peggy_denom = inj1uk9ac7qsjxqruva3tavqsu6mfvldu2zdws4cg2 +decimals = 8 + +[InjectivePEPE] +peggy_denom = inj18y9v9w55v6dsp6nuk6gnjcvegf7ndtmqh9p9z4 +decimals = 18 + +[InjectiveSwap] +peggy_denom = inj1t0dfz5gqfrq6exqn0sgyz4pen4lxchfka3udn4 +decimals = 6 + +[InjectiveToMoon] +peggy_denom = inj1jwms7tyq6fcr0gfzdu8q5qh906a8f44wws9pyn +decimals = 8 + +[Injera] +peggy_denom = inj1fqn5wr483v6kvd3cs6sxdcmq4arcsjla5e5gkh +decimals = 18 + +[Injera Gem] +peggy_denom = peggy0x7872f1B5A8b66BF3c94146D4C95dEbB6c0997c7B +decimals = 18 + +[Internet Explorer] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/ninjb +decimals = 6 + +[Inu] +peggy_denom = factory/inj1z0my390aysyk276lazp4h6c8c49ndnm8splv7n/Inu +decimals = 6 + +[Inv] +peggy_denom = inj1ajzrh9zffh0j4ktjczcjgp87v0vf59nhyvye9v +decimals = 18 + +[Inzor] +peggy_denom = factory/inj1j7ap5xxp42urr4shkt0zvm0jtfahlrn5muy99a/Inzor +decimals = 6 + +[JAKE] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/JAKE +decimals = 6 + +[JAPAN] +peggy_denom = factory/inj13vtsydqxwya3mpmnqa20lhjg4uhg8pp42wvl7t/japan +decimals = 18 + +[JCLUB] +peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/JCLUB +decimals = 6 + +[JEDI] +peggy_denom = inj1vhsam3xn26fq6lpfpnsnrrg66tjfxts8p7hrrf +decimals = 6 + +[JEET] +peggy_denom = inj1sjff8grguxkzp2wft4xnvsmrksera5l5hhr2nt +decimals = 18 + +[JEETERS] +peggy_denom = factory/inj1jxj9u5y02w4veajmke39jnzmymy5538n420l9z/jeeters +decimals = 6 + +[JEFF] +peggy_denom = factory/inj10twe630w3tpqvxmeyl5ye99vfv4rmy92jd9was/JEFF +decimals = 6 + +[JEJU] +peggy_denom = factory/inj1ymsgskf2467d6q7hwkms9uqsq3h35ng7mj6qs2/jeju +decimals = 6 + +[JELLY] +peggy_denom = factory/inj13ez8llxz7smjgflrgqegwnj258tfs978c0ccz8/JELLY +decimals = 6 + +[JESUS] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/JESUS +decimals = 6 + +[JESUSINJ] +peggy_denom = inj13tnc70qhxuhc2efyvadc35rgq8uxeztl4ajvkf +decimals = 8 + +[JIMMY] +peggy_denom = ibc/BE0CC03465ABE696C3AE57F6FE166721DF79405DFC4F4E3DC09B50FACABB8888 +decimals = 6 + +[JINJA] +peggy_denom = factory/inj1kr66vwdpxmcgqgw30t6duhtmfdpcvlkljgn5f7/JINJA +decimals = 6 + +[JINJAO] +peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/LILKRYSTAL +decimals = 6 + +[JINX] +peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/JINX +decimals = 6 + +[JITSU] +peggy_denom = inj1gjujeawsmwel2d5p78pxmvytert726sejn8ff3 +decimals = 6 + +[JITZ] +peggy_denom = inj1cuxse2aaggs6dqgq7ek8nkxzsnyxljpy9sylyf +decimals = 6 + +[JNI] +peggy_denom = factory/inj140ddmtvnfytfy4htnqk06um3dmq5l79rl3wlgy/jni +decimals = 6 + +[JOHNXINA] +peggy_denom = inj1xxqe7t8gp5pexe0qtlh67x0peqs2psctn59h24 +decimals = 6 + +[JOKER] +peggy_denom = inj1q4amkjwefyh60nhtvtzhsmpz3mukc0fmpt6vd0 +decimals = 8 + +[JPE] +peggy_denom = inj1s8e7sn0f0sgtcj9jnpqnaut3tlh7z720dsxnn7 +decimals = 18 + +[JPY] +peggy_denom = jpy +decimals = 6 + +[JSON] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/json +decimals = 6 + +[JSR] +peggy_denom = inj1hdc2qk2epr5fehdjkquz3s4pa0u4alyrd7ews9 +decimals = 18 + +[JTEST] +peggy_denom = inj1vvekjsupcth0g2w0tkp6347xxzk5cpx87hwqdm +decimals = 18 + +[JUDO] +peggy_denom = inj16ukv8g2jcmml7gykxn5ws8ykhxjkugl4zhft5h +decimals = 18 + +[JUKI] +peggy_denom = inj1nj2d93q2ktlxrju2uwyevmwcatwcumuejrplxz +decimals = 18 + +[JUMONG] +peggy_denom = inj1w9vzzh7y5y90j69j774trp6z0qfh8r4q4yc3yc +decimals = 6 + +[JUNO] +peggy_denom = ibc/D50E26996253EBAA8C684B9CD653FE2F7665D7BDDCA3D48D5E1378CF6334F211 +decimals = 6 + +[JUP] +peggy_denom = jup +decimals = 6 + +[JUSSY] +peggy_denom = inj1qydw0aj2gwv27zkrp7xulrg43kx88rv27ymw6m +decimals = 18 + +[JUTSU] +peggy_denom = inj1aj27yjf5cg6aaccj0xxdpep9h5kymtmu3ccz9h +decimals = 6 + +[Jay] +peggy_denom = inj1qt007zcu57qd4nq9u7g5ffgeyyqkx2h4qfzmn4 +decimals = 18 + +[Jenner] +peggy_denom = inj1yjecs8uklzruxphv447l7urdnlguwynm5f45z7 +decimals = 18 + +[Joe] +peggy_denom = inj14jgu6cs42decuqdfwfz2j462n8lrwhs2d5qdsy +decimals = 18 + +[Joe Boden] +peggy_denom = factory/inj1wnrxrkj59t6jeg3jxzhkc0efr2y24y6knvsnmp/boden +decimals = 6 + +[KADO] +peggy_denom = inj1608auvvlrz9gf3hxkpkjf90vwwgfyxfxth83g6 +decimals = 8 + +[KAGE] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +decimals = 18 + +[KAGECoin] +peggy_denom = factory/inj1jqu8w2qqlc79aewc74r5ts7hl85ksjk4ud7jm8/KAGE +decimals = 6 + +[KAI] +peggy_denom = factory/inj1kdvaxn5373fm4g8xxqhq08jefjhmefqjn475dc/KAI +decimals = 6 + +[KAKAPO] +peggy_denom = factory/inj14ykszmwjjsu9s6aakqc02nh3t32h9m7rnz7qd4/KAKAPO +decimals = 6 + +[KANGAL] +peggy_denom = inj1aq9f75yaq9rwewh38r0ffdf4eqt4mlfktef0q2 +decimals = 18 + +[KARATE] +peggy_denom = factory/inj1898t0vtmul3tcn3t0v8qe3pat47ca937jkpezv/karate +decimals = 6 + +[KARMA] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karma +decimals = 6 + +[KASA] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/kasa +decimals = 6 + +[KAT] +peggy_denom = factory/inj1ms8lr6y6qf2nsffshfmusr8amth5y5wnrjrzur/KAT +decimals = 6 + +[KATANA] +peggy_denom = inj1j36ddpvef5jgmp4ngy6kl0r45c2tftu4qjuke8 +decimals = 6 + +[KATI] +peggy_denom = factory/inj1gueqq3xdek4q5uyh8jp5xnm0ah33elanvgc524/KATI +decimals = 6 + +[KATO] +peggy_denom = factory/inj18dsv2pywequv9c7t5s4kaayg9440hwhht6kkvx/KATO +decimals = 6 + +[KAVA] +peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +decimals = 6 + +[KAVAverified] +peggy_denom = inj1t307cfqzqkm4jwqdtcwmvdrfvrz232sffatgva +decimals = 18 + +[KAZE BOT] +peggy_denom = factory/inj1q42vrh9rhdnr20eq9ju9lymsxaqxcjpuqgd2cg/KZB +decimals = 6 + +[KET] +peggy_denom = factory/inj1y3tkh4dph28gf2fprxy98sg7w5s7e6ymnrvwgv/KET +decimals = 6 + +[KETCHUP] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/KETCHUP +decimals = 6 + +[KGM] +peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/KGM +decimals = 6 + +[KIBA] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/KIBA +decimals = 6 + +[KIDZ] +peggy_denom = factory/inj1f502ktya5h69hxs9acvf3j3d6ygepgxxh2w40u/kidz +decimals = 6 + +[KIKI] +peggy_denom = factory/inj1yc9tdwkff6fdhseshk2qe4737hysf3dv0jkq35/kiki +decimals = 6 + +[KIMJ] +peggy_denom = factory/inj137z9mjeja534w789fnl4y7afphn6qq7qvwhd8y/KIMJ +decimals = 6 + +[KINGELON] +peggy_denom = inj195vkuzpy64f6r7mra4m5aqgtj4ldnk2qs0zx8n +decimals = 8 + +[KINGFUSION] +peggy_denom = inj1mnzwm6fvkruendv8r63vzlw72yv7fvtngkkzs9 +decimals = 8 + +[KINGINJ] +peggy_denom = inj1a3ec88sxlnu3ntdjk79skr58uetrvxcm4puhth +decimals = 8 + +[KINGS] +peggy_denom = factory/inj1pqxpkmczds78hz8cacyvrht65ey58e5yg99zh7/kings +decimals = 6 + +[KINJ] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/kinj +decimals = 6 + +[KINJA] +peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/Kinja +decimals = 6 + +[KIRA] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +decimals = 6 + +[KIRAINU] +peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/KIRAINU +decimals = 6 + +[KISH] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH +decimals = 18 + +[KISH6] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH6 +decimals = 6 + +[KISHU] +peggy_denom = factory/inj1putkaddmnnwjw096tfn7rfyl7jq447y74vmqzt/kishu +decimals = 6 + +[KLAUS] +peggy_denom = inj1yjgk5ywd0mhczx3shvreajtg2ag9l3d56us0f8 +decimals = 8 + +[KMT] +peggy_denom = factory/inj1av2965j0asg5qwyccm8ycz3qk0eya4873dkp3u/kermit +decimals = 6 + +[KNIGHT] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/knight +decimals = 6 + +[KOGA] +peggy_denom = factory/inj1npvrye90c9j7vfv8ldh9apt8t3a9mv9lsv52yd/KOGA +decimals = 6 + +[KOOG] +peggy_denom = inj1dkpmkm7j8t2dh5zqp04xnjlhljmejss3edz3wp +decimals = 18 + +[KPEPE] +peggy_denom = pepe +decimals = 18 + +[KRINJ] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/KRINJ +decimals = 6 + +[KRIPDRAGON] +peggy_denom = inj12txuqr77qknte82pv5uaz8fpg0rsvssjr2n6jj +decimals = 8 + +[KROPA] +peggy_denom = inj1smlveclt2dakmxx36zla343qyznscaxsyza3gh +decimals = 18 + +[KROPPA] +peggy_denom = inj15x62fd9yy0d8lll00k3h66d3terjn79e29l60p +decimals = 18 + +[KRYSY] +peggy_denom = inj1jxcn5t8tmnw26r6fa27m76cw0a7zrzhyenf4c5 +decimals = 6 + +[KSO] +peggy_denom = factory/inj1waemxur3hdu8gavxrymn6axduxe8ful3rm4qcm/koskesh +decimals = 6 + +[KTN] +peggy_denom = inj18kem7dt3tpjp2mx8khujnuuhevqg4exjcd7dnm +decimals = 18 + +[KU9] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/KU9 +decimals = 6 + +[KUJI] +peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 +decimals = 6 + +[KUNAI] +peggy_denom = inj12ntgeddvyzt2vnmy2h8chz080n274df7vvr0ru +decimals = 8 + +[Kage] +peggy_denom = inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +decimals = 18 + +[Karma] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karmainj +decimals = 6 + +[Katana] +peggy_denom = inj1tj4l2qmvw22nquwqkr34v83llyzu97l65zjqsf +decimals = 6 + +[Kaz] +peggy_denom = inj1vweya4us4npaa5xdf026sel0r4qazdvzx6v0v4 +decimals = 6 + +[King] +peggy_denom = factory/inj156zqdswjfcttc8hrvwd5z3nv5n53l5xg9mqvht/King +decimals = 6 + +[KingFusion] +peggy_denom = inj1ynehe0s2kh9fqp5tka99f8wj2xgsha74h3cmtu +decimals = 8 + +[KiraWifHat] +peggy_denom = factory/inj1rrg35k5g58vunyze4tqvqhef2fgrurkpxxdr43/KiraWifHat +decimals = 6 + +[Kitty] +peggy_denom = inj1pfmvtdxhl2l5e245nsfwwl78sfx090asmxnmsw +decimals = 18 + +[Klaus Project] +peggy_denom = inj1zgurc2nd5awcxmpq7q6zgh9elnxg0z9g5yn4k3 +decimals = 8 + +[Knight] +peggy_denom = inj1tvxfut7uayypz2ywm92dkvhm7pdjcs85khsenj +decimals = 18 + +[Koga] +peggy_denom = inj1npvknmdjsk7s35gmemwalxlq4dd38p68mywgvv +decimals = 18 + +[Kuso] +peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/Kuso +decimals = 6 + +[LAB] +peggy_denom = ibc/4BFC760786BE40F8C10AA8777D68C6BEFE9C95A881AD29AF1462194018AB7C0C +decimals = 6 + +[LABS] +peggy_denom = factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/labs +decimals = 6 + +[LADS] +peggy_denom = ibc/5631EB07DC39253B07E35FC9EA7CFB652F63A459A6B2140300EB4C253F1E06A2 +decimals = 6 + +[LALA] +peggy_denom = inj156wqs2alkgmspj8shjje56ajgneqtjfk20w9n6 +decimals = 18 + +[LAMA] +peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/LAMA +decimals = 6 + +[LAMBO] +peggy_denom = peggy0x3d2b66BC4f9D6388BD2d97B95b565BE1686aEfB3 +decimals = 18 + +[LAMBOPEPE] +peggy_denom = factory/inj1rge0wzk9hn8qgwz77m9zcznahrp5s322fa6lhu/LAMBO +decimals = 6 + +[LAVA] +peggy_denom = inj1jrykfhmfcy4eh8t3yw6ru3ypef39s3dsu46th7 +decimals = 18 + +[LBFS] +peggy_denom = inj18ssfe746a42me2j02casptrs0y2z5yak06cy4w +decimals = 8 + +[LDO] +peggy_denom = peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32 +decimals = 18 + +[LEGE] +peggy_denom = inj122gwdl0xl6908uhdgql2ftrezsy2ru2gme8mhc +decimals = 18 + +[LENARD] +peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/LENARD +decimals = 6 + +[LEO] +peggy_denom = factory/inj1f0gj22j0vep9jt48tnt2mg97c8ysgyxllhvp68/LEO +decimals = 9 + +[LESS] +peggy_denom = inj105ke2sw329yl64m4273js3vxfxvq2kdqtz0s63 +decimals = 18 + +[LEVERKUSEN] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/LEVERKUSEN +decimals = 6 + +[LFR] +peggy_denom = inj176pze4mvaw2kv72sam0fwt3vn08axlj08e46ac +decimals = 18 + +[LFROG] +peggy_denom = inj1vhw7xadr0366hjnvet8tnpgt898vkm47faycar +decimals = 18 + +[LFrog] +peggy_denom = factory/inj1wu2kfkmrvfr34keemcmjh9zups72r5skygltrg/LFrog +decimals = 11 + +[LIBE] +peggy_denom = inj1y7cqd6x50ezv8xrgqx0lnqf4p747nyqq533ma3 +decimals = 18 + +[LIGMA] +peggy_denom = inj17mhem35tyszwpyfh6s0sr4l5p7wkj0knja9ck3 +decimals = 6 + +[LINK] +peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA +decimals = 18 + +[LIO] +peggy_denom = factory/inj1p2nh5tx9j27eqwxvr6aj9sasttff6200tpq24k/LIO +decimals = 6 + +[LIOR] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/DINO +decimals = 6 + +[LMAO] +peggy_denom = inj1yd07kujagk0t6rlj0zca2xsm6qpekv8mmwqknv +decimals = 18 + +[LMEOW] +peggy_denom = inj1wu77ndd9t2yehansltt7wkhhqfjcsah0z4jvlf +decimals = 18 + +[LNC] +peggy_denom = inj18epz5afrhu0zehdlj0mp8cfmv3vtusq6fd6ufw +decimals = 6 + +[LOCAL] +peggy_denom = ibc/FECCDCFA89278B117C76A11A946A7991A68E5DD12DED6EB938ADC1B1286AC591 +decimals = 6 + +[LOL] +peggy_denom = inj1kjfeuqtp56newrdye4d5rczfkwe4dg3llc0kc9 +decimals = 18 + +[LONG] +peggy_denom = inj10yr5mmvxez3h0xzrpaa89my99qlv3u2rmzg0ge +decimals = 8 + +[LOOL] +peggy_denom = inj12xn584cdkhnz2nn08xz4yrwxscxa8tr2fuxwam +decimals = 18 + +[LORD] +peggy_denom = inj1flek07wkz73a7ptxutumr4u5fukt6th4fwy9zn +decimals = 6 + +[LOST] +peggy_denom = inj150rlxjvk2trcm59mpwyg7hkkq8sfmdtu0tj873 +decimals = 8 + +[LOTUS] +peggy_denom = inj1luz09rzlytzdqnyp2n0cqevdxkf9u780uvsew5 +decimals = 6 + +[LOXA] +peggy_denom = inj175ut0y843p0kc4secgplsrs609uwaq3d93tp0x +decimals = 8 + +[LP AKT-MNTA] +peggy_denom = ibc/D128AB965B69D44D80AFD886D8A252C10D6B0B792B3AEA7833C7A1F95BA4BCF8 +decimals = 6 + +[LP ARB-MNTA] +peggy_denom = ibc/A7BBB8697F21D2CE19732D6CCE137E00B78CE83B5F38AC5E7FB163D7E77C1325 +decimals = 6 + +[LP ATOM-MNTA] +peggy_denom = ibc/67E901393C5DE5F1D26A0DBC86F352EA9CEBC6F5A1791ADAB33AB557136CD4D0 +decimals = 6 + +[LP AXL-MNTA] +peggy_denom = ibc/F829D655E96C070395E364658EFB2EC4B93906D44A6C1AE6A2A8821FCB7BA4B8 +decimals = 6 + +[LP CHEQ-MNTA] +peggy_denom = ibc/454555FFF0452DD86BC65DDE0158300132DE275CB22183ECE357EA07EBA18528 +decimals = 6 + +[LP DOT.axl-MNTA] +peggy_denom = ibc/E9BC2E73393C6C1AD36B04109F5C20CC1CDC4BCB913C8038993C8F68A0CD8474 +decimals = 6 + +[LP DYDX-MNTA] +peggy_denom = ibc/0FC1BAA3BF09FA73946A6412088FCED87D1D2368F30BDC771FB5FF6EAE0EB5E9 +decimals = 6 + +[LP DYM-MNTA] +peggy_denom = ibc/CC151284BE8E76C67E78ADAE3892C0D9084F0C802CC1EC44BFBE91EE695206E8 +decimals = 6 + +[LP FUZN-MNTA] +peggy_denom = ibc/A064F58ADEAA6DF2AE8006787DFF5E1F144FECF79F880F0140CB38800C295AC2 +decimals = 6 + +[LP INJ-MNTA] +peggy_denom = ibc/4229FC85617819AFFE8543D646BE8A41CD9F8257985A198E0DF09E54F23EC6D3 +decimals = 6 + +[LP LINK.axl-MNTA] +peggy_denom = ibc/BA3A7ACF9AEF1F3D1973ED4406EB35CF2DCB9B545D71A7F06B27A7EA918F8396 +decimals = 6 + +[LP MNTA-KUJI] +peggy_denom = ibc/AE8EDE6CB769E0EAB809204D5E770F5DF03BC35D3E5977272E6CE5147229F938 +decimals = 6 + +[LP NTRN-MNTA] +peggy_denom = ibc/77011B441A8655A392E5B6DA8AE4ADFB0D3DF3E26B069803D64B89208EC8C07E +decimals = 6 + +[LP OSMO-MNTA] +peggy_denom = ibc/CF0564CF0C15332430432E8D7C417521004EBB2EA4CB922C577BA751A64B6599 +decimals = 6 + +[LP PAXG.grv-MNTA] +peggy_denom = ibc/8C1E93AB13F5FC3E907751DA5BE4C7518E930A4C9F441523E608323C1CA35F6B +decimals = 6 + +[LP SCRT-MNTA] +peggy_denom = ibc/9FE7DE3797BC1F75E8CBE30B16CE84A3835B8A280E7E7780CE2C86C244F6253C +decimals = 6 + +[LP SHD-MNTA] +peggy_denom = ibc/B512CFCA199DCBDF098824846D2D78E1E04EBA6A5091A99472236B69B24C979E +decimals = 6 + +[LP SOL.wh-MNTA] +peggy_denom = ibc/D765CDBB85910E131773AF7072439F9C382DF0B894D2209E09D2EEFE0298EADC +decimals = 6 + +[LP SOMM-MNTA] +peggy_denom = ibc/457CF9F4112FB7E765A83A1F93DE93246C1E0D5A1C83F9A909B5890A172AAC34 +decimals = 6 + +[LP STARS-MNTA] +peggy_denom = ibc/B6B6EB8527A6EE9040DBE926D378EC23CB231AC8680AF75372DBF6B7B64625A7 +decimals = 6 + +[LP TIA-MNTA] +peggy_denom = ibc/59F96C9AAFC26E872D534D483EF8648305AD440EF2E9A506F061BADFC378CE13 +decimals = 6 + +[LP UNI.axl-MNTA] +peggy_denom = ibc/4E4B25966A3CF92B796F5F5D1A70A375F32D8EF4C7E49DEC1C38441B7CA8C7CA +decimals = 6 + +[LP WHALE-MNTA] +peggy_denom = ibc/89E80D95AF2FD42A47E9746F7CFF32F3B56FE3E113B81241A6A818C8B3221C17 +decimals = 6 + +[LP ampMNTA-MNTA] +peggy_denom = ibc/8545604BFCCC408B753EB0840FF131CB34B9ED1283A9BD551F68C324B53FEF0C +decimals = 6 + +[LP qcMNTA-MNTA] +peggy_denom = ibc/23ADD2AC1D22776CE8CB37FB446E552B9AE5532B76008ADF73F75222A6ACFE19 +decimals = 6 + +[LP stOSMO-OSMO] +peggy_denom = ibc/20D8F1713F8DF3B990E23E205F1CCD99492390558022FF3FE60B1FAFCF955689 +decimals = 6 + +[LP wAVAX.axl-MNTA] +peggy_denom = ibc/57CC0316BFD206E1A8953DD6EC629F1556998EB9454152F21D51EFB5A35851EF +decimals = 6 + +[LP wBNB.axl-MNTA] +peggy_denom = ibc/2961FC233B605E5D179611D7D5C88E89DD3717081B5D06469FF27DFE83AF9BEB +decimals = 6 + +[LP wBTC.axl-MNTA] +peggy_denom = ibc/B73EDDE38FFE4C5782B5C6108F4977B8B4A0C13AA9EBABEBCCFC049ED5CC0968 +decimals = 6 + +[LP wETH.axl-MNTA] +peggy_denom = ibc/83DDCD6991A94C4ED287A029243527A14A86D4A62FB69BBEC51FB9B0156C6683 +decimals = 6 + +[LP wETH.axl-USK] +peggy_denom = ibc/6E2B993CA402C047E232E4722D1CE0C73DBD47CBBE465E16F6E3732D27F37649 +decimals = 6 + +[LP wFTM.axl-MNTA] +peggy_denom = ibc/EBF34B929B7744BD0C97ECF6F8B8331E2BCA464F1E5EA702B6B40ED2F55433BD +decimals = 6 + +[LP wMATIC.axl-MNTA] +peggy_denom = ibc/942AA5D504B03747AF67B19A874D4E47DAD307E455AEB34E3A4A2ECF7B9D64C8 +decimals = 6 + +[LP wTAO.grv-MNTA] +peggy_denom = ibc/51BB7FAEEDCFC7782519C8A6FB0D7168609B2450B56FED6883ABD742AEED8CC4 +decimals = 6 + +[LP wstETH.axl-MNTA] +peggy_denom = ibc/BAB4B518D0972626B854BE5139FCAD7F1113E3787BC13013CB6A370298EFE0C1 +decimals = 6 + +[LP wstETH.axl-wETH.axl] +peggy_denom = ibc/CEECB0B01EC9BF90822BCA6A1D6D2BF4DC6291BD0C947BEE512BD4639045EAD1 +decimals = 6 + +[LP yieldETH.axl-MNTA] +peggy_denom = ibc/D410037544911319AB9F3BF0C375598AAD69A7555A5B23158484DFFC10651316 +decimals = 6 + +[LRDSVN] +peggy_denom = inj1xcrrweel03eu2fzlvmllhy52wdv25wvejn24dr +decimals = 8 + +[LUCK] +peggy_denom = factory/inj13f6c0hc3l80qa7w80j992wtscslkg8pm65rxua/LUCK +decimals = 6 + +[LUCKY] +peggy_denom = inj1v8vkngk2pn2sye2zduy77lfdeaqq9cd924f5le +decimals = 18 + +[LUFFY] +peggy_denom = inj1yzz7pvx7e98u3xv4uz0tkqrm6uj684j9lvv0z4 +decimals = 6 + +[LUIGI] +peggy_denom = inj1h8yjr8ely8q8r8rlvs2zx0pmty70ajy4ud6l0y +decimals = 18 + +[LUKE] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/luke +decimals = 6 + +[LUM] +peggy_denom = ibc/2C58CBDF1C96FAD7E6B1C5EC0A484E9BD9A27E126E36AFBDD7E45F0EA17F3640 +decimals = 6 + +[LUNA] +peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 +decimals = 6 + +[LUNA-USDC-LP] +peggy_denom = ibc/CBC3DCBC6559DB851F487B6A41C547A2D75DB0C54A143DDF39C04250E50DA888 +decimals = 6 + +[LUNA-USDT-LP] +peggy_denom = ibc/E06B8ECC4B080937AFD0AD0308C4E9354AB169C297F45E087D6057F0010E502D +decimals = 6 + +[LUNAR] +peggy_denom = inj1hpu5e5620hvd7hf3t4t4em96cx9t58yefcr3uu +decimals = 8 + +[LVN] +peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 +decimals = 6 + +[LYM] +peggy_denom = peggy0xc690F7C7FcfFA6a82b79faB7508c466FEfdfc8c5 +decimals = 18 + +[Leapwifhat] +peggy_denom = factory/inj10xsan7m2gwhwjm9hrr74ej77lx8qaxk9cl7rfw/Leapwifhat +decimals = 6 + +[Leia] +peggy_denom = inj1vm24dp02njzgd35srtlfqkuvxz40dysyx7lgfl +decimals = 6 + +[Lenz] +peggy_denom = factory/inj19xadglv3eaaavaeur5553hjj99c3vtkajhj4r6/Lenz +decimals = 6 + +[Leo] +peggy_denom = inj1xnqaq553d5awhzr68p5vkenrj64ueqpfzjjp0f +decimals = 18 + +[Leonardo] +peggy_denom = inj1yndh0j4dpnjuqaap7u6csta2krvhqddjwd3p9w +decimals = 18 + +[Lido DAO Token] +peggy_denom = inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy +decimals = 8 + +[Lido Staked Ether] +peggy_denom = ibc/FB1B967C690FEA7E9AD7CF76AE2255169D4EA2937D6694B2C0E61A370F76D9FB +decimals = 18 + +[Lost Paradise AI] +peggy_denom = inj1wf0d0ynpfcmpcq8h9evv2z4p0stc73x3skj96r +decimals = 8 + +[Luigi] +peggy_denom = inj1vrz0yfrlxe6mqaadmeup8g6nhhzmg7hwpfr6kz +decimals = 18 + +[Luna] +peggy_denom = ibc/0DDC992F19041FC1D499CCA1486721479EBAA7270604E15EDDFABA89D1E772E5 +decimals = 6 + +[MAD] +peggy_denom = inj1u97mcn0sx00hnksfc9775gh5vtjhn4my340t0j +decimals = 18 + +[MADDOG] +peggy_denom = inj1y942sn0su2wxzh65xnd6h6fplajm04zl8fh0xy +decimals = 6 + +[MAFIAz] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/MAFIAz +decimals = 6 + +[MAGA] +peggy_denom = peggy0x576e2BeD8F7b46D34016198911Cdf9886f78bea7 +decimals = 9 + +[MAI] +peggy_denom = inj1wd3vgvjur8du5zxktj4v4xvny4n8skjezadpp2 +decimals = 8 + +[MAKI] +peggy_denom = factory/inj1l0pnjpc2y8f0wlua025g5verjuvnyjyq39x9q0/MAKI +decimals = 6 + +[MAMA] +peggy_denom = inj1ayukjh6wufyuymv6ehl2cmjjpvrqjf5m75ty90 +decimals = 6 + +[MAMBA] +peggy_denom = factory/inj18z5cm702ylpqz8j6gznalcw69wp4m7fsdjhnfq/mamba +decimals = 6 + +[MANEKI] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/MANEKI +decimals = 6 + +[MANTAINJ] +peggy_denom = inj1rluhqhev2v4kmz0m8qjfrlyrlrlqckajuf0ajs +decimals = 6 + +[MANTIS] +peggy_denom = inj1s6hmmyy9f2k37qqw2pryufg4arqxegurddkdp9 +decimals = 6 + +[MARA] +peggy_denom = inj1kaqrfnqy59dm6rf7skn8j05fdmdya9af0g56we +decimals = 18 + +[MARB] +peggy_denom = inj1up4k6vxrq4nhzvp5ssksqejk3e26q2jfvngjlj +decimals = 18 + +[MARC] +peggy_denom = inj1xg8d0nf0f9075zj3h5p4hku8r6ahtssxs4sq5q +decimals = 18 + +[MARD] +peggy_denom = inj177n6een54mcs8sg3hgdruumky308ehgkp9mghr +decimals = 18 + +[MARE] +peggy_denom = inj1k4ytnwu0luen8vyvahqmusxmt362r8xw3mmu55 +decimals = 18 + +[MARF] +peggy_denom = inj1phkfvvrzqtsq6ajklt0vsha78jsl3kg6wcd68m +decimals = 18 + +[MARG] +peggy_denom = inj14qypf8qd0zw3t7405n4rj86whxhyqnvacl8c9n +decimals = 18 + +[MARH] +peggy_denom = inj1sarc5fq8rlqxl9q3y6f6u5qnzumsqdn6vvvgyh +decimals = 18 + +[MARI] +peggy_denom = inj1x5wvc0k7xht6jyh04vj2dtstcrv68lps4r58d5 +decimals = 18 + +[MARJ] +peggy_denom = inj1zhqnqzdg6738q9wjrkr50c6qkkd5ghar9fp36s +decimals = 18 + +[MARK] +peggy_denom = inj1mnv033jcerdf4d3xw2kfreakahtuf0ue3xgr3u +decimals = 18 + +[MARM] +peggy_denom = inj1qls0sp552zw55df5klhv98zjueagtn6ugq292f +decimals = 18 + +[MARN] +peggy_denom = inj1q4swwrf6kvut57k8hpul7ef39vr5ka3h74dcwj +decimals = 18 + +[MARS] +peggy_denom = inj1h28xpjed0xtjwe558gr2nx7nsfx2p6sey6zduc +decimals = 8 + +[MASK] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/mask +decimals = 6 + +[MASTER] +peggy_denom = inj1at4cjadsrags6c65g4vmtnwzw93pv55kky796l +decimals = 6 + +[MATIC] +peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +decimals = 18 + +[MATR1X] +peggy_denom = inj1367pnje9e8myaw04av6j2n5z7827407k4sa4m8 +decimals = 8 + +[MATR1X AI] +peggy_denom = inj18d3wkfajxh7t9cq280ggrksrchj0ymjf7cxwcf +decimals = 8 + +[MAX] +peggy_denom = factory/inj164jk46xjwsn6x4rzu6sfuvtlzy2nza0nxfj0nz/MAX +decimals = 6 + +[MAXH] +peggy_denom = inj1h97mmp9v36ljlmhllyqas0srsfsaq2ppq4dhez +decimals = 18 + +[MAXI] +peggy_denom = factory/inj1jtx66k3adkjkrhuqypkt2ld7equf3whcmj2lde/MAXI +decimals = 6 + +[MBERB] +peggy_denom = inj1d6wle0ugcg2u3hcl9unkuz7usdvhv6tx44l9qn +decimals = 6 + +[MBRN] +peggy_denom = ibc/7AF90EDF6F5328C6C33B03DB7E33445708A46FF006932472D00D5076F5504B67 +decimals = 6 + +[MDRA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA +decimals = 18 + +[MEAT] +peggy_denom = inj1naxd5z6h78khd90nmfguxht55eecvttus8vfuh +decimals = 6 + +[MEHTER] +peggy_denom = factory/inj1tscuvmskt4fxvqurh0aueg57x4vja683z79q4u/MEHTER +decimals = 6 + +[MEME] +peggy_denom = inj1u0y6k9grtux3dlzpvj6hspkg6n0l0l2zmlhygu +decimals = 18 + +[MEMEAI] +peggy_denom = inj1ps72fm7jpvnp3n0ysmjcece6rje9yp7dg8ep5j +decimals = 8 + +[MEMEME] +peggy_denom = peggy0x1A963Df363D01EEBB2816b366d61C917F20e1EbE +decimals = 18 + +[MEMT] +peggy_denom = factory/inj1vust6dc470q02c35vh8z4qz22ddr0zv35pxaxe/MEMEMINT +decimals = 6 + +[MEOW] +peggy_denom = factory/inj13wngn7gt8mt2k66x3ykp9tvfk5x89ajwd7yrtr/meow +decimals = 6 + +[MESSI] +peggy_denom = inj1upun866849c4kh4yddzkd7s88sxhvn3ldllqjq +decimals = 6 + +[METAOASIS] +peggy_denom = inj1303k783m2ukvgn8n4a2u5jvm25ffqe97236rx2 +decimals = 8 + +[METAWORLD] +peggy_denom = inj1lafjpyp045430pgddc8wkkg23uxz3gjlsaf4t3 +decimals = 8 + +[MEW] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/mew +decimals = 6 + +[MIB] +peggy_denom = factory/inj1s9pckznjz4hmgtxu5t9gerxtalch7wtle4y3a6/MIB +decimals = 6 + +[MICE] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/MICE +decimals = 6 + +[MICHAEL] +peggy_denom = factory/inj1hem3hs6fsugvx65ry43hpcth55snyy8x4c5s89/MICHAEL +decimals = 6 + +[MICRO] +peggy_denom = inj1jnn7uf83lpl9ug5y6d9pxes9v7vqphd379rfeh +decimals = 6 + +[MIGMIG] +peggy_denom = inj1vl8swymtge55tncm8j6f02yemxqueaj7n5atkv +decimals = 6 + +[MILA] +peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/MILA +decimals = 6 + +[MILF] +peggy_denom = inj1mlahaecngtx3f5l4k6mq882h9r2fhhplsatgur +decimals = 18 + +[MILFQUNT] +peggy_denom = factory/inj164mk88yzadt26tzvjkpc4sl2v06xgqnn0hj296/MILFQUNT +decimals = 6 + +[MILK] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + +[MINIDOG] +peggy_denom = inj1shzx0tx7x74ew6ewjdhvw2l3a828tfaggk5lj3 +decimals = 18 + +[MINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/minj +decimals = 6 + +[MIRZA] +peggy_denom = factory/inj1m6mqdp030nj6n7pa9n03y0zrkczajm96rcn7ye/MIRZA +decimals = 6 + +[MITHU] +peggy_denom = inj1uh3nt2d0q69hwsgge4z38rm2vg9h7hugdnf5wx +decimals = 6 + +[MIYOYO] +peggy_denom = factory/inj1xuds68kdmuhextjew8zlt73g5ku7aj0g7tlyjr/miyoyo +decimals = 6 + +[MKEY] +peggy_denom = inj1jqqysx5j8uef2kyd32aczp3fktl46aqh7jckd5 +decimals = 18 + +[MKR] +peggy_denom = ibc/E8C65EFAB7804152191B8311F61877A36779277E316883D8812D3CBEFC79AE4F +decimals = 18 + +[MNC] +peggy_denom = inj1fr693adew9nnl64ez2mmp46smgn48c9vq2gv6t +decimals = 18 + +[MNINJA] +peggy_denom = inj1cv3dxtjpngy029k5j0mmsye3qrg0uh979ur920 +decimals = 18 + +[MNP] +peggy_denom = inj1s02f4aygftq6yhpev9dmnzp8889g5h3juhd5re +decimals = 18 + +[MNTA] +peggy_denom = ibc/A4495880A4A2E3C242F63C710F447BAE072E1A4C2A22F1851E0BB7ABDD26B43D +decimals = 6 + +[MOAR] +peggy_denom = ibc/D37C63726080331AF3713AA59B8FFD409ABD44F5FDB4685E5F3AB43D40108F6F +decimals = 6 + +[MOBX] +peggy_denom = ibc/D80D1912495833112073348F460F603B496092385558F836D574F86825B031B4 +decimals = 9 + +[MOGD] +peggy_denom = inj1yycep5ey53zh2388k6m2jmy4s4qaaurmjhcatj +decimals = 6 + +[MOJO] +peggy_denom = inj14ttljn98g36yp6s9qn59y3xsgej69t53ja2m3n +decimals = 18 + +[MOL] +peggy_denom = factory/inj1fnpmp99kclt00kst3ht8g0g44erxr5wx6fem9x/MOL +decimals = 6 + +[MOM] +peggy_denom = inj17p7q5jrc6y00akcjjwu32j8kmjkaj8f0mjfn9p +decimals = 6 + +[MOMO] +peggy_denom = factory/inj12kja5s3dngydnhmdm69v776mkfrf7nuzclwzc4/MOMO +decimals = 6 + +[MONKEY] +peggy_denom = factory/inj1zgpg4laenyplsjeqz4pxfhmsv55vcx70lf2sgz/MONKEY +decimals = 6 + +[MONKS] +peggy_denom = inj1fy4hd7gqtdzp6j84v9phacm3f998382yz37rjd +decimals = 18 + +[MOO] +peggy_denom = factory/inj10tj05gfpxgnmpr4q7rhxthuknc6csatrp0uxff/moo +decimals = 6 + +[MOON] +peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/MOON +decimals = 6 + +[MOONIFY] +peggy_denom = factory/inj1ktq0gf7altpsf0l2qzql4sfs0vc0ru75cnj3a6/moonify +decimals = 6 + +[MOONTRADE] +peggy_denom = inj19fzjd8rungrlmkujr85v0v7u7xm2aygxsl03cy +decimals = 8 + +[MOR] +peggy_denom = inj13vyz379revr8w4p2a59ethm53z6grtw6cvljlt +decimals = 8 + +[MORKIE] +peggy_denom = inj1k30vrj8q6x6nfyn6gpkxt633v3u2cwncpxflaa +decimals = 18 + +[MOTHER] +peggy_denom = inj1rytr7mwrentqhng3gldplyf59k23qd3x5umc36 +decimals = 18 + +[MOX] +peggy_denom = inj1w86sch2d2zmpw0vaj5sn2hdy6evlvqy5kx3mf0 +decimals = 18 + +[MPEPE] +peggy_denom = mpepe +decimals = 18 + +[MRKO] +peggy_denom = inj10wufg9exwgr8qgehee9q8m8pk25c62wwul4xjx +decimals = 8 + +[MRZ] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/mirza +decimals = 6 + +[MT] +peggy_denom = inj1exeh9j6acv6375mv9rhwtzp4qhfne5hajncllk +decimals = 8 + +[MUBI] +peggy_denom = factory/inj1fzhwjv2kjv7xr2h4phue5yqsjawjypcamcpl5a/mubi +decimals = 6 + +[MUSHROOM] +peggy_denom = inj1wchqefgxuupymlumlzw2n42c6y4ttjk9a9nedq +decimals = 6 + +[MUSK] +peggy_denom = inj1em3kmw6dmef39t7gs8v9atsvzkprdr03k5h5ej +decimals = 8 + +[MYRK] +peggy_denom = ibc/48D1DA9AA68C949E27BAB39B409681292035ABF63EAB663017C7BEF98A3D118E +decimals = 6 + +[MYSTERYBOX1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/MYSTERYBOX1 +decimals = 0 + +[MacTRUMP] +peggy_denom = inj10gsw06ee0ppy7ltqeqhagle35h0pnue9nnsetg +decimals = 6 + +[Maga] +peggy_denom = inj1wey50ukykccy8h6uaacln8naz5aahhsy09h4x0 +decimals = 6 + +[Mak] +peggy_denom = inj1vpks54yg6kwtsmt9r2psclcp0gmkgma3c3rvmg +decimals = 18 + +[MantaInj] +peggy_denom = inj1qzc2djpnpg9n5jjcjzayl0dn4gjvft77yfau52 +decimals = 8 + +[Mark] +peggy_denom = factory/inj1uw9z3drc0ea680e4wk60lmymstx892nta7ycyt/MARK +decimals = 6 + +[Marshmello] +peggy_denom = inj1aw5t8shvcesdrh47xfyy9x9j0vzkhxuadzv6dw +decimals = 6 + +[MartialArts] +peggy_denom = factory/inj1tjspc227y7ck52hppnpxrmhfj3kd2pw3frjw8v/MartialArts +decimals = 6 + +[Matr1x AI] +peggy_denom = inj1gu7vdyclf2fjf9jlr6dhzf34kcxchjavevuktl +decimals = 8 + +[MelonMask] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/melonmask +decimals = 6 + +[Meme] +peggy_denom = factory/inj1c72uunyxvpwfe77myy7jhhjtkqdk3csum846x4/Meme +decimals = 4 + +[MemeCoin] +peggy_denom = inj12dag0a67uxcvs5x730lpq0pdsatgmx8ktqeafl +decimals = 8 + +[Men In Black] +peggy_denom = factory/inj1q3xa3r638hmpu2mywg5r0w8a3pz2u5l9n7x4q2/MeninblackINJ +decimals = 6 + +[Messi] +peggy_denom = inj1lvq52czuxncydg3f9z430glfysk4yru6p4apfr +decimals = 18 + +[MetaOasis] +peggy_denom = inj1uk7dm0ws0eum6rqqfvu8d2s5vrwkr9y2p7vtxh +decimals = 8 + +[MetaPX] +peggy_denom = inj1dntprsalugnudg7n38303l3l577sxkxc6q7qt5 +decimals = 8 + +[Metti] +peggy_denom = inj1lgnrkj6lkrckyx23jkchdyuy62fj4773vjp3jf +decimals = 8 + +[Mew Cat] +peggy_denom = inj12pykmszt7g2l5h2q9h8vfk0w6aq2nj8waaqs7d +decimals = 8 + +[Minions] +peggy_denom = inj1wezquktplhkx9gheczc95gh98xemuxqv4mtc84 +decimals = 6 + +[MitoTutorial] +peggy_denom = factory/inj1m3ea9vs5scly8c5rm6l3zypknfckcc3xzu8u5v/Test +decimals = 6 + +[Money] +peggy_denom = inj108rxfpdh8q0pyrnnp286ftj6jctwtajjeur773 +decimals = 18 + +[Monks] +peggy_denom = factory/inj148sjw9h9n3n8gjw37reetwdlc7v4hfhl8r7vv3/Monks +decimals = 6 + +[Moon] +peggy_denom = inj143ccar58qxmwgxr0zcp32759z5nsvseyr2gm7c +decimals = 18 + +[Moon ] +peggy_denom = inj1e3gqdkr2v7ld6m3620lgddfcarretrca0e7gn5 +decimals = 18 + +[Moonlana] +peggy_denom = inj1trg4pfcu07ft2dhd9mljp9s8pajxeclzq5cnuw +decimals = 8 + +[Morc] +peggy_denom = inj1vnwc3n4z2rewaetwwxz9lz46qncwayvhytpddl +decimals = 8 + +[Multichain USDC] +peggy_denom = ibc/610D4A1B3F3198C35C09E9AF7C8FB81707912463357C9398B02C7F13049678A8 +decimals = 6 + +[MySymbol] +peggy_denom = inj1t6hampk8u4hsrxwt2ncw6xx5xryansh9mg94mp +decimals = 18 + +[MyTokenOne] +peggy_denom = inj13m7h8rdfvr0hwvzzvufwe2sghlfd6e45rz0txa +decimals = 18 + +[MyTokenZero] +peggy_denom = inj1kzk2h0g6glmlwamvmzq5jekshshkdez6dnqemf +decimals = 18 + +[NAKI] +peggy_denom = factory/inj10lauc4jvzyacjtyk7tp3mmwtep0pjnencdsnuc/NAKI +decimals = 6 + +[NAMI] +peggy_denom = ibc/B82AA4A3CB90BA24FACE9F9997B75359EC72788B8D82451DCC93986CB450B953 +decimals = 6 + +[NARUTO] +peggy_denom = factory/inj16x0d8udzf2z2kjkdlr9ehdt7mawn9cckzt927t/naruto +decimals = 6 + +[NAWU] +peggy_denom = inj1y5qs5nm0q5qz62lxkeq5q9hpkh050pfn2j6mh4 +decimals = 18 + +[NBD] +peggy_denom = factory/inj1ckw2dxkwp7ruef943x50ywupsmxx9wv8ahdzkt/NBD +decimals = 6 + +[NBLA] +peggy_denom = factory/inj1d0zfq42409a5mhdagjutl8u6u9rgcm4h8zfmfq/nbla +decimals = 6 + +[NBOY] +peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/NBOY +decimals = 6 + +[NBZ] +peggy_denom = ibc/1011E4D6D4800DA9B8F21D7C207C0B0C18E54E614A8576037F066B775210709D +decimals = 6 + +[NBZAIRDROP] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZAIRDROP +decimals = 0 + +[NCACTE] +peggy_denom = factory/inj1zpgcfma4ynpte8lwfxqfszddf4nveq95prqyht/NCACTE +decimals = 6 + +[NCH] +peggy_denom = inj1d8pmcxk2grd62pwcy4q58l2vqh98vwkjx9nsvm +decimals = 8 + +[NCOQ] +peggy_denom = factory/inj13gc6rhwe73hf7kz2fwpall9h73ft635yss7tas/NCOQ +decimals = 6 + +[NEO] +peggy_denom = inj12hnvz0xs4mnaqh0vt9suwf8puxzd7he0mukgnu +decimals = 8 + +[NEOK] +peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 +decimals = 18 + +[NEPT] +peggy_denom = inj1464m9k0njt596t88chlp3nqg73j2fzd7t6kvac +decimals = 18 + +[NETZ] +peggy_denom = inj1dg27j0agxx8prrrzj5y8hkw0tccgwfuwzr3h50 +decimals = 8 + +[NEURA] +peggy_denom = peggy0x3D1C949a761C11E4CC50c3aE6BdB0F24fD7A39DA +decimals = 18 + +[NEURAL] +peggy_denom = factory/inj1esryrafqyqmtm50wz7fsumvq0xevx0q0a9u7um/NEURAL +decimals = 6 + +[NEWF] +peggy_denom = inj1uhqyzzmjq2czlsejqjg8gpc00gm5llw54gr806 +decimals = 18 + +[NEWS] +peggy_denom = factory/inj1uw4cjg4nw20zy0y8z8kyug7hum48tt8ytljv50/NEWS +decimals = 6 + +[NEWSHROOM] +peggy_denom = inj1e0957khyf2l5knwtdnzjr6t4d0x496fyz6fwja +decimals = 6 + +[NEWT] +peggy_denom = inj1k4gxlzrqvmttwzt2el9fltnzcdtcywutxqnahw +decimals = 18 + +[NEWTON] +peggy_denom = inj14a7q9frkgtvn53xldccsvmz8lr5u6qffu7jmmx +decimals = 8 + +[NEWYEARINJ] +peggy_denom = inj1980cshwxa5mnptp6vzngha6h2qe556anm4zjtt +decimals = 8 + +[NEXO] +peggy_denom = peggy0xB62132e35a6c13ee1EE0f84dC5d40bad8d815206 +decimals = 18 + +[NEYMAR] +peggy_denom = inj1s2ealpaglaz24fucgjlmtrwq0esagd0yq0f5w5 +decimals = 6 + +[NFA] +peggy_denom = factory/inj1c5gk9y20ptuyjlul0w86dsxhfttpjgajhvf9lh/NFA +decimals = 6 + +[NFCTV] +peggy_denom = factory/inj14mn4n0lh52vxttlg5a4nx58pnvc2ntfnt44y4j/NFCTV +decimals = 6 + +[NFT] +peggy_denom = factory/inj1zchn2chqyv0cqfva8asg4lx58pxxhmhhhgx3t5/NFT +decimals = 6 + +[NI] +peggy_denom = factory/inj1kzaaapa8ux4z4lh8stm6vv9c5ykhtwl84zxrtl/ni +decimals = 6 + +[NICO] +peggy_denom = ibc/EED3F204DCABACBEB858B0A56017070283098A81DEB49F1F9D6702309AA7F7DE +decimals = 18 + +[NIF] +peggy_denom = factory/inj1pnwrzhnjfncxgf4jkv3zadf542tpfc3xx3x4xw/NIF +decimals = 6 + +[NIGGA] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/nigga +decimals = 6 + +[NIJIO] +peggy_denom = inj1lwgzxuv0wkz86906dfssuwgmhld8705tzcfhml +decimals = 18 + +[NIKE] +peggy_denom = inj1e2ee7hk8em3kxqxc0uuupzpzvrcda85s3lx37h +decimals = 18 + +[NIM] +peggy_denom = ibc/C1BA2AC55B969517F1FCCFC47779EC83C901BE2FC3E1AFC8A59681481C74C399 +decimals = 18 + +[NIN] +peggy_denom = inj1d0z43f50a950e2vdzrlu7w8yeyy0rp5pdey43v +decimals = 18 + +[NINISHROOM] +peggy_denom = inj1vlgszdzq75lh56t5nqvxz28u0d9ftyve6pglxr +decimals = 6 + +[NINJ] +peggy_denom = factory/inj13m5k0v69lrrng4y3h5895dlkr6zcp272jmhrve/Ninjutsu +decimals = 6 + +[NINJA] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +decimals = 6 + +[NINJA MEME] +peggy_denom = inj1dypt8q7gc97vfqe37snleawaz2gp7hquxkvh34 +decimals = 18 + +[NINJA WIF HAT] +peggy_denom = inj1pj40tpv7algd067muqukfer37swt7esymxx2ww +decimals = 6 + +[NINJAGO] +peggy_denom = factory/inj19025raqd5rquku4ha42age7c6r7ws9jg6hrulx/NINJAGO +decimals = 6 + +[NINJAMOON] +peggy_denom = inj1etlxd0j3u83d8jqhwwu3krp0t4chrvk9tzh75e +decimals = 6 + +[NINJANGROK] +peggy_denom = inj17006r28luxtfaf7hn3jd76pjn7l49lv9le3983 +decimals = 6 + +[NINJAPE] +peggy_denom = factory/inj1rvg9a58qtcf8f464w2hkynrvpnl9x59wsaq922/NINJAPE +decimals = 6 + +[NINJAPEPE] +peggy_denom = inj1jhufny7g2wjv4yjh5za97jauemwmecflvuguty +decimals = 18 + +[NINJAS] +peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/NINJAS +decimals = 6 + +[NINJASAMURAI] +peggy_denom = inj1kfr9r9vvflgyka50yykjm9l02wsazl958jffl2 +decimals = 6 + +[NINJATRUMP] +peggy_denom = factory/inj1f95tm7382nhj42e48s427nevh3rkj64xe7da5z/NINJATRUMP +decimals = 6 + +[NINJAWIFHAT] +peggy_denom = factory/inj1xukaxxx4yuaz6xys5dpuhe60un7ct9umju5ash/NWIF +decimals = 6 + +[NINJB] +peggy_denom = factory/inj1ezzzfm2exjz57hxuc65sl8s3d5y6ee0kxvu67n/ninjb +decimals = 6 + +[NINJT] +peggy_denom = inj1tp3cszqlqa7e08zcm78r4j0kqkvaccayhx97qh +decimals = 18 + +[NINPO] +peggy_denom = inj1sudjgsyhufqu95yp7rqad3g78ws8g6htf32h88 +decimals = 6 + +[NINU] +peggy_denom = inj14057e7c29klms2fzgjsm5s6serwwpeswxry6tk +decimals = 6 + +[NINZA] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/NINZA +decimals = 6 + +[NITROID] +peggy_denom = inj1f7srklvw4cf6net8flmes4mz5xl53mcv3gs8j9 +decimals = 8 + +[NJO] +peggy_denom = inj1c8jk5qh2lhmvqs33z4y0l84trdu7zhgtd3aqrd +decimals = 18 + +[NLB] +peggy_denom = inj10s6mwhlv44sf03d5lfk4ntmplsujgftu587rzq +decimals = 18 + +[NLBZ] +peggy_denom = inj1qfmf6gmpsna8a3k6da2zcf7ha3tvf2wdep6cky +decimals = 18 + +[NLBZZ] +peggy_denom = inj1rn2yv784zf90yyq834n7juwgeurjxly8xfkh9d +decimals = 18 + +[NLC] +peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 +decimals = 6 + +[NLT] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/NLT +decimals = 18 + +[NNJG] +peggy_denom = inj1e8eqle6queaywa8w2ns0u9m7tldz9vv44s28p2 +decimals = 18 + +[NOBI] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + +[NOBITCHES] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/nobitches +decimals = 6 + +[NOGGA] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/NOGGA +decimals = 6 + +[NOIA] +peggy_denom = peggy0xa8c8CfB141A3bB59FEA1E2ea6B79b5ECBCD7b6ca +decimals = 18 + +[NOIS] +peggy_denom = ibc/DD9182E8E2B13C89D6B4707C7B43E8DB6193F9FF486AFA0E6CF86B427B0D231A +decimals = 6 + +[NONE] +peggy_denom = peggy0x903ff0ba636E32De1767A4B5eEb55c155763D8B7 +decimals = 18 + +[NONJA] +peggy_denom = inj1zfcny0x77lt6z4rg04zt2mp6j4zuwm5uufkguz +decimals = 6 + +[NORUG] +peggy_denom = inj1vh38phzhnytvwepqv57jj3d7q2gerf8627dje3 +decimals = 18 + +[NOVA] +peggy_denom = inj1dqcyzn9p48f0dh9xh3wxqv3hs5y3lhqr43ecs0 +decimals = 8 + +[NPEPE] +peggy_denom = factory/inj1ga982yy0wumrlt4nnj79wcgmw7mzvw6jcyecl0/NPEPE +decimals = 6 + +[NSTK] +peggy_denom = ibc/35366063B530778DC37A16AAED4DDC14C0DCA161FBF55B5B69F5171FEE19BF93 +decimals = 6 + +[NTRL] +peggy_denom = ibc/4D228A037CE6EDD54034D9656AE5850BDE871EF71D6DD290E8EC81603AD40899 +decimals = 6 + +[NTRN] +peggy_denom = ibc/E8E84092B9063AAC97846712D43D6555928073B8A0BFFCC2549E55EE224F1610 +decimals = 6 + +[NTRUMP] +peggy_denom = inj16dv3vfngtaqfsvd07436f6v4tgzxu90f0hq0lz +decimals = 6 + +[NTY] +peggy_denom = inj1zzfltckwxs7tlsudadul960w7rdfjemlrehmrd +decimals = 18 + +[NUDES] +peggy_denom = factory/inj1dla04adlxke6t4lvt20xdxc9jh3ed609dewter/NUDES +decimals = 6 + +[NUIT] +peggy_denom = inj1kxntfyzsqpug6gea7ha4pvmt44cpvmtma2mdkl +decimals = 18 + +[NUN] +peggy_denom = inj15sgutwwu0ha5dfs5zwk4ctjz8hjmkc3tgzvjgf +decimals = 18 + +[NUNCHAKU] +peggy_denom = inj12q6sut4npwhnvjedht574tmz9vfrdqavwq7ufw +decimals = 18 + +[NWIF] +peggy_denom = factory/inj10l4tnj73fl3wferljef802t63n9el49ppnv6a8/nwif +decimals = 6 + +[NWJNS] +peggy_denom = inj1slwarzmdgzwulzwzlr2fe87k7qajd59hggvcha +decimals = 6 + +[NYAN] +peggy_denom = factory/inj1lttm52qk6hs43vqak5qyk4hl4fzu2snq2gmg0c/nyan +decimals = 6 + +[NYX] +peggy_denom = factory/inj1fnq8xx5hye89jvhmkqycj7luyy08f3tudus0cd/nyx +decimals = 6 + +[Naruto] +peggy_denom = factory/inj1j53ejjhlya29m4w8l9sxa7pxxyhjplrz4xsjqw/naruto +decimals = 6 + +[Naruto Token] +peggy_denom = factory/inj1gwkdx7lkpvq2ewpv29ptxdy9r95vh648nm8mp0/naruto +decimals = 6 + +[Neptune Receipt ATOM] +peggy_denom = inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 +decimals = 6 + +[Neptune Receipt INJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 + +[Neptune Receipt USDT] +peggy_denom = inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s +decimals = 6 + +[Newt] +peggy_denom = ibc/B0A75E6F4606C844C05ED9E08335AFC50E814F210C03CABAD31562F606C69C46 +decimals = 6 + +[Nil] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/Nil +decimals = 6 + +[NinjAI] +peggy_denom = inj1u5mf7ueeym5qvvgtfkhgcu40gcc04fv7qmqx5u +decimals = 18 + +[Ninja] +peggy_denom = factory/inj1p0w30l464lxl8afxqfda5zxeeypnvdtx4yjc30/Ninja +decimals = 6 + +[Ninja Labs Coin] +peggy_denom = factory/inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4/NLC +decimals = 6 + +[Ninja Swap] +peggy_denom = inj1lzdvr2d257lazc2824xqlpnn4q50vuyhnndqhv +decimals = 8 + +[NinjaBoy] +peggy_denom = inj1vz8h0tlxt5qv3hegqlajzn4egd8fxy3mty2w0h +decimals = 6 + +[NinjaCoq] +peggy_denom = inj1aapaljp62znaxy0s2huc6ka7cx7zksqtq8xnar +decimals = 6 + +[NinjaWifHat] +peggy_denom = inj1gmch7h49qwvnn05d3nj2rzqw4l7f0y8s4g2gpf +decimals = 6 + +[Nlc] +peggy_denom = inj17uhjy4u4aqhtwdn3mfc4w60dnaa6usg30ppr4x +decimals = 18 + +[NoobDev] +peggy_denom = inj1qzlkvt3vwyd6hjam70zmr3sg2ww00l953hka0d +decimals = 6 + +[O9W] +peggy_denom = ibc/AA206C13A2AD46401BD1E8E65F96EC9BF86051A8156A92DD08BEF70381D39CE2 +decimals = 6 + +[OBEMA] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/obema +decimals = 6 + +[OCEAN] +peggy_denom = peggy0x967da4048cD07aB37855c090aAF366e4ce1b9F48 +decimals = 18 + +[OCHO] +peggy_denom = inj1ltzx4qjtgmjyglf3nnhae0qxaxezkraqdhtgcn +decimals = 8 + +[ODIN] +peggy_denom = ibc/6ED95AEFA5D9A6F9EF9CDD05FED7D7C9D7F42D9892E7236EB9B251CE9E999701 +decimals = 6 + +[OIN] +peggy_denom = ibc/CDA55861E9E491479CB52D5C89F942F5EAF221F80B7CDDBBA8EE94D3658B03B4 +decimals = 6 + +[OIN STORE OF VALUE] +peggy_denom = ibc/486A0C3A5D9F8389FE01CF2656DF03DB119BC71C4164212F3541DD538A968B66 +decimals = 6 + +[OJO] +peggy_denom = inj1hg5ag8w3kwdn5hedn3mejujayvcy2gknn39rnl +decimals = 18 + +[OMG] +peggy_denom = inj194p79raj0qjesr26kzvhx9l2y77vyshvdpcgs9 +decimals = 6 + +[OMI] +peggy_denom = peggy0xeD35af169aF46a02eE13b9d79Eb57d6D68C1749e +decimals = 18 + +[OMNI] +peggy_denom = peggy0x36E66fbBce51e4cD5bd3C62B637Eb411b18949D4 +decimals = 18 + +[OMT] +peggy_denom = inj1tctqgl6y4mm7qlr0x2xmwanjwa0g8nfsfykap6 +decimals = 18 + +[ONE] +peggy_denom = inj1wu086fnygcr0sgytmt6pk8lsnqr9uev3dj700v +decimals = 18 + +[ONETOONE] +peggy_denom = inj1y346c6cjj0kxpcwj5gq88la9qsp88rzlw3pg98 +decimals = 18 + +[ONI] +peggy_denom = inj1aexws9pf9g0h3032fvdmxd3a9l2u9ex9aklugs +decimals = 18 + +[ONP] +peggy_denom = inj15wvxl4xq4zrx37kvh6tsqyqysukws46reywy06 +decimals = 18 + +[ONTON] +peggy_denom = inj1a3hxfatcu7yfz0ufp233m3q2egu8al2tesu4k5 +decimals = 6 + +[OOZARU] +peggy_denom = ibc/9E161F95E105436E3DB9AFD49D9C8C4C386461271A46DBA1AB2EDF6EC9364D62 +decimals = 6 + +[OP] +peggy_denom = op +decimals = 18 + +[OPHIR] +peggy_denom = ibc/19DEC3C890D19A782A3CD0C62EA8F2F8CC09D0C9AAA8045263F40526088FEEDB +decimals = 6 + +[ORAI] +peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 +decimals = 6 + +[ORN] +peggy_denom = peggy0x0258F474786DdFd37ABCE6df6BBb1Dd5dfC4434a +decimals = 8 + +[ORNE] +peggy_denom = ibc/3D99439444ACDEE71DBC4A774E49DB74B58846CCE31B9A868A7A61E4C14D321E +decimals = 6 + +[OSMO] +peggy_denom = ibc/C2025C1D34ED74CD6F9DF86CD650D92219AF645E9D0ADFFACF4E2CBECE649536 +decimals = 6 + +[OUTIES] +peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/OUTIES +decimals = 6 + +[OUTLINES] +peggy_denom = inj1zutqugjm9nfz4tx6rv5zzj77ts4ert0umnqsjm +decimals = 6 + +[OX] +peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f +decimals = 18 + +[Ocean Protocol] +peggy_denom = inj1cxnqp39cn972gn2qaw2qc7hrryaa52chx7lnpk +decimals = 18 + +[OjoD] +peggy_denom = inj1ku6t0pgaejg2ykmyzvfwd2qulx5gjjsae23kgm +decimals = 18 + +[Omni Cat] +peggy_denom = factory/inj1vzmmdd2prja64hs4n2vk8n4dr8luk6522wdrgk/OMNI +decimals = 6 + +[OmniCat] +peggy_denom = inj188rmn0k9hzdy35ue7nt5lvyd9g9ldnm0v9neyz +decimals = 8 + +[Ondo US Dollar Yield] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + +[Onj] +peggy_denom = inj1p9kk998d6rapzmfhjdp4ee7r5n4f2klu7xf8td +decimals = 8 + +[Open Exchange Token] +peggy_denom = ibc/3DC896EFF521814E914264A691D9D462A7108E96E53DE135FC4D91A370F4CD77 +decimals = 18 + +[Oraichain] +peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 +decimals = 18 + +[Orcat] +peggy_denom = inj1ldp0pssszyguhhey5dufagdwc5ara09fnlq8ms +decimals = 18 + +[PAMBI] +peggy_denom = factory/inj1wa976p5kzd5v2grzaz9uhdlcd2jcexaxlwghyj/PAMBI +decimals = 6 + +[PANDA] +peggy_denom = factory/inj1p8ey297l9qf835eprx4s3nlkesrugg28s23u0g/PANDA +decimals = 6 + +[PANDANINJA] +peggy_denom = factory/inj1ekvx0ftc46hqk5vfxcgw0ytd8r7u94ywjpjtt8/pandaninja +decimals = 6 + +[PANTERA] +peggy_denom = inj1hl4y29q5na4krdpk4umejwvpw4v5c3kpmxm69q +decimals = 8 + +[PARABOLIC] +peggy_denom = factory/inj126c3fck4ufvw3n0a7rsq75gx69pdxk8npnt5r5/PARABOLIC +decimals = 6 + +[PAXG] +peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 +decimals = 18 + +[PBB] +peggy_denom = ibc/05EC5AA673220183DBBA6825C66DB1446D3E56E5C9DA3D57D0DE5215BA7DE176 +decimals = 6 + +[PBJ] +peggy_denom = ibc/2B6F15447F07EA9DC0151E06A6926F4ED4C3EE38AB11D0A67A4E79BA97329830 +decimals = 6 + +[PBinj] +peggy_denom = inj1k4v0wzgxm5zln8asekgkdljvctee45l7ujwlr4 +decimals = 8 + +[PDIX] +peggy_denom = inj13m85m3pj3ndll30fxeudavyp85ffjaapdmhel5 +decimals = 18 + +[PEPE] +peggy_denom = inj1xx04zkrkrplefzgdgl78mrq3qmy9e3fkgspujk +decimals = 18 + +[PEPE Injective] +peggy_denom = inj1ytxxfuajl0fvhgy2qsx85s3t882u7qgv64kf2g +decimals = 18 + +[PEPE MEME ] +peggy_denom = inj1jev373k3l77mnhugwzke0ytuygrn8r8497zn6e +decimals = 18 + +[PEPE on INJ] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/pepe +decimals = 1 + +[PEPEA] +peggy_denom = factory/inj1gaf6yxle4h6993qwsxdg0pkll57223qjetyn3n/PEPEA +decimals = 6 + +[PEPINJ] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/pepinj +decimals = 6 + +[PETER] +peggy_denom = inj1xuqedjshmrqadvqhk4evn9kwzgkk5u9ewdua6z +decimals = 18 + +[PGN] +peggy_denom = inj1gx88hu6xjfvps4ddyap27kvgd5uxktl8ndauvp +decimals = 18 + +[PHEW] +peggy_denom = inj19dux2glqedeamjwltjv5srvhgxkf6gyawtce5s +decimals = 6 + +[PHUC] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc +decimals = 6 + +[PICA] +peggy_denom = ibc/9C2212CB87241A8D038222CF66BBCFABDD08330DFA0AC9B451135287DCBDC7A8 +decimals = 12 + +[PIG] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/pig +decimals = 6 + +[PIGS] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf +decimals = 18 + +[PIKA] +peggy_denom = factory/inj1h4usvhhva6dgmun9rk4haeh8lynln7yhk6ym00/PIKA +decimals = 6 + +[PIKACHU] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/PIKACHU +decimals = 6 + +[PIKACHU ] +peggy_denom = inj1x3m7cgzdl7402fhe29aakdwda5630r2hpx3gm2 +decimals = 18 + +[PING] +peggy_denom = inj1z647rvv0cfv5xx3tgsdx77qclkwu2ng7tg2zq5 +decimals = 18 + +[PING'S BROTHER PONG] +peggy_denom = inj1qrcr0xqraaldk9c85pfzxryjquvy9jfsgdkur7 +decimals = 18 + +[PINGDEV] +peggy_denom = inj17dlj84plm8yqjtp82mmg35494v8wjqfk29lzyf +decimals = 18 + +[PINJA] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/pinja +decimals = 6 + +[PINJEON] +peggy_denom = factory/inj1l73eqd7w5vu4srwmc722uwv7u9px7k5azzsqm2/pinjeon +decimals = 6 + +[PINJU] +peggy_denom = factory/inj1j43ya8q0u5dx64x362u62yq5zyvasvg98asm0d/pinju +decimals = 6 + +[PIO] +peggy_denom = factory/inj1ufkjuvf227gccns4nxjqc8vzktfvrz6y7xs9sy/PIO +decimals = 6 + +[PIPI] +peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/pipi +decimals = 6 + +[PIRATE] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/PIRATE +decimals = 6 + +[PIXDOG] +peggy_denom = inj1thsy9k5c90wu7sxk37r2g3u006cszqup8r39cl +decimals = 18 + +[PIXEL] +peggy_denom = inj1wmlkhs5y6qezacddsgwxl9ykm40crwp4fpp9vl +decimals = 8 + +[PIZZA] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/PIZZA +decimals = 6 + +[PKS] +peggy_denom = inj1m4z4gjrcq9wg6508ds4z2g43wcgynlyflaawef +decimals = 18 + +[PLNK] +peggy_denom = ibc/020098CDEC3D7555210CBC1593A175A6B24253823B0B711D072EC95F76FA4D42 +decimals = 6 + +[POINT] +peggy_denom = inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 +decimals = 18 + +[POK] +peggy_denom = inj18nzsj7sef46q7puphfxvr5jrva6xtpm9zsqvhh +decimals = 18 + +[POLAR] +peggy_denom = inj1kgdp3wu5pr5ftuzczpgl5arg28tz44ucsjqsn9 +decimals = 8 + +[POLLY] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/POLLY +decimals = 6 + +[PONDO] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/pondo +decimals = 6 + +[PONG] +peggy_denom = inj1lgy5ne3a5fja6nxag2vv2mwaan69sql9zfj7cl +decimals = 18 + +[POOL] +peggy_denom = peggy0x0cEC1A9154Ff802e7934Fc916Ed7Ca50bDE6844e +decimals = 18 + +[POOR] +peggy_denom = peggy0x9D433Fa992C5933D6843f8669019Da6D512fd5e9 +decimals = 8 + +[POP] +peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/POP +decimals = 6 + +[POPCAT] +peggy_denom = inj1pfx2k2mtflde5yz0gz6f7xfks9klx3lv93llr6 +decimals = 18 + +[POPEYE] +peggy_denom = ibc/C35A94A42FEDA8E01903CD7A78FB33AE60B2064C0007BF2E4FD5A6368BDBC546 +decimals = 6 + +[PORK] +peggy_denom = inj14u3qj9fhrc6d337vlx4z7h3zucjsfrwwvnsrnt +decimals = 18 + +[PORNGPT] +peggy_denom = inj1ptlmxvkjxmjap436v9wrryd20r2gqf94fr57ga +decimals = 8 + +[PORTAL] +peggy_denom = factory/inj163072g64wsn8a9n2mydwlx7c0aqt4l7pjseeuu/PORTAL +decimals = 6 + +[POTIN] +peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/POTIN +decimals = 6 + +[POTION] +peggy_denom = factory/inj1r7thtn5zj6mv9zupelkkw645ve8kgx35rf43ja/POTION +decimals = 18 + +[POTTER] +peggy_denom = factory/inj1c7h6wnfdz0dpc5llsdxfq9yemmq9nwfpr0c59r/potter +decimals = 6 + +[PRERICH] +peggy_denom = factory/inj18p952tvf264784sf9f90rpge4w7dhsjrtgn4lw/prerich +decimals = 7 + +[PROD] +peggy_denom = inj1y2mev78vrd4mcfrjunnktctwqhm7hznguue7fc +decimals = 18 + +[PROMETHEUS] +peggy_denom = inj1tugjw7wy3vhtqjap22j9e62yzrurrsu4efu0ph +decimals = 8 + +[PROOF] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/PROOF +decimals = 6 + +[PROTON-011] +peggy_denom = inj1vts6mh344msrwr885ej5naev87yesred5mp23r +decimals = 8 + +[PRYZM] +peggy_denom = ibc/2A88907A69C27C7481E478005AAD1976F044246E0CDB4DB3367EADA4EF38373B +decimals = 6 + +[PSPS] +peggy_denom = inj145p4shl9xdutc7cv0v9qpfallh3s8z64yd66rg +decimals = 18 + +[PSYCHO] +peggy_denom = factory/inj18aptztz0pxvvjzumpnd36szzljup0t7t3pauu8/psycho +decimals = 6 + +[PUFF] +peggy_denom = inj1f8kkrgrfd7utflvsq7xknuxtzf92nm80vkshu2 +decimals = 6 + +[PUG] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/PUG +decimals = 6 + +[PUNK] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 + +[PUNKINJ] +peggy_denom = inj1vq0f9sgvg0zj5hc4vvg8yd6x9wzepzq5nekh4l +decimals = 8 + +[PUPZA] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/PUPZA +decimals = 6 + +[PVP] +peggy_denom = peggy0x9B44793a0177C84DD01AD81137db696531902871 +decimals = 8 + +[PVV] +peggy_denom = inj1rk5y4m3qgm8h68z2lp3e2dqqjmpkx7m0aa84ah +decimals = 6 + +[PYTH] +peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 +decimals = 6 + +[PYTHlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +decimals = 6 + +[PYUSD] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[Panda Itamae] +peggy_denom = factory/inj1wpttce7eccrutxkddtzug4xyz4ztny88httxpg/panda +decimals = 6 + +[Pedro] +peggy_denom = inj1hsv0y599unrnv02xntzmcdquh4wagrns8gqfh7 +decimals = 18 + +[People] +peggy_denom = inj13pegx0ucn2e8w2g857n5828cmvl687jgq692t4 +decimals = 6 + +[Pepe] +peggy_denom = ibc/9144D78830C5ABD7B7D9E219EA7600E3A0E0AD5FC50C007668160595E94789AB +decimals = 18 + +[Phepe] +peggy_denom = inj1mtt0a4evtfxazpxjqlv5aesdn3mnysl78lppts +decimals = 8 + +[Pie] +peggy_denom = inj1m707m3ngxje4adfr86tll8z7yzm5e6eln8e3kr +decimals = 18 + +[PigFucker] +peggy_denom = factory/inj17p7p03yn0z6zmjwk4kjfd7jh7uasxwmgt8wv26/pigfucker +decimals = 6 + +[Pigs] +peggy_denom = inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf +decimals = 18 + +[Pikachu] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/pika +decimals = 6 + +[PingDevRtard] +peggy_denom = inj1c8v52n2wyye96m4xwama3pwqkdc56gw03dlkcq +decimals = 18 + +[Point Token] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 +decimals = 18 + +[Polkadot] +peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 +decimals = 10 + +[Popeye] +peggy_denom = ibc/833095AF2D530639121F8A07E24E5D02921CA19FF3192D082E9C80210515716C +decimals = 6 + +[Punk DAO Token] +peggy_denom = factory/inj1esz96ru3guug4ctmn5chjmkymt979sfvufq0hs/PUNK +decimals = 6 + +[Punk Token] +peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 + +[Pyth Network (legacy)] +peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +decimals = 6 + +[QAT] +peggy_denom = inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen +decimals = 8 + +[QNT] +peggy_denom = peggy0x4a220E6096B25EADb88358cb44068A3248254675 +decimals = 18 + +[QOC] +peggy_denom = inj1czcj5472ukkj6pect59z5et39esr3kvquxl6dh +decimals = 8 + +[QTUM] +peggy_denom = factory/inj1jgc9ptfwgyapfrr0kgdjjnwpdqck24pp59uma3/qtum +decimals = 0 + +[QTest] +peggy_denom = inj1wze83lt3jk84f89era4ldakyv3mf90pj4af9cx +decimals = 6 + +[QUNT] +peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt +decimals = 6 + +[QUOK] +peggy_denom = factory/inj1jdnjwhcjhpw8v0cmk80r286w5d426ns6tw3nst/QUOK +decimals = 6 + +[Quants] +peggy_denom = factory/inj1yttneqwxxc4qju4p54549p6dq2j0d09e7gdzx8/Quants +decimals = 6 + +[RAA] +peggy_denom = inj1vzpjnmm4s9qa74x2n7vgcesq46afjj5yfwvn4q +decimals = 18 + +[RAB] +peggy_denom = inj1xmdyafnth7g6pvg6zd687my3ekw3htvh95t2c8 +decimals = 18 + +[RAC] +peggy_denom = ibc/0F3A724673F682CF7812D0ED1A0C41D344C09E94C939E79D12712DC7C0676E80 +decimals = 6 + +[RAD] +peggy_denom = inj1r9wxpyqp4a75k9dhk5qzcfmkwtrg7utgrvx0zu +decimals = 18 + +[RAE] +peggy_denom = inj1lvtcdka9prgtugcdxeyw5kd9rm35p0y2whwj7j +decimals = 18 + +[RAF] +peggy_denom = inj1l8hztn806saqkacw8rur4qdgexp6sl7k0n6xjm +decimals = 18 + +[RAG] +peggy_denom = inj1k45q0qf0jwepajlkqcx5a6w833mm0lufzz0kex +decimals = 18 + +[RAH] +peggy_denom = inj1mpcxzhkk0c7wjrwft2xafsvds9un59gfdml706 +decimals = 18 + +[RAI] +peggy_denom = peggy0x03ab458634910AaD20eF5f1C8ee96F1D6ac54919 +decimals = 18 + +[RAMEN] +peggy_denom = factory/inj1z5utcc5u90n8a5m8gv30char6j4hdzxz6t3pke/ramen +decimals = 6 + +[RAMEN2] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN2 +decimals = 6 + +[RAMEN22] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN22 +decimals = 6 + +[RAMENV2] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMENV2 +decimals = 6 + +[RAMSES] +peggy_denom = inj1jttaxqcjtsys54k3m6mx4kzulzasg4tc6hhpp6 +decimals = 8 + +[RAPTR] +peggy_denom = ibc/592FDF11D4D958105B1E4620FAECAA6708655AB815F01A01C1540968893CDEBF +decimals = 6 + +[RATJA] +peggy_denom = inj1kl5pzllv782r8emj3umgn3dwcewc6hw6xdmvrv +decimals = 18 + +[RAY] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/RAY +decimals = 6 + +[REAL] +peggy_denom = inj1uhralmk73lkxeyd9zhskmzz44lsmcxneluqgp9 +decimals = 18 + +[REALS] +peggy_denom = inj1g3l8chts5wrt437tkpmuy554wcky6devphqxf0 +decimals = 18 + +[RED] +peggy_denom = inj15ytmt6gng36relzntgz0qmgfqnygluz894yt28 +decimals = 18 + +[REDINJ] +peggy_denom = inj1jkts7lhvwx27z92l6dwgz6wpyd0xf9wu6qyfrh +decimals = 18 + +[REFIs] +peggy_denom = factory/inj1uklzzlu9um8rq922czs8g6f2ww760xhvgr6pat/REFIs +decimals = 6 + +[REIS] +peggy_denom = ibc/444BCB7AC154587F5D4ABE36EF6D7D65369224509DCBCA2E27AD539519DD66BB +decimals = 6 + +[RETRO] +peggy_denom = ibc/ACDEFBA440F37D89E2933AB2B42AA0855C30852588B7DF8CD5FBCEB0EB1471EB +decimals = 6 + +[RHINO] +peggy_denom = inj1t5f60ewnq8hepuvmwnlm06h0q23fxymldh0hpr +decimals = 6 + +[RIBBIT] +peggy_denom = peggy0xb794Ad95317f75c44090f64955954C3849315fFe +decimals = 18 + +[RICE] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/rice +decimals = 12 + +[RICHINJ] +peggy_denom = inj143l8dlvhudhzuggrp5sakwmn8kw24hutr43fe2 +decimals = 8 + +[RICK] +peggy_denom = factory/inj1ga7xu92w0yxhedk92v6ckge6q76vx2hxcwxsxx/RICK +decimals = 6 + +[RIP] +peggy_denom = inj1eu8ty289eyjvm4hcrg70n4u95jggh9eekfxs5y +decimals = 18 + +[RITSU] +peggy_denom = inj17cqglnfpx7w20pc6urwxklw6kkews4hmfj6z28 +decimals = 18 + +[RKO] +peggy_denom = factory/inj1muuaghrdm2rfss9cdpxzhk3v7xqj8ltngrm0xd/RKO +decimals = 6 + +[RKT] +peggy_denom = factory/inj1af5v85xm5upykzsjj29lpr9dyp4n37746kpfmq/RKT +decimals = 6 + +[RNDR] +peggy_denom = inj1092d3j7yqup5c8lp92vv5kadl567rynj59yd92 +decimals = 18 + +[ROAR] +peggy_denom = ibc/E6CFB0AC1D339A8CBA3353DF0D7E080B4B14D026D1C90F63F666C223B04D548C +decimals = 6 + +[ROB] +peggy_denom = inj1x6lvx8s2gkjge0p0dnw4vscdld3rdcw94fhter +decimals = 18 + +[ROCK] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/rock +decimals = 6 + +[ROCKET] +peggy_denom = inj1zrw6acmpnghlcwjyrqv0ta5wmzute7l4f0n3dz +decimals = 8 + +[ROLL] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 +decimals = 18 + +[ROM] +peggy_denom = inj16w9qp30vrpng8kr83efvmveen688klvtd00qdy +decimals = 6 + +[ROMAN] +peggy_denom = inj1h3z3gfzypugnctkkvz7vvucnanfa5nffvxgh2z +decimals = 18 + +[RONI] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/RONI +decimals = 6 + +[RONIN] +peggy_denom = inj1rtyuaxaqfxczuys3k3cdvlg89ut66ulmp8mvuy +decimals = 18 + +[RONOLDO] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/ronoldo +decimals = 6 + +[ROOT] +peggy_denom = peggy0xa3d4BEe77B05d4a0C943877558Ce21A763C4fa29 +decimals = 6 + +[RSNL] +peggy_denom = factory/inj1uvexgrele9lr5p87kksg6gmz2telncpe0mxsm6/RSNL +decimals = 6 + +[RSTK] +peggy_denom = ibc/102810E506AC0FB1F14755ECA7A1D05066E0CBD574526521EF31E9B3237C0C02 +decimals = 6 + +[RTD] +peggy_denom = inj1ek524mnenxfla235pla3cec7ukmr3fwkgf6jq3 +decimals = 18 + +[RUDY] +peggy_denom = factory/inj1ykggxun6crask6eywr4a2lfy36f4we5l9rg2an/RUDY +decimals = 6 + +[RUG] +peggy_denom = factory/inj174r3j8pm93gfcdu0g36dg6g7u0alygppypa45e/RUG +decimals = 6 + +[RUGAOI] +peggy_denom = factory/inj1pe8rs2gfmem5ak8vtqkduzkgcyargk2fg6u4as/RUGAOI +decimals = 6 + +[RUGMYASS] +peggy_denom = inj18n9rpsstxsxgpmgegkn6fsvq9x3alqekqddgnq +decimals = 18 + +[RUGPULL] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/RUGPULL +decimals = 6 + +[RUMBLERZ] +peggy_denom = inj1pcwdvq866uqd8lhpmasya2xqw9hk2u0euvvqxl +decimals = 8 + +[RUNE] +peggy_denom = peggy0x3155BA85D5F96b2d030a4966AF206230e46849cb +decimals = 18 + +[RYAN] +peggy_denom = inj1zdhl0fk08tr8xwppych2f7apzdymw4r3gf9kyr +decimals = 18 + +[RYU] +peggy_denom = factory/inj1cm0jn67exeqm5af8lrlra4epfhyk0v38w98g42/ryu +decimals = 18 + +[Rai Reflex Index] +peggy_denom = ibc/27817BAE3958FFB2BFBD8F4F6165153DFD230779994A7C42A91E0E45E8201768 +decimals = 18 + +[RealMadrid] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/RealMadrid +decimals = 6 + +[Rice Token] +peggy_denom = inj1j6qq40826d695eyszmekzu5muzmdey5mxelxhl +decimals = 18 + +[Rise] +peggy_denom = inj123aevc4lmpm09j6mqemrjpxgsa7dncg2yn2xt7 +decimals = 18 + +[Roll] +peggy_denom = inj15wuxx78q5p9h7fqg3ux7zljczj7jh5qxqhrevv +decimals = 18 + +[Roll Token] +peggy_denom = inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 +decimals = 18 + +[Rush] +peggy_denom = inj1r2gjtqgzhfcm4wgvmctpuul2m700v4ml24l7cq +decimals = 18 + +[SAE] +peggy_denom = factory/inj152mdu38fkkk4fl7ycrpdqxpm63w3ztadgtktyr/SAE +decimals = 6 + +[SAFAS] +peggy_denom = inj1vphq25x2r69mpf2arzsut8yxcav709kwd3t5ck +decimals = 18 + +[SAFEMOON] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/safemoon +decimals = 6 + +[SAGA] +peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 +decimals = 6 + +[SAIL] +peggy_denom = ibc/2718A31D59C81CD1F972C829F097BDBE32D7B84025F909FFB6163AAD314961B3 +decimals = 6 + +[SAKE] +peggy_denom = factory/inj1mdyw30cuct3haazw546t4t92sadeuwde0tmqxx/SAKE +decimals = 6 + +[SAKI] +peggy_denom = factory/inj1gg43076kmy0prkxtn5xxka47lfmwwjsq6ygcfa/SAKI +decimals = 6 + +[SAKURA] +peggy_denom = factory/inj183fjyma33jsx0wndkmk69yukk3gpll7gunkyz6/sakurasakura +decimals = 6 + +[SALT] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/salt +decimals = 6 + +[SAM] +peggy_denom = factory/inj1wuw7wa8fvp0leuyvh9ypzmndduzd5vg0xc77ha/sam +decimals = 6 + +[SAMI] +peggy_denom = factory/inj13jvw7hl6hkyg8a8ltag47xyzxcc6h2qkk0u9kr/SAMI +decimals = 6 + +[SAMOORAII] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SAMOORAII +decimals = 6 + +[SAMP] +peggy_denom = inj1xd2l3406kypepnnczcn6fm0lnmsk6qk7dakryn +decimals = 18 + +[SAMURAI] +peggy_denom = inj1lvnuam0w70d4yj03vy30umqv4rr7gwfkfsemnc +decimals = 6 + +[SANSU] +peggy_denom = factory/inj1x5thnvjfwzmtxxhqckrap8ysgs2duy29m4xwsp/sansu +decimals = 6 + +[SANTA] +peggy_denom = factory/inj12qf874wcfxtxt004qmuhdtxw4l6d0f5w6cyfpz/santa +decimals = 6 + +[SANTABONK] +peggy_denom = inj1zjdtxmvkrxcd20q8nru4ws47nemkyxwnpuk34v +decimals = 8 + +[SANTAGODX] +peggy_denom = inj1j8nvansvyvhnz4vzf5d8cyjpwu85ksdhyjf3n4 +decimals = 8 + +[SANTAINJ] +peggy_denom = inj17cqy5lr4gprjgnlv0j2mw4rhqfhr9zpupkur8t +decimals = 8 + +[SANTAMEME] +peggy_denom = inj1dds0a220twm3pjprypmy0qun3cn727hzj0tpaa +decimals = 8 + +[SASUKE] +peggy_denom = inj1alpg8nw7lw8uplsrah8q0qn66rqq0fxzd3wf9f +decimals = 18 + +[SATOSHIVM] +peggy_denom = inj1y7pvzc8h05e8qs9de2c9qcypxw6xkj5wttvm70 +decimals = 8 + +[SATS] +peggy_denom = inj1ck568jpww8wludqh463lk6h32hhe58u0nrnnxe +decimals = 8 + +[SAVEOURSTRAYS] +peggy_denom = factory/inj1a5h6erkyttcsyjmrn4k3rxyjuktsxq4fnye0hg/SAVEOURSTRAYS +decimals = 6 + +[SAVM] +peggy_denom = inj1wuw0730q4rznqnhkw2nqwk3l2gvun7mll9ew3n +decimals = 6 + +[SAYVE] +peggy_denom = ibc/DF2B99CF1FEA6B292E79617BD6F7EF735C0B47CEF09D7104E270956E96C38B12 +decimals = 6 + +[SB] +peggy_denom = inj1cqq89rjk4v5a0teyaefqje3skntys7q6j5lu2p +decimals = 8 + +[SBF] +peggy_denom = factory/inj1j2me24lslpaa03fw8cuct8586t6f6qf0wcf4fm/SBF +decimals = 6 + +[SCAM] +peggy_denom = inj1hgh3dqc2kxl464qg9rnt3kctzplmsnqzycdtt7 +decimals = 18 + +[SCLX] +peggy_denom = factory/inj1faq30xe497yh5ztwt00krpf9a9lyakg2zhslwh/SCLX +decimals = 6 + +[SCORPION] +peggy_denom = factory/inj10w3p2qyursc03crkhg9djdm5tnu9xg63r2zumh/scorpion +decimals = 6 + +[SCRT] +peggy_denom = ibc/7C4A4847D6898FA8744A8F2A4FC287E98CA5A95E05842B897B3FB301103C8AB6 +decimals = 6 + +[SDEX] +peggy_denom = peggy0x5DE8ab7E27f6E7A1fFf3E5B337584Aa43961BEeF +decimals = 18 + +[SDOGE] +peggy_denom = inj1525sjr836apd4xkz8utflsm6e4ecuhar8qckhd +decimals = 8 + +[SEAS] +peggy_denom = ibc/FF5AC3E28E50C2C52063C18D0E2F742B3967BE5ACC6D7C8713118E54E1DEE4F6 +decimals = 6 + +[SECOND] +peggy_denom = inj1rr08epad58xlg5auytptgctysn7lmsk070qeer +decimals = 18 + +[SEI] +peggy_denom = ibc/BCE43BA530FBE35282B62C1E1EA4AD1F51522C61D40FB761005E1A02F18E0E58 +decimals = 6 + +[SEIFU] +peggy_denom = inj1jtenkjgqhwxdl93eak2aark5s9kl72awc4rk47 +decimals = 6 + +[SEISEI] +peggy_denom = factory/inj1lm95gdmz7qatcgw933t97rg58wnzz3dpxv7ldk/SEISEI +decimals = 6 + +[SEIWHAT?] +peggy_denom = inj1qjgtplwsrflwgqjy0ffp72mfzckwsqmlq2ml6n +decimals = 8 + +[SEIYAN] +peggy_denom = ibc/ECC41A6731F0C6B26606A03C295236AA516FA0108037565B7288868797F52B91 +decimals = 6 + +[SEKIRO] +peggy_denom = factory/inj1tpuscn4wl7sf35zx5w95d74ulzsdfle67x7cq5/Sekiro +decimals = 6 + +[SENJU] +peggy_denom = factory/inj1qdamq2fk7xs6m34qv8swl9un04w8fhk42k35e5/SENJU +decimals = 6 + +[SENSEI] +peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/sensei +decimals = 6 + +[SEQUENCE] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/sequence +decimals = 6 + +[SER] +peggy_denom = inj128cqeg7a78k64xdxsr6v5s6js97dxjgxynwdxc +decimals = 18 + +[SEUL] +peggy_denom = ibc/1C17C28AEA3C5E03F1A586575C6BE426A18B03B48C11859B82242EF32D372FDA +decimals = 6 + +[SEX] +peggy_denom = factory/inj1ary3d4xl6jjlkht33ktqc2py7lvc3l4mqrfq00/SEX +decimals = 6 + +[SHARINGAN] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SHARINGAN +decimals = 18 + +[SHARK] +peggy_denom = ibc/08B66006A5DC289F8CB3D7695F16D211D8DDCA68E4701A1EB90BF641D8637ACE +decimals = 6 + +[SHARP] +peggy_denom = inj134p6skwcyjac60d2jtff0daps7tvzuqj4n56fr +decimals = 8 + +[SHB] +peggy_denom = inj19zzdev3nkvpq26nfvdcm0szp8h272u2fxf0myv +decimals = 6 + +[SHBL] +peggy_denom = factory/inj1zp8a6nhhf3hc9pg2jp67vlxjmxgwjd8g0ck9mq/SHBL +decimals = 6 + +[SHENZI] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/SHENZI +decimals = 6 + +[SHI] +peggy_denom = inj1w7wwyy6pjs9k2ecxte8p6tp8g7kh6k3ut402af +decimals = 6 + +[SHIB] +peggy_denom = peggy0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE +decimals = 18 + +[SHIBINJ] +peggy_denom = factory/inj13yzzxz90naqer4utnp03zlj5rguhu7v0hd2jzl/SHIBINJ +decimals = 6 + +[SHIELD] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SHIELD +decimals = 6 + +[SHINJ] +peggy_denom = factory/inj1h3vg2546p42hr955a7fwalaexjrypn8npds0nq/SHINJ +decimals = 6 + +[SHINJU] +peggy_denom = factory/inj1my757j0ndftrsdf2tuxsdhhy5qfkpuxw4x3wnc/shinju +decimals = 6 + +[SHINOBI] +peggy_denom = inj1h37nmz0r2dt8l33kt2c6us5hj00ykzgxmvyw55 +decimals = 18 + +[SHIRO] +peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/shiro +decimals = 6 + +[SHITMOS] +peggy_denom = ibc/96C34D4D443A2FBCA10B120679AB50AE61195DF9D48DEAD60F798A6AC6B3B653 +decimals = 6 + +[SHOGUN] +peggy_denom = inj16yxzdpw4fkyfzld98zt9l3txqpzj88pnme904j +decimals = 6 + +[SHRK] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/SHRK +decimals = 6 + +[SHROOM] +peggy_denom = inj1mdzxqh9kag3a9e7x5488vn8hkeh42cuw0hnhrf +decimals = 6 + +[SHSA] +peggy_denom = inj1tsrxu2pxusyn24zgxyh2z36apxmhu22jfwd4v7 +decimals = 18 + +[SHT] +peggy_denom = factory/inj1sp8s6ng0e8a7q5dqywgyupwjyjgq2sk553t6r5/SHT +decimals = 6 + +[SHU] +peggy_denom = factory/inj1mllxwgvx0zhhr83rfawjl05dmuwwzfcrs9xz6t/SHU +decimals = 6 + +[SHURIKEN] +peggy_denom = inj1d8x73kj4xtgzhpztf6d60vcjnrw9w0sh2vq8em +decimals = 6 + +[SILLY] +peggy_denom = inj19j6q86wt75p3pexfkajpgxhkjht589zyu0e4rd +decimals = 8 + +[SIMPSONS] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/simpsons +decimals = 6 + +[SINU] +peggy_denom = inj1mxjvtp38yj866w7djhm9yjkwqc4ug7klqrnyyj +decimals = 8 + +[SJAKE] +peggy_denom = factory/inj1s4xa5jsp5sfv5nql5h3c2l8559l7rqyzckheha/SJAKE +decimals = 6 + +[SKI] +peggy_denom = inj167xkgla9kcpz5gxz6ak4vrqs7nqxr08kvyfqkz +decimals = 18 + +[SKIBIDI] +peggy_denom = factory/inj1ztugej2ytfwj9kxa8m5md85e5z3v8jvaxapz6n/skibidi +decimals = 6 + +[SKIPBIDIDOBDOBDOBYESYESYESYES] +peggy_denom = peggy0x5085202d0A4D8E4724Aa98C42856441c3b97Bc6d +decimals = 9 + +[SKR] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/sakura +decimals = 6 + +[SKULL] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SKULL +decimals = 6 + +[SKULLS] +peggy_denom = inj1qk4cfp3su44qzragr55fc9adeehle7lal63jpz +decimals = 18 + +[SKYPE] +peggy_denom = inj1e9nezwf7wvjj4rzfkjfad7teqjfa7r0838f6cs +decimals = 18 + +[SLOTH] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/sloth +decimals = 6 + +[SMART] +peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/SMART +decimals = 6 + +[SMAUG] +peggy_denom = inj1a2wzkydpw54f8adq76dkf6kwx6zffnjju93r0y +decimals = 18 + +[SMB] +peggy_denom = inj13xkzlcd490ky7uuh3wwd48r4qy35hlhqxjpe0r +decimals = 18 + +[SMELLY] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/SMELLY +decimals = 6 + +[SMILE] +peggy_denom = factory/inj1tuwuzza5suj9hq4n8pwlfw2gfua8223jfaa6v7/SMILE +decimals = 6 + +[SMLE] +peggy_denom = inj1nqy47ullz048d8lzck9yr89dnpfefrdx30c7fx +decimals = 18 + +[SMOKE] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKE +decimals = 6 + +[SMOKEe] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKEe +decimals = 6 + +[SNAPPY] +peggy_denom = factory/inj13y5nqf8mymy9tfxkg055th7hdm2uaahs9q6q5w/SNAPPY +decimals = 6 + +[SNAPPY inj] +peggy_denom = inj19dfkr2rm8g5kltyu93ppgmvdzj799vug2m9jqp +decimals = 18 + +[SNARL] +peggy_denom = factory/inj1dskk29zmzjtc49w3fjxac4q4m87yg7gshw8ps9/SNARL +decimals = 6 + +[SNASA] +peggy_denom = factory/inj1peusyhlu85s3gq82tz8jcfxzkszte4zeqhdthw/SNASA +decimals = 6 + +[SNEK] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/snek +decimals = 6 + +[SNIPE] +peggy_denom = inj1ryzgvggaktks2pz69pugltfu7f3hpq7wc98t5e +decimals = 18 + +[SNIPEONE] +peggy_denom = inj146tnhg42q52jpj6ljefu6xstatactyd09wcgwh +decimals = 18 + +[SNIPER] +peggy_denom = factory/inj1qzxna8fqr56g83rvyyylxnyghpguzt2jx3dgr8/SNIPER +decimals = 6 + +[SNJT] +peggy_denom = inj1h6hma5fahwutgzynjrk3jkzygqfxf3l32hv673 +decimals = 18 + +[SNOWY] +peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/SNOWY +decimals = 6 + +[SNS] +peggy_denom = ibc/4BFB3FB1903142C5A7570EE7697636436E52FDB99AB8ABE0257E178A926E2568 +decimals = 8 + +[SNX] +peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F +decimals = 18 + +[SOCRATES] +peggy_denom = inj18qupdvxmgswj9kfz66vaw4d4wn0453ap6ydxmy +decimals = 8 + +[SOGGS] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/soggs +decimals = 6 + +[SOK] +peggy_denom = inj1jdpc9y459hmce8yd699l9uf2aw97q3y7kwhg7t +decimals = 18 + +[SOKE] +peggy_denom = inj1ryqavpjvhfj0lewule2tvafnjga46st2q7dkee +decimals = 18 + +[SOL] +peggy_denom = factory/inj1a4hvejdwaf9gd9rltwftxf0fyz6mrzwmnauacp/SOL +decimals = 6 + +[SOLANAinj] +peggy_denom = inj18e7x9myj8vq58ycdutd6eq6luy7frrp4d2nglr +decimals = 6 + +[SOLinj] +peggy_denom = inj1n9nga2t49ep9hvew5u8xka0d4lsrxxg4cw4uaj +decimals = 6 + +[SOLlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +decimals = 8 + +[SOMM] +peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +decimals = 6 + +[SONICFLOKITRUMPSPIDERMAN INU] +peggy_denom = inj16afzhsepkne4vc7hhu7fzx4cjpgkqzagexqaz6 +decimals = 8 + +[SONINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/soninj +decimals = 6 + +[SOS] +peggy_denom = inj13wdqnmv40grlmje48akc2l0azxl38d2wzl5t92 +decimals = 6 + +[SPDR] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/spdr +decimals = 6 + +[SPK] +peggy_denom = inj18wclk6g0qwwqxa36wd4ty8g9eqgm6q04zjgnpp +decimals = 18 + +[SPONCH] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/sponch +decimals = 6 + +[SPOONWORMS] +peggy_denom = inj1qt3c5sx94ag3rn7403qrwqtpnqthg4gr9cccrx +decimals = 6 + +[SPORTS] +peggy_denom = factory/inj1dewkg7z8vffqxk7jcer6sf9ttnx54z0c6gfjw6/SPORTS +decimals = 6 + +[SPUUN] +peggy_denom = inj1vgm0pwes4fusmvha62grh5aq55yxdz2x5k58xw +decimals = 18 + +[SPUUN INJ] +peggy_denom = inj1zrd6wwvyh4rqsx5tvje6ug6qd2xtn0xgu6ylml +decimals = 18 + +[SQRL] +peggy_denom = peggy0x762dD004fc5fB08961449dd30cDf888efb0Adc4F +decimals = 18 + +[SQUID] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/SQUID +decimals = 6 + +[SSFS] +peggy_denom = inj1m7hd99423w39aug74f6vtuqqzvw5vp0h2e85u0 +decimals = 6 + +[STAKELAND] +peggy_denom = inj1sx4mtq9kegurmuvdwddtr49u0hmxw6wt8dxu3v +decimals = 8 + +[STAR] +peggy_denom = inj1nkxdx2trqak6cv0q84sej5wy23k988wz66z73w +decimals = 8 + +[STARK] +peggy_denom = factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark +decimals = 6 + +[STARS] +peggy_denom = ibc/4D29F082A3C083C85C886B92A1EB438C3FC0632E5F9E4D875479BEB7B9511BD5 +decimals = 6 + +[STINJ] +peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 +decimals = 18 + +[STINJER] +peggy_denom = factory/inj1fepsfp58ff2l7fasj47ytwrrwwp6k7uz6uhfvn/stinjer +decimals = 6 + +[STL] +peggy_denom = inj1m2pce9f8wfql0st8jrf7y2en7gvrvd5wm573xc +decimals = 18 + +[STRD] +peggy_denom = ibc/02683677B1A58ECF74FFF25711E09735C44153FE9490BE5EF9FD21DE82BCB542 +decimals = 6 + +[STT] +peggy_denom = peggy0xaC9Bb427953aC7FDDC562ADcA86CF42D988047Fd +decimals = 18 + +[STX] +peggy_denom = stx +decimals = 6 + +[SUGAR] +peggy_denom = factory/inj1qukvpzhyjguma030s8dmvw4lxaluvlqq5jk3je/SUGAR +decimals = 6 + +[SUI] +peggy_denom = sui +decimals = 9 + +[SUMO] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/sumo +decimals = 6 + +[SUMOCOCO] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SUMOCOCO +decimals = 6 + +[SUPE] +peggy_denom = factory/inj1rl4sadxgt8c0qhl4pehs7563vw7j2dkz80cf55/SUPE +decimals = 6 + +[SUPERMARIO] +peggy_denom = inj1mgts7d5c32w6aqr8h9f5th08x0p4jaya2tp4zp +decimals = 18 + +[SUSHI] +peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/SUSHI +decimals = 6 + +[SUSHI FIGHTER] +peggy_denom = inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd +decimals = 18 + +[SUSHII] +peggy_denom = inj1p6evqfal5hke6x5zy8ggk2h5fhn4hquk63g20d +decimals = 6 + +[SVM] +peggy_denom = inj1jyhzeqxnh8qnupt08gadn5emxpmmm998gwhuvv +decimals = 8 + +[SVN] +peggy_denom = inj1u4zp264el8hyxsqkeuj5yesp8pqmfh4fya86w6 +decimals = 18 + +[SWAP] +peggy_denom = peggy0xCC4304A31d09258b0029eA7FE63d032f52e44EFe +decimals = 18 + +[SWP] +peggy_denom = ibc/70CF1A54E23EA4E480DEDA9E12082D3FD5684C3483CBDCE190C5C807227688C5 +decimals = 6 + +[SWTH] +peggy_denom = ibc/8E697D6F7DAC1E5123D087A50D0FE0EBDD8A323B90DC19C7BA8484742AEB2D90 +decimals = 8 + +[SXC] +peggy_denom = inj1a4lr8sulev42zgup2g0sk8x4hl9th20cj4fqmu +decimals = 8 + +[SXI] +peggy_denom = inj12mjzeu7qrhn9w85dd02fkvjt8hgaewdk6j72fj +decimals = 8 + +[SYN] +peggy_denom = factory/inj16jsp4xd49k0lnqlmtzsskf70pkzyzv2hjkcr8f/synergy +decimals = 6 + +[Saga Bakufu (徳川幕府)] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/saga +decimals = 6 + +[SamOrai] +peggy_denom = inj1a7fqtlllaynv6l4h2dmtzcrucx2a9r04e5ntnu +decimals = 18 + +[Samurai] +peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/samurai +decimals = 6 + +[Samurai dex token] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/samurai +decimals = 6 + +[Santa] +peggy_denom = factory/inj1mwsgdlq6rxs3xte8p2m0pcw565czhgngrxgl38/Santa +decimals = 6 + +[SantaInjective] +peggy_denom = inj19wccuev2399ad0ftdfyvw8h9qq5dvqxqw0pqxe +decimals = 8 + +[Satoru Gojo] +peggy_denom = inj1hwc0ynah0xv6glpq89jvm3haydhxjs35yncuq2 +decimals = 6 + +[Sei] +peggy_denom = ibc/0D0B98E80BA0158D325074100998A78FB6EC1BF394EFF632E570A5C890ED7CC2 +decimals = 6 + +[Sekiro] +peggy_denom = factory/inj1nn8xzngf2ydkppk2h0n9nje72ttee726hvjplx/ak +decimals = 6 + +[Sendor] +peggy_denom = inj1hpwp280wsrsgn3r3mvufx09dy4e8glj8sq4vzx +decimals = 6 + +[Sensei Dog] +peggy_denom = ibc/12612A3EBAD01200A7FBD893D4B0D71F3AD65C41B2AEE5B42EE190672EBE57E9 +decimals = 6 + +[She] +peggy_denom = inj1k59du6npg24x2wacww9lmmleh5qrscf9gl7fr5 +decimals = 6 + +[Shiba INJ] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba inj +decimals = 6 + +[Shiba Inu] +peggy_denom = ibc/E68343A4DEF4AFBE7C5A9004D4C11888EE755A7B43B3F1AFA52F2C34C07990D5 +decimals = 18 + +[ShihTzu] +peggy_denom = factory/inj1x78kr9td7rk3yqylvhgg0ru2z0wwva9mq9nh92/ShihTzu +decimals = 6 + +[Shinobi] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/nobi +decimals = 6 + +[Shinobi Inu] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/Shinobi +decimals = 6 + +[Shuriken] +peggy_denom = inj1kxamn5nmsn8l7tyu752sm2tyt6qlpufupjyscl +decimals = 18 + +[Shuriken Token] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shuriken +decimals = 6 + +[Sin] +peggy_denom = inj10fnmtl9mh95gjtgl67ww6clugl35d8lc7tewkd +decimals = 18 + +[Sinful] +peggy_denom = inj1lhfk33ydwwnnmtluyuu3re2g4lp79c86ge546g +decimals = 18 + +[Smoking Nonja] +peggy_denom = factory/inj1nvv2gplh009e4s32snu5y3ge7tny0mauy9dxzg/smokingnonja +decimals = 6 + +[Solana (legacy)] +peggy_denom = inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +decimals = 8 + +[Sommelier] +peggy_denom = peggy0xa670d7237398238DE01267472C6f13e5B8010FD1 +decimals = 6 + +[SpoonWORMS] +peggy_denom = inj1klc8puvggvjwuee6yksmxx4za6xdh20pwjdnec +decimals = 6 + +[Spuun] +peggy_denom = inj1hs0xupdsrnwfx3lcpz56qkp72q7rn57v3jm0x7 +decimals = 18 + +[Spuurk] +peggy_denom = inj1m9yfd6f2dw0f6uyx4r2av2xk8s5fq5m7pt3mec +decimals = 18 + +[Spuvn] +peggy_denom = inj1f66rlllh2uef95p3v7cswqmnnh2w3uv3f97kv3 +decimals = 18 + +[SteadyBTC] +peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d +decimals = 18 + +[SteadyETH] +peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +decimals = 18 + +[Sui (Wormhole)] +peggy_denom = ibc/F96C68219E987465D9EB253DACD385855827C5705164DAFDB0161429F8B95780 +decimals = 8 + +[Summoners Arena Essence] +peggy_denom = ibc/0AFCFFE18230E0E703A527F7522223D808EBB0E02FDBC84AAF8A045CD8FE0BBB +decimals = 8 + +[Sushi Staked INJ] +peggy_denom = inj1hwj3xz8ljajs87km07nev9jt7uhmvf9k9q4k0f +decimals = 6 + +[SushiSwap] +peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 +decimals = 18 + +[TAB] +peggy_denom = peggy0x36B3D7ACe7201E28040eFf30e815290D7b37ffaD +decimals = 18 + +[TABOO] +peggy_denom = inj1ttxw2rn2s3hqu4haew9e3ugekafu3hkhtqzmyw +decimals = 8 + +[TACOS] +peggy_denom = inj1ac9d646xzyam5pd2yx4ekgfjhc65564533fl2m +decimals = 6 + +[TAJIK] +peggy_denom = factory/inj1dvlqazkar9jdy8x02j5k2tftwjnp7c53sgfavp/TAJIK +decimals = 6 + +[TAKUMI] +peggy_denom = ibc/ADE961D980CB5F2D49527E028774DE42BFD3D78F4CBBD4B8BA54890E60606DBD +decimals = 6 + +[TALIS] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/TALIS +decimals = 6 + +[TANSHA] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/tansha +decimals = 6 + +[TATAS] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/tatas +decimals = 6 + +[TC] +peggy_denom = factory/inj1ureedhqkm8tv2v60de54xzgqgu9u25xkuw8ecs/tyler +decimals = 6 + +[TENSOR] +peggy_denom = inj1py9r5ghr2rx92c0hyn75pjl7ung4euqdm8tvn5 +decimals = 6 + +[TERRAFORMS] +peggy_denom = inj19rev0qmuz3eccvkluz8sptm6e9693jduexrc4v +decimals = 8 + +[TERT] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/tert +decimals = 6 + +[TEST] +peggy_denom = ibc/A83851234A83F3FE51CDB44FF1A4435472A197C096EF9E7312B69E67C16B7FB7 +decimals = 6 + +[TEST13] +peggy_denom = factory/inj1mux0he68umjpcy8ltefeuxm9ha2ww3689rv2g4/TEST13 +decimals = 6 + +[TESTI] +peggy_denom = inj1mzcamv0w3q797x4sj4ny05hfpgacm90a2d2xqp +decimals = 18 + +[TF] +peggy_denom = factory/inj1pjcmuxd2ek7mvx4gnv6quyn6c6rjxwcrs4h5y4/truffle +decimals = 6 + +[THE10] +peggy_denom = factory/inj18u2790weecgqkmcyh2sg9uupz538kwgmmcmtps/THE10 +decimals = 6 + +[THREE] +peggy_denom = inj1qqfhg6l8d7punj4z597t0p3wwwxdcpfew4fz7a +decimals = 18 + +[THUG] +peggy_denom = factory/inj108qcx6eu6l6adl6kxm0qpyshlmzf3w9mnq5vav/THUGLIFE +decimals = 6 + +[THUNDER] +peggy_denom = inj1gacpupgyt74farecd9pv20emdv6vpkpkhft59y +decimals = 6 + +[TIA] +peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 +decimals = 6 + +[TIK] +peggy_denom = inj1xetmk66rv8nhjur9s8t8szkdff0xwks8e4vym3 +decimals = 6 + +[TINJER] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/tinjer +decimals = 6 + +[TITAN] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/titan +decimals = 6 + +[TJCLUB] +peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/TJCLUB +decimals = 6 + +[TKN] +peggy_denom = factory/inj1f4sglhz3ss74fell9ecvqrj2qvlt6wmk3ctd3f/TKN +decimals = 6 + +[TMB] +peggy_denom = factory/inj1dg4n304450kswa7hdj8tqq3p28f5kkye2fxey3/TMB +decimals = 6 + +[TMNT] +peggy_denom = inj1yt6erfe7a55es7gnwhta94g08zq9qrsjw25eq5 +decimals = 18 + +[TOKYO] +peggy_denom = inj1k8ad5x6auhzr9tu3drq6ahh5dtu5989utxeu89 +decimals = 18 + +[TOM] +peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/TOM +decimals = 18 + +[TOMO] +peggy_denom = inj1d08rut8e0u2e0rlf3pynaplas6q0akj5p976kv +decimals = 8 + +[TONKURU] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/tonkuru +decimals = 6 + +[TORO] +peggy_denom = ibc/37DF4CCD7D156B9A8BF3636CD7E073BADBFD54E7C7D5B42B34C116E33DB0FE81 +decimals = 6 + +[TOTS] +peggy_denom = factory/inj1u09lh0p69n7salm6l8ufytfsm0p40pnlxgpcz5/TOTS +decimals = 6 + +[TRASH] +peggy_denom = inj1re43j2d6jxlk4m5sn9lc5qdc0rwkz64c8gqk5x +decimals = 18 + +[TREN] +peggy_denom = inj14y8f4jc0qmmwzcyj9k7dxnlq6tgjq9ql6n2kdn +decimals = 18 + +[TRG] +peggy_denom = inj1scn6ssfehuw735llele39kk7w6ylg4auw3epjp +decimals = 8 + +[TRH] +peggy_denom = inj1dxtnr2cmqaaq0h5sgnhdftjhh5t6dmsu37x40q +decimals = 18 + +[TRIPPY] +peggy_denom = inj1puwde6qxl5v96f5sw0dmql4r3a0e9wvxp3w805 +decimals = 18 + +[TRR] +peggy_denom = inj1cqwslhvaaferrf3c933efmddfsvakdhzaaex5h +decimals = 18 + +[TRUCPI] +peggy_denom = trucpi +decimals = 18 + +[TRUFFLE] +peggy_denom = factory/inj1e5va7kntnq245j57hfe78tqhnd763ekrtu9fez/TRUFFLE +decimals = 6 + +[TRUMP] +peggy_denom = inj19l7z2pezzt0xn52w647zxrffyrqag02ft88grm +decimals = 18 + +[TRX] +peggy_denom = inj17ssa7q9nnv5e5p6c4ezzxj02yjhmvv5jmg6adq +decimals = 6 + +[TRY] +peggy_denom = inj10dqyn46ljqwzx4947zc3dska84hpnwc7r6rzzs +decimals = 18 + +[TRY2] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/TRY2 +decimals = 6 + +[TSNG] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/tsng +decimals = 6 + +[TST] +peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/TST +decimals = 6 + +[TSTI] +peggy_denom = factory/inj1lvlvg3mkc3txakeyrqfzemkc7muvm9656mf2az/TSTI +decimals = 6 + +[TSTT] +peggy_denom = inj19p5am8kye6r7xu3xy9crzh4dj7uhqvpw3n3mny +decimals = 18 + +[TSUNADE] +peggy_denom = inj1vwzqtjcwv2wt5pcajvlhmaeejwme57q52mhjy3 +decimals = 18 + +[TTNY] +peggy_denom = inj10c0ufysjj52pe7m9a3ncymzf98sysl3nr730r5 +decimals = 18 + +[TTS] +peggy_denom = factory/inj1en4mpfud040ykmlneentdf77ksa3usjcgw9hax/TTS +decimals = 6 + +[TURBO] +peggy_denom = factory/inj1hhmra48t7xwz4snc7ttn6eu5nvmgzu0lwalmwk/TURBO +decimals = 6 + +[TURBOTOAD] +peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/TURBOTOAD +decimals = 6 + +[TURD] +peggy_denom = ibc/3CF3E1A31015028265DADCA63920C320E4ECDEC2F77D2B4A0FD7DD2E460B9EF3 +decimals = 6 + +[TURTLE] +peggy_denom = factory/inj1nshrauly795k2h97l98gy8zx6gl63ak2489q0u/TURTLE +decimals = 8 + +[TURTLENINJ] +peggy_denom = factory/inj1lv9v2z2zvvng6v9qm8eh02t2mre6f8q6ez5jxl/turtleninj +decimals = 6 + +[TWO] +peggy_denom = inj19fza325yjfnx9zxvtvawn0rrjwl73g4nkzmm2w +decimals = 18 + +[Talis NFT] +peggy_denom = inj155kuqqlmdz7ft2jas4fc23pvtsecce8xps47w5 +decimals = 8 + +[Terra] +peggy_denom = peggy0xd2877702675e6cEb975b4A1dFf9fb7BAF4C91ea9 +decimals = 6 + +[TerraUSD] +peggy_denom = peggy0xa47c8bf37f92aBed4A126BDA807A7b7498661acD +decimals = 18 + +[Test] +peggy_denom = inj1xnk5ca6u4hl9rfm2qretz6p5wjt3yptvng2jvd +decimals = 18 + +[Test QAT] +peggy_denom = peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9 +decimals = 18 + +[Test Token] +peggy_denom = inj1a6qdxdanekzgq6dluymlk7n7khg3dqq9lua9q9 +decimals = 18 + +[Test coin don't buy] +peggy_denom = inj19xpgme02uxc55hgplg4vkm4vw0n7p6xl4ksqcz +decimals = 18 + +[TestOne] +peggy_denom = inj1f8fsu2xl97c6yss7s3vgmvnjau2qdlk3vq3fg2 +decimals = 18 + +[TestThree] +peggy_denom = inj14e3anyw3r9dx4wchnkcg8nlzps73x86cze3nq6 +decimals = 18 + +[TestTwo] +peggy_denom = inj1krcpgdu3a83pdtnus70qlalrxken0h4y52lfhg +decimals = 18 + +[TestingToken] +peggy_denom = inj1j5y95qltlyyjayjpyupgy7e5y7kkmvjgph888r +decimals = 18 + +[Tether] +peggy_denom = inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +decimals = 6 + +[Tether USD (Wormhole)] +peggy_denom = ibc/3384DCE14A72BBD0A47107C19A30EDD5FD1AC50909C632CB807680DBC798BB30 +decimals = 6 + +[The Mask] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/mask +decimals = 6 + +[TheJanitor] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/TheJanitor +decimals = 6 + +[TrempBoden] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/trempboden +decimals = 6 + +[Trump] +peggy_denom = inj1neclyywnhlhe4me0g2tky9fznjnun2n9maxuhx +decimals = 6 + +[Trump Ninja] +peggy_denom = inj1dj0u7mqn3z8vxz6muwudhpl95sajmy00w7t6gq +decimals = 18 + +[TryCW] +peggy_denom = inj15res2a5r94y8s33lc7c5czcswx76pygjk827t0 +decimals = 18 + +[Tsu Grenade] +peggy_denom = inj1zgxh52u45qy3xxrq72ypdajhhjftj0hu5x4eea +decimals = 18 + +[TunaSniper] +peggy_denom = inj1ypa69pvev7rlv8d2rdxkaxn23tk7rx5vgnxaam +decimals = 6 + +[UIA] +peggy_denom = inj1h6avzdsgkfvymg3sq5utgpq2aqg4pdee7ep77t +decimals = 18 + +[UICIDE] +peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/UICIDE +decimals = 6 + +[UMA] +peggy_denom = peggy0x04Fa0d235C4abf4BcF4787aF4CF447DE572eF828 +decimals = 18 + +[UMEE] +peggy_denom = ibc/221E9E20795E6E250532A6A871E7F6310FCEDFC69B681037BBA6561270360D86 +decimals = 6 + +[UNI] +peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/UNI +decimals = 6 + +[UP10X] +peggy_denom = inj1zeu70usj0gtgqapy2srsp7pstf9r82ckqk45hs +decimals = 6 + +[UPGRADE] +peggy_denom = inj1f32xp69g4qf7t8tnvkgnmhh70gzy43nznkkk7f +decimals = 8 + +[UPHOTON] +peggy_denom = ibc/48BC9C6ACBDFC1EBA034F1859245D53EA4BF74147189D66F27C23BF966335DFB +decimals = 6 + +[UPTENX] +peggy_denom = inj10jgxzcqdf6phdmettetd8m92gxucxz5rpp9kwu +decimals = 6 + +[URO] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/URO +decimals = 6 + +[USC] +peggy_denom = ibc/5307C5A7B88337FE81565E210CDB5C50FBD6DCCF2D90D524A7E9D1FE00C40139 +decimals = 8 + +[USD] +peggy_denom = ibc/7474CABFDF3CF58A227C19B2CEDE34315A68212C863E367FC69928ABA344024C +decimals = 18 + +[USD Coin] +peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu +decimals = 6 + +[USD Coin (BEP-20)] +peggy_denom = ibc/5FF8FE2FDCD9E28C0608B17FA177A918DFAF7218FA18E5A2C688F34D86EF2407 +decimals = 18 + +[USD Coin (legacy)] +peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +decimals = 6 + +[USD Coin from Avalanche] +peggy_denom = ibc/705E7E25F94467E363B2EB324A5A6FF4C683A4A6D20AAD2AEEABA2D9EB1B897F +decimals = 6 + +[USD Coin from Polygon] +peggy_denom = ibc/2E93E8914CA07B73A794657DA76170A016057D1C6B0DC42D969918D4F22D95A3 +decimals = 6 + +[USD Con] +peggy_denom = peggy0xB855dBC314C39BFa2583567E02a40CBB246CF82B +decimals = 18 + +[USDC] +peggy_denom = ibc/DF32F083238097AD2CA5444BFB8F338534C32865EFE0696C5AF89AFB3A0144D6 +decimals = 6 + +[USDC-MPL] +peggy_denom = peggy0xf875aef00C4E21E9Ab4A335eB36A1175Ab00424A +decimals = 6 + +[USDCarb] +peggy_denom = inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r +decimals = 6 + +[USDCbsc] +peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu +decimals = 6 + +[USDCet] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +decimals = 6 + +[USDCgateway] +peggy_denom = ibc/7BE71BB68C781453F6BB10114F8E2DF8DC37BA791C502F5389EA10E7BEA68323 +decimals = 6 + +[USDClegacy] +peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 +decimals = 6 + +[USDCpoly] +peggy_denom = inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 +decimals = 6 + +[USDCso] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu +decimals = 6 + +[USDLR] +peggy_denom = ibc/E15121C1541741E0A7BA2B96B30864C1B1052F1AD8189D81E6C97939B415D12E +decimals = 6 + +[USDT] +peggy_denom = ibc/7965483148018AFAA12DC569959897E7A5E474F4B41A87FFC5513B552C108DB5 +decimals = 6 + +[USDT.axl] +peggy_denom = ibc/90C6F06139D663CFD7949223D257C5B5D241E72ED61EBD12FFDDA6F068715E47 +decimals = 6 + +[USDT.multi] +peggy_denom = ibc/24E5D0825D3D71BF00C4A01CD8CA8F2D27B1DD32B7446CF633534AEA25379271 +decimals = 6 + +[USDTap] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +decimals = 6 + +[USDTbsc] +peggy_denom = inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj +decimals = 6 + +[USDTet] +peggy_denom = inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 +decimals = 6 + +[USDTkv] +peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB +decimals = 6 + +[USDTso] +peggy_denom = inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd +decimals = 6 + +[USDX] +peggy_denom = ibc/C78F65E1648A3DFE0BAEB6C4CDA69CC2A75437F1793C0E6386DFDA26393790AE +decimals = 6 + +[USDY] +peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 +decimals = 18 + +[USDe] +peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 +decimals = 18 + +[USDi] +peggy_denom = peggy0x83E7D0451da91Ac509cd7F545Fb4AA04D4dD3BA8 +decimals = 18 + +[USK] +peggy_denom = ibc/58BC643F2EB5758C08D8B1569C7948A5DA796802576005F676BBFB7526E520EB +decimals = 6 + +[UST] +peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C +decimals = 18 + +[UTK] +peggy_denom = peggy0xdc9Ac3C20D1ed0B540dF9b1feDC10039Df13F99c +decimals = 18 + +[Ulp] +peggy_denom = inj1ynqtgucs3z20n80c0zammyqd7skfgc7kyanc2j +decimals = 18 + +[Umee] +peggy_denom = ibc/2FF3DC3A0265B9A220750E75E75E5D44ED2F716B8AC4EDC378A596CC958ABF6B +decimals = 6 + +[Uniswap] +peggy_denom = ibc/3E3A8A403AE81114F4341962A6D73162D586C9DF4CE3BE7C7B459108430675F7 +decimals = 18 + +[Unknown] +peggy_denom = unknown +decimals = 0 + +[VATRENI] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay +decimals = 8 + +[VAULT] +peggy_denom = factory/inj16j0dhn7qg9sh7cg8y3vm6fecpfweq4f46tzrvd/VAULT +decimals = 6 + +[VEGAS] +peggy_denom = inj12sy2vdgspes6p7af4ssv2sv0u020ew4httwp5y +decimals = 6 + +[VELO] +peggy_denom = inj1srz2afh8cmay4nuk8tjkq9lhu6tz3hhmjnevlv +decimals = 8 + +[VENUS] +peggy_denom = inj109z6sf8pxl4l6dwh7s328hqcn0ruzflch8mnum +decimals = 8 + +[VERHA] +peggy_denom = inj1v2rqvnaavskyhjkx7xfkkyljhnyhuv6fmczprq +decimals = 18 + +[VIDA] +peggy_denom = inj18wa0xa2xg8ydass70e8uvlvzupt9wcn5l9tuxm +decimals = 6 + +[VINJETTA] +peggy_denom = factory/inj1f4x4j5zcv3uf8d2806umhd50p78gfrftjc3gg4/vinjetta +decimals = 6 + +[VIU] +peggy_denom = inj1ccpccejcrql2878cq55nqpgsl46s26qj8hm6ws +decimals = 8 + +[VIX] +peggy_denom = inj108qxa8lvywqgg0cqma0ghksfvvurgvv7wcf4qy +decimals = 6 + +[VRD] +peggy_denom = peggy0xf25304e75026E6a35FEDcA3B0889aE5c4D3C55D8 +decimals = 18 + +[VYK] +peggy_denom = inj15ssgwg2whxt3qnthlrq288uxtda82mcy258xp9 +decimals = 18 + +[Vatreni Token] +peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay +decimals = 8 + +[W] +peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 +decimals = 6 + +[WAGMI] +peggy_denom = factory/inj188veuqed0dygkcmq5d24u3807n6csv4wdv28gh/wagmi +decimals = 9 + +[WAIFU] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifu +decimals = 6 + +[WAIFUBOT] +peggy_denom = inj1fmw3t86ncrlz35pm0q66ca5kpudlxzg55tt54f +decimals = 6 + +[WAIFUDOGE] +peggy_denom = inj1py5zka74z0h02gqqaexllddn8232vqxsc946qf +decimals = 6 + +[WAIT] +peggy_denom = inj17pg77tx07drrx6tm6c72cd9sz6qxhwd4gp93ep +decimals = 8 + +[WAR] +peggy_denom = inj1nfkjyevl6z0fyc86w88xr8qq3awugw0nt2dvxq +decimals = 8 + +[WASABI] +peggy_denom = factory/inj1h6j2hwdn446d3nye82q2thte5pc6qqvyehsjzj/WASABI +decimals = 6 + +[WASSIE] +peggy_denom = peggy0x2c95d751da37a5c1d9c5a7fd465c1d50f3d96160 +decimals = 18 + +[WAVAX] +peggy_denom = ibc/A4FF8E161D2835BA06A7522684E874EFC91004AD0CD14E038F37940562158D73 +decimals = 18 + +[WBNB] +peggy_denom = ibc/B877B8EF095028B807370AB5C7790CA0C328777C9FF09AA7F5436BA7FAE4A86F +decimals = 18 + +[WBTC] +peggy_denom = ibc/A07BB73539F556DA5238F1B7E9471B34DD19897B1EE7050B959989F13EFE73B3 +decimals = 8 + +[WDDG] +peggy_denom = factory/inj1hse75gfje5jllds5t9gnzdwyp3cdc3cvdt7gpw/wddg +decimals = 6 + +[WEED] +peggy_denom = factory/inj1nm8kf7pn60mww3hnqj5je28q49u4h9gnk6g344/WEED +decimals = 6 + +[WEIRD] +peggy_denom = ibc/5533268E098543E02422FF94216D50A97CD9732AEBBC436AF5F492E7930CF152 +decimals = 6 + +[WEN] +peggy_denom = inj1wvd7jt2fwsdqph0culwmf3c4l4y63x4t6gu27v +decimals = 18 + +[WETH] +peggy_denom = ibc/4AC4A819B0BFCB25497E83B92A7D124F24C4E8B32B0E4B45704CC4D224A085A0 +decimals = 8 + +[WFTM] +peggy_denom = ibc/31E8DDA49D53535F358B29CFCBED1B9224DAAFE82788C0477930DCDE231DA878 +decimals = 18 + +[WGLMR] +peggy_denom = ibc/8FF72FB47F07B4AFA8649500A168683BEFCB9EE164BD331FA597D26224D51055 +decimals = 18 + +[WGMI] +peggy_denom = factory/inj1rmjzj9fn47kdmfk4f3z39qr6czexxe0yjyc546/WGMI +decimals = 6 + +[WHALE] +peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 +decimals = 6 + +[WHITE] +peggy_denom = factory/inj1hdlavqur8ayu2kcdc9qv4dvee47aere5g80vg5/WHITE +decimals = 6 + +[WIF] +peggy_denom = wif +decimals = 6 + +[WIFLUCK] +peggy_denom = inj10vhddx39e3q8ayaxw4dg36tfs9lpf6xx649zfn +decimals = 18 + +[WIGO] +peggy_denom = inj1jzarcskrdgqzn9ynqn05uthv07sepnpftw8xg9 +decimals = 18 + +[WIHA] +peggy_denom = ibc/E1BD2AE3C3879D2D79EA2F81E2A106BC8781CF449F70DDE6D97EF1A45F18C270 +decimals = 6 + +[WINJ] +peggy_denom = inj1cxp5f0m79a9yexyplx550vxtnun8vjdaqf28r5 +decimals = 18 + +[WINJA] +peggy_denom = factory/inj1mq6we23vx50e4kyq6fyqgty4zqq27p20czq283/WINJA +decimals = 6 + +[WINK] +peggy_denom = ibc/325300CEF4149AD1BBFEB540FF07699CDEEFBB653401E872532030CFB31CD767 +decimals = 6 + +[WIZZ] +peggy_denom = factory/inj1uvfpvnmuqhx8jwg4786y59tkagmph827h38mst/WIZZ +decimals = 6 + +[WKLAY] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 +decimals = 8 + +[WMATIC] +peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC +decimals = 8 + +[WMATIClegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 + +[WNINJ] +peggy_denom = factory/inj1ducfa3t9sj5uyxs7tzqwxhp6mcfdag2jcq2km6/wnINJ +decimals = 18 + +[WOJAK] +peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/WOJAK +decimals = 6 + +[WOJO] +peggy_denom = inj1n7qrdluu3gve6660dygc0m5al3awdg8gv07v62 +decimals = 6 + +[WOKE] +peggy_denom = inj17ka378ydj6ka5q0jlqt0eqhk5tmzqynx43ue7m +decimals = 18 + +[WOLF] +peggy_denom = factory/inj18pe85zjlrg5fcmna8tzqr0lysppcw5x7ecq33n/WOLF +decimals = 6 + +[WONDER] +peggy_denom = inj1ppg7jkl9vaj9tafrceq6awgr4ngst3n0musuq3 +decimals = 8 + +[WOOF] +peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/woof +decimals = 6 + +[WOOF INU] +peggy_denom = inj1h0h49fpkn5r0pjmscywws0m3e7hwskdsff4qkr +decimals = 8 + +[WORM] +peggy_denom = ibc/13C9967E4F065F5E4946302C1F94EA5F21261F3F90DAC0212C4037FA3E058297 +decimals = 6 + +[WOSMO] +peggy_denom = ibc/DD648F5D3CDA56D0D8D8820CF703D246B9FC4007725D8B38D23A21FF1A1477E3 +decimals = 6 + +[WSTETH] +peggy_denom = peggy0x7f39C581F595B53c5cb19bD0b3f8dA6c935E2Ca0 +decimals = 18 + +[WTF] +peggy_denom = ibc/3C788BF2FC1269D66CA3E339634E14856A90336C5562E183EFC9B743C343BC31 +decimals = 6 + +[WUBBA] +peggy_denom = inj17g65zpdwql8xjju92k6fne8luqe35cjvf3j54v +decimals = 6 + +[Waifu] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifuinj +decimals = 6 + +[What does the fox say?] +peggy_denom = inj1x0nz4k6k9pmjq0y9uutq3kp0rj3vt37p2p39sy +decimals = 6 + +[Wolf Party] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/wolf +decimals = 6 + +[Wormhole] +peggy_denom = factory/inj1xmxx0c3elm96s9s30t0k0gvr4h7l4wx9enndsl/wormhole +decimals = 6 + +[Wrapped Bitcoin] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +decimals = 8 + +[Wrapped Ether] +peggy_denom = ibc/65A6973F7A4013335AE5FFE623FE019A78A1FEEE9B8982985099978837D764A7 +decimals = 18 + +[Wrapped Ethereum] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 +decimals = 8 + +[Wrapped Klaytn] +peggy_denom = inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 +decimals = 8 + +[Wrapped Matic] +peggy_denom = ibc/7E23647941230DA0AB4ED10F599647D9BE34E1C991D0DA032B5A1522941EBA73 +decimals = 18 + +[Wrapped Matic (legacy)] +peggy_denom = inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 + +[Wrapped liquid staked Ether 2.0 (Wormhole)] +peggy_denom = ibc/AF173F64492152DA94107B8AD53906589CA7B844B650EFC2FEFED371A3FA235E +decimals = 8 + +[Wynn] +peggy_denom = factory/inj1mmn3lqt5eahuu7cmpcjme6lj0xhjlhj3qj4fhh/Wynn +decimals = 18 + +[X747] +peggy_denom = factory/inj12ccehmgslwzkg4d4n4t78mpz0ja3vxyctu3whl/X747 +decimals = 6 + +[XAC] +peggy_denom = peggy0xDe4C5a791913838027a2185709E98c5C6027EA63 +decimals = 8 + +[XAEAXii] +peggy_denom = inj1wlw9hzsrrtnttgl229kvmu55n4z2gfjqzr6e2k +decimals = 18 + +[XAG] +peggy_denom = xag +decimals = 6 + +[XAI] +peggy_denom = inj15a8vutf0edqcuanpwrz0rt8hfclz9w8v6maum3 +decimals = 8 + +[XAU] +peggy_denom = xau +decimals = 6 + +[XBX] +peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 +decimals = 18 + +[XCN] +peggy_denom = ibc/79D01DE88DFFC0610003439D38200E77A3D2A1CCCBE4B1958D685026ABB01814 +decimals = 18 + +[XDD] +peggy_denom = inj10e64r6exkrm52w9maa2e99nse2zh5w4zajzv7e +decimals = 18 + +[XIII] +peggy_denom = inj1zw35mh6q23cnxa0j6kdh2n4dtss795avxmn9kn +decimals = 6 + +[XMAS] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/XMAS +decimals = 6 + +[XMASINJ] +peggy_denom = inj1yhp235hgpa0nartawhtx0q2hkhr6y8cdth4neu +decimals = 8 + +[XMASPUMP] +peggy_denom = inj165lcmjswrkuz2m5p45wn00qz4k2zpq8r9axkp9 +decimals = 8 + +[XNJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar +decimals = 18 + +[XPLA] +peggy_denom = inj1j08452mqwadp8xu25kn9rleyl2gufgfjqjvewe +decimals = 8 [XPRT] peggy_denom = ibc/B786E7CBBF026F6F15A8DA248E0F18C62A0F7A70CB2DABD9239398C8B5150ABB decimals = 6 -[ZIG] -peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 +[XRAY] +peggy_denom = inj1aqgkr4r272dg62l9err5v3d3hme2hpt3rzy4zt +decimals = 8 + +[XRP] +peggy_denom = peggy0x1d2f0da169ceb9fc7b3144628db156f3f6c60dbe +decimals = 18 + +[XTALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xTalis +decimals = 6 + +[XUPS] +peggy_denom = inj1f3ppu7jgputk3qr833f4hsl8n3sm3k88zw6um0 +decimals = 8 + +[XYZ] +peggy_denom = factory/inj12aljr5fewp8vlns0ny740wuwd60q89x0xsqcz3/XYZ +decimals = 6 + +[XmasPump] +peggy_denom = inj1yjtgs6a9nwsljwk958ypf2u7l5kqf5ld8h3tmd +decimals = 8 + +[YAKUZA] +peggy_denom = factory/inj1r5pgeg9xt3xr0mw5n7js8kux7hyvjlsjn6k8ce/YAKUZA +decimals = 6 + +[YAMEI] +peggy_denom = inj1042ucqa8edhazdc27xz0gsphk3cdwxefkfycsr +decimals = 18 + +[YEA] +peggy_denom = inj1vfasyvcp7jpqfpdp980w28xemyurdnfys84xwn +decimals = 18 + +[YEET] +peggy_denom = inj10vhq60u08mfxuq3zr6ffpm7uelcc9ape94xq5f +decimals = 18 + +[YFI] +peggy_denom = peggy0x0bc529c00C6401aEF6D220BE8C6Ea1667F6Ad93e +decimals = 18 + +[YKZ] +peggy_denom = inj1sgdvujejhvc0yqw26jz2kvg9fx2wvfvvjtjnjq +decimals = 6 + +[YMOS] +peggy_denom = ibc/26AB5A32422A0E9BC3B7FFCCF57CB30F3E8AEEA0F1705D64DCF4D8FA3DD71B9D +decimals = 6 + +[YOAN] +peggy_denom = inj1hgrgkrpwsu6n44ueucx0809usskkp6vdcr3ul9 +decimals = 18 + +[YOKAI] +peggy_denom = inj1y7k7hdw0nyw05rc8qr6nmwlp2kq3vzh065frd6 +decimals = 18 + +[YOSHI] +peggy_denom = inj13y8susc9dle4x664ktps3ynksxxgt6lhmckuxp +decimals = 18 + +[YSIR] +peggy_denom = inj1zff494cl7wf0g2fzqxdtxn5ws4mkgy5ypxwlql +decimals = 18 + +[YUKI] +peggy_denom = factory/inj1spdy83ds5ezq9rvtg0ndy8480ad5rlczcpvtu2/YUKI +decimals = 6 + +[YUM.axl] +peggy_denom = ibc/253F76EB6D04F50492930A5D97465A495E5D6ED674A33EB60DDD46F01EF56504 +decimals = 18 + +[Yakuza] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/Yakuza +decimals = 6 + +[Yakuza Clan (ヤクザ)] +peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/yakuza +decimals = 6 + +[Yang] +peggy_denom = inj10ga6ju39mxt94suaqsfagea9t9p2ys2lawml9z +decimals = 6 + +[YeetYak] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/YeetYak +decimals = 6 + +[YieldETH] +peggy_denom = ibc/6B7E243C586784E1BE150B71F541A3880F0409E994365AF31FF63A2764B72556 +decimals = 18 + +[Ykz] +peggy_denom = inj1ur8dhklqn5ntq45jcm5vy2tzp5zfc05w2pmjam +decimals = 18 + +[Yogi] +peggy_denom = inj1zc3uujkm2sfwk5x8xlrudaxwsc0t903rj2jcen +decimals = 6 + +[ZEUS] +peggy_denom = inj1302yft4ppsj99qy5avv2qv6hfuvzluy4q8eq0k +decimals = 18 + +[ZIG] +peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 +decimals = 18 + +[ZIGZAG] +peggy_denom = inj1d70m92ml2cjzy2lkj5t2addyz6jq4qu8gyfwn8 +decimals = 6 + +[ZIL] +peggy_denom = ibc/AE996D1AF771FED531442A232A4403FAC51ACFFF9B645FF4363CFCB76019F5BD +decimals = 12 + +[ZK] +peggy_denom = zk +decimals = 18 + +[ZOE] +peggy_denom = factory/inj17v462f55kkuhjhvw7vdcjzd2wdk85yh8js3ug9/ZOE +decimals = 6 + +[ZOMBIE] +peggy_denom = factory/inj12yvvkskjdedhztpl4g2vh888z00rgl0wctarst/ZOMBIE +decimals = 6 + +[ZOOMER] +peggy_denom = inj173zkm8yfuqagcc5m7chc4dhnq0k5hdl7vwca4n +decimals = 18 + +[ZORO] +peggy_denom = factory/inj1z70nam7mp5qq4wd45ker230n3x4e35dkca9la4/ZORO +decimals = 18 + +[ZRO] +peggy_denom = zro +decimals = 6 + +[ZRX] +peggy_denom = peggy0xE41d2489571d322189246DaFA5ebDe1F4699F498 +decimals = 18 + +[ZUZU] +peggy_denom = factory/inj1v05uapg65p6f4307qg0hdkzssn82js6n5gc03q/ZUZU +decimals = 6 + +[ZZZ] +peggy_denom = factory/inj1a2qk8tsd4qv7rmtp8g8ktj7zfldj60hpp0arqp/ZZZ +decimals = 6 + +[aUSD] +peggy_denom = inj1p3nrwgm9u3dtln6rwdvrsmjt5fwlhhhq3ugckd +decimals = 18 + +[aevmos] +peggy_denom = ibc/EEB2EB2A678B5788DB413B5A7EC81085B34F33DA9750C1C790CE8E1EDC8282B5 +decimals = 0 + +[allBTC] +peggy_denom = ibc/2D805BFDFB164DE4CE69514BF2CD203C07BF79DF52EF1971763DCBD325917CC5 +decimals = 8 + +[allETH] +peggy_denom = ibc/1638ABB0A4233B36CC9EBBD43775D17DB9A86190E826580963A0B59A621BD7FD +decimals = 18 + +[allUSDT] +peggy_denom = ibc/7991930BA02EBF3893A7E244233E005C2CB14679898D8C9E680DA5F7D54E647D +decimals = 6 + +[ampGASH] +peggy_denom = ibc/B52F9774CA89A45FFB924CEE4D1E586013E33628A3784F3CCF10C8CE26A89E7F +decimals = 6 + +[ampINJ] +peggy_denom = factory/inj1cdwt8g7nxgtg2k4fn8sj363mh9ahkw2qt0vrnc/ampINJ +decimals = 6 + +[ampKUJI] +peggy_denom = ibc/34E48C7C43383203519D996D1D93FE80ED50153E28FB6A9465DE463AEF2EC9EC +decimals = 6 + +[ampLUNA] +peggy_denom = ibc/751CCECAF75D686B1DC8708BE62F8C7411B211750E6009C6AC4C93881F0543E8 +decimals = 6 + +[ampMNTA] +peggy_denom = ibc/A87178EAA371050DDFD80F78630AE622B176C7634160EE515C27CE62FCC8A0CC +decimals = 6 + +[ampOSMO] +peggy_denom = ibc/012D069D557C4DD59A670AA17E809CB7A790D778E364D0BC0A3248105DA6432D +decimals = 6 + +[ampROAR] +peggy_denom = ibc/7BE54594EAE77464217B9BB5171035946ED23DB309B030B5708E15C9455BB557 +decimals = 6 + +[ampSEI] +peggy_denom = ibc/E175256127F32A27BB1FF863D15D8C4BB14968ED069B6A292723D485A33514A2 +decimals = 6 + +[ampWHALE] +peggy_denom = ibc/168C3904C45C6FE3539AE85A8892DF87371D00EA7942515AFC50AA43C4BB0A32 +decimals = 6 + +[ampWHALEt] +peggy_denom = ibc/DF3225D7381562B58AA8BE107A87260DDDC7FA08E4B0898E3D795392CF844BBE +decimals = 6 + +[anon] +peggy_denom = factory/inj15n8jl0dcepjfy3nhsa3gm734rjx5x2ff3y9f2s/anon +decimals = 6 + +[ape] +peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/ape +decimals = 6 + +[aplanq] +peggy_denom = ibc/BA26BE85B9D5F046FC7071ED0F77053662A4B2F5B7552B3834A3F1B2DD3BD18F +decimals = 0 + +[ashLAB] +peggy_denom = ibc/D3D5FB034E9CAA6922BB9D7D52D909116B7FFF7BD73299F686C972643B4767B9 +decimals = 6 + +[ashLUNA] +peggy_denom = ibc/19C3905E752163B6EEB903A611E0832CCD05A32007E98C018759905025619D8F +decimals = 6 + +[avalanche.USDC.wh] +peggy_denom = ibc/348633370BE07A623D7FC9CD229150936ADCD3A4E842DAD246BBA817D21FF6C7 +decimals = 6 + +[axlETH] +peggy_denom = ibc/34EF5DA5B1CFB23FA25F1D486C89AFC9E5CC5727C224975438583C444E88F039 +decimals = 18 + +[axlFIL] +peggy_denom = ibc/9D1889339AEC850B1D719CCF19BD813955C086BE1ED323ED68318A273922E40D +decimals = 18 + +[axlUSDC] +peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 +decimals = 6 + +[axlWBTC] +peggy_denom = ibc/F57B53E102171E6DC254532ECC184228BB8E23B755AD55FA6FDCBD70464A9A54 +decimals = 6 + +[bCRE] +peggy_denom = ibc/83D54420DD46764F2ED5EE511DAA63EC28012480A245D8E33AA1F7D1FB15D736 +decimals = 6 + +[bINJ] +peggy_denom = factory/inj1dxp690rd86xltejgfq2fa7f2nxtgmm5cer3hvu/bINJ +decimals = 18 + +[bKUJI] +peggy_denom = ibc/5C48695BF3A6BCC5DD147CC1A2D09DC1A30683FE369BF472704A52CF9D59B42D +decimals = 6 + +[bLUNA] +peggy_denom = ibc/C9D55B62C9D9CA84DD94DC019009B840DDFD861BF2F33F7CF2A8A74933797680 +decimals = 6 + +[bNEO] +peggy_denom = ibc/48F6A028444987BB26299A074A5C32DC1679A050D5563AC10FF81EED9E22D8B8 +decimals = 8 + +[bOSMO] +peggy_denom = ibc/C949BEFD9026997A65D0125340B096AA809941B3BB13D6C2D1E8E4A17F2130C4 +decimals = 6 + +[bWHALE] +peggy_denom = ibc/ECB0AA28D6001EF985047558C410B65581FC85BD92D4E3CFCCA0D3D964C67CC2 +decimals = 6 + +[baby INJ] +peggy_denom = inj1j0l9t4n748k2zy8zm7yfwjlpkf069d2jslfh3d +decimals = 18 + +[babyBENANCE] +peggy_denom = inj1rfv2lhr0qshztmk86f05vdmx2sft9zs6cc2ltj +decimals = 6 + +[babyCLON] +peggy_denom = inj1pyghkw9q0kx8mnuhcxpqnczfxst0way2ep9s54 +decimals = 6 + +[babyCOKE] +peggy_denom = inj15sslujc0pv3kdjsw0fhzvclwmgv2zh7a00fcx5 +decimals = 6 + +[babyDIB] +peggy_denom = inj1tquat4mh95g33q5rhg5c72yh6j6x5w3p6ynuqg +decimals = 18 + +[babyDOJO] +peggy_denom = inj10ny97fhd827s3u4slfwehu7m5swnpnmwzxsc40 +decimals = 6 + +[babyDRAGON] +peggy_denom = inj1lfemyjlce83a7wre4k5kzd8zyytqavran5ckkv +decimals = 18 + +[babyDRUGS] +peggy_denom = inj1nqcrsh0fs60k06mkc2ptxa9l4g9ktu4jct8z2w +decimals = 6 + +[babyDrugs] +peggy_denom = inj1457z9m26aqvga58demjz87uyt6su7hyf65aqvr +decimals = 6 + +[babyGINGER] +peggy_denom = inj1y4dk7ey2vrd4sqems8hnzh2ays8swealvfzdmg +decimals = 6 + +[babyINJUSSY] +peggy_denom = inj10jl28fj7yc2pmj7p08vmaa85nxm4a09kteqng0 +decimals = 18 + +[babyJUNIORES] +peggy_denom = inj1m4k5fcjz86dyz25pgagj50jcydh9llvpw8lxyj +decimals = 18 + +[babyKAGE] +peggy_denom = inj12gh464eqc4su4qd3frxxlyjymf0nhzgzm9a203 +decimals = 6 + +[babyKANGAROO] +peggy_denom = inj12s9a6vnmgyf8vx448cmt2hzmhhfuptw8agn2xs +decimals = 6 + +[babyKOALA] +peggy_denom = inj19lm6nrfvam539ahr0c8nuapfh6xzlhjaxv2a39 +decimals = 6 + +[babyMONKS] +peggy_denom = inj17udts7hdggcurc8892tmd7y56w5dkxsgv2v6eu +decimals = 18 + +[babyNINJA] +peggy_denom = inj1n8883sfdp3cufstk05sd8dkp7pcdxr3m2fp24m +decimals = 6 + +[babyNONJA] +peggy_denom = inj15hxdpukklz4c4f3l20rl50h9wqa7rams74gyah +decimals = 18 + +[babyPANDA] +peggy_denom = inj1lpu8rcw04zenfwkxdld2dm2pd70g7yv6hz7dnf +decimals = 18 + +[babyPING] +peggy_denom = inj17fa3gt6lvwj4kguyulkqrc0lcmxcgcqr7xddr0 +decimals = 18 + +[babySAMURAI] +peggy_denom = inj1arnd0xnxzg4qgxn4kupnzsra2a0rzrspwpwmrs +decimals = 6 + +[babySHEROOM] +peggy_denom = inj1cmw4kwqkhwzx6ha7d5e0fu9zj7aknn4mxqqtf0 +decimals = 6 + +[babySHROOM] +peggy_denom = inj14zxwefzz5p3l4mltlzgmfwh2jkgjqum256qhna +decimals = 6 + +[babySMELLY] +peggy_denom = inj16hl3nlwlg2va07y4zh09vzh9xtxy6uwpmy0f5l +decimals = 6 + +[babySPUUN] +peggy_denom = inj1cjvssl698h094n6c2uqdx75degfewey26yt6uw +decimals = 6 + +[babyYAKUZA] +peggy_denom = inj1rep4p2x86avty00qvgcu4vfhywmsznf42jdpzs +decimals = 6 + +[babyYKZ] +peggy_denom = inj16wa97auct633ft6cjzr22xv2pxvym3k38rzskc +decimals = 18 + +[babyYODA] +peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/babyYODA +decimals = 6 + +[babyshroomin] +peggy_denom = inj1qgcfkznvtw96h950wraae20em9zmhtcm0rws68 +decimals = 18 + +[bapc] +peggy_denom = inj13j4ymx9kz3cdasg0e00tsc8ruq03j6q8fftcll +decimals = 18 + +[beef] +peggy_denom = factory/inj18xg8yh445ernwxdquklwpngffqv3agfyt5uqqs/beef +decimals = 6 + +[bellboy] +peggy_denom = inj1ywvmwtpe253qhtrnvratjqmhy4aar4yl5an9dk +decimals = 6 + +[bobmarley] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bobmarley +decimals = 6 + +[bobo] +peggy_denom = factory/inj1ne49gse9uxujj3fjdc0evxez4yeq9k2larmuxu/bobo +decimals = 18 + +[boden] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/boden +decimals = 6 + +[boneWHALEt] +peggy_denom = ibc/F993B2C44A70D8B97B09581F12CF1A68A38DF8BBCFBA9F82016984138C718A57 +decimals = 6 + +[bonja the bad ninja] +peggy_denom = inj155fauc0h355fk5t9qa2x2uzq7vlt26sv0u08fp +decimals = 18 + +[bonkinu] +peggy_denom = factory/inj1936pplnstvecjgttz9eug83x2cs7xs2emdad4z/bonkinu +decimals = 6 + +[bonkmas] +peggy_denom = factory/inj17a0fp4rguzgf9mwz90y2chc3lr445nujdwc063/bonkmas +decimals = 6 + +[bozo] +peggy_denom = inj14r42t23gx9yredm37q3wjw3vx0q6du85vuugdr +decimals = 18 + +[brian] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/brian +decimals = 6 + +[burn] +peggy_denom = inj1p6h58futtvzw5gdjs30fqv4l9ljq8aepk3e0k5 +decimals = 18 + +[cartel] +peggy_denom = ibc/FDD71937DFA4E18BBF16734EB0AD0EFA9F7F1B0F21D13FAF63F0B4F3EA7DEF28 +decimals = 6 + +[cbETH] +peggy_denom = ibc/545E97C6EFB2633645720DEBCA78B2BE6F5382C4693EA7DEB2D4C456371EA4F0 +decimals = 18 + +[ccsl] +peggy_denom = inj1mpande8tekavagemc998amgkqr5yte0qdvaaah +decimals = 18 + +[cdj] +peggy_denom = inj1qwx2gx7ydumz2wt43phzkrqsauqghvct48pplw +decimals = 18 + +[chad] +peggy_denom = factory/inj182lgxnfnztjalxqxcjn7jal27w7xg28aeygwd9/chad +decimals = 6 + +[coke] +peggy_denom = factory/inj1cdlqynzr2ktn54l3azhlulzkyksuw8yj3mfadx/coke +decimals = 6 + +[cook] +peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cook +decimals = 6 + +[cookie] +peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cookie +decimals = 6 + +[crypto] +peggy_denom = inj19w5ntlx023v9rnecjuy7yem7s5lrg5gxlfrxfj +decimals = 18 + +[cw20:terra1nsuqsk6kh58ulczatwev87ttq2z6r3pusulg9r24mfj2fvtzd4uq3exn26] +peggy_denom = ibc/D18907CCF379EEA71AE2C3725A135AE678A67A35B7C6556A77A4E0B3520F7854 +decimals = 0 + +[dINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 + +[dYdX] +peggy_denom = peggy0x92D6C1e31e14520e676a687F0a93788B716BEff5 +decimals = 18 + +[dab] +peggy_denom = inj1a93l8989wmjupyq4ftnu06836n2jjn7hjee68d +decimals = 18 + +[dada] +peggy_denom = inj1yqwjse85pqmum5pkyxz9x4aqdz8etwhervtv66 +decimals = 18 + +[dalton] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/dalton +decimals = 6 + +[devUSDC] +peggy_denom = inj13mpkggs6t62kzt6pjd6guqfy6naljpp2jd3eue +decimals = 8 + +[dmo] +peggy_denom = inj1z7d2f66wh0r653qp7lqpj6tx3z0yetnjahnsrd +decimals = 18 + +[dmoone] +peggy_denom = inj12qlppehc4fsfduv46gmtgu5n38ngl6annnr4r4 +decimals = 18 + +[dmotree] +peggy_denom = inj15x7u49kw47krzlhrrj9mr5gq20d3797kv3fh3y +decimals = 18 + +[dmotwo] +peggy_denom = inj1tegs6sre80hhvyj204x5pu52e5p3p9pl9vy4ue +decimals = 18 + +[dogwifhat] +peggy_denom = inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl +decimals = 8 + +[dogwifshoess] +peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoess +decimals = 6 + +[dojo] +peggy_denom = inj1p0ccaveldsv7hq4s53378und5ke9jz24rtsr9z +decimals = 18 + +[dojodoge] +peggy_denom = inj1nueaw6mc7t7703t65f7xamj63zwaew3dqx90sn +decimals = 18 + +[dojodojo] +peggy_denom = inj1ht0qh7csdl3txk6htnalf8qpz26xzuq78x7h87 +decimals = 18 + +[dojoinu] +peggy_denom = inj14hszr5wnhshu4zre6e4l5ae2el9v2420eypu6k +decimals = 18 + +[dojoswap] +peggy_denom = inj1tml6e474rxgc0gc5pd8ljmheqep5wrqrm9m9ks +decimals = 6 + +[done] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/done +decimals = 6 + +[dontbuy] +peggy_denom = factory/inj1vg2vj46d3cy54l63qkjprtcnel2svkjhgwkfhy/dontbuy +decimals = 10 + +[dsINJ] +peggy_denom = inj1nfsxxz3q59f0yyqsjjnr7ze020klxyfefy6wcg +decimals = 6 + +[dtwo] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/dtwo +decimals = 12 + +[enuk] +peggy_denom = inj1x0km562rxugpvxq8nucy7pdmefguv6xxumng27 +decimals = 18 + +[erc20/0x655ecB57432CC1370f65e5dc2309588b71b473A9] +peggy_denom = ibc/D5AF5FAEA92918A24ACBF0DEB61C674C8951A97D13CFBF7F6617280E82ECB1E6 +decimals = 0 + +[erc20/tether/usdt] +peggy_denom = ibc/9D592A0F3E812505C6B3F7860458B7AC4DBDECACC04A2602FC13ED0AB6C762B6 +decimals = 0 + +[estamina] +peggy_denom = inj1sklu3me2d8e2e0k6eu83t4pzcnleczal7d2zra +decimals = 18 + +[estate] +peggy_denom = inj16mx8h5updpwkslymehlm0wq84sckaytru0apvx +decimals = 18 + +[ezETH] +peggy_denom = peggy0xbf5495Efe5DB9ce00f80364C8B423567e58d2110 +decimals = 18 + +[fUSDT] +peggy_denom = peggy0x81994b9607e06ab3d5cF3AffF9a67374f05F27d7 +decimals = 8 + +[factory/chihuahua1x4q2vkrz4dfgd9hcw0p5m2f2nuv2uqmt9xr8k2/achihuahuawifhat] +peggy_denom = ibc/F8AB96FFB2BF8F69AA42481D43B24E9121FF7403A4E95673D9135128CA769577 +decimals = 0 + +[factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position] +peggy_denom = factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position +decimals = 0 + +[factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ] +peggy_denom = factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ +decimals = 6 + +[factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark] +peggy_denom = ibc/81B0CF8BB06F95247E3680844D0CB3889ACB2662B3AE2458C2370985BF4BD00B +decimals = 0 + +[factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ] +peggy_denom = factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ +decimals = 6 + +[factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ] +peggy_denom = factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ +decimals = 6 + +[factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ] +peggy_denom = factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ +decimals = 6 + +[factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR +decimals = 0 + +[factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ] +peggy_denom = factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ +decimals = 6 + +[factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ] +peggy_denom = factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ +decimals = 6 + +[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA +decimals = 0 + +[factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position] +peggy_denom = factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position +decimals = 0 + +[factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ] +peggy_denom = factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ +decimals = 6 + +[factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position] +peggy_denom = factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position +decimals = 0 + +[factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ] +peggy_denom = factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ +decimals = 6 + +[factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position] +peggy_denom = factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position +decimals = 0 + +[factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ] +peggy_denom = factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ +decimals = 6 + +[factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ] +peggy_denom = factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ +decimals = 6 + +[factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position] +peggy_denom = factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position +decimals = 0 + +[factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position] +peggy_denom = factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position +decimals = 0 + +[factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position] +peggy_denom = factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position +decimals = 0 + +[factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ] +peggy_denom = factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ +decimals = 6 + +[factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ] +peggy_denom = factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ +decimals = 6 + +[factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position] +peggy_denom = factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position +decimals = 0 + +[factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY] +peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY +decimals = 6 + +[factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ] +peggy_denom = factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ +decimals = 6 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3] +peggy_denom = ibc/884A8507A762D0F1DE350C4E640ECA6EDD6F25617F39AD57BC6F5B7EC8DF7181 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9 +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl +decimals = 0 + +[factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ] +peggy_denom = factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ +decimals = 6 + +[factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position] +peggy_denom = factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position +decimals = 0 + +[factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ] +peggy_denom = factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ +decimals = 6 + +[factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ] +peggy_denom = factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ +decimals = 6 + +[factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position] +peggy_denom = factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position +decimals = 0 + +[factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ] +peggy_denom = factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ +decimals = 6 + +[factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ] +peggy_denom = factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ +decimals = 6 + +[factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position] +peggy_denom = factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position +decimals = 0 + +[factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ] +peggy_denom = factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ +decimals = 6 + +[factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position] +peggy_denom = factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position +decimals = 0 + +[factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42] +peggy_denom = factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42 +decimals = 0 + +[factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position] +peggy_denom = factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position +decimals = 0 + +[factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position] +peggy_denom = factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position +decimals = 0 + +[factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position] +peggy_denom = factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position +decimals = 0 + +[factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position] +peggy_denom = factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position +decimals = 0 + +[factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc] +peggy_denom = factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 0 + +[factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST] +peggy_denom = factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST +decimals = 6 + +[factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE] +peggy_denom = factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE +decimals = 6 + +[factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position] +peggy_denom = factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position +decimals = 0 + +[factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ] +peggy_denom = factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ +decimals = 6 + +[factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG] +peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG +decimals = 6 + +[factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN] +peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN +decimals = 6 + +[factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ] +peggy_denom = factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ +decimals = 6 + +[factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position] +peggy_denom = factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position +decimals = 0 + +[factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ] +peggy_denom = factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ +decimals = 6 + +[factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position] +peggy_denom = factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position +decimals = 0 + +[factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position] +peggy_denom = factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position +decimals = 0 + +[factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position] +peggy_denom = factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position +decimals = 0 + +[factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position] +peggy_denom = factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position +decimals = 0 + +[factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position] +peggy_denom = factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position +decimals = 0 + +[factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position] +peggy_denom = factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position +decimals = 0 + +[factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ] +peggy_denom = factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ +decimals = 6 + +[factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position] +peggy_denom = factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position +decimals = 0 + +[factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ] +peggy_denom = factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ +decimals = 6 + +[factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position] +peggy_denom = factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position +decimals = 0 + +[factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ] +peggy_denom = factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ +decimals = 6 + +[factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ] +peggy_denom = factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ +decimals = 6 + +[factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position] +peggy_denom = factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position +decimals = 0 + +[factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position] +peggy_denom = factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position +decimals = 0 + +[factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ] +peggy_denom = factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ +decimals = 6 + +[factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position] +peggy_denom = factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position +decimals = 0 + +[factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test] +peggy_denom = factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test +decimals = 6 + +[factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME] +peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME +decimals = 6 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C +decimals = 0 + +[factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP] +peggy_denom = factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP +decimals = 0 + +[factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA +decimals = 0 + +[factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position] +peggy_denom = factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position +decimals = 0 + +[factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position] +peggy_denom = factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position +decimals = 0 + +[factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE] +peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE +decimals = 6 + +[factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position] +peggy_denom = factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position +decimals = 0 + +[factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position] +peggy_denom = factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position +decimals = 0 + +[factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position] +peggy_denom = factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position +decimals = 0 + +[factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ] +peggy_denom = factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ +decimals = 6 + +[factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ] +peggy_denom = factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ +decimals = 6 + +[factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale] +peggy_denom = factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale +decimals = 0 + +[factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test] +peggy_denom = factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test +decimals = 0 + +[factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position] +peggy_denom = factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position +decimals = 0 + +[factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position] +peggy_denom = factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position +decimals = 0 + +[factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ] +peggy_denom = factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ +decimals = 6 + +[factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position] +peggy_denom = factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position +decimals = 0 + +[factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ] +peggy_denom = factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ +decimals = 6 + +[factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ] +peggy_denom = factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ +decimals = 6 + +[factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position] +peggy_denom = factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash +decimals = 0 + +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash +decimals = 0 + +[factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ] +peggy_denom = factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ +decimals = 6 + +[factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ] +peggy_denom = factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ +decimals = 6 + +[factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ] +peggy_denom = factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ +decimals = 6 + +[factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position] +peggy_denom = factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position +decimals = 0 + +[factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position] +peggy_denom = factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position +decimals = 0 + +[factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position] +peggy_denom = factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position +decimals = 0 + +[factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position] +peggy_denom = factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position +decimals = 0 + +[factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position] +peggy_denom = factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position +decimals = 0 + +[factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position] +peggy_denom = factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position +decimals = 0 + +[factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position] +peggy_denom = factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position +decimals = 0 + +[factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ +decimals = 6 + +[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory] +peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory +decimals = 0 + +[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory] +peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory +decimals = 0 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT +decimals = 0 + +[factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position] +peggy_denom = factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position +decimals = 0 + +[factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position] +peggy_denom = factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position +decimals = 0 + +[factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF] +peggy_denom = factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF +decimals = 6 + +[factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ] +peggy_denom = factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ +decimals = 6 + +[factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ] +peggy_denom = factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ +decimals = 6 + +[factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ] +peggy_denom = factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ +decimals = 6 + +[factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ] +peggy_denom = factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ +decimals = 6 + +[factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ] +peggy_denom = factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ +decimals = 6 + +[factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ] +peggy_denom = factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt +decimals = 6 + +[factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position] +peggy_denom = factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position +decimals = 0 + +[factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position] +peggy_denom = factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position +decimals = 0 + +[factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position] +peggy_denom = factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position +decimals = 0 + +[factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO] +peggy_denom = factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO +decimals = 6 + +[factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ] +peggy_denom = factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ +decimals = 6 + +[factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position] +peggy_denom = factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position +decimals = 0 + +[factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position] +peggy_denom = factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position +decimals = 0 + +[factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position] +peggy_denom = factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position +decimals = 0 + +[factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ] +peggy_denom = factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ +decimals = 6 + +[factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test] +peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test +decimals = 6 + +[factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position] +peggy_denom = factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position +decimals = 0 + +[factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test] +peggy_denom = factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test +decimals = 0 + +[factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx] +peggy_denom = factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx +decimals = 6 + +[factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ] +peggy_denom = factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ +decimals = 6 + +[factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ] +peggy_denom = factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ +decimals = 6 + +[factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA] +peggy_denom = factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA +decimals = 18 + +[factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY] +peggy_denom = factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY +decimals = 6 + +[factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ] +peggy_denom = factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ +decimals = 6 + +[factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position] +peggy_denom = factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position +decimals = 0 + +[factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position] +peggy_denom = factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position +decimals = 0 + +[factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ] +peggy_denom = factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ +decimals = 6 + +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla +decimals = 0 + +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point +decimals = 0 + +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza +decimals = 0 + +[factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ] +peggy_denom = factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ +decimals = 6 + +[factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON] +peggy_denom = factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON +decimals = 6 + +[factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position] +peggy_denom = factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position +decimals = 0 + +[factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC] +peggy_denom = factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC +decimals = 6 + +[factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ] +peggy_denom = factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ +decimals = 6 + +[factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ] +peggy_denom = factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ +decimals = 6 + +[factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position] +peggy_denom = factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position +decimals = 0 + +[factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position] +peggy_denom = factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position +decimals = 0 + +[factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ] +peggy_denom = factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ +decimals = 6 + +[factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI] +peggy_denom = factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI +decimals = 0 + +[factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position] +peggy_denom = factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position +decimals = 0 + +[factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position] +peggy_denom = factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position +decimals = 0 + +[factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position] +peggy_denom = factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position +decimals = 0 + +[factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi] +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi +decimals = 6 + +[factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position] +peggy_denom = factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position +decimals = 0 + +[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS +decimals = 6 + +[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK +decimals = 9 + +[factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position] +peggy_denom = factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position +decimals = 0 + +[factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON] +peggy_denom = factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON +decimals = 12 + +[factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position] +peggy_denom = factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position +decimals = 0 + +[factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM] +peggy_denom = factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM +decimals = 6 + +[factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position] +peggy_denom = factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position +decimals = 0 + +[factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position] +peggy_denom = factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position +decimals = 0 + +[factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position] +peggy_denom = factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position +decimals = 0 + +[factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position] +peggy_denom = factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position +decimals = 0 + +[factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ] +peggy_denom = factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ +decimals = 6 + +[factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor] +peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor +decimals = 6 + +[factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position] +peggy_denom = factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position +decimals = 0 + +[factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI] +peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI +decimals = 0 + +[factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO] +peggy_denom = factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO +decimals = 6 + +[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP +decimals = 6 + +[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY +decimals = 6 + +[factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position] +peggy_denom = factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position +decimals = 0 + +[factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ] +peggy_denom = factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ +decimals = 6 + +[factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position] +peggy_denom = factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position +decimals = 0 + +[factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ] +peggy_denom = factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ +decimals = 6 + +[factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position] +peggy_denom = factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position +decimals = 0 + +[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY +decimals = 6 + +[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY +decimals = 0 + +[factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position] +peggy_denom = factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position +decimals = 0 + +[factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP] +peggy_denom = factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP +decimals = 0 + +[factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ] +peggy_denom = factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ +decimals = 6 + +[factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW] +peggy_denom = factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW +decimals = 6 + +[factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position] +peggy_denom = factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position +decimals = 0 + +[factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position] +peggy_denom = factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position +decimals = 0 + +[factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ] +peggy_denom = factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ +decimals = 6 + +[factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position] +peggy_denom = factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position +decimals = 0 + +[factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position] +peggy_denom = factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position +decimals = 0 + +[factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position] +peggy_denom = factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position +decimals = 0 + +[factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP] +peggy_denom = factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP +decimals = 0 + +[factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position] +peggy_denom = factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position +decimals = 0 + +[factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position] +peggy_denom = factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position +decimals = 0 + +[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd] +peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd +decimals = 0 + +[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3] +peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3 +decimals = 0 + +[factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory] +peggy_denom = factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory +decimals = 6 + +[factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ] +peggy_denom = factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ +decimals = 6 + +[factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position] +peggy_denom = factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position +decimals = 0 + +[factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ] +peggy_denom = factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ +decimals = 6 + +[factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position] +peggy_denom = factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position +decimals = 0 + +[factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position] +peggy_denom = factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position +decimals = 0 + +[factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position] +peggy_denom = factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position +decimals = 0 + +[factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO] +peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO +decimals = 0 + +[factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ] +peggy_denom = factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ +decimals = 6 + +[factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ] +peggy_denom = factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ +decimals = 6 + +[factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position] +peggy_denom = factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position +decimals = 0 + +[factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position] +peggy_denom = factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position +decimals = 0 + +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook +decimals = 6 + +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie +decimals = 6 + +[factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position] +peggy_denom = factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7 +decimals = 0 + +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3 +decimals = 0 + +[factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ] +peggy_denom = factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ +decimals = 6 + +[factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ] +peggy_denom = factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ +decimals = 6 + +[factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC] +peggy_denom = factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC +decimals = 6 + +[factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position] +peggy_denom = factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position +decimals = 0 + +[factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black] +peggy_denom = factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black +decimals = 0 + +[factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position] +peggy_denom = factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position +decimals = 0 + +[factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position] +peggy_denom = factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position +decimals = 0 + +[factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ] +peggy_denom = factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ +decimals = 6 + +[factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ] +peggy_denom = factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ +decimals = 6 + +[factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ] +peggy_denom = factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ +decimals = 6 + +[factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ] +peggy_denom = factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ +decimals = 6 + +[factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position] +peggy_denom = factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position +decimals = 0 + +[factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ] +peggy_denom = factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ +decimals = 6 + +[factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position] +peggy_denom = factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position +decimals = 0 + +[factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position] +peggy_denom = factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position +decimals = 0 + +[factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test] +peggy_denom = factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test +decimals = 6 + +[factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO] +peggy_denom = factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO +decimals = 6 + +[factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ] +peggy_denom = factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ +decimals = 6 + +[factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ] +peggy_denom = factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ +decimals = 6 + +[factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position] +peggy_denom = factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position +decimals = 0 + +[factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position] +peggy_denom = factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position +decimals = 0 + +[factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ] +peggy_denom = factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ +decimals = 6 + +[factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position] +peggy_denom = factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position +decimals = 0 + +[factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position] +peggy_denom = factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position +decimals = 0 + +[factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position] +peggy_denom = factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position +decimals = 0 + +[factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ] +peggy_denom = factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ +decimals = 6 + +[factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position] +peggy_denom = factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position +decimals = 0 + +[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test +decimals = 6 + +[factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position] +peggy_denom = factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position +decimals = 0 + +[factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position] +peggy_denom = factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position +decimals = 0 + +[factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT] +peggy_denom = factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT +decimals = 6 + +[factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ] +peggy_denom = factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ +decimals = 6 + +[factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ] +peggy_denom = factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ +decimals = 6 + +[factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position] +peggy_denom = factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position +decimals = 0 + +[factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position] +peggy_denom = factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position +decimals = 0 + +[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/GOP] +peggy_denom = ibc/B6DEF77F4106DE5F5E1D5C7AA857392A8B5CE766733BA23589AD4760AF953819 +decimals = 0 + +[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/MOO] +peggy_denom = ibc/572EB1D6454B3BF6474A30B06D56597D1DEE758569CC695FF628D4EA235EFD5D +decimals = 0 + +[factory/neutron154gg0wtm2v4h9ur8xg32ep64e8ef0g5twlsgvfeajqwghdryvyqsqhgk8e/APOLLO] +peggy_denom = ibc/1B47F9D980CBB32A87022E1381C15005DE942A71CB61C1B498DBC2A18F43A8FE +decimals = 0 + +[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/djjtga] +peggy_denom = ibc/50DC83F6AD408BC81CE04004C86BF457F9ED9BF70839F8E6BA6A3903228948D7 +decimals = 0 + +[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/9fELvUhFo6yWL34ZaLgPbCPzdk9MD1tAzMycgH45qShH] +peggy_denom = ibc/999FD9811C895A63FE1A2FCDDA24DEC6AF7D70D907BD97E9C455BDFD57B373CA +decimals = 0 + +[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/Hq4tuDzhRBnxw3tFA5n6M52NVMVcC19XggbyDiJKCD6H] +peggy_denom = ibc/247FF5EB358DA07AE08BC0E975E1AD955494A51B6C11452271A216E67AF1E4D1 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/2Wb6ueMFc9WLc2eyYVha6qnwHKbwzUXdooXsg6XXVvos] +peggy_denom = ibc/8D59D4FCFE77CA4F11F9FD9E9ACA645197E9BFFE48B05ADA172D750D3C5F47E7 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/3wftBtqKjWFXFWhtsG6fjaLTbpnaLhN3bhfSMdvEVdXT] +peggy_denom = ibc/6C1F980F3D295DA21EC3AFD71008CC7674BA580EBEDBD76FD5E25E481067AF09 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/576uQXyQrjFdqzDRvBnXihn467ipuc12a5yN8v8H99f8] +peggy_denom = ibc/0F18C33D7C2C28E24A67BEFA2689A1552DCE9856E1BB3A16259403D5398EB23C +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5MeVz64BbVszQaCqCTQ2zfWTmnQ5uKwNMaDDSJDRuqTY] +peggy_denom = ibc/B7936BF07D9035C66C83B81B61672A05F30DE4196BE0A016A6CD4EDD20CB8F24 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5cKyTGhoHu1VFNPd6iXdKYTm3CkTtz1MeCdYLUGgF4zt] +peggy_denom = ibc/3C2EEA34EAF26698EE47A58FA2142369CE42E105E8452E1C074A32D34431484B +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/6wMmXNYNi8tYB32cCAGPoPrr6nHLKx4j9kpGv5moBnuT] +peggy_denom = ibc/13055E6ECA7C05091DD7B93DF81F0BB12479779DE3B9410CF445CC34B8361664 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/7KQX8bVDa8W4EdpED8oHqhSfJsgF79XDcxcd8ELUws7G] +peggy_denom = ibc/0A44483A7AFF7C096B2A4FB00A12E912BE717CD7703CF7F33ED99DB35230D404 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8iuAc6DSeLvi2JDUtwJxLytsZT8R19itXebZsNReLLNi] +peggy_denom = ibc/6D434846D1535247426AA917BBEC53BE1A881D49A010BF7EDACBFCD84DE4A5B8 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8sYgCzLRJC3J7qPn2bNbx6PiGcarhyx8rBhVaNnfvHCA] +peggy_denom = ibc/F433CC4D2A46173B47A691E8C432F11E47E8C06C574CEF798F6F7BA116EACCAC +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/9weDXCi5EPvG2xk6VTiKKxhijYuq79U6UzPwBniF1cET] +peggy_denom = ibc/C2C022DC63E598614F39C575BC5EF4EC54E5D081365D9BE090D75F743364E54D +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/AsSyBMk2D3FmntrGtd539XWDGwmJ7Uv8vVXQTwTjyqBw] +peggy_denom = ibc/7A39488A287BF7DBC4A33DDA2BE3DDAC0F281FBCFF23934B7194893C136AAA99 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BSWyXu2ZJFGaSau3aLDwNZMCDwenWhwPfWALpYna7WzV] +peggy_denom = ibc/CB8E08B5C734BDA8344DDCFE5C9CCCC91521763BA1BC9F61CADE6E8F0B556E3D +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BjqmpMWFUphe7Qr3v8rLCZh8aoH2qfi2S1z8649b62TY] +peggy_denom = ibc/4F72D2F3EAFB61D8615566B3C80AEF2778BB14B648929607568C79CD90416188 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/CroEB5zf21ea42ezHnpcv1jj1jANLY4A1sQL6y4UsHGR] +peggy_denom = ibc/8E7F71072C97C5D8D19978C7E38AE90C0FBCCE551AF95FEB000EA9EBBFD6396B +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Cv4gKZrfUhNZtcjUDgdodrup397e9Nm7hMaqFwSCPVjj] +peggy_denom = ibc/44EC7BD858EC12CE9C2F882119F522937264B50DD26DE73270CA219242E9C1B2 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/EfeMLPMU8BcwMbzNy5DfbYCzRDvDVdo7nLZt7GZG4a8Y] +peggy_denom = ibc/366870891D57A5076D117307C42F597A000EB757793A9AB58019660B896292AA +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Eh6t4Hgff8mveKYH5Csa7zyoq5hgKNnLF8qq9YhSsu7j] +peggy_denom = ibc/AA2394D484EADAC0B982A8979B18109FAEDD5D47E36D8153955369FEC16D027B +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Ej6p2SmCeEnkLsZR2pwSCK9L1LUQWgKsMd3iVdYMFaJq] +peggy_denom = ibc/6912080A54CAB152D10CED28050E6DBE87B49E4F77D6BA6D54A05DBF4C3CCA88 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/F6QdZRjBTFmK1BNMrws1D9uPqQkHE25qqR2bMpeTuLjb] +peggy_denom = ibc/473D128E740A340B0663BD09CFC9799A0254564448B62CAA557D65DB23D0FCCD +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/FrbRcKDffWhKiHimzrWBpQRyM65uJkYDSf4J3QksasJ9] +peggy_denom = ibc/E2C56B24C032D2C54CF12EAD43432D65FDF22C64E819F97AAD3B141829EF3E60 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G4b8zJq7EUqVTwgbokQiHyYa5PzhQ1bLiyAeK3Yw9en8] +peggy_denom = ibc/683CD81C466CF3678E78B5E822FA07F0C23107B1F8FA06E80EAD32D569C4CF84 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G8PQ2heLLT8uBjoCfkkD3pNmTGZo6hNtSEEuJUGn9daJ] +peggy_denom = ibc/65CF217605B92B4CD37AC22955C5C59DE39CFD2A7A2E667861CCAFC810C4F5BD +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/GGh9Ufn1SeDGrhzEkMyRKt5568VbbxZK2yvWNsd6PbXt] +peggy_denom = ibc/DC9E276D4E80CD04F8A8C681842A3A16C59F85963FB262E34BBB6CB4F5BFDB14 +decimals = 0 + +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/HJk1XMDRNUbRrpKkNZYui7SwWDMjXZAsySzqgyNcQoU3] +peggy_denom = ibc/CC610E1295BCF3ADE3C3DD4ABF3496C6EAA7541A1E45696E9D642D7B0A27B127 +decimals = 0 + +[factory:kujira13ryry75s34y4sl5st7g5mhk0he8rc2nn7ah6sl:SPERM] +peggy_denom = ibc/EBC2F00888A965121201A6150B7C55E0941E49438BC7F02385A632D6C4E68E2A +decimals = 0 + +[factory:kujira1e224c8ry0nuun5expxm00hmssl8qnsjkd02ft94p3m2a33xked2qypgys3:urcpt] +peggy_denom = ibc/49994E6147933B46B83CCEDE3528C6B3E5960ECE5A85548C2A519CF3B812E8B9 +decimals = 0 + +[factory:kujira1jelmu9tdmr6hqg0d6qw4g6c9mwrexrzuryh50fwcavcpthp5m0uq20853h:urcpt] +peggy_denom = ibc/E970A80269F0867B0E9C914004AB991E6AF94F3EF2D4E1DFC92E140ACB6BBD5C +decimals = 0 + +[factory:kujira1yntegc5v3tvl0xfrde0rupnt9kfnx0sy9lytge9g2mryjknudk6qg4zyw9:urcpt] +peggy_denom = ibc/D4D75686C76511349744536403E94B31AC010EB6EA1B579C01B2D64B6888E068 +decimals = 0 + +[faot] +peggy_denom = inj1vnhhrcnnnr6tq96eaa8gcsuaz55ugnhs3dmfqq +decimals = 18 + +[fatPEPE] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/fatpepe +decimals = 6 + +[fff] +peggy_denom = factory/inj1xy7dcllc7wn5prcy73xr7xhpt9zwg49c6szqcz/fff +decimals = 6 + +[fiftycent] +peggy_denom = inj1rtgfdnja2xav84ta0twq8cmmvkqzycnu9uxzw5 +decimals = 18 + +[fmXEN] +peggy_denom = inj14vluf5wc7tsptnfzrjs9g579uyp9gvvlwre5e4 +decimals = 8 + +[foo] +peggy_denom = factory/inj12vxhuaamfs33sxgnf95lxvzy9lpugpgjsrsxl3/foo +decimals = 6 + +[footjob] +peggy_denom = inj1gn7tah4p0uvgmtwgwe5lp9q7ce8d4yr8jxrfcv +decimals = 18 + +[fox] +peggy_denom = factory/inj1ddmyuzh42n8ymyhcm5jla3aaq9tucjnye02dlf/fox +decimals = 6 + +[frINJa] +peggy_denom = factory/inj1sm0feg2fxpmx5yg3ywzdzyn0s93m6d9dt87jf5/frINJa +decimals = 7 + +[franklin] +peggy_denom = inj1zd0043cf6q7yft07aaqgsurgh53xy5gercpzuu +decimals = 18 + +[gay] +peggy_denom = inj15x48ts4jw429zd9vvkwxf0advg9j24z2q948fl +decimals = 18 + +[gayasf] +peggy_denom = inj1qu6eldq9ftz2wvr43848ff8x5586xm0639kg7a +decimals = 18 + +[get] +peggy_denom = factory/inj1ldee0qev4khjdpw8wpqpyeyw0n0z8nnqtc423g/get +decimals = 6 + +[ginj] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/ginj +decimals = 6 + +[gipsyCOINS] +peggy_denom = inj1pyeutpz66lhapppt2ny36s57zfspglqtvdwywd +decimals = 6 + +[godzilla] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/godzilla +decimals = 6 + +[gravity0xA0b73E1Ff0B80914AB6fe0444E65848C4C34450b] +peggy_denom = ibc/FF8F4C5D1664F946E88654921D6C1E81D5C167B8A58A4E75B559BAA2DBBF0101 +decimals = 0 + +[gravity0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48] +peggy_denom = ibc/7C2AA3086423029B3E915B5563975DB87EF2E552A40F996C7F6D19FFBD5B2AEA +decimals = 0 + +[gravity0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2] +peggy_denom = ibc/ECC0DF3D9C80F79B81056569EE2140FD977886AB274FA08BA03E987264D6DE19 +decimals = 0 + +[gravity0xe28b3B32B6c345A34Ff64674606124Dd5Aceca30] +peggy_denom = ibc/57E7FEFD5872F89EB1C792C4B06B51EA565AC644EA2F64B88F8FC40704F8E9C4 +decimals = 0 + +[gto] +peggy_denom = inj1ehnt0lcek8wdf0xj7y5mmz7nzr8j7ytjgk6l7g +decimals = 18 + +[h2o] +peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/fbi +decimals = 6 + +[hINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 + +[httuy] +peggy_denom = inj1996tdgklvleuja56gfpv9v3cc2uflmm9vavw05 +decimals = 18 + +[hug] +peggy_denom = inj1ncjqkvnxpyyhvm475std34eyn5c7eydpxxagds +decimals = 18 + +[inj] +peggy_denom = ibc/EA180E422271F35D66E7B9B57AFF072DABEE97EDA4522DAB91F97AE6DD45426D +decimals = 0 + +[injJay] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/injJay +decimals = 6 + +[injape] +peggy_denom = inj15ta6ukknq82qcaq38erkvv3ycvmuqc83kn2vqh +decimals = 18 + +[injbulls] +peggy_denom = factory/inj14t4aafu7v0vmls8f73ssrzptcm3prkx2r4tp0n/injbulls +decimals = 6 + +[injera] +peggy_denom = inj1curmejva2lcpu7r887q3skr5ew2jxh8kl0m50t +decimals = 8 + +[injmeme] +peggy_denom = inj18n3gzxa40ht824clrvg2p83fy6panstngkjakt +decimals = 18 + +[injpad] +peggy_denom = factory/inj17yqt8f5677hnxpv5gxjt7uwdrjxln0qhhfcj9j/injpad +decimals = 6 + +[injshiba] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/injshiba +decimals = 6 + +[jack11] +peggy_denom = factory/inj17kgavlktg96nf6uhpje6sutjp60jj8wppx3y3p/jack11 +decimals = 6 + +[jack12] +peggy_denom = factory/inj1maj952d7h8ecseelsur6urhm7lwwnrasuug4y0/jack12 +decimals = 6 + +[jim] +peggy_denom = inj13f6gll3666sa2wnj978lhrvjv2803tu5q8kuqd +decimals = 18 + +[jomanji] +peggy_denom = inj1gy76l9p5ar4yqquk7mqqlmpygxtluu2nf7mt4c +decimals = 18 + +[kami] +peggy_denom = factory/inj1hyjg677dqp3uj3dh9vny874k2gjr5fuvdjjzk7/kami +decimals = 6 + +[keke] +peggy_denom = inj1037seqrvafhzmwffe2rqgcad3akh935d5p3kgk +decimals = 6 + +[ken] +peggy_denom = inj19ajm97y78hpqg5pxwy4ezyf437mccy57k4krh7 +decimals = 6 + +[kimo] +peggy_denom = inj1czegjew4z5tfq8mwljx3qax5ql5k57t38zpkg5 +decimals = 18 + +[kis] +peggy_denom = factory/inj1ygeap3ypldmjgl22al5rpqafemyw7dt6k45n8r/kis +decimals = 0 + +[kishida] +peggy_denom = factory/inj1gt60kj3se0yt8pysnygc3e0syrkrl87k4qc3mz/kishida +decimals = 6 + +[koINJ] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/koinj +decimals = 6 + +[localstorage] +peggy_denom = inj17auxme00fj267ccyhx9y9ue4tuwwuadgxshl7x +decimals = 18 + +[loki] +peggy_denom = ibc/72C208D790F59429C66542C648D69EDA1DC8A81C4B869C11444D906233678D3D +decimals = 0 + +[lootbox1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/lootbox1 +decimals = 0 + +[lord] +peggy_denom = inj1xysu0n9sv5wv6aeygdegywz9qkq0v77culynum +decimals = 18 + +[lsdSHARK] +peggy_denom = ibc/E62FEA8924CD79277BD5170852416E863466FB39A6EC0E6AE95E98D6A487AE5F +decimals = 6 + +[mBERB] +peggy_denom = factory/inj168casv2pd0qhjup5u774qeyxlh8gd3g77yneuy/mBERB +decimals = 6 + +[massi] +peggy_denom = inj12n44z9mk0vmga7kv8gysv5w7tgdh6zh4q6t8r7 +decimals = 18 + +[mcNINJA] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/mcNINJA +decimals = 6 + +[memegod] +peggy_denom = factory/inj18fql07frqe0lkvk6ajmpq4smk3q6c0f0qa5yfw/memegod +decimals = 6 + +[memej] +peggy_denom = factory/inj1g5aagfv2t662prxul8ynlzsfmtcx8699w0j7tz/memej +decimals = 6 + +[milkTIA] +peggy_denom = ibc/C2A70D6717D595F388B115200E789DC6E7EE409167B918B5F4E73838B8451A71 +decimals = 6 + +[miniSHROOM] +peggy_denom = inj1mcdhsphq3rkyg9d0sax0arm95tkac4qxdynlkz +decimals = 6 + +[miniSUSHI] +peggy_denom = inj1ex7an3yw5hvw7a6rzd8ljaq9vfd4vc0a06skdp +decimals = 6 + +[mininonja] +peggy_denom = inj1zwhu648g5zm9dqtxfaa6vcja56q7rqz4vff988 +decimals = 18 + +[minions] +peggy_denom = inj1tq0fhr0p05az32c0ehx425c63xrm6ajhak2zpw +decimals = 18 + +[mockBERB] +peggy_denom = inj1s4fua53u7argmq3npm0x9lnm8hkamjjtwayznf +decimals = 6 + +[mycelium] +peggy_denom = factory/inj14cpnzf4mxyxel7le3wp2zxyvwr8g0wukch9865/mycelium +decimals = 6 + +[nATOM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 +decimals = 6 + +[nINJ] +peggy_denom = inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 + +[nTIA] +peggy_denom = inj1fzquxxxam59z6fzewy2hvvreeh3m04x83zg4vv +decimals = 6 + +[nUSD] +peggy_denom = factory/inj18nm3q7r2rckklp7h8hgfzu2dlc20sftvd2893w/nUSD +decimals = 18 + +[nUSDT] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s +decimals = 6 + +[nWETH] +peggy_denom = inj1kehk5nvreklhylx22p3x0yjydfsz9fv3fvg5xt +decimals = 18 + +[needle] +peggy_denom = inj145ueepjcu9xd42vkwvvwvqa3fvk0q66rnzdkxn +decimals = 6 + +[nibba] +peggy_denom = inj1rk68f3a4kvcrt2nra6klz6npealww2g2avknuj +decimals = 18 + +[nipniptestest] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/nipniptestest +decimals = 6 + +[nodevnorug] +peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/NODEVNORUG +decimals = 6 + +[nonjainu] +peggy_denom = factory/inj1gxq2pk3ufkpng5s4qc62rcq5rssdxsvk955xdw/nonjainu +decimals = 6 + +[nonjaktif] +peggy_denom = inj1ra46mrdcc4qd7m8mhdjd9fkut50pa07lwxsvst +decimals = 18 + +[notDOJO] +peggy_denom = inj1n2l9mq2ndyp83u6me4hf7yw76xkx7h792juksq +decimals = 6 + +[nub] +peggy_denom = inj1jaahfnl4zf5azy8x20kw43j2qv2vlhavecy9u5 +decimals = 8 + +[oneCENT] +peggy_denom = inj12fdu6zgd9z5pv9cm8klv9w98ue7hs25z7uukdg +decimals = 6 + +[ooga] +peggy_denom = inj1rysrq2nzm0fz3h7t25deh5wetlqz4k9rl06guu +decimals = 18 + +[opps] +peggy_denom = inj1wazl9873fqgs4p7rjvn6a4qgqfdafacz9jzzjd +decimals = 18 + +[orai] +peggy_denom = ibc/E247857D53653BA3592A6CCAF9914227153B938BA768C415FF3BAD6CE6CFA316 +decimals = 0 + +[paam] +peggy_denom = factory/inj1hg6n7nfhtevnxq87y2zj4xf28n4p38te6q56vx/paam +decimals = 6 + +[peggy0xdAC17F958D2ee523a2206206994597C13D831ec7] +peggy_denom = ibc/ECBEA5A9A992EE96B327CBA081AA35EB4E62C6A1A3990D2C0326E9A5840793A4 +decimals = 0 + +[peipei] +peggy_denom = inj1rd0ympknmutwvvq8egl6j7ukjyqeh2uteqyyx7 +decimals = 6 + +[pepe] +peggy_denom = inj1f2vr6hd9w4xujncyprw670l3g7x2esj50umn8k +decimals = 18 + +[pigs] +peggy_denom = factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/PIGS +decimals = 6 + +[poolDFB8434D5A80B4EAFA94B6878BD5B85265AC6C5D37204AB899B1C3C52543DA7E] +peggy_denom = ibc/9E9FFBF2C6921D1DFB3326DF5A140D1F802E336FE0BF38C0D708B62492A7326D +decimals = 0 + +[popINJay] +peggy_denom = factory/inj1rn2snthhvdt4m62uakp7snzk7melj2x8nfqkx5/popINJay +decimals = 6 + +[ppica] +peggy_denom = ibc/8B42C90767030357E99BE35BB5BCBD5A69F6E9E20F4A9FD0498823FD10FF86F9 +decimals = 0 + +[pumping] +peggy_denom = inj1rts275s729dqcf7htz4hulrerpz85leufsh8xl +decimals = 8 + +[qcAQLA] +peggy_denom = ibc/F33465130E040E67BFEA9BFF0F805F6B08BD49F87CC6C02EEBEB6D4E2D94FDCE +decimals = 6 + +[qcFUZN] +peggy_denom = ibc/5E44326A289ED1CA0536517BC958881B611D21CBB33EBE068F1E04A502A9F548 +decimals = 6 + +[qcKUJI] +peggy_denom = ibc/B7C8418ABE8CF56B42A37215F6A715097FDD82AC322FE560CA589833FEE8C50D +decimals = 6 + +[qcMNTA] +peggy_denom = ibc/F770E830BC7E2992BC0DBECAC789432995B64BD6714C36EA092D877E28AA9493 +decimals = 6 + +[rBAGGIO] +peggy_denom = inj13z8pahkrcu2zk44el6lcnw9z3amstuneay5efs +decimals = 6 + +[rETH] +peggy_denom = ibc/8906BF683A89D1ABE075A49EFA35A3128D7E9D809775B8E9D5AEEAA55D2889DD +decimals = 18 + +[rFUZN] +peggy_denom = ibc/F5FFC37BBF4B24F94D920BC7DAFCCE5B9403B2DB33DF759B8CED76EA8A6E3E24 +decimals = 6 + +[ra] +peggy_denom = factory/inj1evhsnsrfpvq7jrjzkkn7zwcdtm9k5ac8rh47n8/ra +decimals = 6 + +[rat] +peggy_denom = factory/inj1evhsnsrfpvq7jrjzkkn7zwcdtm9k5ac8rh47n8/rat +decimals = 9 + +[rdl] +peggy_denom = inj1q6khaa8av7pet763qmz0ytvgndl6g4sn37tvs5 +decimals = 18 + +[roba] +peggy_denom = inj1gn3py3euhfunvt5qe8maanzuwzf8y2lm2ysy24 +decimals = 18 + +[sINJ] +peggy_denom = inj162hf4hjntzpdghq2c5e966g2ldd83jkmqcvqgq +decimals = 6 + +[sUSDE] +peggy_denom = peggy0x9D39A5DE30e57443BfF2A8307A4256c8797A3497 +decimals = 18 + +[santakurosu] +peggy_denom = factory/inj1dzd34k9x3pt09pc68emp85usgeyk33qn9a4euv/santakurosu +decimals = 6 + +[sclaleX Finance] +peggy_denom = inj1x04gt4mtdepdjy5j3dk22g8mymw3jgqkzrm0fc +decimals = 18 + +[scorpion] +peggy_denom = factory/inj1a37dnkznmek8l5uyg24xl5f7rvftpvqsduex24/scorpion +decimals = 6 + +[sentinel] +peggy_denom = inj172tsvz4t82m28rrthmvatfzqaphen66ty06qzn +decimals = 18 + +[seven] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/seven +decimals = 6 + +[sfrxETH] +peggy_denom = ibc/E918585C09958BD328DD9E7215E4726623E7A9A94342FEA5BE126A2AAF920730 +decimals = 18 + +[share1] +peggy_denom = share1 +decimals = 18 + +[share10] +peggy_denom = share10 +decimals = 18 + +[share11] +peggy_denom = share11 +decimals = 18 + +[share15] +peggy_denom = share15 +decimals = 18 + +[share16] +peggy_denom = share16 +decimals = 18 + +[share18] +peggy_denom = share18 +decimals = 18 + +[share2] +peggy_denom = share2 +decimals = 18 + +[share20] +peggy_denom = share20 +decimals = 18 + +[share24] +peggy_denom = share24 +decimals = 18 + +[share25] +peggy_denom = share25 +decimals = 18 + +[share26] +peggy_denom = share26 +decimals = 18 + +[share27] +peggy_denom = share27 +decimals = 18 + +[share28] +peggy_denom = share28 +decimals = 18 + +[share29] +peggy_denom = share29 +decimals = 18 + +[share3] +peggy_denom = share3 +decimals = 18 + +[share30] +peggy_denom = share30 +decimals = 18 + +[share31] +peggy_denom = share31 +decimals = 18 + +[share32] +peggy_denom = share32 +decimals = 18 + +[share33] +peggy_denom = share33 +decimals = 18 + +[share34] +peggy_denom = share34 +decimals = 18 + +[share35] +peggy_denom = share35 +decimals = 18 + +[share36] +peggy_denom = share36 +decimals = 18 + +[share37] +peggy_denom = share37 +decimals = 18 + +[share38] +peggy_denom = share38 +decimals = 18 + +[share39] +peggy_denom = share39 +decimals = 18 + +[share4] +peggy_denom = share4 +decimals = 18 + +[share40] +peggy_denom = share40 +decimals = 18 + +[share41] +peggy_denom = share41 +decimals = 18 + +[share42] +peggy_denom = share42 +decimals = 18 + +[share43] +peggy_denom = share43 +decimals = 18 + +[share44] +peggy_denom = share44 +decimals = 18 + +[share45] +peggy_denom = share45 +decimals = 18 + +[share46] +peggy_denom = share46 +decimals = 18 + +[share47] +peggy_denom = share47 +decimals = 18 + +[share48] +peggy_denom = share48 +decimals = 18 + +[share49] +peggy_denom = share49 +decimals = 18 + +[share5] +peggy_denom = share5 +decimals = 18 + +[share50] +peggy_denom = share50 +decimals = 18 + +[share51] +peggy_denom = share51 +decimals = 18 + +[share52] +peggy_denom = share52 +decimals = 18 + +[share53] +peggy_denom = share53 +decimals = 18 + +[share54] +peggy_denom = share54 +decimals = 18 + +[share55] +peggy_denom = share55 +decimals = 18 + +[share56] +peggy_denom = share56 +decimals = 18 + +[share57] +peggy_denom = share57 +decimals = 18 + +[share58] +peggy_denom = share58 +decimals = 18 + +[share59] +peggy_denom = share59 +decimals = 18 + +[share6] +peggy_denom = share6 +decimals = 18 + +[share8] +peggy_denom = share8 +decimals = 18 + +[share9] +peggy_denom = share9 +decimals = 18 + +[shark] +peggy_denom = inj13y7ft3ppnwvnwey2meslv3w60arx074vlt6zwl +decimals = 18 + +[shiba] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba +decimals = 6 + +[shromin] +peggy_denom = inj1x084w0279944a2f4hwcr7hay5knrmuuf8xrvvs +decimals = 6 + +[shroomin] +peggy_denom = inj1300xcg9naqy00fujsr9r8alwk7dh65uqu87xm8 decimals = 18 -[hINJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +[shuriken] +peggy_denom = inj1afr2er5nrevh90nywpka0gv8ywcx3fjhlpz4w3 +decimals = 6 + +[smokingNONJA] +peggy_denom = factory/inj1907wkvrn9q256pulcc6n4dkk9425d2rd8t2qwt/smokingNONJA +decimals = 6 + +[socks] +peggy_denom = factory/inj1an64kx7fr7fgyrpsuhlzjmuw4a5mmwnwyk3udq/socks +decimals = 6 + +[solana.USDC.wh] +peggy_denom = ibc/FF3CF830E60679530072C4787A76D18E81C04F9725C3523F941DF0D8B7EB24F0 +decimals = 6 + +[space candy for degens] +peggy_denom = inj1qt78z7xru0fcks54ca56uehuzwal026ghhtxdv +decimals = 6 + +[spore] +peggy_denom = inj1uqhcsup58gjfxl26z9esenmr03hn8wyz2mlc02 decimals = 18 -[levana] -peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 +[spuun] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/spuun decimals = 6 -[nINJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf +[sqATOM] +peggy_denom = ibc/C63E6285FA0EE014B89671A7A633E1CE7F62310312843B9AC7248910619143C6 +decimals = 6 + +[sqBTC] +peggy_denom = ibc/81C212661A115B9799C71173DD131B5077B14A3FBD26A8A9A0C669F76F434E23 +decimals = 6 + +[sqOSMO] +peggy_denom = ibc/AFCDF4348DBDF92BCF631B1D38628F75683F45A8A0DCE304FC9AAD4F31609916 +decimals = 6 + +[sqTIA] +peggy_denom = ibc/D2098712E1B9398AD8D05966A5766D4C32137D9A06CF839376221176CFD9AF0B +decimals = 6 + +[squid] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/squid +decimals = 6 + +[stATOM] +peggy_denom = ibc/B024EC4AE846F690CB46C1CE886BE7DCE27CBBB6CE1E4EFBA4AA764E07B81A69 +decimals = 6 + +[stCMDX] +peggy_denom = ibc/0CAB2CA45981598C95B6BE18252AEFE1E9E1691D8B4C661997AD7B836FD904D6 +decimals = 6 + +[stDYDX] +peggy_denom = ibc/9B324282388BEBD0E028749E9E10627BA2BA13ADBE7FF04274F2CFBDD271BA4B decimals = 18 -[sUSDe] -peggy_denom = peggy0x9D39A5DE30e57443BfF2A8307A4256c8797A3497 +[stDYM] +peggy_denom = ibc/7F4BE10120E17C0F493124FFEDC1A3397B8BECEA83701CE8DC8D8B1E3A2A7763 decimals = 18 -[stINJ] -peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 +[stETH] +peggy_denom = peggy0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84 decimals = 18 -[steadyBTC] -peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d +[stEVMOS] +peggy_denom = ibc/75F64E20A70C5059F8EA792F1C47260DC7C6CBAC69DBA60E151AD5416E93C34C decimals = 18 -[steadyETH] -peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +[stIBCX] +peggy_denom = ibc/0A6B424A8207047D9FD499F59177BABD8DB08BBC2316B29B702A403BFB414419 +decimals = 6 + +[stISLM] +peggy_denom = ibc/813891E20F25E46CF9DE9836EB7F34BCABA45927754DDE8C0E74FE694968F8C2 +decimals = 18 + +[stJUNO] +peggy_denom = ibc/580E52A2C2DB126EE2160D1BDBBA33B5839D53B5E59D04D4FF438AE9BB7BFAAB +decimals = 6 + +[stLUNA] +peggy_denom = ibc/E98796F283A8B56A221011C2EDF7079BB62D1EA3EEF3E7CF4C679E91C6D97D08 +decimals = 6 + +[stOSMO] +peggy_denom = ibc/6D821F3CFAE78E9EBD872FAEC61C400C0D9B72E77FA14614CF1B775A528854FD +decimals = 6 + +[stSAGA] +peggy_denom = ibc/7C9A65FC985CCD22D0B56F1CEB2DDA3D552088FCE17E9FDF6D18F49BEDBEBF97 +decimals = 6 + +[stSOMM] +peggy_denom = ibc/9C234DA49B8DDAFB8F71F21BEB109F6255ECA146A32FD3A36CB9210647CBD037 +decimals = 6 + +[stSTARS] +peggy_denom = ibc/DD0F92D576A9A60487F17685A987AB6EDB359E661D281ED31F3AE560650ECFCB +decimals = 6 + +[stTIA] +peggy_denom = ibc/32F6EDA3E2B2A7F9C4A62F11935CF5D25948372A5A85281D7ABB9A2D0F0B7182 +decimals = 6 + +[stUMEE] +peggy_denom = ibc/FC8E98DF998AE88129183094E49383F94B3E5F1844C939D380AF18061FEF41EB +decimals = 6 + +[stinj] +peggy_denom = ibc/FAFBDE851E97E4B566B050B843F6BBCE14D7DC88DA69840850271BA8DF72EAEE +decimals = 0 + +[stkATOM] +peggy_denom = ibc/B8E30AECB0FB5BA1B02747BE003E55934A9E42488495412C7E9934FBEC06B201 +decimals = 6 + +[stkDYDX] +peggy_denom = ibc/93948A8FB433293F1C89970EA4596C4E8D4DD7E9F041058C7C47F0760F7C9693 +decimals = 18 + +[stkHUAHUA] +peggy_denom = ibc/7DC72C8C753E145A627515EC6DFFD23CDED27D443C79E4B8DB2B1AB1F18B6A66 +decimals = 6 + +[stkOSMO] +peggy_denom = ibc/F60E1792296F6264E594B5F87C3B5CDE859A1D9B3421F203E986B7BA3C4E05F1 +decimals = 6 + +[stkSTARS] +peggy_denom = ibc/77F4E05BDB54051FAF0BE956FCE83D8E0E4227DD53F764BB32D8ECF685A93F55 +decimals = 6 + +[stkXPRT] +peggy_denom = ibc/6E5EEA7EC6379417CA5A661AD367753359607BD74A58FD4F60E8D26254FB8D12 +decimals = 6 + +[storage] +peggy_denom = inj1dzatga5p63z2rpfqx7vh4fp6as8y46enkrfst0 +decimals = 18 + +[subs] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/subs +decimals = 6 + +[super] +peggy_denom = inj1fq8mjddyvkas32ltzzaqru6nesse2ft8xnn3vs +decimals = 18 + +[symbol] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/inj-test +decimals = 6 + +[tBTC] +peggy_denom = ibc/CDF0747148A7E6FCF27143312A8A5B7F9AEF0EF8BD4FA4381815A5EDBFC9B87E +decimals = 8 + +[tama] +peggy_denom = factory/inj18feu0k5w2r0jsffgx8ue8pfj2nntfucaj0dr8v/tama +decimals = 6 + +[teclub] +peggy_denom = inj125hp6pmxyajhldefkrcmc87lx08kvwtag382ks +decimals = 18 + +[terever] +peggy_denom = inj14tepyvvxsn9yy2hgqrl4stqzm2h0vla9ee8ya9 +decimals = 18 + +[test] +peggy_denom = inj1qqn3urdskeq9mlm37c375978kv3rxgjx2kff9p +decimals = 18 + +[test1] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/test1 +decimals = 6 + +[test2] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test2 +decimals = 6 + +[test3] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test3 +decimals = 6 + +[test4] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test4 +decimals = 6 + +[test5] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test5 +decimals = 6 + +[test6] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test6 +decimals = 6 + +[testclub] +peggy_denom = inj15v7mu4ywf8rvy5wk9ptrq7we32e3q0shkhuhg8 +decimals = 18 + +[testclubss] +peggy_denom = inj1r0rkq2v70lur23jczassuqu5qwc5npcjpp3e8c +decimals = 18 + +[testdaojo] +peggy_denom = inj174v6mke336kqzf7rl7ud43ddc4vsqh2q4mnl6t +decimals = 18 + +[testooo] +peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/testooo +decimals = 6 + +[testt] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/testt +decimals = 6 + +[testtesttest] +peggy_denom = inj1w4clv0alsnt5ez2v7dl9yjzmg7mkfzjs0cf7cz +decimals = 18 + +[testuuu] +peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/testuuu +decimals = 6 + +[toby] +peggy_denom = factory/inj1temu696g738vldkgnn7fqmgvkq2l36qsng5ea7/toby +decimals = 6 + +[token] +peggy_denom = inj1l2juxl35xedtneaq2eyk535cw5hq4x3krjqsl3 +decimals = 6 + +[tonc] +peggy_denom = inj1aqtnpa0ghger4mlz4u46cl48rr82jes043pugz +decimals = 18 + +[tone] +peggy_denom = inj1rgfquap6gahcdekg4pv6ru030w9yaph7nhcp9g +decimals = 18 + +[tonf] +peggy_denom = inj180rq0xetfzwjquxg4mukc4qw0mzprkhetrygv5 +decimals = 18 + +[toto] +peggy_denom = inj17dpjwzzr05uvegj4hhwtf47y0u362qgm6r3f5r +decimals = 18 + +[tpixdog] +peggy_denom = inj17mxrt7ywxgjh4lsk8kqjgqt0zc6pzj5jwd5xt7 +decimals = 18 + +[tremp] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/tremp +decimals = 6 + +[trs] +peggy_denom = factory/inj1h0w5sj0n07cugus02xfywaghvxxh8pp3e9egs6/trs +decimals = 12 + +[trump] +peggy_denom = inj1a6d54f5f737e8xs54qpxhs9v5l233n6qy9kyud +decimals = 18 + +[tst] +peggy_denom = inj1ukx6qs0guxzcf0an80vw8q88203cl75cey67lw +decimals = 18 + +[tsty] +peggy_denom = factory/inj1lvlvg3mkc3txakeyrqfzemkc7muvm9656mf2az/tsty +decimals = 6 + +[tve] +peggy_denom = inj1y208239ua6mchwayw8s8jfnuyqktycqhk6tmhv +decimals = 18 + +[uLP] +peggy_denom = factory/inj1dewkg7z8vffqxk7jcer6sf9ttnx54z0c6gfjw6/uLP +decimals = 6 + +[uakt] +peggy_denom = ibc/3BADB97E59D4BB8A26AD5E5485EF0AF123982363D1174AA1C6DEA9BE9C7E934D +decimals = 0 + +[uatom] +peggy_denom = ibc/F1EEC63548B066D76B9B82D04DE25C424932DABD9234116836BAF759E8130BC3 +decimals = 0 + +[uaxl] +peggy_denom = ibc/C49B72C4E85AE5361C3E0F0587B24F509CB16ECEB8970B6F917D697036AF49BE +decimals = 0 + +[ubld] +peggy_denom = ibc/40AE872789CC2B160222CC4301CA9B097493BD858EAD84218E2EC29C64F0BBAB +decimals = 0 + +[ubtsg] +peggy_denom = ibc/AC45D6359281E50A7498B10B9F38B7BE4868628E45E531D68F77422EFE430365 +decimals = 0 + +[ucmdx] +peggy_denom = ibc/2609F5ECC10691FE306DE1B99E4F6AF18F689ED328969F93186F28BE1173EEED +decimals = 0 + +[ucore] +peggy_denom = ibc/478A95ED132D071603C8AD0FC5E1A74717653880144E0D9B2508A230820921EF +decimals = 0 + +[ucrbrus] +peggy_denom = ibc/95B32740756E6DF2EAA242978EBF0FF6F3B632B8601DC12CB912D5957E8AB118 +decimals = 0 + +[ucre] +peggy_denom = ibc/021FDD63F6D8DA6998A93DD25A72BD18421604A50819D01932136E934F9A26C4 +decimals = 0 + +[udoki] +peggy_denom = ibc/80A2109FA720FF39E302876F885039D7378B3FC7B9FAF22E05E29EFB8F7B3306 +decimals = 0 + +[uhuahua] +peggy_denom = ibc/613786F0A8E01B0436DE4EBC2F922672063D8348AE5C7FEBA5CB22CD2B12E1D6 +decimals = 0 + +[ukuji] +peggy_denom = ibc/B5BB79AC621108184E03AD6B82456EBC96041B877A1652445CF32619CC9DA5C1 +decimals = 0 + +[uluna] +peggy_denom = ibc/BE3E2A75AFBA5F56017D7BB68FBAB013E08BF1633F92528197286C26967FBF42 +decimals = 0 + +[ulvn] +peggy_denom = factory/osmo1mlng7pz4pnyxtpq0akfwall37czyk9lukaucsrn30ameplhhshtqdvfm5c/ulvn +decimals = 6 + +[unois] +peggy_denom = ibc/FA2E855E713B5D73C6AA54822791ADFD1BA73EFA5FDFDA903120A1FB0FF12733 +decimals = 0 + +[untrn] +peggy_denom = ibc/C8099767548EA68F722AD0F8A8C807A5E6B6A8CA0A6FD7B8BD9B1AE96D19AC3E +decimals = 0 + +[uosmo] +peggy_denom = ibc/D24B4564BCD51D3D02D9987D92571EAC5915676A9BD6D9B0C1D0254CB8A5EA34 +decimals = 0 + +[uscrt] +peggy_denom = ibc/E801CF19C7B3FFC5FD81A1C9662BCFAE08F4976B054923BC0DA377F1863D3E56 +decimals = 0 + +[usei] +peggy_denom = ibc/BE749147EF2813020A5A77D29183336CFAA1A53B67E522EF103D6803DE0E084B +decimals = 0 + +[ustrd] +peggy_denom = ibc/F72F979601BD2FCF748C2E93092E9CB55A8BDB738567AB42C19D403A7C636110 +decimals = 0 + +[utia] +peggy_denom = ibc/FE2F22FEFB9E5F2EA063FD3135533B916577149A3D69CC2BF7BB4224BC9B1230 +decimals = 0 + +[uumee] +peggy_denom = ibc/EE0EC814EF89AFCA8C9CB385F5A69CFF52FAAD00879BEA44DE78F9AABFFCCE42 +decimals = 0 + +[uusd] +peggy_denom = ibc/C3BD5051E685B9A447352FB2D5773F8E4A015521CBD0A534B3F514FCA17C9030 +decimals = 0 + +[uusdc] +peggy_denom = ibc/E43E4F1FD4B84EE30EDB8E0BE6F03E0A5596B292EAA0F198789DDF0C1301FB85 +decimals = 0 + +[uusdt] +peggy_denom = ibc/D3FA7185FEB5D4A07F08F8A0847290A2BAC9372C5C5DF1E7F7BFEEDD852E9052 +decimals = 0 + +[uwhale] +peggy_denom = ibc/CB9BA999A7CDA4CE00784BFF705A1D0BDB95AD80334FD0F95A5BA306078C96E9 +decimals = 0 + +[uxprt] +peggy_denom = ibc/AB1E9C841105F28E9B70ED5EF1239B2D5E567F6E16818D87EFFA75E62778C8E4 +decimals = 0 + +[wBTC] +peggy_denom = inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku +decimals = 18 + +[wETH] +peggy_denom = peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2 +decimals = 18 + +[wLIBRA] +peggy_denom = ibc/FCCACE2DFDF08422A050486E09697AE34D4C620DC51CFBEF59B60AE3946CC569 +decimals = 6 + +[wUSDM] +peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 decimals = 18 + +[wera] +peggy_denom = factory/inj1j3c89aqgw9g4sqwtxzldslqxla4d5a7csgaxgq/wera +decimals = 6 + +[wglmr-wei] +peggy_denom = ibc/0C8737145CF8CAE5DC1007450882E251744B57119600E1A2DACE72C8C272849D +decimals = 0 + +[winston] +peggy_denom = inj128kf4kufhd0w4zwpz4ug5x9qd7pa4hqyhm3re4 +decimals = 6 + +[wmatic-wei] +peggy_denom = ibc/D4ED143E25535EBF6374A1A077BE205A687B69872484DF064ED2BAD6E5C3D762 +decimals = 0 + +[wstETH] +peggy_denom = ibc/E4BDC3A9935959C715961FFC6C12159EAD8FA4A5955D069EE19D0423FF810C6E +decimals = 18 + +[wynn] +peggy_denom = factory/inj1mmn3lqt5eahuu7cmpcjme6lj0xhjlhj3qj4fhh/wynn +decimals = 6 + +[x69] +peggy_denom = factory/inj1dkwqv24lyt94ukg65qf4xc8tj8wsu7x9p76enk/x69 +decimals = 6 + +[xASTRO] +peggy_denom = ibc/11B5974E9592AFEDBD74F08BE92A06A626CE01BEB395090C1567ABEE551B04C0 +decimals = 6 + +[xCC] +peggy_denom = inj1vnf98sw93chhpagtk54pr4z5dq02nxprhnhnm6 +decimals = 8 + +[xMNTA] +peggy_denom = ibc/0932033C2B34411381BB987F12539A031EF90CC7F818D65C531266413249F7DB +decimals = 6 + +[xNinja.Tech Token] +peggy_denom = inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar +decimals = 18 + +[xSEUL] +peggy_denom = ibc/CC381CB977B79239696AC471777FEC12816B9EF7F601EE2DAF17C00F51C25F6F +decimals = 6 + +[xUSK] +peggy_denom = ibc/F8E646585298F0F0B4CF0F8EC0978CEB10E8092389E7866BFD9A5E46BE9542A6 +decimals = 6 + +[xxx] +peggy_denom = ibc/C0B67C5C6E3D8ED32B5FEC0E5A4F4E5D0257C62B4FDE5E569AF425B6A0059CC4 +decimals = 10 + +[yFUZN] +peggy_denom = ibc/71C297610507CCB7D42E49EA49AF2ECBBE2D4A83D139C4A441EB7A2693C0464A +decimals = 6 + +[zinjer] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/zinjer +decimals = 6 + +[👽ALIEN👽] +peggy_denom = factory/inj1z94yca7t4yz9t8ftqf0lcxat8lva0ew7a5eh5n/ALIENS +decimals = 6 diff --git a/pyinjective/denoms_testnet.ini b/pyinjective/denoms_testnet.ini index e8b5aa61..ce1f4e32 100644 --- a/pyinjective/denoms_testnet.ini +++ b/pyinjective/denoms_testnet.ini @@ -207,12 +207,12 @@ min_display_quantity_tick_size = 0.00001 [0x382a1cf37bcdbccd5698753154335fa56651d64b88b054691648710c8dcf43e0] description = 'Testnet Spot ZEN/INJ' -base = 18 +base = 0 quote = 18 min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.000000000000000000001 min_quantity_tick_size = 10000000000000 -min_display_quantity_tick_size = 0.00001 +min_display_quantity_tick_size = 10000000000000 [0x40c7fcb089fc603f26c38a5a5bc71f27b0e33a92c2b76801bd9b2ac592d86305] description = 'Testnet Spot ATOM/INJ' @@ -457,78 +457,11698 @@ min_display_price_tick_size = 0.001 min_quantity_tick_size = 0.1 min_display_quantity_tick_size = 0.1 +[$ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/$alien +decimals = 6 + +[$AOI] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/$aoi +decimals = 6 + +[$BIRB] +peggy_denom = factory/inj1j37gy4hx0xgm9crwhew3sd6gfrg2z92rphynln/INJECTEDBIRB +decimals = 6 + +[$BITCOIN] +peggy_denom = factory/inj1xqkz4cgw3qn3p6xa2296g5ma8gh4fws8f3fxg6/BITCOIN +decimals = 6 + +[$Babykira] +peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/$babykira +decimals = 6 + +[$FORTUNE] +peggy_denom = factory/inj1ncytr25znls3tdw8q5g5pju83t4wcv6hv48kaz/FORTUNE +decimals = 6 + +[$HONEY] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/honey +decimals = 0 + +[$NEWT] +peggy_denom = factory/inj1w4v783ckdxa4sg3xr7thtqy92u8pjt09cq84ns/newTest +decimals = 6 + +[$PUNKS] +peggy_denom = factory/inj1mldpx3uh7jx25cr7wd4c7g6gwda7wa7mfnq469/injscoin +decimals = 6 + +[$ROFL] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/rofl +decimals = 6 + +[$TOK] +peggy_denom = factory/inj1w4v783ckdxa4sg3xr7thtqy92u8pjt09cq84ns/token +decimals = 6 + +[$TT] +peggy_denom = factory/inj1ndmztajhvx96a297axzuh80ke8jh0yjlcvs0xh/zule +decimals = 6 + +[1INCH] +peggy_denom = peggy0x111111111117dC0aa78b770fA6A738034120C302 +decimals = 18 + +[A4] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/aaaa +decimals = 6 + +[AA] +peggy_denom = peggy0xdfb34A71B682e578C1a05ab6c9eF68661F1cC291 +decimals = 18 + +[AAA] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/AAA +decimals = 6 + +[AAAAMEMETEST] +peggy_denom = factory/inj1u4uuueup7p30zfl9xvslddnen45dg7pylsq4td/aaameme +decimals = 6 + +[AAVE] +peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 +decimals = 18 + +[ABC] +peggy_denom = factory/inj13njxly446jm3gd8y84qnk3sm6wu0pjjc47mwl6/ABC +decimals = 6 + +[ADN] +peggy_denom = factory/inj14dvet9j73cak22sf7nzgn52ae8z4fdxzsn683v/ADN +decimals = 6 + +[AK] +peggy_denom = peggy0x6F3050fa31c4CC2bB4A213B7d53c220Ac04Dd59D +decimals = 18 + +[AKK] +peggy_denom = factory/inj1ygeap3ypldmjgl22al5rpqafemyw7dt6k45n8r/ak +decimals = 0 + +[ALEX] +peggy_denom = factory/inj1tka3m67unvw45xfp42v5u9rc6pxpysnh648vje/ALEX +decimals = 6 + +[ALLA] +peggy_denom = factory/inj1fukyda4ggze28p5eargxushyq7973kxgezn5hj/ALLA +decimals = 6 + +[ALLB] +peggy_denom = factory/inj1fukyda4ggze28p5eargxushyq7973kxgezn5hj/ALLB +decimals = 6 + +[ALPHA] +peggy_denom = inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u +decimals = 8 + +[ALX] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/alx +decimals = 6 + +[ANANA] +peggy_denom = factory/inj1kezz4smdtr3t0v49d5qyt3ksd2emc594p7ftsx/ANANA +decimals = 6 + +[ANDR] +peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E +decimals = 6 + +[ANK] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/ANK +decimals = 6 + [APE] -peggy_denom = peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7 +peggy_denom = peggy0x44d63c7FC48385b212aB397aB91A2637ec964634 +decimals = 18 + +[APEINJ] +peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/apeinj +decimals = 6 + +[APP] +peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 +decimals = 18 + +[ARB] +peggy_denom = ibc/8CF0E4184CA3105798EDB18CAA3981ADB16A9951FE9B05C6D830C746202747E1 +decimals = 8 + +[ARBlegacy] +peggy_denom = inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +decimals = 8 + +[ASG] +peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 +decimals = 8 + +[ASR] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/AUM +decimals = 18 + +[ASTR] +peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x decimals = 18 +[ASTRO] +peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +decimals = 6 + +[ATJ] +peggy_denom = factory/inj1xv73rnm0jwnens2ywgvz35d4k59raw5eqf5quw/auctiontestj +decimals = 6 + [ATOM] -peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/atom +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +decimals = 6 + +[ATT] +peggy_denom = factory/inj1xuxqgygmk79xfaf38ncgdp4jwmszh9rn3pmuex/ATT +decimals = 6 + +[AUTISM] +peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism +decimals = 6 + +[AVAX] +peggy_denom = inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 decimals = 8 -[HDRO] -peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +[AXL] +peggy_denom = ibc/B68C1D2682A8B69E20BB921E34C6A3A2B6D1E13E3E8C0092E373826F546DEE65 decimals = 6 -[INJ] -peggy_denom = inj +[AXS] +peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b decimals = 18 -[MT] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mitotest2 +[Alpha Coin] +peggy_denom = peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B +decimals = 18 + +[AmanullahTest2] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/AmanullahTest2 decimals = 6 -[MitoTest1] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mitotest1 +[Ape Coin] +peggy_denom = peggy0x4d224452801ACEd8B2F0aebE155379bb5D594381 decimals = 18 -[PROJ] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/proj +[Arbitrum] +peggy_denom = peggy0x912CE59144191C1204E64559FE8253a0e49E6548 decimals = 18 -[PROJX] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/projx +[Axelar] +peggy_denom = peggy0x3eacbDC6C382ea22b78aCc158581A55aaF4ef3Cc +decimals = 6 + +[BAB] +peggy_denom = factory/inj1ljvxl24c3nz0vxc8ypf0pfppp3s3t0aap5snag/BAB +decimals = 6 + +[BAG] +peggy_denom = factory/inj106ul9gd8vf0rdhs7gvul4e5eqju8uyr62twp6v/BAG +decimals = 6 + +[BAMBOO] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/bamboo +decimals = 6 + +[BANANA] +peggy_denom = factory/inj1cvte76l69n78avthhz7a73cgs8e29knkquyguh/BANANA +decimals = 6 + +[BAND] +peggy_denom = peggy0xBA11D00c5f74255f56a5E366F4F77f5A186d7f55 decimals = 18 -[TEST1] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test1 +[BAT] +peggy_denom = peggy0x0D8775F648430679A709E98d2b0Cb6250d2887EF +decimals = 18 + +[BAYC] +peggy_denom = bayc +decimals = 18 + +[BB] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/BAMB decimals = 6 -[TEST2] -peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test2 +[BEAST] +peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be decimals = 6 -[USD Coin] -peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/usdc +[BEER] +peggy_denom = factory/inj13y957x4lg74e60s9a47v66kex7mf4ujcqhc6xs/BEER decimals = 6 -[USDC] -peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +[BIL] +peggy_denom = factory/inj14cxwqv9rt0hvmvmfawts8v6dvq6p26q0lkuajv/BIL decimals = 6 -[USDT] -peggy_denom = peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5 +[BINJ] +peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj +decimals = 6 + +[BITS] +peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/BITS +decimals = 6 + +[BK] +peggy_denom = factory/inj1pzwl6turgp49akhkxjynj77z9pd6x7zf2zmazz/bk +decimals = 6 + +[BLA] +peggy_denom = factory/inj1z6sccypszye9qke2w35m3ptmj7c4tjr2amedyf/blabla +decimals = 0 + +[BLACK] +peggy_denom = factory/inj16eckaf75gcu9uxdglyvmh63k9t0l7chd0qmu85/black decimals = 6 -[WBTC] -peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/wbtc +[BLOCK] +peggy_denom = factory/inj1l32h3fua32wy7r7zwhddevan8lxwkseh4xz43w/BLOCKEATER +decimals = 18 + +[BMAN] +peggy_denom = factory/inj18zctja65nd5xlre0lzurwc63mgw7xn6p2fehxv/BMAN +decimals = 6 + +[BMOS] +peggy_denom = ibc/D9353C3B1407A7F7FE0A5CCB7D06249B57337888C95C6648AEAF2C83F4F3074E +decimals = 6 + +[BNB] +peggy_denom = peggy0xB8c77482e45F1F44dE1745F52C74426C631bDD52 +decimals = 18 + +[BOB] +peggy_denom = factory/inj1znqs22whsfqvd3503ehv2a40zhmcr3u7k5xu8d/BOB +decimals = 6 + +[BODEN] +peggy_denom = boden +decimals = 9 + +[BOME] +peggy_denom = factory/inj1zghufuvlx8wkt233k7r25um2c0y8zzqx2hpx7e/BOME +decimals = 6 + +[BONJO] +peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/bonjo +decimals = 6 + +[BONK] +peggy_denom = inj14rry9q6dym3dgcwzq79yay0e9azdz55jr465ch +decimals = 5 + +[BONK2] +peggy_denom = factory/inj1yxyprnlhyupl2lmpwsjhnux70uz8d5rgqussvc/bonk +decimals = 6 + +[BONUS] +peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF decimals = 8 -[WETH] -peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/weth +[BOYS] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS +decimals = 6 + +[BRETT] +peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +decimals = 6 + +[BRZ] +peggy_denom = inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk +decimals = 4 + +[BS] +peggy_denom = factory/inj1kzaaapa8ux4z4lh8stm6vv9c5ykhtwl84zxrtl/ak +decimals = 6 + +[BSKT] +peggy_denom = inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 +decimals = 5 + +[BTC] +peggy_denom = btc decimals = 8 -[ZEN] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/zen +[BUKET] +peggy_denom = factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/buket +decimals = 7 + +[BULLS] +peggy_denom = factory/inj1zq37mfquqgud2uqemqdkyv36gdstkxl27pj5e3/bulls +decimals = 6 + +[BUSD] +peggy_denom = peggy0x4Fabb145d64652a948d72533023f6E7A623C7C53 decimals = 18 -[factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uzen] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uzen +[Babykira] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/$babykira +decimals = 6 + +[BadKid] +peggy_denom = factory/inj12cpkhwet3sv7ykwfusryk9zk8cj6kscjh08570/BadKid +decimals = 6 + +[Basket] +peggy_denom = peggy0xbC0899E527007f1B8Ced694508FCb7a2b9a46F53 +decimals = 5 + +[Bird INJ] +peggy_denom = factory/inj125hcdvz9dnhdqal2u8ctr7l0hd8xy9wdgzt8ld/binj +decimals = 6 + +[BitSong] +peggy_denom = peggy0x05079687D35b93538cbd59fe5596380cae9054A9 decimals = 18 -[hINJ] -peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc +[BnW] +peggy_denom = factory/inj188t9lmw8fh22x0np5wuf4zcz4ew748erz3s8ay/BnW +decimals = 6 + +[Bnana] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/banana decimals = 18 -[stINJ] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/stinj +[Bonjo] +peggy_denom = inj19w5lfwk6k9q2d8kxnwsu4962ljnay85f9sgwn6 +decimals = 18 + +[Brazilian Digital Token] +peggy_denom = peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B +decimals = 4 + +[CAD] +peggy_denom = cad +decimals = 6 + +[CANTO] +peggy_denom = ibc/D91A2C4EE7CD86BBAFCE0FA44A60DDD9AFBB7EEB5B2D46C0984DEBCC6FEDFAE8 +decimals = 18 + +[CAT] +peggy_denom = factory/inj1r5pxuhg6nz5puchgm8gx63whwn7jx0y0zsqp9w/CAT +decimals = 18 + +[CDT] +peggy_denom = factory/inj1z6sccypszye9qke2w35m3ptmj7c4tjr2amedyf/chinhsieudeptrai +decimals = 0 + +[CEL] +peggy_denom = peggy0xaaAEBE6Fe48E54f431b0C390CfaF0b017d09D42d +decimals = 4 + +[CELL] +peggy_denom = peggy0x26c8AFBBFE1EBaca03C2bB082E69D0476Bffe099 +decimals = 18 + +[CHELE] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/CHELE +decimals = 6 + +[CHZ] +peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF +decimals = 18 + +[CHZlegacy] +peggy_denom = inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 + +[CLON] +peggy_denom = ibc/695B1D16DE4D0FD293E6B79451640974080B59AA60942974C1CC906568DED795 +decimals = 6 + +[CNR] +peggy_denom = factory/inj1qn3xnr49n0sw8h3v4h7udq5htl8lsfj2e0e8hw/CNR +decimals = 6 + +[COCK] +peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/cock +decimals = 6 + +[COCKOC] +peggy_denom = factory/inj1f595c8ml3sfvey4cd85j9f4ur02mymz87huu78/COCKOC +decimals = 6 + +[COKE] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +decimals = 6 + +[COMP] +peggy_denom = peggy0xc00e94Cb662C3520282E6f5717214004A7f26888 +decimals = 18 + +[COOK] +peggy_denom = factory/inj19zee9dacv8pw6jyax0jyytt06nln6ued0c6xxr/cook +decimals = 6 + +[CPS] +peggy_denom = factory/inj1wn45x52wm3sghe7qjp9hwhge9cuk632u2a4xl0/CPS +decimals = 6 + +[CRE] +peggy_denom = ibc/3A6DD3358D9F7ADD18CDE79BA10B400511A5DE4AE2C037D7C9639B52ADAF35C6 +decimals = 6 + +[CRSP] +peggy_denom = factory/inj18jvnp6shjm30l2kw30u5w7tsh6y7v4yuux8ydv/CRSP +decimals = 6 + +[CRSRL] +peggy_denom = factory/inj1mcwzdmtfvccrec9nd9qfsq0p6u25d7rcupcmf8/cruiser-legend +decimals = 6 + +[CRY] +peggy_denom = factory/inj170545298c6cletkgqxlsanyh36uvxuceudt3e2/crystal +decimals = 6 + +[CSDT] +peggy_denom = factory/inj1z6sccypszye9qke2w35m3ptmj7c4tjr2amedyf/chinhdeptrai +decimals = 0 + +[CSM] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/CSM +decimals = 6 + +[CSSSS] +peggy_denom = factory/inj1rwpsgl0y7q9t2t6vkphz3ajxe3m249rydkzuyx/CSSSS +decimals = 6 + +[CUONGPRO] +peggy_denom = factory/inj1z6sccypszye9qke2w35m3ptmj7c4tjr2amedyf/cuongpro1234 +decimals = 0 + +[CVR] +peggy_denom = peggy0x3c03b4ec9477809072ff9cc9292c9b25d4a8e6c6 +decimals = 18 + +[CW20:TERRA167DSQKH2ALURX997WMYCW9YDKYU54GYSWE3YGMRS4LWUME3VMWKS8RUQNV] +peggy_denom = ibc/53F48DC0479065C7BFFDC8D612A45EE90B28E4876405164C4CC7300661D8463D +decimals = 0 + +[CW20:TERRA1MCCMZMCXT6CTQF94QHHCWT79SPL0XZ27ULUVYEH232WCPDN6SJYQMDFXD4] +peggy_denom = ibc/599367B1633AB9A8F8BC5A5BA6A9B533EDE655B85D46F9A00A53E5FF68E25E57 +decimals = 0 + +[CXLD] +peggy_denom = factory/inj1gsvgj44zjlj6w890a7huedymh7v96sv839pwsv/CXLD +decimals = 6 + +[Cosmos] +peggy_denom = ibc/C4CFF46FD6DE35CA4CF4CE031E643C8FDC9BA4B99AE598E9B0ED98FE3A2319F9 +decimals = 6 + +[D3RD] +peggy_denom = factory/inj1kw7xh603l8gghvr955a5752ywph5uhnmuyv7gy/D3RD +decimals = 6 + +[DAI] +peggy_denom = peggy0x6B175474E89094C44Da98b954EedeAC495271d0F +decimals = 18 + +[DAO] +peggy_denom = factory/inj13vkxa9aku6vy8gy6thtvv9xv7l3ut8x3hnnevf/DAOC +decimals = 6 + +[DD] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/dingdong +decimals = 6 + +[DDL] +peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDL +decimals = 6 + +[DDLTEST] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/DDLTest +decimals = 6 + +[DDLTESTTWO] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/DDLTESTTWO +decimals = 6 + +[DEFI5] +peggy_denom = peggy0xfa6de2697D59E88Ed7Fc4dFE5A33daC43565ea41 +decimals = 18 + +[DEGEN] +peggy_denom = factory/inj1zn8qlkjautjt3mvr7xwuvpe6eddqt5w3mak5s7/DEGEN +decimals = 6 + +[DEL] +peggy_denom = factory/inj1p2gs94exz0u2rwyg2sccxlpyfdyymp8k2ej7qa/DEL +decimals = 6 + +[DEMO] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/demo +decimals = 18 + +[DGNZ] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dgnz +decimals = 6 + +[DGNZZ] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/dgnzz +decimals = 0 + +[DGNZZZZ] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/DGNZZZZ +decimals = 6 + +[DGZN] +peggy_denom = factory/inj1rjfu66szrqkw6mua8mxrruyjym0fj65j7y8ukz/DGZN +decimals = 6 + +[DICES] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/dices +decimals = 6 + +[DICK] +peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/DICK +decimals = 6 + +[DISC] +peggy_denom = factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/DISC +decimals = 6 + +[DJN] +peggy_denom = factory/inj19hvtll63gdk7226lcgdthd8w6vkwvy2lygd54s/djn +decimals = 6 + +[DOGE] +peggy_denom = doge +decimals = 8 + +[DOGGO] +peggy_denom = factory/inj1a4qjk3ytal0alrq566zy6z7vjv6tgrgg0h7wu9/DOGGO +decimals = 0 + +[DOGGOS] +peggy_denom = factory/inj1a4qjk3ytal0alrq566zy6z7vjv6tgrgg0h7wu9/DOGGOS +decimals = 6 + +[DOJ] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/doj +decimals = 6 + +[DOJE] +peggy_denom = factory/inj12e00ptda26wr4257jk8xktasjf5qrz97e76st2/doje +decimals = 6 + +[DOJO] +peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/dojo +decimals = 6 + +[DOT] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[DREAM] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dream +decimals = 6 + +[DROGO] +peggy_denom = ibc/565FE65B82C091F8BAD1379FA1B4560C036C07913355ED4BD8D156DA63F43712 +decimals = 6 + +[DUCK] +peggy_denom = factory/inj12vqaz34lk6s7jrtgnhcd53ffya8vrx67m7cev2/DUCK +decimals = 6 + +[DUDE] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/dude +decimals = 6 + +[DUNE] +peggy_denom = factory/inj1zg54atp2u4f69fqjyxxx2v8pkzkrw47e3f6akr/DUNE +decimals = 6 + +[DV] +peggy_denom = factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/dv +decimals = 6 + +[DZZY] +peggy_denom = factory/inj1nmdqvm2vcxtzal44f62hcv9sthsaunupdpuxlg/DZZY +decimals = 6 + +[Denz] +peggy_denom = factory/inj1geky3rlgv7ycg8hnf8dzj475c0zmdkqstk9k37/Denz +decimals = 6 + +[Dojo Token] +peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 +decimals = 18 + +[ELON] +peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +decimals = 6 + +[ENA] +peggy_denom = peggy0x57e114b691db790c35207b2e685d4a43181e6061 +decimals = 18 + +[ENJ] +peggy_denom = peggy0xF629cBd94d3791C9250152BD8dfBDF380E2a3B9c +decimals = 18 + +[ERIC] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/eric +decimals = 6 + +[ERJ] +peggy_denom = factory/inj17v462f55kkuhjhvw7vdcjzd2wdk85yh8js3ug9/ERJ +decimals = 6 + +[ETH] +peggy_denom = eth +decimals = 18 + +[ETHBTCTrend] +peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 +decimals = 18 + +[EUR] +peggy_denom = eur +decimals = 6 + +[EVAI] +peggy_denom = peggy0x50f09629d0afDF40398a3F317cc676cA9132055c +decimals = 8 + +[EVIINDEX] +peggy_denom = eviindex +decimals = 18 + +[EVMOS] +peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 +decimals = 18 + +[EVOI] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/evoi +decimals = 6 + +[FACTORY/PRYZM15K9S9P0AR0CX27NAYRGK6VMHYEC3LJ7VKRY7RX/UUSDSIM] +peggy_denom = ibc/6653E89983FE4CAE0DF67DF2257451B396D413431F583306E26DC6D7949CE648 +decimals = 0 + +[FAMILY] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/FAMILY +decimals = 6 + +[FET] +peggy_denom = ibc/C1D3666F27EA64209584F18BC79648E0C1783BB6EEC04A8060E4A8E9881C841B +decimals = 18 + +[FGDE] +peggy_denom = factory/inj1fukyda4ggze28p5eargxushyq7973kxgezn5hj/fgdekghk +decimals = 6 + +[FGFGGW] +peggy_denom = factory/inj1p83xm4qnhww3twkcff3wdu6hgjn534j9jdry9d/FGFGGW +decimals = 6 + +[FIO] +peggy_denom = factory/inj133xeq92ak7p87hntvamgq3047kj8jfqhry92a8/FIO +decimals = 6 + +[FNLS] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/TheFinals +decimals = 6 + +[FTM] +peggy_denom = peggy0x4E15361FD6b4BB609Fa63C81A2be19d873717870 +decimals = 18 + +[FTTOKEN] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/FTTOKEN +decimals = 6 + +[FUN] +peggy_denom = factory/inj1k6vxjqq7xxdn96ftx9u099su4lxquhuexphfeu/FUN +decimals = 6 + +[FZZY] +peggy_denom = factory/inj1nmdqvm2vcxtzal44f62hcv9sthsaunupdpuxlg/FZZY +decimals = 6 + +[Fetch.ai] +peggy_denom = peggy0xaea46a60368a7bd060eec7df8cba43b7ef41ad85 +decimals = 18 + +[Flm] +peggy_denom = factory/inj17ef2m8f9l8zypef5wxyrrxpdqyq4wd2rfl23d4/Flm +decimals = 6 + +[GALA] +peggy_denom = factory/inj1xtwk60ey0g03s69gfsure0kx8hwwuk24zl0g6l/GALA +decimals = 6 + +[GALAXY] +peggy_denom = factory/inj10zdjt8ylfln5xr3a2ruf9nwn6d5q2d2r3v6mh8/galaxy +decimals = 6 + +[GBP] +peggy_denom = gbp +decimals = 6 + +[GF] +peggy_denom = peggy0xaaef88cea01475125522e117bfe45cf32044e238 +decimals = 18 + +[GFT] +peggy_denom = factory/inj1rw9z8q7l9xgffuu66e6w0eje3y7yvur452rst6/GFT +decimals = 6 + +[GGM] +peggy_denom = factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/GGM +decimals = 6 + +[GIGA] +peggy_denom = ibc/36C811A2253AA64B58A9B66C537B89348FE5792A8808AAA343082CBFCAA72278 +decimals = 5 + +[GINGER] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/ginger +decimals = 6 + +[GLD] +peggy_denom = factory/inj1kgtamley85yj7eeuntz7ctty5wgfla5n6z2t42/gld +decimals = 6 + +[GLTO] +peggy_denom = peggy0xd73175f9eb15eee81745d367ae59309Ca2ceb5e2 +decimals = 6 + +[GME] +peggy_denom = ibc/CAA5AB050F6C3DFE878212A37A4A6D3BEA6670F5B9786FFF7EF2D34213025272 +decimals = 8 + +[GOLD] +peggy_denom = gold +decimals = 18 + +[GOLDIE] +peggy_denom = factory/inj130ayayz6ls8qpmu699axhlg7ygy8u6thjjk9nc/goldie +decimals = 6 + +[GRANJ] +peggy_denom = factory/inj1kprvcvuwkhpt33500guafzf09fr7p9yfklxlls/GRANJ +decimals = 6 + +[GRAY] +peggy_denom = factory/inj1g65a0tv2xl4vpu732k8u6yamq438t0lze8ksdx/GRAY +decimals = 6 + +[GROK] +peggy_denom = factory/inj1vgrf5mcvvg9p5c6jajqefn840nq74wjzgkt30z/grok +decimals = 6 + +[GRT] +peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 +decimals = 18 + +[GTHLI] +peggy_denom = factory/inj1uhxex6xjm6dfzud44ectgpkgfhhyxthmux8vd4/GTHLI +decimals = 6 + +[GYEN] +peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 +decimals = 6 + +[God] +peggy_denom = factory/inj1x45ltvqzanx82wutwdxaayzzu0a7a8q5j3pz2f/God +decimals = 6 + +[HAPPY] +peggy_denom = factory/inj16ydu70t4s6z3lhcjh4aqkdpl9aag8pxve0kdyx/HAPPY +decimals = 6 + +[HDRO] +peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro +decimals = 6 + +[HNY2] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/HNY2 +decimals = 0 + +[HNY3] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/HNY3 +decimals = 0 + +[HS] +peggy_denom = factory/inj1ce9d2lma4tvady03fnsd5nck54xhfeazks0y8d/hs +decimals = 6 + +[HSC2UPDATETEST] +peggy_denom = factory/inj1ce9d2lma4tvady03fnsd5nck54xhfeazks0y8d/hs2 +decimals = 6 + +[HT] +peggy_denom = peggy0x6f259637dcD74C767781E37Bc6133cd6A68aa161 +decimals = 18 + +[HUAHUA] +peggy_denom = ibc/E7807A46C0B7B44B350DA58F51F278881B863EC4DCA94635DAB39E52C30766CB +decimals = 6 + +[Hakmer] +peggy_denom = factory/inj1579jgr5gkv2h6z6wfwsmff2xvpuf4seyzx0xtn/Hakmer +decimals = 6 + +[Hallo123] +peggy_denom = factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/hallo123 +decimals = 6 + +[HarryPotterEricNinjaKiraInj10Inu] +peggy_denom = factory/inj1a4zfxyanjr2u4w0063rmm9fcuyj9ts64ztkxex/HarryPotterEricNinjaKiraInj10Inu +decimals = 6 + +[HarryPotterEricNinjaKiraInj20Inu] +peggy_denom = factory/inj1a4zfxyanjr2u4w0063rmm9fcuyj9ts64ztkxex/HarryPotterEricNinjaKiraInj20Inu +decimals = 6 + +[HarryPotterEricNinjaKiraInj30Inu] +peggy_denom = factory/inj1a4zfxyanjr2u4w0063rmm9fcuyj9ts64ztkxex/HarryPotterEricNinjaKiraInj30Inu +decimals = 6 + +[Hydro] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +decimals = 6 + +[Hydro Wrapped INJ] +peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 + +[IBJ] +peggy_denom = factory/inj1czcqn0a8s0zud72p9zpfrkduljp0hhjjt927fe/IBJ +decimals = 6 + +[IDOGE] +peggy_denom = factory/inj1kezz4smdtr3t0v49d5qyt3ksd2emc594p7ftsx/IDOGE +decimals = 6 + +[IIN] +peggy_denom = factory/inj1aeruvw7e4e90uqlegv52ttjtjdr60ndh2p5krq/IIN +decimals = 6 + +[IJTBOBI] +peggy_denom = factory/inj1s04p0wztwl823lwcnkdstd3xp3n30a8hhel2jf/ijtbobi +decimals = 6 + +[IK] +peggy_denom = factory/inj1axtwu6xh6hzpayy7mm9qwyggp5adtjnnj6tmkj/injscribedtoken +decimals = 6 + +[IKINGS] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/ikings +decimals = 6 + +[ILEND] +peggy_denom = factory/inj19ae4ukagwrlprva55q9skskunv5ve7sr6myx7z/ilend-test-subdenom +decimals = 6 + +[ILL] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/ill +decimals = 0 + +[INC] +peggy_denom = factory/inj1nu7ftngqhuz6vazjj4wravdlweutam82rkt7j2/INC +decimals = 6 + +[INCEL] +peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel +decimals = 6 + +[IND] +peggy_denom = factory/inj1j0t7zeafazz33xx22a62esvghcyxwzzxeshv2z/IND +decimals = 6 + +[ING] +peggy_denom = factory/inj18x8g8gkc3kch72wtkh46a926634m784m3wnj50/ING +decimals = 6 + +[INJ] +peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +decimals = 18 + +[INJAmanullahTest1] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/INJAmanullahTest1 +decimals = 6 + +[INJBR] +peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/INJBR +decimals = 6 + +[INJECT] +peggy_denom = factory/inj1j7zt6g03vpmg9p7g7qngvylfxqeuds73utsjnk/inject +decimals = 6 + +[INJER] +peggy_denom = factory/inj1sjmplasxl9zgj6yh45j3ndskgdhcfcss9djkdn/injer +decimals = 6 + +[INJF] +peggy_denom = factory/inj190nefqygs79s3cpvgjzhf7w9d7pzkag4u7cdce/INJF +decimals = 18 + +[INJINU] +peggy_denom = factory/inj1vjppa6h9lf75pt0v6qnxtej4xcl0qevnxzcrvm/injinu +decimals = 6 + +[INJKT] +peggy_denom = factory/inj19q4vqa9hxrnys04hc2se8axp5qkxf2u9qthewk/INJKT +decimals = 6 + +[INJOKI] +peggy_denom = factory/inj1rmjd5fdldnyfm62zx2v3q27eemqvq6x5ktae4f/INJOKI +decimals = 6 + +[INJPEPE] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/injpepe +decimals = 6 + +[INJS] +peggy_denom = factory/inj15jy9vzmyy63ql9y6dvned2kdat2994x5f4ldu4/injs +decimals = 6 + +[INJSTKN] +peggy_denom = factory/inj1xx25yhe9ma0zy4ewyd0js8f4pm869gdek4g27j/injstkn +decimals = 6 + +[INJTEST] +peggy_denom = factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test +decimals = 6 + +[INJTEST2] +peggy_denom = factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test2 +decimals = 0 + +[INJTESTE] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/Injteste +decimals = 6 + +[INJX] +peggy_denom = factory/inj104h3hchl7ws8lp78zpvrunvsjdwfjc02r5d0fp/injx +decimals = 6 + +[INJbsc] +peggy_denom = inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 +decimals = 18 + +[INJet] +peggy_denom = inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw +decimals = 18 + +[INO] +peggy_denom = factory/inj1fyanjlzhkcenneulrdjmuumc9njvzr08wxr4f6/INO +decimals = 6 + +[IOTX] +peggy_denom = peggy0x6fB3e0A217407EFFf7Ca062D46c26E5d60a14d69 +decimals = 18 + +[IPDAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipdai +decimals = 6 + +[IPEPE] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipepe +decimals = 6 + +[IPandaAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipandaai +decimals = 6 + +[IPanther] +peggy_denom = factory/inj1rmjd5fdldnyfm62zx2v3q27eemqvq6x5ktae4f/InjectivePanther +decimals = 6 + +[IPantherN] +peggy_denom = factory/inj1rmjd5fdldnyfm62zx2v3q27eemqvq6x5ktae4f/injectivepanthernew +decimals = 6 + +[IPrint] +peggy_denom = factory/inj1rmjd5fdldnyfm62zx2v3q27eemqvq6x5ktae4f/InjectivePrinter +decimals = 6 + +[ITT] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/injtesttwo +decimals = 6 + +[ITTT] +peggy_denom = factory/inj1lypqwz349za88um0m4ltjhgf8q6q8p4y93pv6p/injectively-test-token +decimals = 6 + +[IUSD] +peggy_denom = factory/inj16020qlmmat0uwgjrj2nrcn3kglk6scj3e99uye/iusd +decimals = 6 + +[Inj] +peggy_denom = factory/inj1jcwlfkq76gvljfth56jjl360nxkzx8dlv6fjzr/Inj +decimals = 6 + +[InjDoge] +peggy_denom = factory/inj1rmjd5fdldnyfm62zx2v3q27eemqvq6x5ktae4f/InjDoge +decimals = 6 + +[Injective] +peggy_denom = peggy0x5512c04B6FF813f3571bDF64A1d74c98B5257332 +decimals = 18 + +[Injective Panda] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/bamboo +decimals = 6 + +[Internet Explorer] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/ninjb +decimals = 6 + +[J7J5] +peggy_denom = factory/inj1pvt70tt7epjudnurkqlxu62flfgy46j2ytj7j5/J7J5 +decimals = 6 + +[JCLUB] +peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/JCLUB +decimals = 6 + +[JJJJ] +peggy_denom = factory/inj1eg83yq85cld5ngh2vynqlzmnzdplsallqrmlyd/JJJJ +decimals = 6 + +[JNI] +peggy_denom = factory/inj1q9mjtmhydvepcszp552lwyez52y7npjcvntprg/jni +decimals = 18 + +[JNI2] +peggy_denom = factory/inj19yes8qp3x2cz8y2kuyp70nvhe4nugdxaj4k5g3/jni2 +decimals = 0 + +[JNI3] +peggy_denom = factory/inj19yes8qp3x2cz8y2kuyp70nvhe4nugdxaj4k5g3/jni3 +decimals = 18 + +[JNI4] +peggy_denom = factory/inj19yes8qp3x2cz8y2kuyp70nvhe4nugdxaj4k5g3/jni4 +decimals = 18 + +[JNI5] +peggy_denom = factory/inj19yes8qp3x2cz8y2kuyp70nvhe4nugdxaj4k5g3/jni5 +decimals = 18 + +[JPY] +peggy_denom = jpy +decimals = 6 + +[JUL] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/JUL +decimals = 6 + +[JUNO] +peggy_denom = ibc/D50E26996253EBAA8C684B9CD653FE2F7665D7BDDCA3D48D5E1378CF6334F211 +decimals = 6 + +[JUP] +peggy_denom = jup +decimals = 6 + +[JUSSY] +peggy_denom = factory/inj125a0l6yk05z3jwvjfjh78tlkjm4kn6ndduxjnk/INJUSSY +decimals = 6 + +[Jet] +peggy_denom = factory/inj18r765lvc3pf975cx0k3derdxl302trjjnpwjgf/Jet +decimals = 6 + +[KAGE] +peggy_denom = inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +decimals = 18 + +[KARATE] +peggy_denom = factory/inj1898t0vtmul3tcn3t0v8qe3pat47ca937jkpezv/karate +decimals = 6 + +[KARMA] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karma +decimals = 6 + +[KATANA] +peggy_denom = factory/inj1vwn4x08hlactxj3y3kuqddafs2hhqzapruwt87/katana +decimals = 6 + +[KAVA] +peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +decimals = 6 + +[KELON] +peggy_denom = factory/inj1fdd59gyrtfkn7cflupyqqcj0t5c4whj0dzhead/KELON +decimals = 6 + +[KEN] +peggy_denom = factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/ken +decimals = 6 + +[KFF] +peggy_denom = factory/inj10uen9k593sll79n9egwh80t09enk7gsaqqehuh/KFN +decimals = 6 + +[KGM1] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/inj-test1 +decimals = 6 + +[KIA] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/KIA +decimals = 18 + +[KIKI] +peggy_denom = factory/inj1yc9tdwkff6fdhseshk2qe4737hysf3dv0jkq35/kiki +decimals = 6 + +[KING] +peggy_denom = factory/inj156zqdswjfcttc8hrvwd5z3nv5n53l5xg9mqvht/KING +decimals = 6 + +[KINJA] +peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/kinja +decimals = 6 + +[KIRA] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/kira +decimals = 6 + +[KISH6] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH6 +decimals = 6 + +[KIWI] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/KIWI +decimals = 18 + +[KNG] +peggy_denom = factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/kennethii +decimals = 6 + +[KPEPE] +peggy_denom = pepe +decimals = 18 + +[KRA] +peggy_denom = factory/inj1leuc4h7w5seyw4mc58xk6qtn2dm23hj79sdca9/korra +decimals = 6 + +[KRI] +peggy_denom = factory/inj17z0plmzyrz4zrrfaps99egwqk4xk6kpq4728xg/kril-test +decimals = 6 + +[KUJI] +peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 +decimals = 6 + +[KUSD] +peggy_denom = factory/inj1xmc078w8gv42v99a5mctsm2e4pldvu7jtd08ym/kusd +decimals = 6 + +[Koncga] +peggy_denom = factory/inj1hr4rj6k72emjh9u7l6zg58c0n0daezz68060aq/Koncga +decimals = 6 + +[LABS] +peggy_denom = factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/labs +decimals = 6 + +[LADY] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/LADY +decimals = 18 + +[LAHN] +peggy_denom = factory/inj133xeq92ak7p87hntvamgq3047kj8jfqhry92a8/LAHN +decimals = 6 + +[LAMA] +peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/LAMA +decimals = 6 + +[LAMA2] +peggy_denom = factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/LAMA2 +decimals = 6 + +[LAMBO] +peggy_denom = peggy0x3d2b66BC4f9D6388BD2d97B95b565BE1686aEfB3 +decimals = 18 + +[LCK] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/lck +decimals = 18 + +[LDO] +peggy_denom = inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy +decimals = 8 + +[LEO] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/LEO +decimals = 6 + +[LILI] +peggy_denom = factory/inj14l2vccns668jq3gp0hgwl5lcpatx9nqq3m7wyy/LILI +decimals = 8 + +[LINK] +peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA +decimals = 18 + +[LIOR] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +decimals = 6 + +[LOKI] +peggy_denom = ibc/49FFD5EA91774117260257E30924738A5A1ECBD00ABDBF0AF3FD51A63AE752CD +decimals = 0 + +[LOL] +peggy_denom = factory/inj19zqaa78d67xmzxp3e693n3zxwpc5fq587s2lyh/LOL +decimals = 6 + +[LUNA] +peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 +decimals = 6 + +[LVN] +peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 +decimals = 6 + +[LYM] +peggy_denom = peggy0xc690f7c7fcffa6a82b79fab7508c466fefdfc8c5 +decimals = 18 + +[Lenz] +peggy_denom = factory/inj19xadglv3eaaavaeur5553hjj99c3vtkajhj4r6/Lenz +decimals = 6 + +[LenzTest] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/LenzTest +decimals = 6 + +[LenzTestingTestnetFinal] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/LenzTestingTestnetFinal +decimals = 6 + +[LenzToken] +peggy_denom = factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/LenzToken +decimals = 6 + +[LenzTokenFinalTest] +peggy_denom = factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/LenzTokenFinalTest +decimals = 6 + +[Lido DAO Token] +peggy_denom = peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32 +decimals = 18 + +[MADRA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADAFAKA +decimals = 18 + +[MAGA] +peggy_denom = peggy0x576e2BeD8F7b46D34016198911Cdf9886f78bea7 +decimals = 9 + +[MAN] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/MAN +decimals = 6 + +[MATIC] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/matic +decimals = 18 + +[MBIST] +peggy_denom = factory/inj1gsvgj44zjlj6w890a7huedymh7v96sv839pwsv/MBIST +decimals = 6 + +[MBS] +peggy_denom = factory/inj1wazq0k74kqmll9kzzhy300tc7slxn4t2py2pz9/mysubdenom +decimals = 6 + +[MCN] +peggy_denom = factory/inj1cg3ufnnh7cdj9mnxc5dpvzufcrtckqqec0y5dp/mcn +decimals = 6 + +[MCN1] +peggy_denom = factory/inj1cg3ufnnh7cdj9mnxc5dpvzufcrtckqqec0y5dp/mcn1 +decimals = 6 + +[MEME] +peggy_denom = factory/inj1y2q2m0j65utqr3sr4fd0lh0httm2dv8z0h6qrk/MEME +decimals = 6 + +[MEMEME] +peggy_denom = peggy0x1A963Df363D01EEBB2816b366d61C917F20e1EbE +decimals = 18 + +[MFT] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/mft +decimals = 6 + +[MFZ] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/MFZ +decimals = 6 + +[MHC] +peggy_denom = factory/inj1wqxweeera42jdgxaj44t9apth40t6q52uhadqv/MHC +decimals = 18 + +[MILA] +peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/mila +decimals = 6 + +[MILK] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + +[MIRO] +peggy_denom = factory/inj14vn4n9czlvgpjueznux0a9g2xlqzmrzm4xyl4s/MIRO +decimals = 6 + +[MITHU] +peggy_denom = factory/inj1n50p90fllw0pae3663v6hqagwst063u3m2eczf/MITHU +decimals = 6 + +[MITOKEN] +peggy_denom = factory/inj100z6tw8f2vs8ntrkd8fj4wj3cd6y9usg8dhpmc/subtoken +decimals = 0 + +[MJB] +peggy_denom = factory/inj17z0plmzyrz4zrrfaps99egwqk4xk6kpq4728xg/majin-buu-test +decimals = 6 + +[MM93] +peggy_denom = factory/inj1gpwhwhmeuk4pu7atg9t30e7jc5ywvc58jpe9kc/MM93 +decimals = 6 + +[MONI] +peggy_denom = factory/inj12ecryjw7km6a9w8lvlrlpqg7csl8ax3lgnav9d/MONI +decimals = 6 + +[MOONIFY] +peggy_denom = factory/inj1ktq0gf7altpsf0l2qzql4sfs0vc0ru75cnj3a6/moonify +decimals = 6 + +[MOONLY] +peggy_denom = factory/inj1lypqwz349za88um0m4ltjhgf8q6q8p4y93pv6p/moonly +decimals = 6 + +[MOR] +peggy_denom = factory/inj1g055dn0qmm9qyrnuaryffqe3hu8qja0qnslx87/MOR_test +decimals = 6 + +[MOTHER] +peggy_denom = ibc/984E90A8E0265B9804B7345C7542BF9B3046978AE5557B4AABADDFE605CACABE +decimals = 6 + +[MPEPE] +peggy_denom = mpepe +decimals = 18 + +[MSTR] +peggy_denom = factory/inj176tn6dtrvak9vrqkj2ejysuy5kctc6nphw7sfz/MSTR +decimals = 6 + +[MT] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mt +decimals = 6 + +[MT2] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mitotest2 +decimals = 6 + +[MTS] +peggy_denom = factory/inj1fvgk4zvph04nwjp4z96etek2uvejq3ehdleqz9/MagicTest +decimals = 6 + +[MYTOKEN] +peggy_denom = factory/inj1ef5ddgx4q83a8mmap2gxsc7w5q5pj6rmfhjaex/Mytoken2 +decimals = 6 + +[MitoTest] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/mitotest1 +decimals = 18 + +[MyINJ] +peggy_denom = factory/inj1ddu9unqz0tfazh3js36q0lr0dnhcql8slm3hkg/inj-test +decimals = 6 + +[MytokenTest1] +peggy_denom = factory/inj1ef5ddgx4q83a8mmap2gxsc7w5q5pj6rmfhjaex/MytokenTest1 +decimals = 6 + +[NAFU] +peggy_denom = factory/inj14e53h3c6fmvxlwrzfaewd5p2x7em787s4kgc8g/NAFU +decimals = 6 + +[NANAS] +peggy_denom = factory/inj1zn8qlkjautjt3mvr7xwuvpe6eddqt5w3mak5s7/NANAS +decimals = 6 + +[NANTA] +peggy_denom = factory/inj12ecryjw7km6a9w8lvlrlpqg7csl8ax3lgnav9d/NANTA +decimals = 6 + +[NBLA] +peggy_denom = factory/inj1d0zfq42409a5mhdagjutl8u6u9rgcm4h8zfmfq/nbla +decimals = 6 + +[NBZ] +peggy_denom = ibc/1011E4D6D4800DA9B8F21D7C207C0B0C18E54E614A8576037F066B775210709D +decimals = 6 + +[NBZAIRDROP] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/nbzairdrop +decimals = 0 + +[NEOK] +peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 +decimals = 18 + +[NEX] +peggy_denom = factory/inj1v5ae8r4ax90k75qk7yavfmsv96grynqwyl0xg6/NEX +decimals = 0 + +[NEXO] +peggy_denom = peggy0xB62132e35a6c13ee1EE0f84dC5d40bad8d815206 +decimals = 18 + +[NINJA] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +decimals = 6 + +[NINJB] +peggy_denom = factory/inj1ezzzfm2exjz57hxuc65sl8s3d5y6ee0kxvu67n/ninjb +decimals = 6 + +[NINJI] +peggy_denom = factory/inj1eksclftnrmglhxw7pvjq8wnuhdwn4ykw2nffc2/ninjainu +decimals = 18 + +[NIS] +peggy_denom = factory/inj1qrnmf8dufs4xfln8nmgdqpfn7nvdnz27ntret0/NIS +decimals = 6 + +[NInj] +peggy_denom = factory/inj1kchqyuuk6mnjf4ndqasrswsfngd7jkrpduuyjr/NInj +decimals = 6 + +[NLC] +peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 +decimals = 6 + +[NLT] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/NLT +decimals = 6 + +[NLT2] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/NLT2 +decimals = 6 + +[NLT3] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/NLT3 +decimals = 6 + +[NOBI] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + +[NOBITCHES] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/nobitches +decimals = 6 + +[NOIA] +peggy_denom = peggy0xa8c8CfB141A3bB59FEA1E2ea6B79b5ECBCD7b6ca +decimals = 18 + +[NOIS] +peggy_denom = ibc/DD9182E8E2B13C89D6B4707C7B43E8DB6193F9FF486AFA0E6CF86B427B0D231A +decimals = 6 + +[NONE] +peggy_denom = peggy0x903ff0ba636E32De1767A4B5eEb55c155763D8B7 +decimals = 18 + +[NONJA] +peggy_denom = inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck +decimals = 18 + +[NPEPE] +peggy_denom = factory/inj1ga982yy0wumrlt4nnj79wcgmw7mzvw6jcyecl0/npepe +decimals = 6 + +[NPP] +peggy_denom = factory/inj1wfu4622uhs5kmfws8vse76sxac7qxu3pckhkph/npepe +decimals = 6 + +[NRL] +peggy_denom = factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/NRL +decimals = 6 + +[NT] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/NewToken +decimals = 6 + +[NTR] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/NTR +decimals = 6 + +[Neptune Receipt INJ] +peggy_denom = inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 + +[OCEAN] +peggy_denom = peggy0x967da4048cD07aB37855c090aAF366e4ce1b9F48 +decimals = 18 + +[OLI] +peggy_denom = factory/inj1xhz824048f03pq9zr3dx72zck7fv0r4kg4nr6j/OLI +decimals = 6 + +[OMI] +peggy_denom = peggy0xed35af169af46a02ee13b9d79eb57d6d68c1749e +decimals = 18 + +[OMNI] +peggy_denom = peggy0x36e66fbbce51e4cd5bd3c62b637eb411b18949d4 +decimals = 18 + +[ONE] +peggy_denom = factory/inj127fnqclnf2s2d3trhxc8yzuae6lq4zkfasehr0/ONE +decimals = 1 + +[OP] +peggy_denom = op +decimals = 18 + +[ORAI] +peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 +decimals = 6 + +[ORNE] +peggy_denom = ibc/3D99439444ACDEE71DBC4A774E49DB74B58846CCE31B9A868A7A61E4C14D321E +decimals = 6 + +[OSMO] +peggy_denom = ibc/92E0120F15D037353CFB73C14651FC8930ADC05B93100FD7754D3A689E53B333 +decimals = 6 + +[OX] +peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f +decimals = 18 + +[Ondo US Dollar Yield] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + +[Oraichain] +peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 +decimals = 18 + +[PANZ] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/PANZ +decimals = 6 + +[PAXG] +peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 +decimals = 18 + +[PB] +peggy_denom = factory/inj124edzakrq96vwfxp996d0nkr3dzlcsy84c375w/PB +decimals = 0 + +[PED] +peggy_denom = factory/inj14x449v06kj4fw6s9wnx8ku23zzuazfpkz6a73v/PED +decimals = 6 + +[PENJY] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/penjy +decimals = 6 + +[PEPE] +peggy_denom = peggy0x6982508145454ce325ddbe47a25d4ec3d2311933 +decimals = 18 + +[PHUC] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/phuc +decimals = 6 + +[PHX] +peggy_denom = factory/inj1d9pn8qvfh75fpxw5lkcrmuwh94qlgctzuzp7hv/phoenix +decimals = 6 + +[PIKA] +peggy_denom = factory/inj1h4usvhhva6dgmun9rk4haeh8lynln7yhk6ym00/pika +decimals = 6 + +[PINJA] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/pinja +decimals = 6 + +[PINKIE] +peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE +decimals = 6 + +[PKT] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/PKT +decimals = 6 + +[PLY] +peggy_denom = factory/inj1vumd9aald3efd8jjegwvppedyzmf7k4x3rv3zn/PLY +decimals = 6 + +[PMN] +peggy_denom = factory/inj1xwdmsf2pd3eg6axkdgkjpaq689f9mjun0qvrgt/PMN +decimals = 6 + +[POG] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/pog +decimals = 6 + +[POIL] +peggy_denom = factory/inj1h0ypsdtjfcjynqu3m75z2zwwz5mmrj8rtk2g52/upoil +decimals = 6 + +[POINT] +peggy_denom = factory/inj1zaem9jqplp08hkkd5vcl6vmvala9qury79vfj4/point +decimals = 0 + +[POL] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/POL +decimals = 6 + +[POOL] +peggy_denom = peggy0x0cEC1A9154Ff802e7934Fc916Ed7Ca50bDE6844e +decimals = 18 + +[POOR] +peggy_denom = peggy0x9D433Fa992C5933D6843f8669019Da6D512fd5e9 +decimals = 8 + +[PP] +peggy_denom = factory/inj1p5g2l4gknhnflr5qf0jdrp9snvx747nqttrh6k/pop +decimals = 6 + +[PPenguin] +peggy_denom = factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/PPenguin +decimals = 6 + +[PRI] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/PRI +decimals = 6 + +[PROF] +peggy_denom = factory/inj1tnj7z7ufm5uwtf5n4nzlvxyy93p8shjanj9s8r/Prof +decimals = 6 + +[PROJ] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/proj +decimals = 18 + +[PROJX] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/projx +decimals = 18 + +[PTXE] +peggy_denom = factory/inj1g055dn0qmm9qyrnuaryffqe3hu8qja0qnslx87/PTXE +decimals = 6 + +[PUG] +peggy_denom = peggy0xf9a06dE3F6639E6ee4F079095D5093644Ad85E8b +decimals = 18 + +[PUNK] +peggy_denom = factory/inj1esz96ru3guug4ctmn5chjmkymt979sfvufq0hs/punk +decimals = 6 + +[PVP] +peggy_denom = peggy0x9B44793a0177C84DD01AD81137db696531902871 +decimals = 8 + +[PWH] +peggy_denom = factory/inj1smk28fqgy0jztu066ngfcwqc3lv65xgq79wly8/PWH +decimals = 6 + +[PYTH] +peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 +decimals = 6 + +[PYTHlegacy] +peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +decimals = 6 + +[PYUSD] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[PZZ] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/pzz +decimals = 6 + +[Pep] +peggy_denom = factory/inj1zvy8xrlhe7ex9scer868clfstdv7j6vz790kwa/pepper +decimals = 6 + +[Phuc] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc +decimals = 6 + +[Pikachu] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/pika +decimals = 6 + +[Polkadot] +peggy_denom = inj1spzwwtr2luljr300ng2gu52zg7wn7j44m92mdf +decimals = 10 + +[Polygon] +peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +decimals = 18 + +[Punk Token] +peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 + +[QAQA] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QAQA +decimals = 0 + +[QAT] +peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 +decimals = 18 + +[QATEST] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST +decimals = 6 + +[QATS] +peggy_denom = factory/inj1navfuxj73mzrc8a28uwnwz4x4udzdsv9r5e279/qa-test +decimals = 0 + +[QN] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QN +decimals = 0 + +[QNA] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QNA +decimals = 6 + +[QNT] +peggy_denom = peggy0x4a220e6096b25eadb88358cb44068a3248254675 +decimals = 18 + +[QTUM] +peggy_denom = factory/inj1jgc9ptfwgyapfrr0kgdjjnwpdqck24pp59uma3/QTUM +decimals = 6 + +[QUK] +peggy_denom = factory/inj1y39rszzrs9hpfmt5uwkp6gxyvawrkt4krateru/QUK +decimals = 6 + +[QUNT] +peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt +decimals = 6 + +[RAI] +peggy_denom = peggy0x03ab458634910AaD20eF5f1C8ee96F1D6ac54919 +decimals = 18 + +[RAMEN] +peggy_denom = factory/inj1z5utcc5u90n8a5m8gv30char6j4hdzxz6t3pke/ramen +decimals = 6 + +[RAMENV2] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMENV2 +decimals = 6 + +[RAY] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/RAY +decimals = 6 + +[RBT] +peggy_denom = factory/inj130g9fldgdee4dcqazhuaqxhkr6rx75p8ufrl3m/robo-test +decimals = 6 + +[RD] +peggy_denom = factory/inj1d5p93zzsgr5dwvxfus4hsp3nxz29y99r80905q/ak +decimals = 6 + +[RED] +peggy_denom = factory/inj1xyufatym0y7dlv2qzm7p5rkythh9n6wa588yl6/ReactDev +decimals = 6 + +[REKT] +peggy_denom = factory/inj1cs9k0q8pv0446nxg66tu0u2w26qd52rc5pxvpy/REKT +decimals = 6 + +[RIBBINJ] +peggy_denom = factory/inj1kdcu73qfsaq37x6vfq05a8gqcxftepxyhcvyg5/RIBBINJ +decimals = 9 + +[RIBBIT] +peggy_denom = peggy0xb794Ad95317f75c44090f64955954C3849315fFe +decimals = 18 + +[RICE] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/RICE +decimals = 12 + +[RKO] +peggy_denom = factory/inj1muuaghrdm2rfss9cdpxzhk3v7xqj8ltngrm0xd/RKO +decimals = 6 + +[RON] +peggy_denom = factory/inj1fe2cl7p79g469604u6x5elrphm7k5nruylms52/RON +decimals = 6 + +[ROOT] +peggy_denom = peggy0xa3d4BEe77B05d4a0C943877558Ce21A763C4fa29 +decimals = 6 + +[ROUTE] +peggy_denom = ibc/90FE7A5C905DA053907AEEABAE0C57E64C76D5346EE46F0E3C994C5470D311C0 +decimals = 0 + +[RUNE] +peggy_denom = peggy0x3155BA85D5F96b2d030a4966AF206230e46849cb +decimals = 18 + +[RUNES] +peggy_denom = factory/inj1ewgk2lynac2aa45yldl8cnnyped3ed8y0t76wx/RUNES +decimals = 6 + +[RYN] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/RYN +decimals = 6 + +[SAE] +peggy_denom = factory/inj152mdu38fkkk4fl7ycrpdqxpm63w3ztadgtktyr/sae +decimals = 6 + +[SAGA] +peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 +decimals = 6 + +[SAMOLEANS] +peggy_denom = ibc/6FFBDD9EACD2AC8C3CB7D3BEE5258813BC41AEEEA65C150ECB63E2DDAC8FB454 +decimals = 0 + +[SANTA] +peggy_denom = factory/inj1zvy8xrlhe7ex9scer868clfstdv7j6vz790kwa/santa +decimals = 6 + +[SCRT] +peggy_denom = ibc/0954E1C28EB7AF5B72D24F3BC2B47BBB2FDF91BDDFD57B74B99E133AED40972A +decimals = 6 + +[SDEX] +peggy_denom = peggy0x5DE8ab7E27f6E7A1fFf3E5B337584Aa43961BEeF +decimals = 18 + +[SEI] +peggy_denom = sei +decimals = 6 + +[SEX] +peggy_denom = factory/inj1hqlt3hl54m2qf86r3xzqa4fjsxrylr3sk9gdzq/SEX +decimals = 6 + +[SGINU] +peggy_denom = factory/inj17ejzl5zkkxqt73w7xq90vfta5typu2yk7uj3gw/SGINU +decimals = 6 + +[SHA] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/Sharissa +decimals = 6 + +[SHIB] +peggy_denom = peggy0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE +decimals = 18 + +[SHIBAINU] +peggy_denom = factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/SHIBAINU +decimals = 6 + +[SHITBIT] +peggy_denom = factory/inj169w99uj9psyvhu7zunc5tnp8jjflc53np7vw06/SHITBIT +decimals = 6 + +[SHROOM] +peggy_denom = inj1300xcg9naqy00fujsr9r8alwk7dh65uqu87xm8 +decimals = 18 + +[SHSA] +peggy_denom = factory/inj1t9em6lv5x94w0d66nng6tqkrtrlhcpj9penatm/SHSA +decimals = 6 + +[SHURIKEN] +peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +decimals = 6 + +[SKIPBIDIDOBDOBDOBYESYESYESYES] +peggy_denom = peggy0x5085202d0A4D8E4724Aa98C42856441c3b97Bc6d +decimals = 9 + +[SKk] +peggy_denom = factory/inj10jzww6ws9djfuhpnq8exhzf6um039fcww99myr/SKk +decimals = 6 + +[SLZ] +peggy_denom = factory/inj176tn6dtrvak9vrqkj2ejysuy5kctc6nphw7sfz/SLZ +decimals = 6 + +[SMELLY] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/smelly +decimals = 6 + +[SMR] +peggy_denom = factory/inj105rtd2gweld3ecde79tg4k8f53pe3ekl8n5t3v/SMR +decimals = 6 + +[SNOWY] +peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/snowy +decimals = 6 + +[SNS] +peggy_denom = ibc/4BFB3FB1903142C5A7570EE7697636436E52FDB99AB8ABE0257E178A926E2568 +decimals = 8 + +[SNX] +peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F +decimals = 18 + +[SOL] +peggy_denom = inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 +decimals = 8 + +[SOLlegacy] +peggy_denom = inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +decimals = 8 + +[SOMM] +peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +decimals = 6 + +[SPDR] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/spdr +decimals = 6 + +[SPDR2] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/spdr2 +decimals = 6 + +[SPNG] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/spng +decimals = 6 + +[SPUUN] +peggy_denom = factory/inj1flkktfvf8nxvk300f2z3vxglpllpw59c563pk7/spuun +decimals = 6 + +[SS] +peggy_denom = factory/inj1ujd7rlhp8980lwg74tek7gv4yv4qj4xcvxrx45/SuperSonic +decimals = 6 + +[SS-INJ-test] +peggy_denom = factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/SS-INJ-test +decimals = 6 + +[ST] +peggy_denom = factory/inj15gxryjn2m9yze97lem488qgq2q84vge8eksqfq/supertoken123 +decimals = 6 + +[STARS] +peggy_denom = peggy0xc55c2175E90A46602fD42e931f62B3Acc1A013Ca +decimals = 18 + +[STINJ] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/stinj +decimals = 18 + +[STRD] +peggy_denom = ibc/3FDD002A3A4019B05A33D324B2F29748E77AF501BEA5C96D1F28B2D6755F9F25 +decimals = 6 + +[STT] +peggy_denom = peggy0xaC9Bb427953aC7FDDC562ADcA86CF42D988047Fd +decimals = 18 + +[STX] +peggy_denom = stx +decimals = 6 + +[SUDD] +peggy_denom = factory/inj1vk5fgqjffp7e34elj8dxzwfvfqdtp5yn09gwmz/SUDD +decimals = 6 + +[SUDD2] +peggy_denom = factory/inj1vk5fgqjffp7e34elj8dxzwfvfqdtp5yn09gwmz/SUDD2 +decimals = 6 + +[SUDD3] +peggy_denom = factory/inj1vk5fgqjffp7e34elj8dxzwfvfqdtp5yn09gwmz/SUDD3 +decimals = 6 + +[SUI] +peggy_denom = sui +decimals = 9 + +[SUR] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/SUR +decimals = 6 + +[SUSDT] +peggy_denom = factory/inj14dvet9j73cak22sf7nzgn52ae8z4fdxzsn683v/susdt +decimals = 6 + +[SUSHI] +peggy_denom = inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd +decimals = 18 + +[SWAP] +peggy_denom = peggy0xcc4304a31d09258b0029ea7fe63d032f52e44efe +decimals = 18 + +[Sea] +peggy_denom = factory/inj1xh6c9px2aqg09cnd8ls2wxykm70d7ygxce2czh/Sea +decimals = 6 + +[Shiba INJ] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba inj +decimals = 6 + +[Shinobi] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/nobi +decimals = 6 + +[Shrute] +peggy_denom = factory/inj1dng0drt6hncescgh0vwz22wjlhysn804pxnlar/Shrute +decimals = 6 + +[Shuriken Token] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shuriken +decimals = 6 + +[Solana] +peggy_denom = ibc/A8B0B746B5AB736C2D8577259B510D56B8AF598008F68041E3D634BCDE72BE97 +decimals = 8 + +[Sommelier] +peggy_denom = peggy0xa670d7237398238DE01267472C6f13e5B8010FD1 +decimals = 6 + +[SteadyBTC] +peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d +decimals = 18 + +[SteadyETH] +peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +decimals = 18 + +[Stride Staked Injective] +peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 +decimals = 18 + +[Summoners Arena Essence] +peggy_denom = ibc/0AFCFFE18230E0E703A527F7522223D808EBB0E02FDBC84AAF8A045CD8FE0BBB +decimals = 8 + +[SushiSwap] +peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 +decimals = 18 + +[TAB] +peggy_denom = peggy0x36B3D7ACe7201E28040eFf30e815290D7b37ffaD +decimals = 18 + +[TALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis +decimals = 6 + +[TALKS1N] +peggy_denom = factory/inj1cs9k0q8pv0446nxg66tu0u2w26qd52rc5pxvpy/TALKS1N +decimals = 6 + +[TALKSIN] +peggy_denom = factory/inj1cs9k0q8pv0446nxg66tu0u2w26qd52rc5pxvpy/TALKSIN +decimals = 6 + +[TBT] +peggy_denom = factory/inj1xyfrl7wrsczv7ah5tvvpcwnp3vlc3n9terc9d6/TBT +decimals = 18 + +[TCK] +peggy_denom = factory/inj1fcj6mmsj44wm04ff77kuncqx6vg4cl9qsgugkg/TCHUCA +decimals = 6 + +[TEST] +peggy_denom = factory/inj153aamk0zm4hfmv66pzgf629a9mjs2fyjr46y6q/TEST +decimals = 6 + +[TEST1] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test1 +decimals = 6 + +[TEST10] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test10 +decimals = 6 + +[TEST11] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test11 +decimals = 6 + +[TEST12] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test12 +decimals = 6 + +[TEST1234] +peggy_denom = factory/inj1kgx9rqg7dtl27lqqxyw6q0vvuljulj8gn99tme/test1234 +decimals = 6 + +[TEST13] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test13 +decimals = 6 + +[TEST14] +peggy_denom = factory/inj1mux0he68umjpcy8ltefeuxm9ha2ww3689rv2g4/TEST14 +decimals = 6 + +[TEST2] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test2 +decimals = 6 + +[TEST3] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/test3 +decimals = 6 + +[TEST4] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test4 +decimals = 6 + +[TEST5] +peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/TEST5 +decimals = 9 + +[TEST6] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST6 +decimals = 6 + +[TEST9] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test9 +decimals = 6 + +[TESTES] +peggy_denom = factory/inj19hvtll63gdk7226lcgdthd8w6vkwvy2lygd54s/Testess +decimals = 6 + +[TESTING] +peggy_denom = factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/TESTING +decimals = 6 + +[TESTINTERNAL1] +peggy_denom = factory/inj1hj4nr0jt0mzpawxt5tyajqgwf3pct5552rvkvp/TESTINTERNAL1 +decimals = 6 + +[TESTNETMEMECOIN69] +peggy_denom = factory/inj1u4uuueup7p30zfl9xvslddnen45dg7pylsq4td/TESTNETMEMECOIN69 +decimals = 6 + +[TESTTOKEN] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TestToken1 +decimals = 0 + +[TESTTT] +peggy_denom = factory/inj13njxly446jm3gd8y84qnk3sm6wu0pjjc47mwl6/TESTTT +decimals = 6 + +[TEZ] +peggy_denom = factory/inj10nzx9ke6em2lhsvzakut8tah53m6j3972g4yhm/TEZ +decimals = 6 + +[TEvmos] +peggy_denom = ibc/300B5A980CA53175DBAC918907B47A2885CADD17042AD58209E777217D64AF20 +decimals = 18 + +[TFC] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TFC +decimals = 1 + +[TFT] +peggy_denom = peggy0x05599Ff7e3FC3bbA01e3F378dC9C20CB5Bea2b75 +decimals = 18 + +[TIA] +peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 +decimals = 6 + +[TINJ] +peggy_denom = peggy0x85AbEac4F09762e28a49D7dA91260A46766F4F79 +decimals = 18 + +[TINJT] +peggy_denom = factory/inj1gdxcak50wsvltn3pmcan437kt5hdnm0y480pj0/TINJT +decimals = 6 + +[TITOU] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TITOU +decimals = 6 + +[TITS] +peggy_denom = factory/inj1uacfgkzyjqcwll6l4n5l23y9k0k80alsc2yt0k/TITS +decimals = 6 + +[TIX] +peggy_denom = factory/inj1rw3qvamxgmvyexuz2uhyfa4hukvtvteznxjvke/tix +decimals = 6 + +[TKN] +peggy_denom = peggy0xA4eE602c16C448Dc0D1fc38E6FC12f0d6C672Cbe +decimals = 18 + +[TLKSN] +peggy_denom = factory/inj1cs9k0q8pv0446nxg66tu0u2w26qd52rc5pxvpy/TLKSN +decimals = 6 + +[TMERC] +peggy_denom = factory/inj13xl0ffk4hugh48cpvtxxulvyelv758anhdruw0/TMERC +decimals = 6 + +[TMTT] +peggy_denom = factory/inj135fg9urn32jrddswnlqjuryvsz2l3z7w0xlc3g/TMTT +decimals = 6 + +[TNAM1QXVG64PSVHWUMV3MWRRJFCZ0H3T3274HWGGYZCEE] +peggy_denom = ibc/F5EAC29F246C99F56219AAF6F70A521B9AB0082D8FFC63648744C4BADD28976C +decimals = 0 + +[TOM] +peggy_denom = factory/inj10pdtl2nvatk5we2z8q7jx70mqgz244vwdeljnr/TOM +decimals = 6 + +[TOPE] +peggy_denom = factory/inj18jnrfl0w8j3r9mg0xhs53wqjfn26l4qrx3rw7u/TOPE +decimals = 6 + +[TOR] +peggy_denom = factory/inj18g3fzlzcvm869nfqx6vx3w569l2ehc2x7yd9zn/TOR +decimals = 6 + +[TPINKIE] +peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/TPINKIE +decimals = 6 + +[TREN] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/TREN +decimals = 6 + +[TRIP] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/TRIP +decimals = 18 + +[TRIPP] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/TRIPP +decimals = 6 + +[TRIPPY] +peggy_denom = factory/inj1q2m26a7jdzjyfdn545vqsude3zwwtfrdap5jgz/TRIPPY +decimals = 18 + +[TRUCPI] +peggy_denom = trucpi +decimals = 18 + +[TS] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-demo12 +decimals = 6 + +[TSK] +peggy_denom = factory/inj1uqtnkdsteaxhsjy4xug2t3cklxdaz52nrjmgru/TSK +decimals = 6 + +[TST] +peggy_denom = factory/inj14sllqhu93hvvygte05ucu5am7ugny2gna7sffd/inj-test +decimals = 10 + +[TST2] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST2 +decimals = 6 + +[TST3] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST3 +decimals = 6 + +[TST4] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TST4 +decimals = 0 + +[TST5] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TST5 +decimals = 0 + +[TST6] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST6 +decimals = 6 + +[TSTESTTOKEN] +peggy_denom = factory/inj12ufkkhdg0u5lzxkljdanwn4955ev4ty3nk7l08/TSTESTTOKEN +decimals = 6 + +[TT] +peggy_denom = factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-go +decimals = 18 + +[TTE] +peggy_denom = factory/inj1ks3hnkur9udnjuhf5ra806alm4tz3dmy03qkly/inj-go12 +decimals = 18 + +[TTN] +peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/TESTTOKEN +decimals = 6 + +[TTNY] +peggy_denom = factory/inj1uc2lndfg7qlvhnwkknlnqr37ekwf40xulf4cur/TTNY +decimals = 6 + +[TTTA] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/TTTA +decimals = 6 + +[TTX] +peggy_denom = factory/inj1ayjd8psv86kmfsg7k54rmr2hnrsnczqwc3ecrt/thanhtx +decimals = 6 + +[TUS] +peggy_denom = factory/inj1q3lwaq6wwfv69wdyga0f67vpk824g3a0uzqhqy/TUS +decimals = 6 + +[Terra] +peggy_denom = peggy0xd2877702675e6cEb975b4A1dFf9fb7BAF4C91ea9 +decimals = 6 + +[TerraUSD] +peggy_denom = peggy0xa47c8bf37f92aBed4A126BDA807A7b7498661acD +decimals = 18 + +[Test] +peggy_denom = factory/inj172z2fxya77cfeknz93vv4hxegfdave6g7uz9y9/Test +decimals = 6 + +[Test QAT] +peggy_denom = inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen +decimals = 8 + +[Test1] +peggy_denom = factory/inj1v2py2tvjpkntltgv79jj3mwe3hnqm2pvavu0ed/Test1 +decimals = 6 + +[Test2] +peggy_denom = factory/inj1v2py2tvjpkntltgv79jj3mwe3hnqm2pvavu0ed/Test2 +decimals = 6 + +[TestINJ91] +peggy_denom = factory/inj1yu5nmgrz0tzhlffmlmrff7zx3rfdwlju587vlc/TestINJ91 +decimals = 6 + +[TestInj] +peggy_denom = factory/inj172z2fxya77cfeknz93vv4hxegfdave6g7uz9y9/TestInj +decimals = 6 + +[TestOne] +peggy_denom = factory/inj1tu3en98ngtwlyszd55j50t0y6lpuf6dqf0rz4l/TestOne +decimals = 6 + +[Testeb] +peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/Testeb +decimals = 6 + +[Testnet Tether USDT] +peggy_denom = peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5 +decimals = 6 + +[Tether] +peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 +decimals = 6 + +[Token with fee on transfer] +peggy_denom = peggy0x290FB1D3CFA67A0305608E457B31e368d82F3153 +decimals = 18 + +[Torres] +peggy_denom = factory/inj18wy4ns607slpn728rm88zl6jlrkd5dx48ew6ke/Torres +decimals = 6 + +[UANDR] +peggy_denom = ibc/4EF7835F49907C402631998B8F54FAA007B01999708C54A0F8DAABFAA793DA56 +decimals = 0 + +[UATOM] +peggy_denom = ibc/1738C5DCDE442A5614652C57AEAD4C37BB2E167402A0661754A868F3AE70C1A0 +decimals = 0 + +[ULUNA] +peggy_denom = ibc/3848612C1ADD343CF42B2B4D2D1B68BBE419BCF97E0B6DD29B6C412E2CD23DC5 +decimals = 0 + +[UMA] +peggy_denom = peggy0x04Fa0d235C4abf4BcF4787aF4CF447DE572eF828 +decimals = 18 + +[UNI] +peggy_denom = peggy0x1f9840a85d5aF5bf1D1762F925BDADdC4201F984 +decimals = 18 + +[UNICORN] +peggy_denom = factory/inj1mrdkgz462sq0tvly8vzv0s320g8yyf67crxwdt/corn +decimals = 0 + +[UNOIS] +peggy_denom = ibc/A190CF3FC762D25A46A49E7CB0E998F4A494C7F64A356DA17C25A2D8B0069D3B +decimals = 0 + +[UOSMO] +peggy_denom = ibc/289D9B2071AD91C3E5529F68AF63497E723B506CE2480E0A39A2828D81A75739 +decimals = 0 + +[UPE] +peggy_denom = factory/inj1lahxt4xg8xu2dwjjsagjaj6lsg4q96uhnt2x6n/UPE +decimals = 6 + +[UPHOTON] +peggy_denom = ibc/48BC9C6ACBDFC1EBA034F1859245D53EA4BF74147189D66F27C23BF966335DFB +decimals = 6 + +[UPRYZM] +peggy_denom = ibc/89B44726816D9DB5C77B6D2E2A007A520C002355DA577001C56072EE5A903B05 +decimals = 0 + +[USD Coin] +peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E +decimals = 6 + +[USD Coin (legacy)] +peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk +decimals = 6 + +[USDC] +peggy_denom = peggy0xf9152067989BDc8783fF586624124C05A529A5D1 +decimals = 6 + +[USDC-MPL] +peggy_denom = peggy0xf875aef00C4E21E9Ab4A335eB36A1175Ab00424A +decimals = 6 + +[USDCarb] +peggy_denom = inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r +decimals = 6 + +[USDCbsc] +peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu +decimals = 6 + +[USDCet] +peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +decimals = 6 + +[USDCgateway] +peggy_denom = ibc/7BE71BB68C781453F6BB10114F8E2DF8DC37BA791C502F5389EA10E7BEA68323 +decimals = 6 + +[USDClegacy] +peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 +decimals = 6 + +[USDCpoly] +peggy_denom = inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 +decimals = 6 + +[USDCso] +peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu +decimals = 6 + +[USDT] +peggy_denom = peggy0xC2C527C0CACF457746Bd31B2a698Fe89de2b6d49 +decimals = 6 + +[USDT_31DEC23] +peggy_denom = factory/inj1m8vmsa84ha7up6cx3v7y7jj9egzl3u3vyzqml0/test_denom +decimals = 6 + +[USDTap] +peggy_denom = inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +decimals = 6 + +[USDTbsc] +peggy_denom = inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj +decimals = 6 + +[USDTet] +peggy_denom = inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 +decimals = 6 + +[USDTkv] +peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB +decimals = 6 + +[USDTso] +peggy_denom = inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd +decimals = 6 + +[USDY] +peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 +decimals = 18 + +[USDe] +peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 +decimals = 18 + +[UST] +peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C +decimals = 18 + +[UTK] +peggy_denom = peggy0xdc9Ac3C20D1ed0B540dF9b1feDC10039Df13F99c +decimals = 18 + +[UUSDC] +peggy_denom = ibc/9EBCC3CA961DED955B08D249B01DCB03E4C6D0D31BE98A477716C54CC5DDB51B +decimals = 0 + +[UXION] +peggy_denom = ibc/6AB81EFD48DC233A206FAD0FB6F2691A456246C4A7F98D0CD37E2853DD0493EA +decimals = 0 + +[Unknown] +peggy_denom = unknown +decimals = 0 + +[VATRENI] +peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay +decimals = 8 + +[VDRR] +peggy_denom = factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/Vaderr +decimals = 6 + +[VIC] +peggy_denom = factory/inj17l29rphqjy0fwud3xq4sf2zxhnhj4ue87df9u9/VIC +decimals = 6 + +[VICx] +peggy_denom = factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/VICx +decimals = 6 + +[VRD] +peggy_denom = peggy0xf25304e75026E6a35FEDcA3B0889aE5c4D3C55D8 +decimals = 18 + +[VVV] +peggy_denom = factory/inj1kezz4smdtr3t0v49d5qyt3ksd2emc594p7ftsx/VVV +decimals = 6 + +[W] +peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 +decimals = 6 + +[W3B] +peggy_denom = factory/inj1m7l6lmuf889k6vexvx74wrzuht2u8veclvy9hs/W3B +decimals = 6 + +[WAGMI] +peggy_denom = factory/inj188veuqed0dygkcmq5d24u3807n6csv4wdv28gh/wagmi +decimals = 9 + +[WAIFU] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifu +decimals = 6 + +[WASSIE] +peggy_denom = peggy0x2c95d751da37a5c1d9c5a7fd465c1d50f3d96160 +decimals = 18 + +[WFD] +peggy_denom = factory/inj1zj8dd6lu96lep97hguuch3lzwkcgr7edj0sjg2/WFD +decimals = 6 + +[WGMI] +peggy_denom = factory/inj1rmjzj9fn47kdmfk4f3z39qr6czexxe0yjyc546/wgmi +decimals = 6 + +[WHALE] +peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 +decimals = 6 + +[WHAT] +peggy_denom = peggy0x69aa609A08ad451d45009834874C8c6D459d7731 +decimals = 9 + +[WIF] +peggy_denom = wif +decimals = 6 + +[WIZZ] +peggy_denom = factory/inj1uvfpvnmuqhx8jwg4786y59tkagmph827h38mst/wizz +decimals = 6 + +[WKLAY] +peggy_denom = inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 +decimals = 8 + +[WMATIC] +peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC +decimals = 8 + +[WMATIClegacy] +peggy_denom = inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 + +[WNINJ] +peggy_denom = factory/inj1gzg7vp5yds59hqw7swncz43zuktpx9jdmdlmmf/wnINJ +decimals = 18 + +[WONKA] +peggy_denom = factory/inj189hl8wqhf89r2l6x9arhtj2n8zx73cmsmts6pc/wonka +decimals = 6 + +[WOSMO] +peggy_denom = ibc/DD648F5D3CDA56D0D8D8820CF703D246B9FC4007725D8B38D23A21FF1A1477E3 +decimals = 6 + +[WSB] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-WSB +decimals = 6 + +[WSTETH] +peggy_denom = peggy0x7f39c581f595b53c5cb19bd0b3f8da6c935e2ca0 +decimals = 18 + +[War] +peggy_denom = factory/inj10ehr7vet33h9ezphsk6uufm4wqg50sp93pqqe8/War +decimals = 6 + +[Wrapped Bitcoin] +peggy_denom = inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku +decimals = 18 + +[Wrapped Ethereum] +peggy_denom = inj1k9r62py07wydch6sj5sfvun93e4qe0lg7jyatc +decimals = 8 + +[XAC] +peggy_denom = peggy0xDe4C5a791913838027a2185709E98c5C6027EA63 +decimals = 8 + +[XAG] +peggy_denom = xag +decimals = 6 + +[XAU] +peggy_denom = xau +decimals = 6 + +[XBX] +peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 +decimals = 18 + +[XIII] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIII +decimals = 6 + +[XIII-COMBINED] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIII-COMBINED +decimals = 6 + +[XIII-FINAL] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIII-FINAL +decimals = 6 + +[XIIItest] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIIItest +decimals = 6 + +[XIV] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIV +decimals = 6 + +[XIV-TEST1] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIV-TEST1 +decimals = 6 + +[XNJ] +peggy_denom = inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar +decimals = 18 + +[XPLA] +peggy_denom = inj1j08452mqwadp8xu25kn9rleyl2gufgfjqjvewe +decimals = 8 + +[XPRT] +peggy_denom = ibc/B786E7CBBF026F6F15A8DA248E0F18C62A0F7A70CB2DABD9239398C8B5150ABB +decimals = 6 + +[XRP] +peggy_denom = peggy0x1d2f0da169ceb9fc7b3144628db156f3f6c60dbe +decimals = 18 + +[XTALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis +decimals = 6 + +[XTBV4] +peggy_denom = peggy0x33132640fF610A2E362856530a2D1E5d60FAe191 +decimals = 18 + +[YFI] +peggy_denom = peggy0x0bc529c00C6401aEF6D220BE8C6Ea1667F6Ad93e +decimals = 18 + +[YOHOHO] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/yoyo +decimals = 18 + +[YOLO] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/YOLO +decimals = 6 + +[YOMI] +peggy_denom = factory/inj1tlqtznd9gh0a53krerduzdsfadafamag0svccu/YoshiMitsu +decimals = 6 + +[YUE] +peggy_denom = factory/inj1la29j54twr2mucn2z6dewmhcpy3m20sud79fut/YUE +decimals = 15 + +[YUKI] +peggy_denom = factory/inj1spdy83ds5ezq9rvtg0ndy8480ad5rlczcpvtu2/yuki +decimals = 6 + +[ZEN] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/zen +decimals = 18 + +[ZIG] +peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 +decimals = 18 + +[ZIN] +peggy_denom = factory/inj1xqtgc8v3w5yzcr5w5f40k8exp5j4k0uhumn5fh/ZIN +decimals = 6 + +[ZIP] +peggy_denom = factory/inj169w99uj9psyvhu7zunc5tnp8jjflc53np7vw06/ZIP +decimals = 6 + +[ZK] +peggy_denom = zk +decimals = 18 + +[ZNA] +peggy_denom = factory/inj1muuaghrdm2rfss9cdpxzhk3v7xqj8ltngrm0xd/ZNA +decimals = 18 + +[ZOZY] +peggy_denom = factory/inj1nmdqvm2vcxtzal44f62hcv9sthsaunupdpuxlg/ZOZY +decimals = 6 + +[ZRO] +peggy_denom = zro +decimals = 6 + +[ZRX] +peggy_denom = peggy0xE41d2489571d322189246DaFA5ebDe1F4699F498 +decimals = 18 + +[Zorro] +peggy_denom = factory/inj1v58n67dssmd5g3eva6dxmenm7g4qp2t7zkht94/Zorro +decimals = 0 + +[abcefz] +peggy_denom = factory/inj1wd3xjvya2tdvh3zscdu8sewdys4zv0ruqld06f/abcefz +decimals = 0 + +[adfadf] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/fadsf +decimals = 6 + +[adfasf] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/adfasf +decimals = 6 + +[afdf] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/afda +decimals = 6 + +[ahwtf] +peggy_denom = factory/inj1tvwa4ug70d26k84y2zkvzykyu3vuce5lp2f60d/ahwtf +decimals = 6 + +[ankara] +peggy_denom = factory/inj1hslxdwcszyjesl0e7q339qvqme8jtpkgvfw667/ankara +decimals = 6 + +[arkSYN] +peggy_denom = factory/inj17ghwrdm2u2xsv8emlltqz3h3s6wvqcsdptr38z/arkSYN +decimals = 18 + +[as] +peggy_denom = factory/inj122qtfcjfx9suvgr5s7rtqgfy8xvtjhm8uc4x9f/aaa2 +decimals = 0 + +[axlUSDC] +peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 +decimals = 6 + +[bab] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/bab +decimals = 6 + +[band] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Vote-0 +decimals = 6 + +[bbk] +peggy_denom = factory/inj19lpvmsjush9l03csrkky9xynejfv229h5mttut/bbk +decimals = 6 + +[bdlsj] +peggy_denom = factory/inj18skkzztnku04f9cmscg2hwsj6xrau73lvjtklk/bdlsj +decimals = 6 + +[bior] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/nnn +decimals = 6 + +[bzb] +peggy_denom = factory/inj19lpvmsjush9l03csrkky9xynejfv229h5mttut/bzb +decimals = 6 + +[como] +peggy_denom = factory/inj1pp0vx4nd96fdqw2kyj44ytx6xx7yu0368m5lpv/como +decimals = 6 + +[cook] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/cook +decimals = 6 + +[cookie] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/cookie +decimals = 6 + +[cxld] +peggy_denom = factory/inj1gsvgj44zjlj6w890a7huedymh7v96sv839pwsv/cxld +decimals = 6 + +[cxlddd] +peggy_denom = factory/inj1gsvgj44zjlj6w890a7huedymh7v96sv839pwsv/cxlddd +decimals = 6 + +[dINJ] +peggy_denom = inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 + +[dWIF] +peggy_denom = factory/inj1gdvjnrz6xx9ag293syafjjfk4t9pn73kmufxn3/dWIF +decimals = 6 + +[dYdX] +peggy_denom = peggy0x92d6c1e31e14520e676a687f0a93788b716beff5 +decimals = 18 + +[ddd] +peggy_denom = factory/inj1e3m5wx60p2q0tjyg976c805tnt60xdx4cqmskj/ddd +decimals = 6 + +[dfdf] +peggy_denom = factory/inj1js6xyr58llrsme8zwydk2u6jty95q0d3aqhrq6/dfdf +decimals = 6 + +[dffd] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/dffd +decimals = 6 + +[diesel] +peggy_denom = factory/inj14830p49gtge4tdxs2t8jujzlc3c08evgx0h9uv/diesel +decimals = 6 + +[ezETH] +peggy_denom = peggy0xbf5495Efe5DB9ce00f80364C8B423567e58d2110 +decimals = 18 + +[fINJ] +peggy_denom = factory/inj1znf9vj0gjl0uhewdqa7eqyvrjgmyqvmc7tvwrm/test +decimals = 0 + +[fUSDT] +peggy_denom = peggy0x81994b9607e06ab3d5cF3AffF9a67374f05F27d7 +decimals = 8 + +[factory/inj104y00apw6uu26gthl7cafztdy67hhmwksekdem/position] +peggy_denom = factory/inj104y00apw6uu26gthl7cafztdy67hhmwksekdem/position +decimals = 0 + +[factory/inj106rseec0xmv5k06aaf8jsnr57ajw76rxa3gpwm/position] +peggy_denom = factory/inj106rseec0xmv5k06aaf8jsnr57ajw76rxa3gpwm/position +decimals = 0 + +[factory/inj107aqkjc3t5r3l9j4n9lgrma5tm3jav8qgppz6m/position] +peggy_denom = factory/inj107aqkjc3t5r3l9j4n9lgrma5tm3jav8qgppz6m/position +decimals = 0 + +[factory/inj107skcseta3egagj822d3qdgusx7a7ua7sepmcf/position] +peggy_denom = factory/inj107skcseta3egagj822d3qdgusx7a7ua7sepmcf/position +decimals = 0 + +[factory/inj107srzqksjtdevlpw888vuyrnqmlpjuv64ytm85/position] +peggy_denom = factory/inj107srzqksjtdevlpw888vuyrnqmlpjuv64ytm85/position +decimals = 0 + +[factory/inj108kv68d4x747v4ap0l66ckyn963gedc4qvwml7/position] +peggy_denom = factory/inj108kv68d4x747v4ap0l66ckyn963gedc4qvwml7/position +decimals = 0 + +[factory/inj108t3mlej0dph8er6ca2lq5cs9pdgzva5mqsn5p/position] +peggy_denom = factory/inj108t3mlej0dph8er6ca2lq5cs9pdgzva5mqsn5p/position +decimals = 0 + +[factory/inj109rcepnmg7ewjcc4my3448jm3h0yjdwcl6kmnl/position] +peggy_denom = factory/inj109rcepnmg7ewjcc4my3448jm3h0yjdwcl6kmnl/position +decimals = 0 + +[factory/inj10ajd3f46mp755wmhgke8w4vcegfjndwfzymf82/position] +peggy_denom = factory/inj10ajd3f46mp755wmhgke8w4vcegfjndwfzymf82/position +decimals = 0 + +[factory/inj10fz2cj00ee80y76pdzg06dxfamat8nfpr9vl5s/position] +peggy_denom = factory/inj10fz2cj00ee80y76pdzg06dxfamat8nfpr9vl5s/position +decimals = 0 + +[factory/inj10g45te2l6s77jzxszjp9q6tsnn23l5suhnqmdz/position] +peggy_denom = factory/inj10g45te2l6s77jzxszjp9q6tsnn23l5suhnqmdz/position +decimals = 0 + +[factory/inj10hmmvlqq6rrlf2c2v982d6xqsns4m3sy086r27/position] +peggy_denom = factory/inj10hmmvlqq6rrlf2c2v982d6xqsns4m3sy086r27/position +decimals = 0 + +[factory/inj10ngu4y3t2zvn4xjfsmm73gvf03mcscrtrgjp0t/ak] +peggy_denom = factory/inj10ngu4y3t2zvn4xjfsmm73gvf03mcscrtrgjp0t/ak +decimals = 6 + +[factory/inj10nv20xe4x325sq557ddcmsyla7zaj6pnssrfw9/position] +peggy_denom = factory/inj10nv20xe4x325sq557ddcmsyla7zaj6pnssrfw9/position +decimals = 0 + +[factory/inj10p8ma8z6nrwm4u7kjn8gcc3dcm490sgp0d24az/position] +peggy_denom = factory/inj10p8ma8z6nrwm4u7kjn8gcc3dcm490sgp0d24az/position +decimals = 0 + +[factory/inj10r5lmqqu7qznvpffxkpwgxk0d3yrj82nj8gukz/position] +peggy_denom = factory/inj10r5lmqqu7qznvpffxkpwgxk0d3yrj82nj8gukz/position +decimals = 0 + +[factory/inj10u2e7h04fxlklnk34kjwuwfexmq8g8fke8zye8/position] +peggy_denom = factory/inj10u2e7h04fxlklnk34kjwuwfexmq8g8fke8zye8/position +decimals = 0 + +[factory/inj10u9gdgvqm90uh2ry27phtp3enhcxkwrvw0upq4/position] +peggy_denom = factory/inj10u9gdgvqm90uh2ry27phtp3enhcxkwrvw0upq4/position +decimals = 0 + +[factory/inj10uycavvkc4uqr8tns3599r0t2xux4rz3y8apym/1684002313InjUsdt1d110C] +peggy_denom = factory/inj10uycavvkc4uqr8tns3599r0t2xux4rz3y8apym/1684002313InjUsdt1d110C +decimals = 0 + +[factory/inj10v8zx4v6sgv86v9gvrm8xuv82yut469jhgahch/position] +peggy_denom = factory/inj10v8zx4v6sgv86v9gvrm8xuv82yut469jhgahch/position +decimals = 0 + +[factory/inj10vkkttgxdeqcgeppu20x9qtyvuaxxev8qh0awq/usdt] +peggy_denom = factory/inj10vkkttgxdeqcgeppu20x9qtyvuaxxev8qh0awq/usdt +decimals = 6 + +[factory/inj10xw27amgy7lc55r4g3z2uyxqm0p0l5xyeajvq6/position] +peggy_denom = factory/inj10xw27amgy7lc55r4g3z2uyxqm0p0l5xyeajvq6/position +decimals = 0 + +[factory/inj120xfj9muh5x5kxujgz2xwqh70zc034jt4cpjl0/position] +peggy_denom = factory/inj120xfj9muh5x5kxujgz2xwqh70zc034jt4cpjl0/position +decimals = 0 + +[factory/inj12264e59fxnly8dlfyq8eyhx4nuqcfejukwkr0d/ak] +peggy_denom = factory/inj12264e59fxnly8dlfyq8eyhx4nuqcfejukwkr0d/ak +decimals = 0 + +[factory/inj122qtfcjfx9suvgr5s7rtqgfy8xvtjhm8uc4x9f/am] +peggy_denom = factory/inj122qtfcjfx9suvgr5s7rtqgfy8xvtjhm8uc4x9f/am +decimals = 0 + +[factory/inj122qtfcjfx9suvgr5s7rtqgfy8xvtjhm8uc4x9f/ma] +peggy_denom = factory/inj122qtfcjfx9suvgr5s7rtqgfy8xvtjhm8uc4x9f/ma +decimals = 0 + +[factory/inj123mw4nhxxm69rl9pvzdhrasjjqs6suyj2qjpyj/position] +peggy_denom = factory/inj123mw4nhxxm69rl9pvzdhrasjjqs6suyj2qjpyj/position +decimals = 0 + +[factory/inj125a0l6yk05z3jwvjfjh78tlkjm4kn6ndduxjnk/DGNZ] +peggy_denom = factory/inj125a0l6yk05z3jwvjfjh78tlkjm4kn6ndduxjnk/DGNZ +decimals = 6 + +[factory/inj1275nlajjvqllkeupd65raqq3jcnm68qtzr8x8w/position] +peggy_denom = factory/inj1275nlajjvqllkeupd65raqq3jcnm68qtzr8x8w/position +decimals = 0 + +[factory/inj12e7m2n4fspavdxm5c35wakwq54se9vadufytv3/position] +peggy_denom = factory/inj12e7m2n4fspavdxm5c35wakwq54se9vadufytv3/position +decimals = 0 + +[factory/inj12f9v6rpd937gl8rggjprtd8egnt82yjwc9nu67/position] +peggy_denom = factory/inj12f9v6rpd937gl8rggjprtd8egnt82yjwc9nu67/position +decimals = 0 + +[factory/inj12h28c3a97savf42w0tarnjh9wza2wyx8v00r0n/position] +peggy_denom = factory/inj12h28c3a97savf42w0tarnjh9wza2wyx8v00r0n/position +decimals = 0 + +[factory/inj12hlpupnx80wj2ummwrjuw99mvr8a2z7us28n0g/position] +peggy_denom = factory/inj12hlpupnx80wj2ummwrjuw99mvr8a2z7us28n0g/position +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/rew1] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/rew1 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/rew3] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/rew3 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward1] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward1 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward2] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward2 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward3] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward3 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward4] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/reward4 +decimals = 0 + +[factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/test1] +peggy_denom = factory/inj12nn88vtuf893cpfkke23dszpr5uccqj2zqukt6/test1 +decimals = 0 + +[factory/inj12q3yjpr4rapsry7ccrmmrlgktn5dczca0c2upn/position] +peggy_denom = factory/inj12q3yjpr4rapsry7ccrmmrlgktn5dczca0c2upn/position +decimals = 0 + +[factory/inj12rh3d4xdhlvpqenrd04qhefcmxjsqpnewz3r6c/position] +peggy_denom = factory/inj12rh3d4xdhlvpqenrd04qhefcmxjsqpnewz3r6c/position +decimals = 0 + +[factory/inj12v9093vclva8930h4ptagh5pz7zg5wx5ch6d4g/position] +peggy_denom = factory/inj12v9093vclva8930h4ptagh5pz7zg5wx5ch6d4g/position +decimals = 0 + +[factory/inj12vdzxz9cngv3r250y0snwmc5w7u6dfpfvdw75s/SORA] +peggy_denom = factory/inj12vdzxz9cngv3r250y0snwmc5w7u6dfpfvdw75s/SORA +decimals = 0 + +[factory/inj12ve3saad36nr0jnj4whslpvct8adecydx8cxvh/position] +peggy_denom = factory/inj12ve3saad36nr0jnj4whslpvct8adecydx8cxvh/position +decimals = 0 + +[factory/inj12z248hyzzmpx57z7qfa075gv6mh6efqhfh9xda/position] +peggy_denom = factory/inj12z248hyzzmpx57z7qfa075gv6mh6efqhfh9xda/position +decimals = 0 + +[factory/inj12z5ym8nuu4g6xw48rjd25unkx3fa596qhvq7j3/position] +peggy_denom = factory/inj12z5ym8nuu4g6xw48rjd25unkx3fa596qhvq7j3/position +decimals = 0 + +[factory/inj130y99nqtke8hs2y7lksq8hq83rlvuf2ls8dxrw/ak] +peggy_denom = factory/inj130y99nqtke8hs2y7lksq8hq83rlvuf2ls8dxrw/ak +decimals = 6 + +[factory/inj133psax2mn2sx3gwl2jz46mjye4ykf60tqktwsj/position] +peggy_denom = factory/inj133psax2mn2sx3gwl2jz46mjye4ykf60tqktwsj/position +decimals = 0 + +[factory/inj134g8gmtnp9d30k8kas06p2lu74pv73hwnj9acp/position] +peggy_denom = factory/inj134g8gmtnp9d30k8kas06p2lu74pv73hwnj9acp/position +decimals = 0 + +[factory/inj1372sy27ey4y7smdmxvqjqxd9zfvj0m92pndq37/position] +peggy_denom = factory/inj1372sy27ey4y7smdmxvqjqxd9zfvj0m92pndq37/position +decimals = 0 + +[factory/inj1379wdcffrl3k9peggxz90z2exra3xzyt4khpdq/position] +peggy_denom = factory/inj1379wdcffrl3k9peggxz90z2exra3xzyt4khpdq/position +decimals = 0 + +[factory/inj137ag64fnuy3t0eezuep6uzh5e54nmg6lh97vdn/position] +peggy_denom = factory/inj137ag64fnuy3t0eezuep6uzh5e54nmg6lh97vdn/position +decimals = 0 + +[factory/inj137ymec4et82mk456v287s90ktl3zneajhda02j/position] +peggy_denom = factory/inj137ymec4et82mk456v287s90ktl3zneajhda02j/position +decimals = 0 + +[factory/inj1389hh5y5vy9sycdpja6l8lddhxft80srafdvs5/bINJ] +peggy_denom = factory/inj1389hh5y5vy9sycdpja6l8lddhxft80srafdvs5/bINJ +decimals = 0 + +[factory/inj13a3f3s2ts0vv6f07anaxrv8275hea5nydfy7mn/position] +peggy_denom = factory/inj13a3f3s2ts0vv6f07anaxrv8275hea5nydfy7mn/position +decimals = 0 + +[factory/inj13arjxgukmeadxuphhzfe3nc3m0e4prcjhyhq0v/position] +peggy_denom = factory/inj13arjxgukmeadxuphhzfe3nc3m0e4prcjhyhq0v/position +decimals = 0 + +[factory/inj13gcmxkhstgc932m5dw7t5nvsgq0xs4jjth02ru/position] +peggy_denom = factory/inj13gcmxkhstgc932m5dw7t5nvsgq0xs4jjth02ru/position +decimals = 0 + +[factory/inj13gpnyear408r74gz67tkufqxerzmleze4jpzk4/position] +peggy_denom = factory/inj13gpnyear408r74gz67tkufqxerzmleze4jpzk4/position +decimals = 0 + +[factory/inj13grw8z57336maklzmcrtqdavl3f0l2krdje7la/position] +peggy_denom = factory/inj13grw8z57336maklzmcrtqdavl3f0l2krdje7la/position +decimals = 0 + +[factory/inj13hvnqrr68qghfqqrnuupqapjf3jdcn8s3ydnd4/position] +peggy_denom = factory/inj13hvnqrr68qghfqqrnuupqapjf3jdcn8s3ydnd4/position +decimals = 0 + +[factory/inj13hzl5jn3snav6caduvs7nnu9aq29djqvvahmfl/position] +peggy_denom = factory/inj13hzl5jn3snav6caduvs7nnu9aq29djqvvahmfl/position +decimals = 0 + +[factory/inj13jktgp099d9nn05tapg2sk3p6lry5un3gt2khm/position] +peggy_denom = factory/inj13jktgp099d9nn05tapg2sk3p6lry5un3gt2khm/position +decimals = 0 + +[factory/inj13kg0eejq4cea4xrn6hgwxh9qejxpu3m66vgjg7/1716285818InjUsdt2d0.95P] +peggy_denom = factory/inj13kg0eejq4cea4xrn6hgwxh9qejxpu3m66vgjg7/1716285818InjUsdt2d0.95P +decimals = 0 + +[factory/inj13ll3ymyvcpx3psw0lw6eft7rvl8j59e5cgtrl6/position] +peggy_denom = factory/inj13ll3ymyvcpx3psw0lw6eft7rvl8j59e5cgtrl6/position +decimals = 0 + +[factory/inj13lpntvupm345s50ry2pqp0wanqgxqdt5d6p8lx/position] +peggy_denom = factory/inj13lpntvupm345s50ry2pqp0wanqgxqdt5d6p8lx/position +decimals = 0 + +[factory/inj13m8k8z8yprd8ml8nehgdgaszgpkdfj600hhnp9/test] +peggy_denom = factory/inj13m8k8z8yprd8ml8nehgdgaszgpkdfj600hhnp9/test +decimals = 0 + +[factory/inj13mk0qhujr7jrmfa6ythmu9am6kjnlh6c56v65x/position] +peggy_denom = factory/inj13mk0qhujr7jrmfa6ythmu9am6kjnlh6c56v65x/position +decimals = 0 + +[factory/inj13n6u7985zal9jdncfyqpk9mvk06gwnuscxdv9m/position] +peggy_denom = factory/inj13n6u7985zal9jdncfyqpk9mvk06gwnuscxdv9m/position +decimals = 0 + +[factory/inj13q53lemdwyzk075g0plmrxauk8xzl90rcnzvy3/position] +peggy_denom = factory/inj13q53lemdwyzk075g0plmrxauk8xzl90rcnzvy3/position +decimals = 0 + +[factory/inj13qw7vw4zwaup4l66d4x3nv237rp5lz76lry5rt/position] +peggy_denom = factory/inj13qw7vw4zwaup4l66d4x3nv237rp5lz76lry5rt/position +decimals = 0 + +[factory/inj13rrx4978c09yauvszy2k6velzpxj5u9wqmvzfa/position] +peggy_denom = factory/inj13rrx4978c09yauvszy2k6velzpxj5u9wqmvzfa/position +decimals = 0 + +[factory/inj13s80vf90lu5x0wh4p0uccshwaajhd0v9y58kxh/position] +peggy_denom = factory/inj13s80vf90lu5x0wh4p0uccshwaajhd0v9y58kxh/position +decimals = 0 + +[factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/LAMA] +peggy_denom = factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/LAMA +decimals = 6 + +[factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/TEST] +peggy_denom = factory/inj13s8gyvm86p7tfcv6zcx5sjqgx4ruwfz8vy3hnm/TEST +decimals = 6 + +[factory/inj13uegzntzhvesqgutkste6y483dznrlsc70ymvk/position] +peggy_denom = factory/inj13uegzntzhvesqgutkste6y483dznrlsc70ymvk/position +decimals = 0 + +[factory/inj13urjtxzgfy6g6x85ewpuq97jd9r7q92plp9s37/position] +peggy_denom = factory/inj13urjtxzgfy6g6x85ewpuq97jd9r7q92plp9s37/position +decimals = 0 + +[factory/inj13wp96prwk7dvh5ekrlld896xnawd38gn8jnydh/position] +peggy_denom = factory/inj13wp96prwk7dvh5ekrlld896xnawd38gn8jnydh/position +decimals = 0 + +[factory/inj13ylj40uqx338u5xtccujxystzy39q08q2gz3dx/lp] +peggy_denom = factory/inj13ylj40uqx338u5xtccujxystzy39q08q2gz3dx/lp +decimals = 0 + +[factory/inj13yzzxz90naqer4utnp03zlj5rguhu7v0hd2jzl/ak] +peggy_denom = factory/inj13yzzxz90naqer4utnp03zlj5rguhu7v0hd2jzl/ak +decimals = 0 + +[factory/inj144hz9eva0vg5e69lfe5c8j6jusm4z2mvjjc9vy/position] +peggy_denom = factory/inj144hz9eva0vg5e69lfe5c8j6jusm4z2mvjjc9vy/position +decimals = 0 + +[factory/inj14558npfqefc5e3qye4arcs49falh0vusyknz7m/position] +peggy_denom = factory/inj14558npfqefc5e3qye4arcs49falh0vusyknz7m/position +decimals = 0 + +[factory/inj146w955lesh75vampgn23eccy9yzaf46yaa60nh/position] +peggy_denom = factory/inj146w955lesh75vampgn23eccy9yzaf46yaa60nh/position +decimals = 0 + +[factory/inj147dmmltelpvkjcfneg5r4q66glhe2rmr2hmm59/lp] +peggy_denom = factory/inj147dmmltelpvkjcfneg5r4q66glhe2rmr2hmm59/lp +decimals = 0 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-demo13] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-demo13 +decimals = 6 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-erc] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-erc +decimals = 0 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-fct] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-fct +decimals = 0 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test +decimals = 0 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test2] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test2 +decimals = 0 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test3] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test3 +decimals = 6 + +[factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test4] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-test4 +decimals = 6 + +[factory/inj147z3gktuc897hg9hp9razjqyj9uxfhhlck8y45/usdt] +peggy_denom = factory/inj147z3gktuc897hg9hp9razjqyj9uxfhhlck8y45/usdt +decimals = 0 + +[factory/inj14arqtqs4g4k6l6xhm37ga7dnks4l5ctd8n7hvv/position] +peggy_denom = factory/inj14arqtqs4g4k6l6xhm37ga7dnks4l5ctd8n7hvv/position +decimals = 0 + +[factory/inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku/phuc] +peggy_denom = factory/inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku/phuc +decimals = 6 + +[factory/inj14dvet9j73cak22sf7nzgn52ae8z4fdxzsn683v/asg] +peggy_denom = factory/inj14dvet9j73cak22sf7nzgn52ae8z4fdxzsn683v/asg +decimals = 8 + +[factory/inj14g9kg0smwfhmrg86sun8pegs5jemd0ngpnl0jr/position] +peggy_denom = factory/inj14g9kg0smwfhmrg86sun8pegs5jemd0ngpnl0jr/position +decimals = 0 + +[factory/inj14gtwrd65zehu99cka0j65597jglgvmdxcwmvps/position] +peggy_denom = factory/inj14gtwrd65zehu99cka0j65597jglgvmdxcwmvps/position +decimals = 0 + +[factory/inj14gzpam4a5cvy49g3kht9sj4rq4lxqcn50zh3zt/position] +peggy_denom = factory/inj14gzpam4a5cvy49g3kht9sj4rq4lxqcn50zh3zt/position +decimals = 0 + +[factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TestToken] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TestToken +decimals = 0 + +[factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TestToken2] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/TestToken2 +decimals = 6 + +[factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/test1] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/test1 +decimals = 0 + +[factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/tst2] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/tst2 +decimals = 0 + +[factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/tst3] +peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/tst3 +decimals = 0 + +[factory/inj14mm2x4azr024pte5pn74dpasxlvpf29s6k8gvj/uLP] +peggy_denom = factory/inj14mm2x4azr024pte5pn74dpasxlvpf29s6k8gvj/uLP +decimals = 0 + +[factory/inj14pr5qwg66mayechldze8dsm0garek6z4jng6et/position] +peggy_denom = factory/inj14pr5qwg66mayechldze8dsm0garek6z4jng6et/position +decimals = 0 + +[factory/inj14qzjk7c9a0wyl6kjhs74zg2hcv7vzc9025dwtu/position] +peggy_denom = factory/inj14qzjk7c9a0wyl6kjhs74zg2hcv7vzc9025dwtu/position +decimals = 0 + +[factory/inj14rzuvnd8al6f7jjfz3k54vkdtrrgvea8q8u0al/position] +peggy_denom = factory/inj14rzuvnd8al6f7jjfz3k54vkdtrrgvea8q8u0al/position +decimals = 0 + +[factory/inj14scx0fjp8m6ssn34ql8353yzpq3l4gmk9eycx3/position] +peggy_denom = factory/inj14scx0fjp8m6ssn34ql8353yzpq3l4gmk9eycx3/position +decimals = 0 + +[factory/inj14sllqhu93hvvygte05ucu5am7ugny2gna7sffd/inj-test2] +peggy_denom = factory/inj14sllqhu93hvvygte05ucu5am7ugny2gna7sffd/inj-test2 +decimals = 10 + +[factory/inj14sllqhu93hvvygte05ucu5am7ugny2gna7sffd/inj-test3] +peggy_denom = factory/inj14sllqhu93hvvygte05ucu5am7ugny2gna7sffd/inj-test3 +decimals = 10 + +[factory/inj14sxssk5tzx8ttq3msj2jl29kv60znk4c40nq59/position] +peggy_denom = factory/inj14sxssk5tzx8ttq3msj2jl29kv60znk4c40nq59/position +decimals = 0 + +[factory/inj14t478a7rap97aukq2da92qch7u7g2l5pfqjshc/position] +peggy_denom = factory/inj14t478a7rap97aukq2da92qch7u7g2l5pfqjshc/position +decimals = 0 + +[factory/inj14tccfnp5rfzhm6y6c97juheal6uancftmtpdvd/position] +peggy_denom = factory/inj14tccfnp5rfzhm6y6c97juheal6uancftmtpdvd/position +decimals = 0 + +[factory/inj14u5f88vmk2zl7xjjg8y57yek0sr9ardm0uac06/position] +peggy_denom = factory/inj14u5f88vmk2zl7xjjg8y57yek0sr9ardm0uac06/position +decimals = 0 + +[factory/inj14xya2gezzxnfy0mqtgl9uh3sk27tzfkt89ldhc/position] +peggy_denom = factory/inj14xya2gezzxnfy0mqtgl9uh3sk27tzfkt89ldhc/position +decimals = 0 + +[factory/inj14y95s7mdpke2jc7m4sqfykzwm3sujugz0dh5m7/position] +peggy_denom = factory/inj14y95s7mdpke2jc7m4sqfykzwm3sujugz0dh5m7/position +decimals = 0 + +[factory/inj14ywl5l5wsyaqx9g39sejvx7zqyecvvgktg5pxz/position] +peggy_denom = factory/inj14ywl5l5wsyaqx9g39sejvx7zqyecvvgktg5pxz/position +decimals = 0 + +[factory/inj14zw0njuejh9us94wdhg3msptzxpcjpq0anampd/ak] +peggy_denom = factory/inj14zw0njuejh9us94wdhg3msptzxpcjpq0anampd/ak +decimals = 6 + +[factory/inj150lje070zsehmdl4sesxxxjcc57200r9aqxk9c/test] +peggy_denom = factory/inj150lje070zsehmdl4sesxxxjcc57200r9aqxk9c/test +decimals = 0 + +[factory/inj152y0xa2s9w3txcaqsxu0zlzjak5gnvmxj7m09s/position] +peggy_denom = factory/inj152y0xa2s9w3txcaqsxu0zlzjak5gnvmxj7m09s/position +decimals = 0 + +[factory/inj1530p68vvxpn2jxj7v45wwf2acy99fu7pzlq66v/position] +peggy_denom = factory/inj1530p68vvxpn2jxj7v45wwf2acy99fu7pzlq66v/position +decimals = 0 + +[factory/inj153cngflyafkxxxycj23maguuh4nx2ny2k4phlt/position] +peggy_denom = factory/inj153cngflyafkxxxycj23maguuh4nx2ny2k4phlt/position +decimals = 0 + +[factory/inj154690wmz247j75at9ttvmf54h6drtwzq4lefa5/bINJ] +peggy_denom = factory/inj154690wmz247j75at9ttvmf54h6drtwzq4lefa5/bINJ +decimals = 0 + +[factory/inj157s8m4mf5tsjp5ttvhkta56lmu2wzfs6mxxrpk/position] +peggy_denom = factory/inj157s8m4mf5tsjp5ttvhkta56lmu2wzfs6mxxrpk/position +decimals = 0 + +[factory/inj1586dahe90a0xh4j56c8308pywxs0lmenhl4y2z/position] +peggy_denom = factory/inj1586dahe90a0xh4j56c8308pywxs0lmenhl4y2z/position +decimals = 0 + +[factory/inj15adq44kjk2xcc6tn27aqqwmawr4le6vshkcyut/position] +peggy_denom = factory/inj15adq44kjk2xcc6tn27aqqwmawr4le6vshkcyut/position +decimals = 0 + +[factory/inj15csnumyd59pv7sp4lmt8ycg0zaqwed8k474q79/position] +peggy_denom = factory/inj15csnumyd59pv7sp4lmt8ycg0zaqwed8k474q79/position +decimals = 0 + +[factory/inj15fywtwfmu7qx36x5sj84zcpgttmswa2g87jtz6/position] +peggy_denom = factory/inj15fywtwfmu7qx36x5sj84zcpgttmswa2g87jtz6/position +decimals = 0 + +[factory/inj15gm26dm98zl9nkcgapfk88zfukzk5j2xxmmdxr/position] +peggy_denom = factory/inj15gm26dm98zl9nkcgapfk88zfukzk5j2xxmmdxr/position +decimals = 0 + +[factory/inj15jt57jdw43qyz27z4rsnng6y3zdkafutm6yf56/position] +peggy_denom = factory/inj15jt57jdw43qyz27z4rsnng6y3zdkafutm6yf56/position +decimals = 0 + +[factory/inj15jy9vzmyy63ql9y6dvned2kdat2994x5f4ldu4/INJS] +peggy_denom = factory/inj15jy9vzmyy63ql9y6dvned2kdat2994x5f4ldu4/INJS +decimals = 0 + +[factory/inj15k2fpq4s2ndtreg428qtl8ddhfpmrtsxcs43l3/position] +peggy_denom = factory/inj15k2fpq4s2ndtreg428qtl8ddhfpmrtsxcs43l3/position +decimals = 0 + +[factory/inj15km5dcny0x3meyl65w6ks6mlfqnjurk7yrl0k3/position] +peggy_denom = factory/inj15km5dcny0x3meyl65w6ks6mlfqnjurk7yrl0k3/position +decimals = 0 + +[factory/inj15ltws5j4any8ld6j589c9p0yet3cj305kfndeh/position] +peggy_denom = factory/inj15ltws5j4any8ld6j589c9p0yet3cj305kfndeh/position +decimals = 0 + +[factory/inj15ne7du4sve9cycegurcnxuk2v4mh8c6hwytxxs/position] +peggy_denom = factory/inj15ne7du4sve9cycegurcnxuk2v4mh8c6hwytxxs/position +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ctstn2s984k5lppnuwjg5asvw00tnpym3du23f] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ctstn2s984k5lppnuwjg5asvw00tnpym3du23f +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1d40cf938v7hjzva4rx8qj5drgw8ujmrll2rn5g] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1d40cf938v7hjzva4rx8qj5drgw8ujmrll2rn5g +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1glq4yyrg80x573ldx9k5889lndkgkzv40slncl] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1glq4yyrg80x573ldx9k5889lndkgkzv40slncl +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1k9r6nhxax73zhj9ll5wzylel8w0p7gm9e686r9] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1k9r6nhxax73zhj9ll5wzylel8w0p7gm9e686r9 +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ka8ftk2849330y6r86tcgmv8a3rhpxfrxtn7g5] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ka8ftk2849330y6r86tcgmv8a3rhpxfrxtn7g5 +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1kl57u9529z2ts3tlhv38mrtnfps0sy3vulevcr] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1kl57u9529z2ts3tlhv38mrtnfps0sy3vulevcr +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ljgxpde6zkh48lqfjsusaq5p32wqjycsrjdlk9] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1ljgxpde6zkh48lqfjsusaq5p32wqjycsrjdlk9 +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1lxkn2vwetsdmw6v7s64m5r2kw6fgnew8suealn] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1lxkn2vwetsdmw6v7s64m5r2kw6fgnew8suealn +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1mknpkud4re5vasfcnx9k278f8lyr5ndaaka86p] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1mknpkud4re5vasfcnx9k278f8lyr5ndaaka86p +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1u6vdnft0qfzncpq6hvq42ck9pk6dz4qv74a0w9] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1u6vdnft0qfzncpq6hvq42ck9pk6dz4qv74a0w9 +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1xvqkdyqpmd2q74dfa95spjw2krg9nn6m865juk] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1xvqkdyqpmd2q74dfa95spjw2krg9nn6m865juk +decimals = 0 + +[factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1yghk22j3l0nfaasmcs43x3t059ht8tsrm2rh6q] +peggy_denom = factory/inj15qdna0qtws4s56p00sszegzwng08w2ygnu5gjt/inj1yghk22j3l0nfaasmcs43x3t059ht8tsrm2rh6q +decimals = 0 + +[factory/inj15slc2dwxku5553gaauxnz89zcsmq5uzjcevue4/test] +peggy_denom = factory/inj15slc2dwxku5553gaauxnz89zcsmq5uzjcevue4/test +decimals = 6 + +[factory/inj15ukq6ja8l99dk0j82efvh2znjqesdpfxstlppn/position] +peggy_denom = factory/inj15ukq6ja8l99dk0j82efvh2znjqesdpfxstlppn/position +decimals = 0 + +[factory/inj15yf0qdyn5ej4hqw809nmv5n9e33mnqvddp84e4/bINJ] +peggy_denom = factory/inj15yf0qdyn5ej4hqw809nmv5n9e33mnqvddp84e4/bINJ +decimals = 0 + +[factory/inj162a76ehzty0rlqd2rthr3sf44vnjcgkrctakpv/position] +peggy_denom = factory/inj162a76ehzty0rlqd2rthr3sf44vnjcgkrctakpv/position +decimals = 0 + +[factory/inj162r4dwle5gaknz3ulsyk7r9mhgs3u2gy5vw7cw/position] +peggy_denom = factory/inj162r4dwle5gaknz3ulsyk7r9mhgs3u2gy5vw7cw/position +decimals = 0 + +[factory/inj1647wcz036pchv8fzz30r9wuw2uktaxfjcjll90/position] +peggy_denom = factory/inj1647wcz036pchv8fzz30r9wuw2uktaxfjcjll90/position +decimals = 0 + +[factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/Lenz] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/Lenz +decimals = 0 + +[factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/LenzTest1] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/LenzTest1 +decimals = 0 + +[factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/inj-test1] +peggy_denom = factory/inj164dlu0as6r5a3kah6sdqv0tyx73upz8ggrcs77/inj-test1 +decimals = 0 + +[factory/inj164zhe75ldeez54pd0m5wt598upws5pcxgsytsp/RC] +peggy_denom = factory/inj164zhe75ldeez54pd0m5wt598upws5pcxgsytsp/RC +decimals = 0 + +[factory/inj16dv5y968dnz8x4tjpmkt3jqxgs9u6kh79hfk5f/position] +peggy_denom = factory/inj16dv5y968dnz8x4tjpmkt3jqxgs9u6kh79hfk5f/position +decimals = 0 + +[factory/inj16e7sphvq7r0urvmkkgurqzgv78g09xx7987y2s/position] +peggy_denom = factory/inj16e7sphvq7r0urvmkkgurqzgv78g09xx7987y2s/position +decimals = 0 + +[factory/inj16jpcu46u9apqydpgx95dtcldgcgacv670epwgq/position] +peggy_denom = factory/inj16jpcu46u9apqydpgx95dtcldgcgacv670epwgq/position +decimals = 0 + +[factory/inj16l9vv0v4uxqw7l4z2yq3pz002ku06fhqlwmed0/inj13772jvadyx4j0hrlfh4jzk0v39k8uyfxrfs540] +peggy_denom = factory/inj16l9vv0v4uxqw7l4z2yq3pz002ku06fhqlwmed0/inj13772jvadyx4j0hrlfh4jzk0v39k8uyfxrfs540 +decimals = 0 + +[factory/inj16l9vv0v4uxqw7l4z2yq3pz002ku06fhqlwmed0/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636] +peggy_denom = factory/inj16l9vv0v4uxqw7l4z2yq3pz002ku06fhqlwmed0/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636 +decimals = 0 + +[factory/inj16mrltj2lymz6y70apv9e50crmd59fqglfx8cut/base_token] +peggy_denom = factory/inj16mrltj2lymz6y70apv9e50crmd59fqglfx8cut/base_token +decimals = 0 + +[factory/inj16mrltj2lymz6y70apv9e50crmd59fqglfx8cut/staking_token] +peggy_denom = factory/inj16mrltj2lymz6y70apv9e50crmd59fqglfx8cut/staking_token +decimals = 0 + +[factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1k7ekkswq203cutjxn9h6qlhxx35v5jjqqydt95] +peggy_denom = factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1k7ekkswq203cutjxn9h6qlhxx35v5jjqqydt95 +decimals = 0 + +[factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1mp73mhsv4c8q4a27eu3nezas7m6zm7kag74lxt] +peggy_denom = factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1mp73mhsv4c8q4a27eu3nezas7m6zm7kag74lxt +decimals = 0 + +[factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1n7xdv06zmaramkr0nlm7n9rnr8grh8s5p5g6ah] +peggy_denom = factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1n7xdv06zmaramkr0nlm7n9rnr8grh8s5p5g6ah +decimals = 0 + +[factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1w6ghr4pkladye5x9zj4cmx7lpg7a8tg4x2t63f] +peggy_denom = factory/inj16n20mwtmvunl9tdkxajxzezn87z4jv5hgkjn5l/inj1w6ghr4pkladye5x9zj4cmx7lpg7a8tg4x2t63f +decimals = 0 + +[factory/inj16ptqr4z9wxafkx902uhk6vggwlhxf5nsxsda2q/position] +peggy_denom = factory/inj16ptqr4z9wxafkx902uhk6vggwlhxf5nsxsda2q/position +decimals = 0 + +[factory/inj16q5wdfrw0lgkvfezk5c99jdytahggp00ywn4ap/position] +peggy_denom = factory/inj16q5wdfrw0lgkvfezk5c99jdytahggp00ywn4ap/position +decimals = 0 + +[factory/inj16rcm5lgxahvt4rf8a0ngqdn3errswhvmt5yspl/position] +peggy_denom = factory/inj16rcm5lgxahvt4rf8a0ngqdn3errswhvmt5yspl/position +decimals = 0 + +[factory/inj16wyujswd2z99et0jl7fu4q4rrpgdtpp2msnw9v/position] +peggy_denom = factory/inj16wyujswd2z99et0jl7fu4q4rrpgdtpp2msnw9v/position +decimals = 0 + +[factory/inj170545298c6cletkgqxlsanyh36uvxuceudt3e2/ak] +peggy_denom = factory/inj170545298c6cletkgqxlsanyh36uvxuceudt3e2/ak +decimals = 6 + +[factory/inj173k7ym5yf7s27g5qkqjxnndzjqrv6pkvm0sxws/position] +peggy_denom = factory/inj173k7ym5yf7s27g5qkqjxnndzjqrv6pkvm0sxws/position +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj143qfst3qa3u5mqk9rk6f4zjv5syj5eja3mng0g] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj143qfst3qa3u5mqk9rk6f4zjv5syj5eja3mng0g +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj160wzl4mnzqfxm9ux3mvs46uhqex0d5ewt9p8el] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj160wzl4mnzqfxm9ux3mvs46uhqex0d5ewt9p8el +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj18ax4p09y7k8quhslelkw6ktsj0c4n7dt4r67kf] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj18ax4p09y7k8quhslelkw6ktsj0c4n7dt4r67kf +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1a2whf4gfe8c533m7zahs36c7zxpap2khtwvnjj] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1a2whf4gfe8c533m7zahs36c7zxpap2khtwvnjj +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1alv0wvzkul2zndjylt9gssqc0qnzztvf5mv52r] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1alv0wvzkul2zndjylt9gssqc0qnzztvf5mv52r +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1druk8gz469vyfgapvnxput8k5wf5vyu30fqryy] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1druk8gz469vyfgapvnxput8k5wf5vyu30fqryy +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1f2zrn6qw5wm27jkdje99538lahmsjy35pzx0zq] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1f2zrn6qw5wm27jkdje99538lahmsjy35pzx0zq +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1f77zn4hytk8w6qjtr7ks98m4yq6hwduzk8yvp4] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1f77zn4hytk8w6qjtr7ks98m4yq6hwduzk8yvp4 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1hwgrpwgs70cj7s5uc605jk832d6hlyq2pupw82] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1hwgrpwgs70cj7s5uc605jk832d6hlyq2pupw82 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1j3nnhcvesttumyc46pmjx2daxa92f62ku36udl] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1j3nnhcvesttumyc46pmjx2daxa92f62ku36udl +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1jtgygvq0ulstx55hwenk4a6uh5tn8vqhkah8gc] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1jtgygvq0ulstx55hwenk4a6uh5tn8vqhkah8gc +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1lfl3y6z9vw3ceprnmxlxerrvgdkz42pm5vqsqy] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1lfl3y6z9vw3ceprnmxlxerrvgdkz42pm5vqsqy +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1lw0u2rtl36y9tht0uts90fv5vy3vgpmuel27hc] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1lw0u2rtl36y9tht0uts90fv5vy3vgpmuel27hc +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1prqzp6q2nlw2984pyvut6fr5jg47kwkzduw8j2] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1prqzp6q2nlw2984pyvut6fr5jg47kwkzduw8j2 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1qdk7vpgmu3e5lj0cru7yyay38vff34tll789lr] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1qdk7vpgmu3e5lj0cru7yyay38vff34tll789lr +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1qvk5p306aqfvus6e0lktqwfsp0u478ckfddmv9] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1qvk5p306aqfvus6e0lktqwfsp0u478ckfddmv9 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1t2zqcm98epsmpy99mjzdczzx79cfy74kh2w35l] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1t2zqcm98epsmpy99mjzdczzx79cfy74kh2w35l +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1t3y9mu0zk5zuu4y34lfxkq8zx08latdxa5cff5] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1t3y9mu0zk5zuu4y34lfxkq8zx08latdxa5cff5 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1u8j7h7n8tdt66mgp6c0a7f3wq088d3jttwz7sj] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1u8j7h7n8tdt66mgp6c0a7f3wq088d3jttwz7sj +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1v3wvk6upf755pmpxlt8923ktfzrlcpc9fqlaq8] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1v3wvk6upf755pmpxlt8923ktfzrlcpc9fqlaq8 +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1x9k567g0tmpamjkemvm703ff6kczjvz2nany2u] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1x9k567g0tmpamjkemvm703ff6kczjvz2nany2u +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1xallacw6vz8p88qyrezmcyvkmrakacupkvvfvk] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1xallacw6vz8p88qyrezmcyvkmrakacupkvvfvk +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1z0rfjmyvhxmek2z6z702dypxtarphruww40fxr] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1z0rfjmyvhxmek2z6z702dypxtarphruww40fxr +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1zn7unxezftv5ltfm5jpfv4s09aueg97dty0zrm] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1zn7unxezftv5ltfm5jpfv4s09aueg97dty0zrm +decimals = 0 + +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1zngkg023f0fqlvpc026rr0pvd4rufw8d4ywke4] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1zngkg023f0fqlvpc026rr0pvd4rufw8d4ywke4 +decimals = 0 + +[factory/inj175jqkyrsl84x0u4smqy7cg9nrj5wsd6edkefpz/usdcet] +peggy_denom = factory/inj175jqkyrsl84x0u4smqy7cg9nrj5wsd6edkefpz/usdcet +decimals = 0 + +[factory/inj1766dfyjxn36cwj9jlzjj8lk22vtm7he7ym43et/position] +peggy_denom = factory/inj1766dfyjxn36cwj9jlzjj8lk22vtm7he7ym43et/position +decimals = 0 + +[factory/inj179qpc0ra0ymyrgya9zdt3tp4a0vpawzlfgze48/ak] +peggy_denom = factory/inj179qpc0ra0ymyrgya9zdt3tp4a0vpawzlfgze48/ak +decimals = 6 + +[factory/inj179qpc0ra0ymyrgya9zdt3tp4a0vpawzlfgze48/poop] +peggy_denom = factory/inj179qpc0ra0ymyrgya9zdt3tp4a0vpawzlfgze48/poop +decimals = 0 + +[factory/inj17cx2lxl67mhxc966wl8syz4jyx9v764xgasyje/position] +peggy_denom = factory/inj17cx2lxl67mhxc966wl8syz4jyx9v764xgasyje/position +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj134fxd4hh6l568wdwsma937lalyadgtpaajnytd] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj134fxd4hh6l568wdwsma937lalyadgtpaajnytd +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj139yst2xf5yvesyzfmz6g6e57rczthyuwt7v4qk] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj139yst2xf5yvesyzfmz6g6e57rczthyuwt7v4qk +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj13ude3tmmg6q7042su3wz8eruflayw76xy2axad] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj13ude3tmmg6q7042su3wz8eruflayw76xy2axad +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj14r7u95c072s2sfkad6jugk9r8dnpg4ppc2jwr9] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj14r7u95c072s2sfkad6jugk9r8dnpg4ppc2jwr9 +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj159g4a8rjwdjsdgc6ea253v9rarcn5fuvf0dex8] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj159g4a8rjwdjsdgc6ea253v9rarcn5fuvf0dex8 +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj15j9cez59pdvf9kgv7jnfc6twzjdu9kwzf58ale] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj15j9cez59pdvf9kgv7jnfc6twzjdu9kwzf58ale +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj163qqvz2aygp42acacnpg6zvatn49x2xv8dksdx] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj163qqvz2aygp42acacnpg6zvatn49x2xv8dksdx +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj179acfjvr8sy7ewrdgmy2jm6a6dkgvx5xt4xfmh] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj179acfjvr8sy7ewrdgmy2jm6a6dkgvx5xt4xfmh +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj195rvg27lmdpejxncv9n9py8q60l3fwvwx8tcww] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj195rvg27lmdpejxncv9n9py8q60l3fwvwx8tcww +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1fwv0jgwhtq2peaxxrvp0ch4r6j22gftnqaxldx] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1fwv0jgwhtq2peaxxrvp0ch4r6j22gftnqaxldx +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1h4203fqnpm2dgze6e3h2muxpg3lyaaauwnk8tq] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1h4203fqnpm2dgze6e3h2muxpg3lyaaauwnk8tq +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1jvmgjhp9h9gynlxdgalcp42kz3e4zelqdc50mp] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1jvmgjhp9h9gynlxdgalcp42kz3e4zelqdc50mp +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1nhzvghauypl56kyem8msqkntkqrsulg23574dk] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1nhzvghauypl56kyem8msqkntkqrsulg23574dk +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1nxcvm92a9htme7k6zt57u0tsy9ey2707a8apq7] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1nxcvm92a9htme7k6zt57u0tsy9ey2707a8apq7 +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1r20szses3jy99gjz2qdw4gc9dvdavhwzdeches] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1r20szses3jy99gjz2qdw4gc9dvdavhwzdeches +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1tw5ed50hqnrul8zgdhz9rnjkwjmh25rh366csj] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1tw5ed50hqnrul8zgdhz9rnjkwjmh25rh366csj +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1xrg3lqha00tkllrma80jtvvxn77ce6ykhqur2q] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1xrg3lqha00tkllrma80jtvvxn77ce6ykhqur2q +decimals = 0 + +[factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1zd8zg8xeerlsrsfzxhpe3xgncrp0txetqye9cl] +peggy_denom = factory/inj17d34nrgnq5sj24qd6rk4jrnak628wfqxjx9uhz/lpinj1zd8zg8xeerlsrsfzxhpe3xgncrp0txetqye9cl +decimals = 0 + +[factory/inj17d8znfm9xnrrjmfdhs3y2m3etsc27s6jhe2ggd/ak] +peggy_denom = factory/inj17d8znfm9xnrrjmfdhs3y2m3etsc27s6jhe2ggd/ak +decimals = 6 + +[factory/inj17da0fne9wqaq5yyshf4fx3223zlh9ckj5pjn2j/YOLO] +peggy_denom = factory/inj17da0fne9wqaq5yyshf4fx3223zlh9ckj5pjn2j/YOLO +decimals = 6 + +[factory/inj17dckyf9z5ns40adz6vytca7wpq9nxgftl9lzql/position] +peggy_denom = factory/inj17dckyf9z5ns40adz6vytca7wpq9nxgftl9lzql/position +decimals = 0 + +[factory/inj17dy06jvaz5gwhedqaje38kgp93p75pjy3res4k/position] +peggy_denom = factory/inj17dy06jvaz5gwhedqaje38kgp93p75pjy3res4k/position +decimals = 0 + +[factory/inj17exh9s5gv2ywtsthh2w95asv9n8z08jxgzgshz/position] +peggy_denom = factory/inj17exh9s5gv2ywtsthh2w95asv9n8z08jxgzgshz/position +decimals = 0 + +[factory/inj17g5ad3xy25rz9je6wu85qye09xklppswh6p0eu/TEST] +peggy_denom = factory/inj17g5ad3xy25rz9je6wu85qye09xklppswh6p0eu/TEST +decimals = 6 + +[factory/inj17g5ad3xy25rz9je6wu85qye09xklppswh6p0eu/ak] +peggy_denom = factory/inj17g5ad3xy25rz9je6wu85qye09xklppswh6p0eu/ak +decimals = 6 + +[factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uzen] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uzen +decimals = 0 + +[factory/inj17je4snps2rfvsxtqd2rfe4fgknswhexggx55ns/holding] +peggy_denom = factory/inj17je4snps2rfvsxtqd2rfe4fgknswhexggx55ns/holding +decimals = 0 + +[factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/LIOR] +peggy_denom = factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/LIOR +decimals = 6 + +[factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/TEST] +peggy_denom = factory/inj17ljxhz0c7tdcjfzhnk3xgk3mfudtcjs2g3676l/TEST +decimals = 6 + +[factory/inj17mzwp7vpxglwyjp43zhq6h756q5gkkvg4jsd6l/position] +peggy_denom = factory/inj17mzwp7vpxglwyjp43zhq6h756q5gkkvg4jsd6l/position +decimals = 0 + +[factory/inj17nqu6hrdye8u2sa2u8l7smw5hu8ey76qee8ayt/position] +peggy_denom = factory/inj17nqu6hrdye8u2sa2u8l7smw5hu8ey76qee8ayt/position +decimals = 0 + +[factory/inj17nw48wdkx3lxl2zqjzjel3ayhy7lxffhfqr3ve/position] +peggy_denom = factory/inj17nw48wdkx3lxl2zqjzjel3ayhy7lxffhfqr3ve/position +decimals = 0 + +[factory/inj17q6g7a3a9zsx59m2n7nqg7pe3avjl6flfrvfzx/position] +peggy_denom = factory/inj17q6g7a3a9zsx59m2n7nqg7pe3avjl6flfrvfzx/position +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj182tjs70u33r7vssc8tfuwwed3x4ggfeutvk0sl] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj182tjs70u33r7vssc8tfuwwed3x4ggfeutvk0sl +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1a9chuqkye3dytgzg4060nj4kglxt8tx3kr6mwv] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1a9chuqkye3dytgzg4060nj4kglxt8tx3kr6mwv +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1ajfruhkchstjzxwf0mnsc5c6gqw6s8jmptqgkg] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1ajfruhkchstjzxwf0mnsc5c6gqw6s8jmptqgkg +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1dlywe8v0t9gv2ceasj6se387ke95env8lyf3j8] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1dlywe8v0t9gv2ceasj6se387ke95env8lyf3j8 +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1g4exsdxg9gmme7a45lxgwv40ghrtl20vty0ynk] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1g4exsdxg9gmme7a45lxgwv40ghrtl20vty0ynk +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1hc6d3ytp2axqkl5td3387wkg0n23he6rlrek82] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1hc6d3ytp2axqkl5td3387wkg0n23he6rlrek82 +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1htdk4v3xd3tnvehecsuyqhc29gjtgxgg3ryej4] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1htdk4v3xd3tnvehecsuyqhc29gjtgxgg3ryej4 +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1l9z45vvdpeggnctjr5dt0setaf8pfg965whl0d] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1l9z45vvdpeggnctjr5dt0setaf8pfg965whl0d +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1lm5kx8suv5kzmlfya2kscqyzaxflekmh8cwuqz] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1lm5kx8suv5kzmlfya2kscqyzaxflekmh8cwuqz +decimals = 0 + +[factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1vd0mf8a39xwr9hav2g7e8lmur07utjrjv025kd] +peggy_denom = factory/inj17q7ds0yh7hhtusff7gz8a5kx2uwxruttlxur96/lpinj1vd0mf8a39xwr9hav2g7e8lmur07utjrjv025kd +decimals = 0 + +[factory/inj17sjuxy3nsh3ytrckknztzl6gg0mmuyphmxp3pg/position] +peggy_denom = factory/inj17sjuxy3nsh3ytrckknztzl6gg0mmuyphmxp3pg/position +decimals = 0 + +[factory/inj17u7w6x9upf8j4f98x4ftptkkwj8lumah0zhvy7/position] +peggy_denom = factory/inj17u7w6x9upf8j4f98x4ftptkkwj8lumah0zhvy7/position +decimals = 0 + +[factory/inj17v9lheupewm0kqdppp9cwwdlymfgqsefalleld/position] +peggy_denom = factory/inj17v9lheupewm0kqdppp9cwwdlymfgqsefalleld/position +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ABC] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ABC +decimals = 6 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/FT] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/FT +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/GG] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/GG +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/aave] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/aave +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ak] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ak +decimals = 6 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/aptos] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/aptos +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/art] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/art +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/avax] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/avax +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/bnb] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/bnb +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/crv] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/crv +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/cvx] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/cvx +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/gala] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/gala +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/hnt] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/hnt +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ldo] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/ldo +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/op] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/op +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/shib] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/shib +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/sol] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/sol +decimals = 0 + +[factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/tia] +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/tia +decimals = 6 + +[factory/inj17wwa9nsg6k5adxck3uryud2qz380k3v06wne9k/position] +peggy_denom = factory/inj17wwa9nsg6k5adxck3uryud2qz380k3v06wne9k/position +decimals = 0 + +[factory/inj17yy8ajcqvhw4d0ssq8x7un8w4y3ql7nj3cgdy2/position] +peggy_denom = factory/inj17yy8ajcqvhw4d0ssq8x7un8w4y3ql7nj3cgdy2/position +decimals = 0 + +[factory/inj17z4scdds993lytxqj5s8kr8rjatkdcgchfqwfw/position] +peggy_denom = factory/inj17z4scdds993lytxqj5s8kr8rjatkdcgchfqwfw/position +decimals = 0 + +[factory/inj186uvu7eal5fr9w7s3g3jlvas0sknkd0chkjejh/position] +peggy_denom = factory/inj186uvu7eal5fr9w7s3g3jlvas0sknkd0chkjejh/position +decimals = 0 + +[factory/inj1889vpk022tkzsm89pjukp8cfyjp6qz2rdl43fn/position] +peggy_denom = factory/inj1889vpk022tkzsm89pjukp8cfyjp6qz2rdl43fn/position +decimals = 0 + +[factory/inj1890mjxvw8g3qqu9wnkyr0hnan0mvtqaulcmp3p/position] +peggy_denom = factory/inj1890mjxvw8g3qqu9wnkyr0hnan0mvtqaulcmp3p/position +decimals = 0 + +[factory/inj1894t5lutrkf895ndxtkxcwux5nkh5ykq32lrvj/position] +peggy_denom = factory/inj1894t5lutrkf895ndxtkxcwux5nkh5ykq32lrvj/position +decimals = 0 + +[factory/inj18c087n0mulwrmedajt6jt0zaa9xed8n7qtjt9p/position] +peggy_denom = factory/inj18c087n0mulwrmedajt6jt0zaa9xed8n7qtjt9p/position +decimals = 0 + +[factory/inj18c0c2c5ght4ffanxggq3ce0g8va6q5xvt8znty/position] +peggy_denom = factory/inj18c0c2c5ght4ffanxggq3ce0g8va6q5xvt8znty/position +decimals = 0 + +[factory/inj18ep02wj2074ek0v0qh6lj0skh9v8rh92eea77g/INJ] +peggy_denom = factory/inj18ep02wj2074ek0v0qh6lj0skh9v8rh92eea77g/INJ +decimals = 6 + +[factory/inj18k45cjqerwgq8y98zre05yr65wx42kagcdax8y/position] +peggy_denom = factory/inj18k45cjqerwgq8y98zre05yr65wx42kagcdax8y/position +decimals = 0 + +[factory/inj18l5a7rtkc8yh4m37jrvl7hg7xkm44rsch9nsth/position] +peggy_denom = factory/inj18l5a7rtkc8yh4m37jrvl7hg7xkm44rsch9nsth/position +decimals = 0 + +[factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/NRL] +peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/NRL +decimals = 6 + +[factory/inj18pnq5dapjrvk6sp90f7stewu63rktmmhxuqx3m/position] +peggy_denom = factory/inj18pnq5dapjrvk6sp90f7stewu63rktmmhxuqx3m/position +decimals = 0 + +[factory/inj18sw8ljhpwm3289pz06hk79dgj0kdp6q288uey0/position] +peggy_denom = factory/inj18sw8ljhpwm3289pz06hk79dgj0kdp6q288uey0/position +decimals = 0 + +[factory/inj18uaqjlx6hw5dkd4lw4na6mynzfwufdlrv3kz7c/position] +peggy_denom = factory/inj18uaqjlx6hw5dkd4lw4na6mynzfwufdlrv3kz7c/position +decimals = 0 + +[factory/inj18udwms4qgh4wqv3g7754ur07wvl665n8uvemzz/position] +peggy_denom = factory/inj18udwms4qgh4wqv3g7754ur07wvl665n8uvemzz/position +decimals = 0 + +[factory/inj18vyfs7evrmtdawy9h3xjjv6y6mc42c3yt63qf8/position] +peggy_denom = factory/inj18vyfs7evrmtdawy9h3xjjv6y6mc42c3yt63qf8/position +decimals = 0 + +[factory/inj1925pr7emqd3w3xt8ywctpmtc5tqs3alya6t2ap/position] +peggy_denom = factory/inj1925pr7emqd3w3xt8ywctpmtc5tqs3alya6t2ap/position +decimals = 0 + +[factory/inj1954pmp3y7whagxek6u5rgc0y4xan3n5cpgvq4p/position] +peggy_denom = factory/inj1954pmp3y7whagxek6u5rgc0y4xan3n5cpgvq4p/position +decimals = 0 + +[factory/inj195z3zm3z5uspvxuelrsfp60shq9cfykjhnlqyg/position] +peggy_denom = factory/inj195z3zm3z5uspvxuelrsfp60shq9cfykjhnlqyg/position +decimals = 0 + +[factory/inj1967pm6xz3x0w8uucx8pgl0w96qqdnkrflhkgsa/nUSD] +peggy_denom = factory/inj1967pm6xz3x0w8uucx8pgl0w96qqdnkrflhkgsa/nUSD +decimals = 18 + +[factory/inj196dtfgyrp0ugmsdla8m7kufu6pku2nxsj23htn/position] +peggy_denom = factory/inj196dtfgyrp0ugmsdla8m7kufu6pku2nxsj23htn/position +decimals = 0 + +[factory/inj197k0fk258qfwx67nwhsr7dvng2hhm8l2qnrqpw/position] +peggy_denom = factory/inj197k0fk258qfwx67nwhsr7dvng2hhm8l2qnrqpw/position +decimals = 0 + +[factory/inj19846n86rsmxdc4jccxtqezmexxwytzwrjxxu5u/position] +peggy_denom = factory/inj19846n86rsmxdc4jccxtqezmexxwytzwrjxxu5u/position +decimals = 0 + +[factory/inj199sgh70upvs6lpyd85s0v08lpxy4tx9redtlup/position] +peggy_denom = factory/inj199sgh70upvs6lpyd85s0v08lpxy4tx9redtlup/position +decimals = 0 + +[factory/inj19dehwd2m6hgqprp32xmeulql4dyylytyxun5rc/lp] +peggy_denom = factory/inj19dehwd2m6hgqprp32xmeulql4dyylytyxun5rc/lp +decimals = 0 + +[factory/inj19eauq5pxlxcta8ngn4436s7jw4p0gy5nrn0yla/1] +peggy_denom = factory/inj19eauq5pxlxcta8ngn4436s7jw4p0gy5nrn0yla/1 +decimals = 0 + +[factory/inj19ec03mpecsww2je83ph6cpn5u586ncec5qemyh/position] +peggy_denom = factory/inj19ec03mpecsww2je83ph6cpn5u586ncec5qemyh/position +decimals = 0 + +[factory/inj19g5dym4epw5h6udv4r25jfc5e2hga8ga85la5e/KIRA] +peggy_denom = factory/inj19g5dym4epw5h6udv4r25jfc5e2hga8ga85la5e/KIRA +decimals = 0 + +[factory/inj19g5dym4epw5h6udv4r25jfc5e2hga8ga85la5e/ak] +peggy_denom = factory/inj19g5dym4epw5h6udv4r25jfc5e2hga8ga85la5e/ak +decimals = 6 + +[factory/inj19g8hqphpah2ueqfc6lp0whe8ycegcchjtavakr/position] +peggy_denom = factory/inj19g8hqphpah2ueqfc6lp0whe8ycegcchjtavakr/position +decimals = 0 + +[factory/inj19hvtll63gdk7226lcgdthd8w6vkwvy2lygd54s/TooTOO] +peggy_denom = factory/inj19hvtll63gdk7226lcgdthd8w6vkwvy2lygd54s/TooTOO +decimals = 6 + +[factory/inj19kfmq7r8mcfalfa8h3vwxw8xlq6vz9zj6y6xct/position] +peggy_denom = factory/inj19kfmq7r8mcfalfa8h3vwxw8xlq6vz9zj6y6xct/position +decimals = 0 + +[factory/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj3/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj2] +peggy_denom = factory/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj3/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj2 +decimals = 0 + +[factory/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj3/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636] +peggy_denom = factory/inj19l2xm8w8henavhpcfw9jq22ucjesvnzdkv8pj3/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636 +decimals = 0 + +[factory/inj19pyact4kpwn5jedpselllzdg9y9v9vj4hg35af/uLP] +peggy_denom = factory/inj19pyact4kpwn5jedpselllzdg9y9v9vj4hg35af/uLP +decimals = 0 + +[factory/inj19qxhsqgje6llmg7xkxkqk2q8xztxpue09p4pvz/position] +peggy_denom = factory/inj19qxhsqgje6llmg7xkxkqk2q8xztxpue09p4pvz/position +decimals = 0 + +[factory/inj19rhvya4gj8sur47y5wc9sgfjervum6wg8qe4gx/position] +peggy_denom = factory/inj19rhvya4gj8sur47y5wc9sgfjervum6wg8qe4gx/position +decimals = 0 + +[factory/inj19sg6yzf8dcz55e5y2wwtxg7zssa58jsgqk7gnv/position] +peggy_denom = factory/inj19sg6yzf8dcz55e5y2wwtxg7zssa58jsgqk7gnv/position +decimals = 0 + +[factory/inj19ucnm6n9eunuyxulv0hj0dkavn9ywut0dsnuml/utest] +peggy_denom = factory/inj19ucnm6n9eunuyxulv0hj0dkavn9ywut0dsnuml/utest +decimals = 6 + +[factory/inj19utmngz6ty3yjz7e7m8v37gqjlglgf3r9lkdx6/position] +peggy_denom = factory/inj19utmngz6ty3yjz7e7m8v37gqjlglgf3r9lkdx6/position +decimals = 0 + +[factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/first-token] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/first-token +decimals = 0 + +[factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/lck-1] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/lck-1 +decimals = 18 + +[factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/mft-1] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/mft-1 +decimals = 18 + +[factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/mftt] +peggy_denom = factory/inj19vcgt0pcywuy3tld6yp96emctrafc5s2p5duym/mftt +decimals = 6 + +[factory/inj19wpl5yqj68jf0esy2ss64a9vrwzwludrglck6u/position] +peggy_denom = factory/inj19wpl5yqj68jf0esy2ss64a9vrwzwludrglck6u/position +decimals = 0 + +[factory/inj19x3tplaa70fm420u48dwe7k0p4lypnaea0gm64/position] +peggy_denom = factory/inj19x3tplaa70fm420u48dwe7k0p4lypnaea0gm64/position +decimals = 0 + +[factory/inj19y64q35zwhxwsdzawhls8rrry7tmf50esvut7t/position] +peggy_denom = factory/inj19y64q35zwhxwsdzawhls8rrry7tmf50esvut7t/position +decimals = 0 + +[factory/inj19y8jas528ulf4s7edg6muyegthsm9z2mtaqkvz/lp] +peggy_denom = factory/inj19y8jas528ulf4s7edg6muyegthsm9z2mtaqkvz/lp +decimals = 0 + +[factory/inj1a30r8ef7l4hgwjcq3kuqtayez349ct68c6ttds/position] +peggy_denom = factory/inj1a30r8ef7l4hgwjcq3kuqtayez349ct68c6ttds/position +decimals = 0 + +[factory/inj1a3adz2q6ddsmswwh66u2yzs70wyjcfkd5d824c/position] +peggy_denom = factory/inj1a3adz2q6ddsmswwh66u2yzs70wyjcfkd5d824c/position +decimals = 0 + +[factory/inj1a46azyrr2uwgejvcf0dry7s0gjt8f0fzgp8kmj/position] +peggy_denom = factory/inj1a46azyrr2uwgejvcf0dry7s0gjt8f0fzgp8kmj/position +decimals = 0 + +[factory/inj1a5h0krl05ygsh3xyx8plmzm9anc7avvptp60v3/position] +peggy_denom = factory/inj1a5h0krl05ygsh3xyx8plmzm9anc7avvptp60v3/position +decimals = 0 + +[factory/inj1a5z8ae6nzemk8cnyjh326gu6py4n7jq8pz2x8e/position] +peggy_denom = factory/inj1a5z8ae6nzemk8cnyjh326gu6py4n7jq8pz2x8e/position +decimals = 0 + +[factory/inj1a8vtk998rq0mnd294527d4ufczshja85mcha4p/position] +peggy_denom = factory/inj1a8vtk998rq0mnd294527d4ufczshja85mcha4p/position +decimals = 0 + +[factory/inj1ae9wagmq456wm0rhlt0mpx4ea2w6q494y7gdml/position] +peggy_denom = factory/inj1ae9wagmq456wm0rhlt0mpx4ea2w6q494y7gdml/position +decimals = 0 + +[factory/inj1aetmaq5pswvfg6nhvgd4lt94qmg23ka3ljgxlm/SHURIKEN] +peggy_denom = factory/inj1aetmaq5pswvfg6nhvgd4lt94qmg23ka3ljgxlm/SHURIKEN +decimals = 6 + +[factory/inj1aetmaq5pswvfg6nhvgd4lt94qmg23ka3ljgxlm/lootbox1] +peggy_denom = factory/inj1aetmaq5pswvfg6nhvgd4lt94qmg23ka3ljgxlm/lootbox1 +decimals = 0 + +[factory/inj1aftq7re8s4d8s55l5aw4dgtt4ex837f2l5x0py/position] +peggy_denom = factory/inj1aftq7re8s4d8s55l5aw4dgtt4ex837f2l5x0py/position +decimals = 0 + +[factory/inj1agcntfljkxyjlqnvs07lym6ugtlcd2krvy2k4v/position] +peggy_denom = factory/inj1agcntfljkxyjlqnvs07lym6ugtlcd2krvy2k4v/position +decimals = 0 + +[factory/inj1agte07lxz2twqvt6upesxp4tc2z65mdshclgkh/position] +peggy_denom = factory/inj1agte07lxz2twqvt6upesxp4tc2z65mdshclgkh/position +decimals = 0 + +[factory/inj1akalafk23jw2rrgkpdfwsv05g5wkzu03lnynyp/position] +peggy_denom = factory/inj1akalafk23jw2rrgkpdfwsv05g5wkzu03lnynyp/position +decimals = 0 + +[factory/inj1al5pu3h64gl9e555t8cfekxy59pk30e6r38t9f/nusd] +peggy_denom = factory/inj1al5pu3h64gl9e555t8cfekxy59pk30e6r38t9f/nusd +decimals = 0 + +[factory/inj1al78qgdyw69uq50exzmmnfjllm3t3wa8rzyzn3/position] +peggy_denom = factory/inj1al78qgdyw69uq50exzmmnfjllm3t3wa8rzyzn3/position +decimals = 0 + +[factory/inj1aluh09npz2wc7rq8hveuwgzxnlflrzuagewuls/karate] +peggy_denom = factory/inj1aluh09npz2wc7rq8hveuwgzxnlflrzuagewuls/karate +decimals = 6 + +[factory/inj1aluh09npz2wc7rq8hveuwgzxnlflrzuagewuls/testcoin] +peggy_denom = factory/inj1aluh09npz2wc7rq8hveuwgzxnlflrzuagewuls/testcoin +decimals = 6 + +[factory/inj1ampqmsdk2687jdael7x89fu59zfw3xm52tchn8/position] +peggy_denom = factory/inj1ampqmsdk2687jdael7x89fu59zfw3xm52tchn8/position +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj108uf9tsu4e8q3f45pt3ylc4wv5c8kvrt66azun] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj108uf9tsu4e8q3f45pt3ylc4wv5c8kvrt66azun +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj13zf66kwwvmvr20sm5dh39p3x3pkw0ry3jrfus2] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj13zf66kwwvmvr20sm5dh39p3x3pkw0ry3jrfus2 +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj145lkwt43eq7u8vuw8h2schvycvt2ue03wm6s6x] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj145lkwt43eq7u8vuw8h2schvycvt2ue03wm6s6x +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15p3jd8svfp40ez9ckj4qzak209sdequhmpt5c2] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15p3jd8svfp40ez9ckj4qzak209sdequhmpt5c2 +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15pcxscn4s0g95trxd42jk6xnssnvs9sze472pu] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15pcxscn4s0g95trxd42jk6xnssnvs9sze472pu +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15zhsj42y2p990m8j5uh2rym2fmqnalupmwuj9p] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj15zhsj42y2p990m8j5uh2rym2fmqnalupmwuj9p +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj17lt3vtgtpprn877gyd694hvtgn5p3c3mt6z39l] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj17lt3vtgtpprn877gyd694hvtgn5p3c3mt6z39l +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj18w7c5cj6ygmk2hxzu8d86husg8wyhgtd9n4fkf] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj18w7c5cj6ygmk2hxzu8d86husg8wyhgtd9n4fkf +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj196f5hz8x7laqyfykr6sf6f6qjkna2gd2eqvdcy] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj196f5hz8x7laqyfykr6sf6f6qjkna2gd2eqvdcy +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj19glgtxlvlmwuwdqyknn666arnxt4y88zgz3pnj] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj19glgtxlvlmwuwdqyknn666arnxt4y88zgz3pnj +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1ecnn87skvhfm579ms6w46zpf2gk6neftujky4k] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1ecnn87skvhfm579ms6w46zpf2gk6neftujky4k +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1f03c5r2nlsh390y97p776clvgm9pqmkecj92q3] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1f03c5r2nlsh390y97p776clvgm9pqmkecj92q3 +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1favce2lmfgwzvzeavrt88cqn8vx7w9aexfsuld] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1favce2lmfgwzvzeavrt88cqn8vx7w9aexfsuld +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1fys254q0ktp4k9uys94f0l5ujljjjc86qf0gx3] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1fys254q0ktp4k9uys94f0l5ujljjjc86qf0gx3 +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1hzs0sdqrmt3vw9w0qaxhtqed3mlhpldurkv6ty] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1hzs0sdqrmt3vw9w0qaxhtqed3mlhpldurkv6ty +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1kc6aehzj3uhc90qjrgsemq5evyay3ys24se2wu] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1kc6aehzj3uhc90qjrgsemq5evyay3ys24se2wu +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1l070c6tav7a7xxyh3rmjpqdffkwgsw3jr5ypmj] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1l070c6tav7a7xxyh3rmjpqdffkwgsw3jr5ypmj +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1m6fus7a9mmrvz7ac7k0m8c94ywj2q64d7vnzzx] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1m6fus7a9mmrvz7ac7k0m8c94ywj2q64d7vnzzx +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1mxe5r73ne92yg4a207vvpe0mjvylv86ghdu4cp] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1mxe5r73ne92yg4a207vvpe0mjvylv86ghdu4cp +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1ny8n2dlqn7s38tx8ljn9kn65t74tn6z3pe0l5u] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1ny8n2dlqn7s38tx8ljn9kn65t74tn6z3pe0l5u +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1r3nfgtptufxsatdd3kdr6e3qwjcmnma9myg8nq] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1r3nfgtptufxsatdd3kdr6e3qwjcmnma9myg8nq +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1rzheq4hfad8x9vh6zlwe7rhw59gps6vnhywtds] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1rzheq4hfad8x9vh6zlwe7rhw59gps6vnhywtds +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1s4227045efy2t5lmw5nm0a082y75a0t50zh5lc] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1s4227045efy2t5lmw5nm0a082y75a0t50zh5lc +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1sg25epqzk8g89wzlpx04mg5jphk0dk2eq2mkts] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1sg25epqzk8g89wzlpx04mg5jphk0dk2eq2mkts +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1sngs2wlfynj4y3vtw7pdfn4cm9xr83wc92vys7] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1sngs2wlfynj4y3vtw7pdfn4cm9xr83wc92vys7 +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1t9c9yggeyxfd0x8jfu869xvyksg5ytjlhmv4fz] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1t9c9yggeyxfd0x8jfu869xvyksg5ytjlhmv4fz +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1tl6rljef25zxtju0842w6vr0a20a8s9rdd25kj] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1tl6rljef25zxtju0842w6vr0a20a8s9rdd25kj +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1uu3llx95wl7u2pl44ltr45exdm5nja5r5c3hky] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1uu3llx95wl7u2pl44ltr45exdm5nja5r5c3hky +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1vczur6w8xaand2lzup2l8w7jjqy7e70md3xa7p] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1vczur6w8xaand2lzup2l8w7jjqy7e70md3xa7p +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1w9hnzhlq26wdgw3d2gh9fvf3nwnvxe6ff5crdj] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1w9hnzhlq26wdgw3d2gh9fvf3nwnvxe6ff5crdj +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1wdjs5alt50mqc9wq5zek5j0kv8gkxwasady0cp] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1wdjs5alt50mqc9wq5zek5j0kv8gkxwasady0cp +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1wrwpwkrhc6tyrm5px8xcmuv0ufgcqjngquw20h] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1wrwpwkrhc6tyrm5px8xcmuv0ufgcqjngquw20h +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1x6ux4um7xlctx09fe60k258yr03d3npvpt07jv] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1x6ux4um7xlctx09fe60k258yr03d3npvpt07jv +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1xvlnfmq5672rmvn6576rvj389ezu9nxc9dpk8l] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1xvlnfmq5672rmvn6576rvj389ezu9nxc9dpk8l +decimals = 0 + +[factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1z098f8syf3g2pmt606kqmsmwfy2z5rcgmzte0h] +peggy_denom = factory/inj1an0gxz8w2sfavu5glt32hly5m2ltz67eyx2gra/lpinj1z098f8syf3g2pmt606kqmsmwfy2z5rcgmzte0h +decimals = 0 + +[factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test +decimals = 6 + +[factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/testa1] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/testa1 +decimals = 6 + +[factory/inj1astu9n8434xpd0h90gfgksp85324cd5kp6gs5q/position] +peggy_denom = factory/inj1astu9n8434xpd0h90gfgksp85324cd5kp6gs5q/position +decimals = 0 + +[factory/inj1au376u55jzxj3rxhk7e4q0pk2xz0xf6a0ww8me/position] +peggy_denom = factory/inj1au376u55jzxj3rxhk7e4q0pk2xz0xf6a0ww8me/position +decimals = 0 + +[factory/inj1audhvz4wweflplqpws7348w4tjj4lwdq8gs0g5/position] +peggy_denom = factory/inj1audhvz4wweflplqpws7348w4tjj4lwdq8gs0g5/position +decimals = 0 + +[factory/inj1aueqg42j0xs3yyea9ppgs652l99g4wegc6kuks/lpinj1f42t9j379jm5sss0j9xarf0mmwzp69nugd6pzf] +peggy_denom = factory/inj1aueqg42j0xs3yyea9ppgs652l99g4wegc6kuks/lpinj1f42t9j379jm5sss0j9xarf0mmwzp69nugd6pzf +decimals = 0 + +[factory/inj1aueqg42j0xs3yyea9ppgs652l99g4wegc6kuks/lpinj1yvm6xz7ztv24ketpw8hsuns95z7nrtjm2ws6s7] +peggy_denom = factory/inj1aueqg42j0xs3yyea9ppgs652l99g4wegc6kuks/lpinj1yvm6xz7ztv24ketpw8hsuns95z7nrtjm2ws6s7 +decimals = 0 + +[factory/inj1aus3al2tm7kd2kammhuvu7tae0gyn3vz4tmln2/position] +peggy_denom = factory/inj1aus3al2tm7kd2kammhuvu7tae0gyn3vz4tmln2/position +decimals = 0 + +[factory/inj1aw8kmum8xcnwramz0ekdy0pl0k7xfdydmhxr07/position] +peggy_denom = factory/inj1aw8kmum8xcnwramz0ekdy0pl0k7xfdydmhxr07/position +decimals = 0 + +[factory/inj1awvzukx5tfp6dzlc7v87jrtwg0m2z97gwgk2l7/position] +peggy_denom = factory/inj1awvzukx5tfp6dzlc7v87jrtwg0m2z97gwgk2l7/position +decimals = 0 + +[factory/inj1ayhegfjmnsnv5wcuuxk56c27zf0zhvcm659haz/position] +peggy_denom = factory/inj1ayhegfjmnsnv5wcuuxk56c27zf0zhvcm659haz/position +decimals = 0 + +[factory/inj1azh3q0uq5xhj856jfe7cq8g42vf0vqwe6q380d/position] +peggy_denom = factory/inj1azh3q0uq5xhj856jfe7cq8g42vf0vqwe6q380d/position +decimals = 0 + +[factory/inj1c36j9k3vrvxm5hg0p44n9lfmldmfughcr0yn9y/bINJ] +peggy_denom = factory/inj1c36j9k3vrvxm5hg0p44n9lfmldmfughcr0yn9y/bINJ +decimals = 0 + +[factory/inj1c588j3kkay3hk4np5xlqttrnzhqp7k2wfhg9jr/position] +peggy_denom = factory/inj1c588j3kkay3hk4np5xlqttrnzhqp7k2wfhg9jr/position +decimals = 0 + +[factory/inj1c8fxfgjnqssuqwsfn5lyyjff20tmwpjgr9zavx/position] +peggy_denom = factory/inj1c8fxfgjnqssuqwsfn5lyyjff20tmwpjgr9zavx/position +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688393090InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688393090InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688393190InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688393190InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688562440InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688562440InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688562475InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688562475InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688738289InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688738289InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688738335InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688738335InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688919059InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688919059InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688919103InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1688919103InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689267553InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689267553InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689267590InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689267590InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689599333InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689599333InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689599371InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689599371InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689947444InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689947444InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689947488InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1689947488InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690292884InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690292884InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690292943InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690292943InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690638281InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690638281InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690638318InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690638318InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690977270InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690977270InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690985975InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690985975InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690986069InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1690986069InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691332939InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691332939InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691332966InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691332966InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691672834InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691672834InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691672874InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1691672874InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692088340InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692088340InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692088377InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692088377InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692366264InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692366264InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692366299InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692366299InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692713323InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692713323InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692713423InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1692713423InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693059790InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693059790InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693061285InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693061285InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693314015InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693314015InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693400975InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693400975InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693401025InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693401025InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693573212InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693573212InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693668292InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693668292InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693918802InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693918802InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693919162InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1693919162InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694264419InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694264419InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694264444InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694264444InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694610004InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694610004InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694610034InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694610034InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694955601InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694955601InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694955631InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1694955631InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695301201InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695301201InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695301775InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695301775InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695646812InjUsdt14d130C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695646812InjUsdt14d130C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695651424InjUsdt14d80P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695651424InjUsdt14d80P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695911036InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695911036InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695912528InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695912528InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695912582InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695912582InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695922942InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695922942InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695924094InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695924094InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992413InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992413InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992443InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992443InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992458InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992458InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992533InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1695992533InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165211InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165211InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165241InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165241InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165255InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165255InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165331InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696165331InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696182385InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696182385InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338011InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338011InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338040InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338040InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338055InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696338055InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696339261InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696339261InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696339298InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696339298InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510811InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510811InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510841InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510841InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510871InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696510871InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696515587InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696515587InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696515618InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696515618InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696683611InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696683611InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696683641InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696683641InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693437InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693437InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693477InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693477InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693515InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696693515InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856403InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856403InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856433InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856433InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856448InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696856448InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696857075InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696857075InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696857115InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1696857115InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029205InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029205InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029235InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029235InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029250InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029250InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029808InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029808InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029853InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697029853InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202011InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202011InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202035InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202035InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202050InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202050InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202096InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202096InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202125InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697202125InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374809InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374809InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374839InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374839InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374854InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697374854InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697379492InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697379492InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697379504InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697379504InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547614InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547614InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547643InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547643InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547658InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697547658InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697549059InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697549059InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697549075InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697549075InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720411InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720411InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720438InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720438InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720453InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697720453InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722452InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722452InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722512InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722512InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722541InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722541InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722572InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722572InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722633InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722633InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722693InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722693InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722754InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722754InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722766InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722766InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722781InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722781InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722796InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697722796InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724339InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724339InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724387InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724387InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724390InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724390InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724475InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697724475InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893205InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893205InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893234InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893234InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893249InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893249InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893294InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697893294InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697895660InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1697895660InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698066012InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698066012InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698066056InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698066056InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071468InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071468InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071537InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071537InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071660InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698071660InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238813InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238813InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238853InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238853InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238868InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238868InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238913InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698238913InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698240068InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698240068InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411615InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411615InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411656InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411656InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411673InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411673InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411686InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411686InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411717InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698411717InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584414InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584414InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584458InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584458InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584475InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698584475InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698592535InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698592535InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698592576InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698592576InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757215InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757215InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757256InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757256InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757273InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698757273InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698758802InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698758802InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698758832InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698758832InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698843614InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698843614InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698843674InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698843674InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931135InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931135InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931139InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931139InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931146InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931146InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931150InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931150InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931183InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1698931183InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016403InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016403InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016433InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016433InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016448InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016448InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016463InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016463InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016583InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699016583InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699103898InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699103898InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104579InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104579InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104609InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104609InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104624InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104624InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104639InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699104639InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189213InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189213InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189258InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189258InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189273InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189273InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189303InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189303InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189363InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699189363InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362005InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362005InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362047WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362047WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362062InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362062InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362092InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362092InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362107InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362107InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362137InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362137InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362152WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362152WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362182WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699362182WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699363478WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699363478WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534816InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534816InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534856InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534856InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534873InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534873InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534901WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534901WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534916InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534916InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534946WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699534946WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537637InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537637InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537689WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537689WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537827WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699537827WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707612InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707612InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707642WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707642WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707672WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707672WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707702InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707702InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707717WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707717WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707747WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699707747WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880411InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880411InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880440WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880440WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880455AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880455AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880470WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880470WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880472AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880472AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880515WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880515WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880531WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880531WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880546InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880546InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880591InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699880591InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883358InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883358InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883418AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883418AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883465InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883465InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883507AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1699883507AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053208WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053208WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053237InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053237InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053252AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053252AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053268AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053268AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053297WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053297WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053313InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053313InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053358InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053358InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053403InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700053403InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054233WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054233WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054322InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054322InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054425AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054425AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054460WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054460WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054540InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054540InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054603AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700054603AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700055200InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700055200InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226004AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226004AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226032InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226032InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226047WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226047WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226065AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226065AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226093WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226093WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226108InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226108InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226123WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226123WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226214AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700226214AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700237848InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700237848InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700237905InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700237905InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238026InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238026InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238071AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238071AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238126WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700238126WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398810InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398810InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398838WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398838WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398853InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398853InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398871InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398871InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398929InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398929InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398944WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398944WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398974AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700398974AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700399004WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700399004WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408075WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408075WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408140AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408140AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408200InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408200InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408248AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408248AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408289AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700408289AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571609AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571609AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571632WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571632WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571647AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571647AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571666AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571666AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571677InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571677InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571692WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571692WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571707InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571707InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571723WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571723WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571768AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700571768AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579392InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579392InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579439WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579439WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579479InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579479InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579489InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700579489InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744414WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744414WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744455InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744455InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744473AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744473AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744485WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744485WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744500AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744500AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744515InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744515InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744561InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744561InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744591WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700744591WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700748942WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700748942WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749133InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749133InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749179InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749179InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749219AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749219AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749252AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700749252AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917204WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917204WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917232InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917232InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917247InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917247InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917262InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917262InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917292WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917292WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917308AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917308AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917323AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917323AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917338WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917338WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917353InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917353InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917488AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700917488AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921448InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921448InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921481AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921481AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921520WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1700921520WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090009WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090009WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090052InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090052InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090066InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090066InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090081AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090081AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090096AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090096AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090111WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090111WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090141WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090141WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090171InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701090171InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095493WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095493WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095532InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095532InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095557AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095557AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095607InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095607InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095626AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701095626AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262817InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262817InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262857InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262857InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262872InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262872InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262875WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262875WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262902AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262902AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262933WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262933WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262963WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701262963WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263083InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263083InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263221AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263221AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263221AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701263221AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267248InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267248InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267412WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267412WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267494AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701267494AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435312AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435312AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435312AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435312AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435613InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435613InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435655WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435655WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435675InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435675InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435684WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435684WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435775InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435775InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435790WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435790WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435880WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701435880WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437080InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437080InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437560InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437560InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437574AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437574AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437574AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701437574AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608110InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608413WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608413WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608438InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608438InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608471InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608471InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608513WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608513WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608574WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608574WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608589InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701608589InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701614619WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701614619WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701780916WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781204InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781204InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781258WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781258WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781262InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781262InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781303WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781303WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781409WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701781409WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701782379InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701782379InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953703WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953704WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1701953705WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126501WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126502WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126503InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126504InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126504InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126504WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702126504WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299314WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702299315WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472108WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702472110WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644910InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644910InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644911WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644912AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644912AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702644913WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817700WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817701WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702817702WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990515WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1702990516WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163309WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163310WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703163311WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703336400WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703509200WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703682000WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854510WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854511InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854511InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854511WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854511WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854512InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1703854512InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027313WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027314WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704027315WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113708WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113709WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704113710WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504AtomUsdt10d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504AtomUsdt10d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504AtomUsdt10d85P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504AtomUsdt10d85P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504InjUsdt10d84P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504InjUsdt10d84P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt10d111C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt10d111C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt10d86P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt10d86P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286504WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505AtomUsdt10d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505AtomUsdt10d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505AtomUsdt10d124C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505AtomUsdt10d124C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt10d128C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt10d128C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286505WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286506InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704286506InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305WEthUsdt6d113C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305WEthUsdt6d113C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305WEthUsdt6d91P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704459305WEthUsdt6d91P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704632108InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704804916InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1704977701InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150513InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150513InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150513InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150513InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150514InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705150514InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705323312InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705496114InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668906InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668906InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668907InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668907InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668907InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705668907InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1705841709InjUsdt6d82P +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d114C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d114C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d117C] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d117C +decimals = 0 + +[factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d82P] +peggy_denom = factory/inj1ccntcwshzgf40ac8zcpt8tfa6fd3w6r567mp3z/1706014513InjUsdt6d82P +decimals = 0 + +[factory/inj1cdtyk74jm0qg5r0snkddqwl4d0r4vu54zakvkd/position] +peggy_denom = factory/inj1cdtyk74jm0qg5r0snkddqwl4d0r4vu54zakvkd/position +decimals = 0 + +[factory/inj1ce5nts6qntka3te9zqcgf6pgyczxjd8aul9dvp/PTG] +peggy_denom = factory/inj1ce5nts6qntka3te9zqcgf6pgyczxjd8aul9dvp/PTG +decimals = 0 + +[factory/inj1cepq3ezj4plltmnu3zkkzmnta56ur39pu9wssy/position] +peggy_denom = factory/inj1cepq3ezj4plltmnu3zkkzmnta56ur39pu9wssy/position +decimals = 0 + +[factory/inj1cg3ufnnh7cdj9mnxc5dpvzufcrtckqqec0y5dp/dev] +peggy_denom = factory/inj1cg3ufnnh7cdj9mnxc5dpvzufcrtckqqec0y5dp/dev +decimals = 0 + +[factory/inj1cjcpjhrg2ame8u2358ufw4dk22uua0d75pf0rd/bpINJ] +peggy_denom = factory/inj1cjcpjhrg2ame8u2358ufw4dk22uua0d75pf0rd/bpINJ +decimals = 0 + +[factory/inj1cjju83m8tmzf48htuex6qgks3q6s3xzrdml4a2/position] +peggy_denom = factory/inj1cjju83m8tmzf48htuex6qgks3q6s3xzrdml4a2/position +decimals = 0 + +[factory/inj1ckmdhdz7r8glfurckgtg0rt7x9uvner4ygqhlv/lp] +peggy_denom = factory/inj1ckmdhdz7r8glfurckgtg0rt7x9uvner4ygqhlv/lp +decimals = 0 + +[factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/AAA] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/AAA +decimals = 0 + +[factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/APE] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/APE +decimals = 6 + +[factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/test] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/test +decimals = 6 + +[factory/inj1cq2uqxukggfktp5pqgchkxnjg4u5ct346wvyvr/position] +peggy_denom = factory/inj1cq2uqxukggfktp5pqgchkxnjg4u5ct346wvyvr/position +decimals = 0 + +[factory/inj1cscsemd4rppu3rkxg98dr68npzygxshuylnuux/lp] +peggy_denom = factory/inj1cscsemd4rppu3rkxg98dr68npzygxshuylnuux/lp +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj14gtevsjys2unq288w2trytk0e9cj7g45yq79fw] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj14gtevsjys2unq288w2trytk0e9cj7g45yq79fw +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj15tcjh9c7je9auea2xdj0zm2d6285mg23f97vnt] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj15tcjh9c7je9auea2xdj0zm2d6285mg23f97vnt +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj15ydvx7ynwj3ztsuhmge5dluq7xt942mwpktg7m] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj15ydvx7ynwj3ztsuhmge5dluq7xt942mwpktg7m +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj18kpc00ft4lmzk73wtw4a6lpny8plz6kmpzfmsa] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj18kpc00ft4lmzk73wtw4a6lpny8plz6kmpzfmsa +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19hpqtcajc82cquytuxgmw6lg3k0qwuru3t00n7] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19hpqtcajc82cquytuxgmw6lg3k0qwuru3t00n7 +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19kaqlc2xxku64esn5fuml8qpmd43qu7puyawnc] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19kaqlc2xxku64esn5fuml8qpmd43qu7puyawnc +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19ydmpse0244sue79yzvszkpkk32y53urtcjtm6] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj19ydmpse0244sue79yzvszkpkk32y53urtcjtm6 +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1apapy3g66m52mmt2wkyjm6hpyd563t90u0dgmx] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1apapy3g66m52mmt2wkyjm6hpyd563t90u0dgmx +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1c4ax6zup2w2v6nfh8f8gv4ks83lhv9hv53xf7a] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1c4ax6zup2w2v6nfh8f8gv4ks83lhv9hv53xf7a +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1c6ql7ladykug4f0ue3ht8qrrwqen3jmz2sxaf2] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1c6ql7ladykug4f0ue3ht8qrrwqen3jmz2sxaf2 +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1dswjduvp7fq52ulcuqmv6caqs5ssxkspavhs4d] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1dswjduvp7fq52ulcuqmv6caqs5ssxkspavhs4d +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1g4cpf9jhqgfel02g94uguw332nvrtlp6dxjnkz] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1g4cpf9jhqgfel02g94uguw332nvrtlp6dxjnkz +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1hkuk3yf6apqqj93ay7e8cxx7tc88zdydm38c9u] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1hkuk3yf6apqqj93ay7e8cxx7tc88zdydm38c9u +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1jy6s387mwu2l96qqw3vxpzfgcyfleqy9r74uqp] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1jy6s387mwu2l96qqw3vxpzfgcyfleqy9r74uqp +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1kj5ynn7w4f8uymk4qdjythss8fkfrljh0wqlsz] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1kj5ynn7w4f8uymk4qdjythss8fkfrljh0wqlsz +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1nt9x2szk5dkgr7m8q60kxeg2we546ud0uqe276] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1nt9x2szk5dkgr7m8q60kxeg2we546ud0uqe276 +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1up4rl2q7n3fh785t9ej78xhvfah9mxt8u24n32] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1up4rl2q7n3fh785t9ej78xhvfah9mxt8u24n32 +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1ve5rqgz5l2fytd22egw5tgs79pa7l5zzzdt0ys] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1ve5rqgz5l2fytd22egw5tgs79pa7l5zzzdt0ys +decimals = 0 + +[factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1y3cmnn0plm4vt6j2nyf5plg48rlywn7cuygv62] +peggy_denom = factory/inj1ctl84udl4flydzdgf8er4z35dd974sufuw4dfk/lpinj1y3cmnn0plm4vt6j2nyf5plg48rlywn7cuygv62 +decimals = 0 + +[factory/inj1cuwygvhqcxgjhudslflfxwxhge8d265tc0uqq5/position] +peggy_denom = factory/inj1cuwygvhqcxgjhudslflfxwxhge8d265tc0uqq5/position +decimals = 0 + +[factory/inj1cvdpxpwlggytumd9ydkvq7z3y0pp75wawnznqp/position] +peggy_denom = factory/inj1cvdpxpwlggytumd9ydkvq7z3y0pp75wawnznqp/position +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1afn8932y6f5v44eguf4tazn5f80uaxz4q603c9] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1afn8932y6f5v44eguf4tazn5f80uaxz4q603c9 +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1fzm58vwmtsn4vxuajvhsdqrjqrdhhdlqfd9lfd] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1fzm58vwmtsn4vxuajvhsdqrjqrdhhdlqfd9lfd +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1gf9dpyjtc5gfnc69nj6e67a2wrsjpruk3caywc] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1gf9dpyjtc5gfnc69nj6e67a2wrsjpruk3caywc +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1ghzfg2v3jzqe3vrhw4wngs43mscpxx98fpjwga] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1ghzfg2v3jzqe3vrhw4wngs43mscpxx98fpjwga +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1jdthft9pq8s87n5x65g49z3rv9nqnvpwrjgfz4] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1jdthft9pq8s87n5x65g49z3rv9nqnvpwrjgfz4 +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1lz5wufvx8qnvpwnw936dsgacdfqcrvrzn7z99f] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1lz5wufvx8qnvpwnw936dsgacdfqcrvrzn7z99f +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nlhwnpeph9gwlng972j9zjwm8n523hx0n2kaj9] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nlhwnpeph9gwlng972j9zjwm8n523hx0n2kaj9 +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nrlveguv98ag7hf3xepd3aycrm8mp7rnhek9av] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nrlveguv98ag7hf3xepd3aycrm8mp7rnhek9av +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nv62axs4mmxfcuwg6v9aayyevxr4z7p9u0vn4y] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1nv62axs4mmxfcuwg6v9aayyevxr4z7p9u0vn4y +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1v26u44zh87fvvdpayzvw8t9vrydz25mp6kdkru] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1v26u44zh87fvvdpayzvw8t9vrydz25mp6kdkru +decimals = 0 + +[factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1yj6rs33p42t6qx6j43z8d4zqx5egr76wdpz44t] +peggy_denom = factory/inj1cwx93480s73en2qxqlacte42dpusxdkgs83j0f/lpinj1yj6rs33p42t6qx6j43z8d4zqx5egr76wdpz44t +decimals = 0 + +[factory/inj1cxjmxnuul7fcwt5jfgn87gf3u9yq74trgn2h64/position] +peggy_denom = factory/inj1cxjmxnuul7fcwt5jfgn87gf3u9yq74trgn2h64/position +decimals = 0 + +[factory/inj1cxx7gcy35zce6x869mvq7af4e3gnka5m8yr9xm/bpINJ] +peggy_denom = factory/inj1cxx7gcy35zce6x869mvq7af4e3gnka5m8yr9xm/bpINJ +decimals = 0 + +[factory/inj1cyp93g4eq3l4xknl803x3je4k5xr9fdr5qp78h/position] +peggy_denom = factory/inj1cyp93g4eq3l4xknl803x3je4k5xr9fdr5qp78h/position +decimals = 0 + +[factory/inj1d0646us3wrcw6a77qmth6sc539vplaqdya55zh/nUSD] +peggy_denom = factory/inj1d0646us3wrcw6a77qmth6sc539vplaqdya55zh/nUSD +decimals = 18 + +[factory/inj1d2fz729s6egfvaf0ucg9pwecatkyp3s4zns0qq/position] +peggy_denom = factory/inj1d2fz729s6egfvaf0ucg9pwecatkyp3s4zns0qq/position +decimals = 0 + +[factory/inj1d37eu9nq4l3za205cswnt9qwcp256cp4g6f2wl/position] +peggy_denom = factory/inj1d37eu9nq4l3za205cswnt9qwcp256cp4g6f2wl/position +decimals = 0 + +[factory/inj1d3jc5pr6nsf9twyzjh9w5nj7nn235ysllwtpq7/frcoin] +peggy_denom = factory/inj1d3jc5pr6nsf9twyzjh9w5nj7nn235ysllwtpq7/frcoin +decimals = 0 + +[factory/inj1d3zazwsqnsg29srlc52vp70gnxzr0njun8z79r/position] +peggy_denom = factory/inj1d3zazwsqnsg29srlc52vp70gnxzr0njun8z79r/position +decimals = 0 + +[factory/inj1d42m7tzg46rm986d4khfr4khvtlp5nuynqa258/position] +peggy_denom = factory/inj1d42m7tzg46rm986d4khfr4khvtlp5nuynqa258/position +decimals = 0 + +[factory/inj1d47wsg95r9nwr564y3c8q6f3du4fvvucuhkcy7/position] +peggy_denom = factory/inj1d47wsg95r9nwr564y3c8q6f3du4fvvucuhkcy7/position +decimals = 0 + +[factory/inj1d4ajy0e7ykpem7zq3ur7e56uff9zspk8rfuvl8/position] +peggy_denom = factory/inj1d4ajy0e7ykpem7zq3ur7e56uff9zspk8rfuvl8/position +decimals = 0 + +[factory/inj1d4gfk3ychy9qcklj7azay6djhfytmalj7e0yax/bpINJ] +peggy_denom = factory/inj1d4gfk3ychy9qcklj7azay6djhfytmalj7e0yax/bpINJ +decimals = 0 + +[factory/inj1d4q5kja5dy95ss0yxkk5zlfj6zc49f40yh3wd5/position] +peggy_denom = factory/inj1d4q5kja5dy95ss0yxkk5zlfj6zc49f40yh3wd5/position +decimals = 0 + +[factory/inj1d5a4g5h3ew2e5sta9fjk42t2pp2azaw96hu8r5/position] +peggy_denom = factory/inj1d5a4g5h3ew2e5sta9fjk42t2pp2azaw96hu8r5/position +decimals = 0 + +[factory/inj1d5p93zzsgr5dwvxfus4hsp3nxz29y99r80905q/injx] +peggy_denom = factory/inj1d5p93zzsgr5dwvxfus4hsp3nxz29y99r80905q/injx +decimals = 6 + +[factory/inj1d8je3vv9k4639et8asyypgyjrffxvj4me5zzdp/position] +peggy_denom = factory/inj1d8je3vv9k4639et8asyypgyjrffxvj4me5zzdp/position +decimals = 0 + +[factory/inj1dam3n6v90ky7l6emgv4v2zgzcxrmchssryzs7c/position] +peggy_denom = factory/inj1dam3n6v90ky7l6emgv4v2zgzcxrmchssryzs7c/position +decimals = 0 + +[factory/inj1dc6rrxhfjaxexzdcrec5w3ryl4jn6x5t7t9j3z/foobar] +peggy_denom = factory/inj1dc6rrxhfjaxexzdcrec5w3ryl4jn6x5t7t9j3z/foobar +decimals = 0 + +[factory/inj1ddp0ltux6sx2j2hh7q6uvqfhesyk0lwymzas6x/WIZZ] +peggy_denom = factory/inj1ddp0ltux6sx2j2hh7q6uvqfhesyk0lwymzas6x/WIZZ +decimals = 6 + +[factory/inj1dfvy2pcrk5cc3ypljed5f39xj75fpku38c09nr/position] +peggy_denom = factory/inj1dfvy2pcrk5cc3ypljed5f39xj75fpku38c09nr/position +decimals = 0 + +[factory/inj1dlfft5qkmmyhgvsrhalg5ncrxtsek4uggtsqcm/position] +peggy_denom = factory/inj1dlfft5qkmmyhgvsrhalg5ncrxtsek4uggtsqcm/position +decimals = 0 + +[factory/inj1dmfq9frxl7p3ym4w6lu8jj73ev7l35r5fwp2mu/position] +peggy_denom = factory/inj1dmfq9frxl7p3ym4w6lu8jj73ev7l35r5fwp2mu/position +decimals = 0 + +[factory/inj1dphl5v4j93lndzpeag8274aew870c425fdren7/position] +peggy_denom = factory/inj1dphl5v4j93lndzpeag8274aew870c425fdren7/position +decimals = 0 + +[factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/DDL] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/DDL +decimals = 6 + +[factory/inj1dtv4sfv6kp72tsk8y4dz6s8w3lkjga9clx99jg/position] +peggy_denom = factory/inj1dtv4sfv6kp72tsk8y4dz6s8w3lkjga9clx99jg/position +decimals = 0 + +[factory/inj1du8933kzqm6zqq7kz93c5kv28e7ffqy9lmdgr9/position] +peggy_denom = factory/inj1du8933kzqm6zqq7kz93c5kv28e7ffqy9lmdgr9/position +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683106600InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683106600InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683107230InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683107230InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683107439InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683107439InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683108418InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683108418InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683108796InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683108796InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683109853AtomUsdt7d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683109853AtomUsdt7d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136047InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136047InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136243InjUsdt14d80P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136243InjUsdt14d80P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136518AtomUsdt7d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136518AtomUsdt7d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136988InjUsdt14d130C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683136988InjUsdt14d130C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138126InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138126InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138306AtomUsdt21d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138306AtomUsdt21d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138463AtomUsdt21d115C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683138463AtomUsdt21d115C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683139006InjUsdt21d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683139006InjUsdt21d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683139147InjUsdt21d88P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683139147InjUsdt21d88P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683302884InjUsdt21d88P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683302884InjUsdt21d88P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683302928InjUsdt14d80P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683302928InjUsdt14d80P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303047InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303047InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303087AtomUsdt21d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303087AtomUsdt21d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303122AtomUsdt21d115C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303122AtomUsdt21d115C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303156InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303156InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303211InjUsdt14d130C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303211InjUsdt14d130C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303495InjUsdt21d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683303495InjUsdt21d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476746InjUsdt21d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476746InjUsdt21d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476780InjUsdt14d130C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476780InjUsdt14d130C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476814InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476814InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476835AtomUsdt21d115C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476835AtomUsdt21d115C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476858AtomUsdt21d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476858AtomUsdt21d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476891InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476891InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476927InjUsdt14d80P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476927InjUsdt14d80P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476949InjUsdt21d88P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683476949InjUsdt21d88P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650472InjUsdt21d88P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650472InjUsdt21d88P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650539InjUsdt14d80P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650539InjUsdt14d80P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650574InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650574InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650640AtomUsdt21d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650640AtomUsdt21d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650659AtomUsdt21d115C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650659AtomUsdt21d115C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650692InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650692InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650715InjUsdt14d130C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650715InjUsdt14d130C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650740InjUsdt21d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683650740InjUsdt21d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820836InjUsdt3d112C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820836InjUsdt3d112C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820868InjUsdt21d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820868InjUsdt21d110C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820948InjUsdt14d130C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683820948InjUsdt14d130C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821009InjUsdt7d120C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821009InjUsdt7d120C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821053AtomUsdt21d115C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821053AtomUsdt21d115C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821079AtomUsdt21d90P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821079AtomUsdt21d90P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821101InjUsdt7d85P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821101InjUsdt7d85P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821126InjUsdt14d80P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821126InjUsdt14d80P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821144InjUsdt21d88P] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683821144InjUsdt21d88P +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683822139InjUsdt3d112C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683822139InjUsdt3d112C +decimals = 0 + +[factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683883060InjUsdt1d110C] +peggy_denom = factory/inj1duhn2r05wkgym5a8whumjqee9ngcls2ckcd5y0/1683883060InjUsdt1d110C +decimals = 0 + +[factory/inj1dur2nnfx0mezw0yt80pzcvzacrs5dea3xmjmk0/position] +peggy_denom = factory/inj1dur2nnfx0mezw0yt80pzcvzacrs5dea3xmjmk0/position +decimals = 0 + +[factory/inj1dygmwx7n7ume7qldcsdhplzty5v5hlqkef9jwr/position] +peggy_denom = factory/inj1dygmwx7n7ume7qldcsdhplzty5v5hlqkef9jwr/position +decimals = 0 + +[factory/inj1dyzjct7twr54hnmvlgejaxz7uppzygp7hehrnu/iUSD] +peggy_denom = factory/inj1dyzjct7twr54hnmvlgejaxz7uppzygp7hehrnu/iUSD +decimals = 18 + +[factory/inj1e2muv4qz6fcj294hl8lmca62ujwavlvz4qm3hq/position] +peggy_denom = factory/inj1e2muv4qz6fcj294hl8lmca62ujwavlvz4qm3hq/position +decimals = 0 + +[factory/inj1e3h2tku2sj0chapk0dcmawqqkpp6u5tttxquk8/position] +peggy_denom = factory/inj1e3h2tku2sj0chapk0dcmawqqkpp6u5tttxquk8/position +decimals = 0 + +[factory/inj1e53379hwfxcsaa6lmf2m08d66wm9ddc4u5sh25/position] +peggy_denom = factory/inj1e53379hwfxcsaa6lmf2m08d66wm9ddc4u5sh25/position +decimals = 0 + +[factory/inj1e7m63dmrcz6t3x73n6dtpt6swwamyk04g97qlg/injpepe] +peggy_denom = factory/inj1e7m63dmrcz6t3x73n6dtpt6swwamyk04g97qlg/injpepe +decimals = 6 + +[factory/inj1ecx85kv6yhj7x4s5yt5qaqlt5xtpvpgmmvf92u/position] +peggy_denom = factory/inj1ecx85kv6yhj7x4s5yt5qaqlt5xtpvpgmmvf92u/position +decimals = 0 + +[factory/inj1efnh0jp95r6kwsved6y0k6pj8080gxuek2jrnk/ampINJ] +peggy_denom = factory/inj1efnh0jp95r6kwsved6y0k6pj8080gxuek2jrnk/ampINJ +decimals = 0 + +[factory/inj1eg6m8y4x74f9eq4e4754g2wva3pkr6vv3dmax5/position] +peggy_denom = factory/inj1eg6m8y4x74f9eq4e4754g2wva3pkr6vv3dmax5/position +decimals = 0 + +[factory/inj1ehjperv4y4tsmuzn76zg7asxxsgy9n3h97m4nw/position] +peggy_denom = factory/inj1ehjperv4y4tsmuzn76zg7asxxsgy9n3h97m4nw/position +decimals = 0 + +[factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test] +peggy_denom = factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test +decimals = 0 + +[factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test12] +peggy_denom = factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test12 +decimals = 0 + +[factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test1234] +peggy_denom = factory/inj1ejm3575vmekrr240xzlklvrzq23sg8r3enup29/test1234 +decimals = 0 + +[factory/inj1eksclftnrmglhxw7pvjq8wnuhdwn4ykw2nffc2/UNI] +peggy_denom = factory/inj1eksclftnrmglhxw7pvjq8wnuhdwn4ykw2nffc2/UNI +decimals = 18 + +[factory/inj1eksclftnrmglhxw7pvjq8wnuhdwn4ykw2nffc2/ninji] +peggy_denom = factory/inj1eksclftnrmglhxw7pvjq8wnuhdwn4ykw2nffc2/ninji +decimals = 0 + +[factory/inj1em24m6ujruu8pan9fkcsvf25rw46gyzks55mtl/position] +peggy_denom = factory/inj1em24m6ujruu8pan9fkcsvf25rw46gyzks55mtl/position +decimals = 0 + +[factory/inj1ers87xhm27jtgg3tru3zlfqzz882jlql38ky36/position] +peggy_denom = factory/inj1ers87xhm27jtgg3tru3zlfqzz882jlql38ky36/position +decimals = 0 + +[factory/inj1es8t7hpuuhamym96camsumq8f2p7s67ex6ekuk/position] +peggy_denom = factory/inj1es8t7hpuuhamym96camsumq8f2p7s67ex6ekuk/position +decimals = 0 + +[factory/inj1ettpy46cd5rgvghntdzkgtzfxtylx8apuqn993/position] +peggy_denom = factory/inj1ettpy46cd5rgvghntdzkgtzfxtylx8apuqn993/position +decimals = 0 + +[factory/inj1eumzsffrxg4n86n08z4udltdvjw2audeq3ml4r/position] +peggy_denom = factory/inj1eumzsffrxg4n86n08z4udltdvjw2audeq3ml4r/position +decimals = 0 + +[factory/inj1euqtqjkuer85sajsd9jssxfqh6xk0hl79x3kr9/1] +peggy_denom = factory/inj1euqtqjkuer85sajsd9jssxfqh6xk0hl79x3kr9/1 +decimals = 0 + +[factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/inj-test] +peggy_denom = factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/inj-test +decimals = 6 + +[factory/inj1euzdefun9xrhm5985wyqycz337cy72jqepsvpz/position] +peggy_denom = factory/inj1euzdefun9xrhm5985wyqycz337cy72jqepsvpz/position +decimals = 0 + +[factory/inj1ev0r4jdrp32595r4dsep5glfz8r29ltn9f6fn8/position] +peggy_denom = factory/inj1ev0r4jdrp32595r4dsep5glfz8r29ltn9f6fn8/position +decimals = 0 + +[factory/inj1expnflv5vkdjglnstsmywdaeenlr7kmw3am9cd/bINJ] +peggy_denom = factory/inj1expnflv5vkdjglnstsmywdaeenlr7kmw3am9cd/bINJ +decimals = 0 + +[factory/inj1ezgwxucda3qv6ss9sgmn5tke55n7razrka4nxf/position] +peggy_denom = factory/inj1ezgwxucda3qv6ss9sgmn5tke55n7razrka4nxf/position +decimals = 0 + +[factory/inj1eznzrkxw0ajqerwg780nae52tnv6mf6vc53c8m/position] +peggy_denom = factory/inj1eznzrkxw0ajqerwg780nae52tnv6mf6vc53c8m/position +decimals = 0 + +[factory/inj1f34r70r5mn3ecgqh6z0r425ujfjf0z0ssh97wz/position] +peggy_denom = factory/inj1f34r70r5mn3ecgqh6z0r425ujfjf0z0ssh97wz/position +decimals = 0 + +[factory/inj1f5nlcumww7lzunw9l8jkm0hu6ml77fr9rxlqyt/position] +peggy_denom = factory/inj1f5nlcumww7lzunw9l8jkm0hu6ml77fr9rxlqyt/position +decimals = 0 + +[factory/inj1f5p279aznnd8wst2rasw46gf9wmdnspx3ymml8/DUCK] +peggy_denom = factory/inj1f5p279aznnd8wst2rasw46gf9wmdnspx3ymml8/DUCK +decimals = 6 + +[factory/inj1f76ard420a76f9kjyy3pte0z0jgmz3m7fmm25l/kd] +peggy_denom = factory/inj1f76ard420a76f9kjyy3pte0z0jgmz3m7fmm25l/kd +decimals = 0 + +[factory/inj1f8qce3t94xjattfldlrt8txkdajj4wp5e77wd5/position] +peggy_denom = factory/inj1f8qce3t94xjattfldlrt8txkdajj4wp5e77wd5/position +decimals = 0 + +[factory/inj1fcjg8rsr3uzusq9uk80accx45cajqh7tfu0z09/position] +peggy_denom = factory/inj1fcjg8rsr3uzusq9uk80accx45cajqh7tfu0z09/position +decimals = 0 + +[factory/inj1fcmgj8zhutjyq3rs649nmhl7nl64vshvedq5ac/position] +peggy_denom = factory/inj1fcmgj8zhutjyq3rs649nmhl7nl64vshvedq5ac/position +decimals = 0 + +[factory/inj1fcv9exmq8kqkqlch5cxgqnrmqnsmp99m5k42q7/position] +peggy_denom = factory/inj1fcv9exmq8kqkqlch5cxgqnrmqnsmp99m5k42q7/position +decimals = 0 + +[factory/inj1ff69sl4sgupxnxj6qslnwkjv7060y6cc6slp6m/ak] +peggy_denom = factory/inj1ff69sl4sgupxnxj6qslnwkjv7060y6cc6slp6m/ak +decimals = 6 + +[factory/inj1ff69sl4sgupxnxj6qslnwkjv7060y6cc6slp6m/test] +peggy_denom = factory/inj1ff69sl4sgupxnxj6qslnwkjv7060y6cc6slp6m/test +decimals = 6 + +[factory/inj1ff8anga339wvstvskeu2t9wngl99e2ddyu37en/position] +peggy_denom = factory/inj1ff8anga339wvstvskeu2t9wngl99e2ddyu37en/position +decimals = 0 + +[factory/inj1fhtkg9tga7wdvll35cprd9wyzztp2cdl0qmv69/position] +peggy_denom = factory/inj1fhtkg9tga7wdvll35cprd9wyzztp2cdl0qmv69/position +decimals = 0 + +[factory/inj1fl8vrwlcd9m8hfwdctwcwvmztut8wuclxrsc28/position] +peggy_denom = factory/inj1fl8vrwlcd9m8hfwdctwcwvmztut8wuclxrsc28/position +decimals = 0 + +[factory/inj1flelautgvu5x2yfzprke0m9damel9pvh4uegth/holding] +peggy_denom = factory/inj1flelautgvu5x2yfzprke0m9damel9pvh4uegth/holding +decimals = 0 + +[factory/inj1flelautgvu5x2yfzprke0m9damel9pvh4uegth/holding2] +peggy_denom = factory/inj1flelautgvu5x2yfzprke0m9damel9pvh4uegth/holding2 +decimals = 0 + +[factory/inj1fnlg4mqsz7swspeakkkkzedscx3wl74psgg42a/position] +peggy_denom = factory/inj1fnlg4mqsz7swspeakkkkzedscx3wl74psgg42a/position +decimals = 0 + +[factory/inj1fpmd6x8yk9trh9xl2n65emmcp53m82tenla0gs/position] +peggy_denom = factory/inj1fpmd6x8yk9trh9xl2n65emmcp53m82tenla0gs/position +decimals = 0 + +[factory/inj1fuhdsfutrh647ls7agk9hj37qqxdkr63xc54n9/position] +peggy_denom = factory/inj1fuhdsfutrh647ls7agk9hj37qqxdkr63xc54n9/position +decimals = 0 + +[factory/inj1fvgk4zvph04nwjp4z96etek2uvejq3ehdleqz9/Magic-Test] +peggy_denom = factory/inj1fvgk4zvph04nwjp4z96etek2uvejq3ehdleqz9/Magic-Test +decimals = 6 + +[factory/inj1fvqjyqul2jlnj7xkpz4a7u0jsn8erf2fh3lzzn/position] +peggy_denom = factory/inj1fvqjyqul2jlnj7xkpz4a7u0jsn8erf2fh3lzzn/position +decimals = 0 + +[factory/inj1fvrauqfuqluvhazephwtcgjqvwxsp5x8jhxsnx/ak] +peggy_denom = factory/inj1fvrauqfuqluvhazephwtcgjqvwxsp5x8jhxsnx/ak +decimals = 0 + +[factory/inj1fw7tkwmwma9eawavzh5kthhkhu9uuhstdczgky/position] +peggy_denom = factory/inj1fw7tkwmwma9eawavzh5kthhkhu9uuhstdczgky/position +decimals = 0 + +[factory/inj1fwa63dj2c9lpjnewdsgulwxllvka96h6z93yaz/position] +peggy_denom = factory/inj1fwa63dj2c9lpjnewdsgulwxllvka96h6z93yaz/position +decimals = 0 + +[factory/inj1fzpdfqd67grg38r3yy5983uke0mzf5mzhhckux/1] +peggy_denom = factory/inj1fzpdfqd67grg38r3yy5983uke0mzf5mzhhckux/1 +decimals = 0 + +[factory/inj1g2pyrpdutgp8gynad0meweplj0hu08nnj6mwps/position] +peggy_denom = factory/inj1g2pyrpdutgp8gynad0meweplj0hu08nnj6mwps/position +decimals = 0 + +[factory/inj1g3jpwhw2xxwn9qjwjtp80r839pfm8vyc9lpvfm/position] +peggy_denom = factory/inj1g3jpwhw2xxwn9qjwjtp80r839pfm8vyc9lpvfm/position +decimals = 0 + +[factory/inj1g3tflajrul49kh2l4lr6mqzu2tvrz6agmxqt0c/position] +peggy_denom = factory/inj1g3tflajrul49kh2l4lr6mqzu2tvrz6agmxqt0c/position +decimals = 0 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/AKK] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/AKK +decimals = 6 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/BC] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/BC +decimals = 0 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/BCT] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/BCT +decimals = 0 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/Sharissa1] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/Sharissa1 +decimals = 6 + +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT +decimals = 0 + +[factory/inj1g5793ypr3w8pp4qd75cuupwr6l27uwh4kwxtyp/position] +peggy_denom = factory/inj1g5793ypr3w8pp4qd75cuupwr6l27uwh4kwxtyp/position +decimals = 0 + +[factory/inj1g5lyftjq6zvj2vd4vhna4850ecjdw332sp7ah9/position] +peggy_denom = factory/inj1g5lyftjq6zvj2vd4vhna4850ecjdw332sp7ah9/position +decimals = 0 + +[factory/inj1g96xktmqzm89kz0cd3xr2mzhtzgyeyamhn4uy5/position] +peggy_denom = factory/inj1g96xktmqzm89kz0cd3xr2mzhtzgyeyamhn4uy5/position +decimals = 0 + +[factory/inj1gae0ejy3nhsc7zhujagrp9r86u5wwsq00te6sa/lpinj1v5dwwcnxdglerm3r8dgjy8a3scd7lwu7ffg5kc] +peggy_denom = factory/inj1gae0ejy3nhsc7zhujagrp9r86u5wwsq00te6sa/lpinj1v5dwwcnxdglerm3r8dgjy8a3scd7lwu7ffg5kc +decimals = 0 + +[factory/inj1gaq65qpckkamqqjjk92we2atekcu7z64jgms03/position] +peggy_denom = factory/inj1gaq65qpckkamqqjjk92we2atekcu7z64jgms03/position +decimals = 0 + +[factory/inj1gaz0m54z8excyw7lrnll865rmzm9tpzq7qltdy/ak] +peggy_denom = factory/inj1gaz0m54z8excyw7lrnll865rmzm9tpzq7qltdy/ak +decimals = 6 + +[factory/inj1gcvxhqqzfhc67283pv9zlwajfszn4zjmnvrt6f/position] +peggy_denom = factory/inj1gcvxhqqzfhc67283pv9zlwajfszn4zjmnvrt6f/position +decimals = 0 + +[factory/inj1gel3l0a7j4g9ph8lrfl97gwjrfu40hp8gt8laf/position] +peggy_denom = factory/inj1gel3l0a7j4g9ph8lrfl97gwjrfu40hp8gt8laf/position +decimals = 0 + +[factory/inj1gevmkpqjxgc8s0y8e6lvcdehfqc0e68ppq32df/position] +peggy_denom = factory/inj1gevmkpqjxgc8s0y8e6lvcdehfqc0e68ppq32df/position +decimals = 0 + +[factory/inj1gg3uw8u22f3223m7yryu8k9tgvgkwfr6pj630h/position] +peggy_denom = factory/inj1gg3uw8u22f3223m7yryu8k9tgvgkwfr6pj630h/position +decimals = 0 + +[factory/inj1ghuveva04c5ev9q20w4swt362n4sh49wya0fxl/position] +peggy_denom = factory/inj1ghuveva04c5ev9q20w4swt362n4sh49wya0fxl/position +decimals = 0 + +[factory/inj1gjjpzwvlak7kmqucl92g2car56r3zxjzysxuz8/foobar] +peggy_denom = factory/inj1gjjpzwvlak7kmqucl92g2car56r3zxjzysxuz8/foobar +decimals = 0 + +[factory/inj1gl0uf9nky7l6z280sle7x086pvgfd9e5tx932x/galaxy] +peggy_denom = factory/inj1gl0uf9nky7l6z280sle7x086pvgfd9e5tx932x/galaxy +decimals = 6 + +[factory/inj1gn6xfmxf6n9lu82892lyfwh4drxmwc2hmqef7u/position] +peggy_denom = factory/inj1gn6xfmxf6n9lu82892lyfwh4drxmwc2hmqef7u/position +decimals = 0 + +[factory/inj1gnqdy89s5q360f0j7rxsukxy0x343l6x4ferlt/position] +peggy_denom = factory/inj1gnqdy89s5q360f0j7rxsukxy0x343l6x4ferlt/position +decimals = 0 + +[factory/inj1gpux5gt63wn46yyfqh8cthugl9yqfrcnefmemm/position] +peggy_denom = factory/inj1gpux5gt63wn46yyfqh8cthugl9yqfrcnefmemm/position +decimals = 0 + +[factory/inj1gpxaq5mgd4ydhyxfdgcjwn5sm9qed7skpnrlj2/bINJ] +peggy_denom = factory/inj1gpxaq5mgd4ydhyxfdgcjwn5sm9qed7skpnrlj2/bINJ +decimals = 0 + +[factory/inj1grz7n07nu48jv8m5gpxsjlac3lqq5x3yspz9ck/position] +peggy_denom = factory/inj1grz7n07nu48jv8m5gpxsjlac3lqq5x3yspz9ck/position +decimals = 0 + +[factory/inj1gsfzd0l2xxkkvsrhedt7lnhrgydkp3argcwad3/position] +peggy_denom = factory/inj1gsfzd0l2xxkkvsrhedt7lnhrgydkp3argcwad3/position +decimals = 0 + +[factory/inj1gunkve73s0h7jr9jgujjqwdxpur0rzt2dz30w9/lp] +peggy_denom = factory/inj1gunkve73s0h7jr9jgujjqwdxpur0rzt2dz30w9/lp +decimals = 0 + +[factory/inj1gvftjh39gp6akdxm6l5yrwx426hu7l0fkd3yry/ak] +peggy_denom = factory/inj1gvftjh39gp6akdxm6l5yrwx426hu7l0fkd3yry/ak +decimals = 6 + +[factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test] +peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test +decimals = 18 + +[factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test2] +peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test2 +decimals = 6 + +[factory/inj1gvskqyvy4y2630mn7lswylsyrvzq8xnp06mrn6/position] +peggy_denom = factory/inj1gvskqyvy4y2630mn7lswylsyrvzq8xnp06mrn6/position +decimals = 0 + +[factory/inj1gvsx78tja0wfqq9e2tddhlky4ydc2w3wx2zkrd/position] +peggy_denom = factory/inj1gvsx78tja0wfqq9e2tddhlky4ydc2w3wx2zkrd/position +decimals = 0 + +[factory/inj1gy6kakuaatzkd4hw6urjx05t73pr6mc9zngqn5/position] +peggy_denom = factory/inj1gy6kakuaatzkd4hw6urjx05t73pr6mc9zngqn5/position +decimals = 0 + +[factory/inj1hadwz2rpsccxdpyv04nmqevtrss35lenmz8dzw/position] +peggy_denom = factory/inj1hadwz2rpsccxdpyv04nmqevtrss35lenmz8dzw/position +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj10f4x5azxg58tfykzntcj4edazh3g3fnslut9vc] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj10f4x5azxg58tfykzntcj4edazh3g3fnslut9vc +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj15466xjsqhh0l60kwx44h5hnzm5dy069mhpgcvk] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj15466xjsqhh0l60kwx44h5hnzm5dy069mhpgcvk +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj15dph6ndevrvvzec8wzdv9ahegndfcqs6922kkf] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj15dph6ndevrvvzec8wzdv9ahegndfcqs6922kkf +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj16e0ahu2q8u3teqk3z8ngr2nufslvsl5ru5ydt0] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj16e0ahu2q8u3teqk3z8ngr2nufslvsl5ru5ydt0 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj18lh2du7f0mayz7cmyjm487eudc48m3d24jltpc] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj18lh2du7f0mayz7cmyjm487eudc48m3d24jltpc +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj192ta9slx6l7ftreft5mds90pmpavmsu9n6vhr6] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj192ta9slx6l7ftreft5mds90pmpavmsu9n6vhr6 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1avns4wyef63l4scsxj2e6cf56fnt3m2lv9tgnk] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1avns4wyef63l4scsxj2e6cf56fnt3m2lv9tgnk +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1f5sksszg9uphrapwthjrrcpdmyr5r4guk5fq5x] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1f5sksszg9uphrapwthjrrcpdmyr5r4guk5fq5x +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1hhpqhlpch0h5xhufhlvl6xs95ccx2l8l4nk4un] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1hhpqhlpch0h5xhufhlvl6xs95ccx2l8l4nk4un +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1j58xf5f09u98jxvqyqsjhacdepepwxy67sg5dh] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1j58xf5f09u98jxvqyqsjhacdepepwxy67sg5dh +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1jrpf2rzsr9hfn7uaqgqjae6lx8vhfk00tjvvzw] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1jrpf2rzsr9hfn7uaqgqjae6lx8vhfk00tjvvzw +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1kfxppjerh6u36le9378zpu6da688v59y8qdjk2] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1kfxppjerh6u36le9378zpu6da688v59y8qdjk2 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1lhfrehpyfgf5sx80z2qx7y4f6xqdwrf4y09znz] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1lhfrehpyfgf5sx80z2qx7y4f6xqdwrf4y09znz +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1lu4uvsxf2dar0xsuvxargvtr9370jzwek43vn7] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1lu4uvsxf2dar0xsuvxargvtr9370jzwek43vn7 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1m70qfh8wte92l55lrddn2gzsscc97ve79ccdtc] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1m70qfh8wte92l55lrddn2gzsscc97ve79ccdtc +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1me0ydc5m8ggwuaerwt67tg4zh8yc6zgn39kz6k] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1me0ydc5m8ggwuaerwt67tg4zh8yc6zgn39kz6k +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1mvlsa3azvj05xe68szp3jrzeg8p5lakeh40rkj] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1mvlsa3azvj05xe68szp3jrzeg8p5lakeh40rkj +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1n9hcmejg2mfkkyyzze82nk9fdls5g32ykga47l] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1n9hcmejg2mfkkyyzze82nk9fdls5g32ykga47l +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1nkdq6elhmu0cv3ucy5zql7uakr05g94jx3nv0p] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1nkdq6elhmu0cv3ucy5zql7uakr05g94jx3nv0p +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1npj6nv6kxcyqjtjn8sguqsyc60ghr3j48pjj7x] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1npj6nv6kxcyqjtjn8sguqsyc60ghr3j48pjj7x +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1p9qrra4k3pt6ts3larlguucpw0urlc8jyq2ddg] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1p9qrra4k3pt6ts3larlguucpw0urlc8jyq2ddg +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1pmv03tjwu798ry6dyss4a2qn5dnmh7m7t9ljqe] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1pmv03tjwu798ry6dyss4a2qn5dnmh7m7t9ljqe +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1qdnxd73mfvj6uu6h08yk8h7zwvzpqx35ycnupf] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1qdnxd73mfvj6uu6h08yk8h7zwvzpqx35ycnupf +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1s5y4wz7yyzkp4pthylm84uyswnsfmqyayx22w3] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1s5y4wz7yyzkp4pthylm84uyswnsfmqyayx22w3 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1tzvk3zjxd7jjcnugz6jhufaqsn8c5llhjj3x67] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1tzvk3zjxd7jjcnugz6jhufaqsn8c5llhjj3x67 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1u5zugw73cvcj43efq5j3ns4y7tqvq52u4nvqu9] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1u5zugw73cvcj43efq5j3ns4y7tqvq52u4nvqu9 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1ufmjm7stkuhlzma23ypzgvlvtgqjweatkztq0c] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1ufmjm7stkuhlzma23ypzgvlvtgqjweatkztq0c +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1uqnsq33sjwhyhsc7wjh2d2tc40lu0tfrktes5v] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1uqnsq33sjwhyhsc7wjh2d2tc40lu0tfrktes5v +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1wrtwcee23p0k9z5tveerx8tyesvjs4k8vlf4en] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1wrtwcee23p0k9z5tveerx8tyesvjs4k8vlf4en +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1yhz4e7df95908jhs9erl87vdzjkdsc24q7afjf] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1yhz4e7df95908jhs9erl87vdzjkdsc24q7afjf +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636 +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1zav98x9dlswwttdjmz7qg9fqhdvauc8smfqhvs] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1zav98x9dlswwttdjmz7qg9fqhdvauc8smfqhvs +decimals = 0 + +[factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1zflmjmg0qt02s0l0vlcg8zlyplsapefzy6ej3t] +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1zflmjmg0qt02s0l0vlcg8zlyplsapefzy6ej3t +decimals = 0 + +[factory/inj1he7245j7my7f6470a94g0drsw86xajwzhr4ah9/position] +peggy_denom = factory/inj1he7245j7my7f6470a94g0drsw86xajwzhr4ah9/position +decimals = 0 + +[factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9] +peggy_denom = factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 +decimals = 0 + +[factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj17wnnyqxj57y3crf5nn72krhx7w35zect2srfe2] +peggy_denom = factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj17wnnyqxj57y3crf5nn72krhx7w35zect2srfe2 +decimals = 0 + +[factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj19axs93f4hk8cansmhj372m96v2zhdmdqdd5fnm] +peggy_denom = factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj19axs93f4hk8cansmhj372m96v2zhdmdqdd5fnm +decimals = 0 + +[factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj1wme3afmfl94l83jzekcm3j0h544ussu0x68wnl] +peggy_denom = factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj1wme3afmfl94l83jzekcm3j0h544ussu0x68wnl +decimals = 0 + +[factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636] +peggy_denom = factory/inj1heah64yarps3u85jyml4ter53h4lyrag4shfzp/inj1z0whhrxkg38lcrj7lv2eetsfhwztpfntfkc636 +decimals = 0 + +[factory/inj1hh4ngvv0l7tlt5gcpwwauzuthrmzwyutxkxq0x/position] +peggy_denom = factory/inj1hh4ngvv0l7tlt5gcpwwauzuthrmzwyutxkxq0x/position +decimals = 0 + +[factory/inj1hhezfw883am7xk86jkxauf92kg8wm9xsv5hymd/position] +peggy_denom = factory/inj1hhezfw883am7xk86jkxauf92kg8wm9xsv5hymd/position +decimals = 0 + +[factory/inj1hj4nr0jt0mzpawxt5tyajqgwf3pct5552rvkvp/TEST2] +peggy_denom = factory/inj1hj4nr0jt0mzpawxt5tyajqgwf3pct5552rvkvp/TEST2 +decimals = 6 + +[factory/inj1hj4nr0jt0mzpawxt5tyajqgwf3pct5552rvkvp/test1] +peggy_denom = factory/inj1hj4nr0jt0mzpawxt5tyajqgwf3pct5552rvkvp/test1 +decimals = 0 + +[factory/inj1hjujvtzpwqfm76tkmg6qr2vlsp2drzph6n3n4n/position] +peggy_denom = factory/inj1hjujvtzpwqfm76tkmg6qr2vlsp2drzph6n3n4n/position +decimals = 0 + +[factory/inj1hk8w93z3rw6aznyvnc537qn9aht6gxlxn80j0h/position] +peggy_denom = factory/inj1hk8w93z3rw6aznyvnc537qn9aht6gxlxn80j0h/position +decimals = 0 + +[factory/inj1hlgmzgxzxzyjxu6394328vf0fmwd74pcc6cztc/position] +peggy_denom = factory/inj1hlgmzgxzxzyjxu6394328vf0fmwd74pcc6cztc/position +decimals = 0 + +[factory/inj1hljrl5cx0gcd8gdxmqm4tsuqkxchysdakyfhan/position] +peggy_denom = factory/inj1hljrl5cx0gcd8gdxmqm4tsuqkxchysdakyfhan/position +decimals = 0 + +[factory/inj1hm9qgpe4ksgat77xjstkhhcns0xex770t4crr3/bpINJ] +peggy_denom = factory/inj1hm9qgpe4ksgat77xjstkhhcns0xex770t4crr3/bpINJ +decimals = 0 + +[factory/inj1hms4dradmmdjlgrnh4dywg897g3hpcc5n7hxgk/position] +peggy_denom = factory/inj1hms4dradmmdjlgrnh4dywg897g3hpcc5n7hxgk/position +decimals = 0 + +[factory/inj1hnnwzsudnmtshgky0xfts8zm637skect2prc2l/position] +peggy_denom = factory/inj1hnnwzsudnmtshgky0xfts8zm637skect2prc2l/position +decimals = 0 + +[factory/inj1hr0hpnh95jdf2w8rax063mrqxcgesq4jeazg34/position] +peggy_denom = factory/inj1hr0hpnh95jdf2w8rax063mrqxcgesq4jeazg34/position +decimals = 0 + +[factory/inj1hr2aj9frer4n50j64ew6j4n434du4etv65t25h/position] +peggy_denom = factory/inj1hr2aj9frer4n50j64ew6j4n434du4etv65t25h/position +decimals = 0 + +[factory/inj1hs6te9qe40mzr4qayc9hhngv4tzn07a3cujshr/position] +peggy_denom = factory/inj1hs6te9qe40mzr4qayc9hhngv4tzn07a3cujshr/position +decimals = 0 + +[factory/inj1ht67n9wwrf8pkd2dupwsjqfe2wzaelaz2dsqj7/position] +peggy_denom = factory/inj1ht67n9wwrf8pkd2dupwsjqfe2wzaelaz2dsqj7/position +decimals = 0 + +[factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/ak] +peggy_denom = factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/ak +decimals = 6 + +[factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/inj-test] +peggy_denom = factory/inj1ht6d6axu5u4g24zephnc48ee585e2vge8czkzn/inj-test +decimals = 0 + +[factory/inj1hu80gaauahnfnd0pwfa97xzge7td6e4atu29jw/position] +peggy_denom = factory/inj1hu80gaauahnfnd0pwfa97xzge7td6e4atu29jw/position +decimals = 0 + +[factory/inj1hwaycepzld9rvsqzkeyjtflumzlu37n4xj8f3a/position] +peggy_denom = factory/inj1hwaycepzld9rvsqzkeyjtflumzlu37n4xj8f3a/position +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706193599InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706193599InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706193683AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706193683AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706273714AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706273714AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706273714InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706273714InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706360115AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706360115AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706360115InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706360115InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706446512AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706446512AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706446512InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706446512InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706532910AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706532910AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706532910InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706532910InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706619311AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706619311AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706619311InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706619311InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706705707AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706705707AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706705707InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706705707InjUsdt2d110C +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706792103AtomUsdt2d90P] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706792103AtomUsdt2d90P +decimals = 0 + +[factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706792103InjUsdt2d110C] +peggy_denom = factory/inj1hyf3u76xpr5fna80yutgklxhyrl70f76gdzfqv/1706792103InjUsdt2d110C +decimals = 0 + +[factory/inj1hzuhzk3ng8x09ev6at6z4smdg00slcff6g77k7/1] +peggy_denom = factory/inj1hzuhzk3ng8x09ev6at6z4smdg00slcff6g77k7/1 +decimals = 0 + +[factory/inj1hzuhzk3ng8x09ev6at6z4smdg00slcff6g77k7/2] +peggy_denom = factory/inj1hzuhzk3ng8x09ev6at6z4smdg00slcff6g77k7/2 +decimals = 0 + +[factory/inj1j3593zd3nx9gygnfxkqw5e7gr6wgl403yh3ydl/position] +peggy_denom = factory/inj1j3593zd3nx9gygnfxkqw5e7gr6wgl403yh3ydl/position +decimals = 0 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TEST] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TEST +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TST] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TST +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TSTTT] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TSTTT +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testigg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testigg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testiggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testiggg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testingggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testingggg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testingggggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testingggggg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstigg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstigg +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt +decimals = 6 + +[factory/inj1j5uwfmqj9wcm8tu4ltva673wv03f884cpvurq8/position] +peggy_denom = factory/inj1j5uwfmqj9wcm8tu4ltva673wv03f884cpvurq8/position +decimals = 0 + +[factory/inj1j64299hq4a8yfd5qmpxkwu24t3as2xs9q78md0/position] +peggy_denom = factory/inj1j64299hq4a8yfd5qmpxkwu24t3as2xs9q78md0/position +decimals = 0 + +[factory/inj1j7ehe6pdmp92zs2gqz67tp4ukv9p323yk7qacy/RAMENV2] +peggy_denom = factory/inj1j7ehe6pdmp92zs2gqz67tp4ukv9p323yk7qacy/RAMENV2 +decimals = 6 + +[factory/inj1j9k4l9fep89pgaqecc5h9hpghjsa4ffwg8mjcr/position] +peggy_denom = factory/inj1j9k4l9fep89pgaqecc5h9hpghjsa4ffwg8mjcr/position +decimals = 0 + +[factory/inj1jc7jj2wx6mlgy2umkw03duflgvf5h77cc0cqjr/ak] +peggy_denom = factory/inj1jc7jj2wx6mlgy2umkw03duflgvf5h77cc0cqjr/ak +decimals = 6 + +[factory/inj1jcgs0vmqg5jyuz2y53w06prtwdhq0q3gyecfrl/position] +peggy_denom = factory/inj1jcgs0vmqg5jyuz2y53w06prtwdhq0q3gyecfrl/position +decimals = 0 + +[factory/inj1jd6tjedh3a8fcervaec5ftn463504k0d6d0ftg/position] +peggy_denom = factory/inj1jd6tjedh3a8fcervaec5ftn463504k0d6d0ftg/position +decimals = 0 + +[factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/ak] +peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/ak +decimals = 6 + +[factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kirat] +peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kirat +decimals = 0 + +[factory/inj1jjlw9gfgn4kq2cpw2dlcz77z9dxuypg7dpfl2g/position] +peggy_denom = factory/inj1jjlw9gfgn4kq2cpw2dlcz77z9dxuypg7dpfl2g/position +decimals = 0 + +[factory/inj1jnu67egy9gex77d2fafz36nse6sg4sml7r3vv7/position] +peggy_denom = factory/inj1jnu67egy9gex77d2fafz36nse6sg4sml7r3vv7/position +decimals = 0 + +[factory/inj1jq267957yt6h7987szcrf5e8asfrzu86ayr568/1684001277InjUsdt1d110C] +peggy_denom = factory/inj1jq267957yt6h7987szcrf5e8asfrzu86ayr568/1684001277InjUsdt1d110C +decimals = 0 + +[factory/inj1jqccfrzpfhx9pvtxtrz0ufh6vl72uft7v5r360/position] +peggy_denom = factory/inj1jqccfrzpfhx9pvtxtrz0ufh6vl72uft7v5r360/position +decimals = 0 + +[factory/inj1jrjsn947qrmlujlpjahmg67qv9dcxkvyx6rl97/position] +peggy_denom = factory/inj1jrjsn947qrmlujlpjahmg67qv9dcxkvyx6rl97/position +decimals = 0 + +[factory/inj1js6xyr58llrsme8zwydk2u6jty95q0d3aqhrq6/test] +peggy_denom = factory/inj1js6xyr58llrsme8zwydk2u6jty95q0d3aqhrq6/test +decimals = 0 + +[factory/inj1jtkk33paqrupr39tchhdavw2vmk5m09ymfq8xx/position] +peggy_denom = factory/inj1jtkk33paqrupr39tchhdavw2vmk5m09ymfq8xx/position +decimals = 0 + +[factory/inj1jx8akujhkqe88fm7juf9qr3r5m74z5lcyffzlf/position] +peggy_denom = factory/inj1jx8akujhkqe88fm7juf9qr3r5m74z5lcyffzlf/position +decimals = 0 + +[factory/inj1jxcx0qljtdzps58an4r66zn8hg5hv4z2694y2v/position] +peggy_denom = factory/inj1jxcx0qljtdzps58an4r66zn8hg5hv4z2694y2v/position +decimals = 0 + +[factory/inj1jy0zw3cpctqrhcg7qc0yglnljcsk89sr046rnj/position] +peggy_denom = factory/inj1jy0zw3cpctqrhcg7qc0yglnljcsk89sr046rnj/position +decimals = 0 + +[factory/inj1jykz2vaea5382hd7r76wvjv56v69h4agr52v2e/position] +peggy_denom = factory/inj1jykz2vaea5382hd7r76wvjv56v69h4agr52v2e/position +decimals = 0 + +[factory/inj1k2z5rumpc53854hzq5chxyayrqcrqm9uwad308/position] +peggy_denom = factory/inj1k2z5rumpc53854hzq5chxyayrqcrqm9uwad308/position +decimals = 0 + +[factory/inj1k3pnnh5fyjuc6tmmupyp2042cryk59l7nx2pu3/lpinj17dw5ek2829evlwcepftlvv9r53rqmc72akrsdz] +peggy_denom = factory/inj1k3pnnh5fyjuc6tmmupyp2042cryk59l7nx2pu3/lpinj17dw5ek2829evlwcepftlvv9r53rqmc72akrsdz +decimals = 0 + +[factory/inj1k4ytv0a9xhrxedsjsn9e92v4333a5n33u8zpwj/position] +peggy_denom = factory/inj1k4ytv0a9xhrxedsjsn9e92v4333a5n33u8zpwj/position +decimals = 0 + +[factory/inj1k7mc760g739rmxv8yhvya5mtpvymrs3vf98s4m/position] +peggy_denom = factory/inj1k7mc760g739rmxv8yhvya5mtpvymrs3vf98s4m/position +decimals = 0 + +[factory/inj1kagzsefacxy5p765q8upkjj9fwkjczlhe580ar/position] +peggy_denom = factory/inj1kagzsefacxy5p765q8upkjj9fwkjczlhe580ar/position +decimals = 0 + +[factory/inj1kchw3uh70ujhmvrkx7phjayaswnpf7sde67uzw/position] +peggy_denom = factory/inj1kchw3uh70ujhmvrkx7phjayaswnpf7sde67uzw/position +decimals = 0 + +[factory/inj1kdksyv2jv3nnmenqfvxxe38q4drwn8e7wj5pcx/position] +peggy_denom = factory/inj1kdksyv2jv3nnmenqfvxxe38q4drwn8e7wj5pcx/position +decimals = 0 + +[factory/inj1kezz4smdtr3t0v49d5qyt3ksd2emc594p7ftsx/inj-test] +peggy_denom = factory/inj1kezz4smdtr3t0v49d5qyt3ksd2emc594p7ftsx/inj-test +decimals = 0 + +[factory/inj1kg5qz6vfxxz7l6d8qh5spgjdjuwusarcmf447y/position] +peggy_denom = factory/inj1kg5qz6vfxxz7l6d8qh5spgjdjuwusarcmf447y/position +decimals = 0 + +[factory/inj1kgx9rqg7dtl27lqqxyw6q0vvuljulj8gn99tme/cook] +peggy_denom = factory/inj1kgx9rqg7dtl27lqqxyw6q0vvuljulj8gn99tme/cook +decimals = 6 + +[factory/inj1kgx9rqg7dtl27lqqxyw6q0vvuljulj8gn99tme/cookie] +peggy_denom = factory/inj1kgx9rqg7dtl27lqqxyw6q0vvuljulj8gn99tme/cookie +decimals = 6 + +[factory/inj1kgzm28dyl9sh9atz5ms9wmv0tmp72dg3s4eezz/position] +peggy_denom = factory/inj1kgzm28dyl9sh9atz5ms9wmv0tmp72dg3s4eezz/position +decimals = 0 + +[factory/inj1kjcc00fu0ven6khmdrx8kmzsa3w03mxrzlvp66/position] +peggy_denom = factory/inj1kjcc00fu0ven6khmdrx8kmzsa3w03mxrzlvp66/position +decimals = 0 + +[factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-go1] +peggy_denom = factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-go1 +decimals = 18 + +[factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-main] +peggy_denom = factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-main +decimals = 18 + +[factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-test] +peggy_denom = factory/inj1kp5yr4xragvff8el0unhgr4d5cx6322g7s04lt/inj-test +decimals = 0 + +[factory/inj1kp5z0kxyrnwzt3mgwl0klanx8yty6lnne25stk/position] +peggy_denom = factory/inj1kp5z0kxyrnwzt3mgwl0klanx8yty6lnne25stk/position +decimals = 0 + +[factory/inj1kql9xt6essgccf594ypqdu690wnjkdksp75d7r/position] +peggy_denom = factory/inj1kql9xt6essgccf594ypqdu690wnjkdksp75d7r/position +decimals = 0 + +[factory/inj1ks3hnkur9udnjuhf5ra806alm4tz3dmy03qkly/inj-go1] +peggy_denom = factory/inj1ks3hnkur9udnjuhf5ra806alm4tz3dmy03qkly/inj-go1 +decimals = 18 + +[factory/inj1ks3hnkur9udnjuhf5ra806alm4tz3dmy03qkly/inj-main] +peggy_denom = factory/inj1ks3hnkur9udnjuhf5ra806alm4tz3dmy03qkly/inj-main +decimals = 0 + +[factory/inj1kscpq7lqluusxhmzv0z2eluaj9yf2njayudlcs/TAB] +peggy_denom = factory/inj1kscpq7lqluusxhmzv0z2eluaj9yf2njayudlcs/TAB +decimals = 6 + +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/inj-test] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/inj-test +decimals = 0 + +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikena] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikena +decimals = 6 + +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikeng] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikeng +decimals = 6 + +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikenk] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikenk +decimals = 6 + +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikenl] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shurikenl +decimals = 0 + +[factory/inj1ku42wlmwuznlzeywnsvjkr5mf00hg4u72qau7y/position] +peggy_denom = factory/inj1ku42wlmwuznlzeywnsvjkr5mf00hg4u72qau7y/position +decimals = 0 + +[factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/AKK] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/AKK +decimals = 0 + +[factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/FAMILY] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/FAMILY +decimals = 6 + +[factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/ak] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/ak +decimals = 0 + +[factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/hdro] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/hdro +decimals = 6 + +[factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/sl] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/sl +decimals = 0 + +[factory/inj1kvsuv80cz74znps8jpm7td9gxnd6zyjhs379rd/position] +peggy_denom = factory/inj1kvsuv80cz74znps8jpm7td9gxnd6zyjhs379rd/position +decimals = 0 + +[factory/inj1kw7hdjnneatd2mgc9snqhehhm8wkvmym9c3a37/position] +peggy_denom = factory/inj1kw7hdjnneatd2mgc9snqhehhm8wkvmym9c3a37/position +decimals = 0 + +[factory/inj1kygt3qa7rjux7wjmp3r2p29aq8zerz8zjcml8l/position] +peggy_denom = factory/inj1kygt3qa7rjux7wjmp3r2p29aq8zerz8zjcml8l/position +decimals = 0 + +[factory/inj1kzfya35nclmpzj95m3yhc0zht93k0xvdn2zgtj/position] +peggy_denom = factory/inj1kzfya35nclmpzj95m3yhc0zht93k0xvdn2zgtj/position +decimals = 0 + +[factory/inj1l08w00ngs4twqa7mhaavnjgs8sdym7l0pv57mn/position] +peggy_denom = factory/inj1l08w00ngs4twqa7mhaavnjgs8sdym7l0pv57mn/position +decimals = 0 + +[factory/inj1l3urpgrzr6eh2alcfvyyxpazjzfdltz4h97u3m/lp] +peggy_denom = factory/inj1l3urpgrzr6eh2alcfvyyxpazjzfdltz4h97u3m/lp +decimals = 0 + +[factory/inj1l5u0qphqa02dl257e2h6te07szdlnsjfuggf7d/position] +peggy_denom = factory/inj1l5u0qphqa02dl257e2h6te07szdlnsjfuggf7d/position +decimals = 0 + +[factory/inj1l67cg8jf97gxsxrf8cfz5khmutwh392c7hdlyp/position] +peggy_denom = factory/inj1l67cg8jf97gxsxrf8cfz5khmutwh392c7hdlyp/position +decimals = 0 + +[factory/inj1l7frwkpwkpx5ulleqz9tuj754m9z02rfdsmsqp/uLP] +peggy_denom = factory/inj1l7frwkpwkpx5ulleqz9tuj754m9z02rfdsmsqp/uLP +decimals = 0 + +[factory/inj1l8r30dpqq98l97wwwdxkkwdnpzu02aj0r6mnrw/banana] +peggy_denom = factory/inj1l8r30dpqq98l97wwwdxkkwdnpzu02aj0r6mnrw/banana +decimals = 0 + +[factory/inj1l92lfj2wudxpawj7rkta6kqvxr7twg7kah9zq9/position] +peggy_denom = factory/inj1l92lfj2wudxpawj7rkta6kqvxr7twg7kah9zq9/position +decimals = 0 + +[factory/inj1l96mcs69en0u4y423m4k5z8k6u48e25wnd4zpu/position] +peggy_denom = factory/inj1l96mcs69en0u4y423m4k5z8k6u48e25wnd4zpu/position +decimals = 0 + +[factory/inj1la5tx5xccss5ku6j8rk7erwukzl40q29mk97am/position] +peggy_denom = factory/inj1la5tx5xccss5ku6j8rk7erwukzl40q29mk97am/position +decimals = 0 + +[factory/inj1lg4ycnwe3xt9x9wsc2tfe0v9lm9kdxkyj760nw/position] +peggy_denom = factory/inj1lg4ycnwe3xt9x9wsc2tfe0v9lm9kdxkyj760nw/position +decimals = 0 + +[factory/inj1lg9sysgklc6tt85ax54k7fd28lx26prg5guunl/position] +peggy_denom = factory/inj1lg9sysgklc6tt85ax54k7fd28lx26prg5guunl/position +decimals = 0 + +[factory/inj1lgcxyyvmnhtp42apwgvhhvlqvezwlqly998eex/nUSD] +peggy_denom = factory/inj1lgcxyyvmnhtp42apwgvhhvlqvezwlqly998eex/nUSD +decimals = 18 + +[factory/inj1ljsmrpm3hlth5zk347lqr23rdzm2ktd4aathkl/position] +peggy_denom = factory/inj1ljsmrpm3hlth5zk347lqr23rdzm2ktd4aathkl/position +decimals = 0 + +[factory/inj1lm6prvcxdq5e32f0eeq3nuvq6g9zk0k6787sas/lp] +peggy_denom = factory/inj1lm6prvcxdq5e32f0eeq3nuvq6g9zk0k6787sas/lp +decimals = 0 + +[factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/TEST] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/TEST +decimals = 6 + +[factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/shroom] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/shroom +decimals = 0 + +[factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/t1] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/t1 +decimals = 0 + +[factory/inj1lqt0nl9xuvprp2l2x0x6htln8cu7zrc39q0td4/position] +peggy_denom = factory/inj1lqt0nl9xuvprp2l2x0x6htln8cu7zrc39q0td4/position +decimals = 0 + +[factory/inj1lr2vhedf3a285rx5ms84w576g3hkktn7d8dx70/position] +peggy_denom = factory/inj1lr2vhedf3a285rx5ms84w576g3hkktn7d8dx70/position +decimals = 0 + +[factory/inj1lskj3yp5gdzyq5w8vqh82d9lhcu5xaq85tuewa/position] +peggy_denom = factory/inj1lskj3yp5gdzyq5w8vqh82d9lhcu5xaq85tuewa/position +decimals = 0 + +[factory/inj1lssnhhl6npy0v2wd6jm5575u06nu8a68ged88m/position] +peggy_denom = factory/inj1lssnhhl6npy0v2wd6jm5575u06nu8a68ged88m/position +decimals = 0 + +[factory/inj1ludhv2cz6xs53sayfhf7ykypq99akrxha3esw6/position] +peggy_denom = factory/inj1ludhv2cz6xs53sayfhf7ykypq99akrxha3esw6/position +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1703682000InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1703682000InjUsdt1d85P +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705510171InjUsdt1d105C] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705510171InjUsdt1d105C +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705555894InjUsdt1d105C] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705555894InjUsdt1d105C +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705569976InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705569976InjUsdt1d85P +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705588200000000001InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705588200000000001InjUsdt1d85P +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932000InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932000InjUsdt1d85P +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932001InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932001InjUsdt1d85P +decimals = 0 + +[factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932002InjUsdt1d85P] +peggy_denom = factory/inj1luxu6s0qywql92pnh3xnfdqzn6gkt7rrnetfc0/1705932002InjUsdt1d85P +decimals = 0 + +[factory/inj1lvj3thsvqlkps32mkrwptc4qyryrdt99k64f4m/position] +peggy_denom = factory/inj1lvj3thsvqlkps32mkrwptc4qyryrdt99k64f4m/position +decimals = 0 + +[factory/inj1lw7w3yfp8mrp4klef0y3y7fenap46kkrytav8v/position] +peggy_denom = factory/inj1lw7w3yfp8mrp4klef0y3y7fenap46kkrytav8v/position +decimals = 0 + +[factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding] +peggy_denom = factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding +decimals = 0 + +[factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding2] +peggy_denom = factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding2 +decimals = 0 + +[factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding3] +peggy_denom = factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding3 +decimals = 0 + +[factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding4] +peggy_denom = factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding4 +decimals = 0 + +[factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding5] +peggy_denom = factory/inj1lw9xs5y0mgcat5h4s8dylalyh93vlw3y7zavx5/holding5 +decimals = 0 + +[factory/inj1lwhr9t3aha4qc2p6rdvj6n5q9jwt4pf8czlhhn/ak] +peggy_denom = factory/inj1lwhr9t3aha4qc2p6rdvj6n5q9jwt4pf8czlhhn/ak +decimals = 6 + +[factory/inj1lxxt0kcw8fnc8y3svem9fpyhmelqccx5lk83fd/position] +peggy_denom = factory/inj1lxxt0kcw8fnc8y3svem9fpyhmelqccx5lk83fd/position +decimals = 0 + +[factory/inj1lypqwz349za88um0m4ltjhgf8q6q8p4y93pv6p/moonify] +peggy_denom = factory/inj1lypqwz349za88um0m4ltjhgf8q6q8p4y93pv6p/moonify +decimals = 6 + +[factory/inj1lz2zgagnwgpzepxk6ny3amludjzajg98uhehwq/position] +peggy_denom = factory/inj1lz2zgagnwgpzepxk6ny3amludjzajg98uhehwq/position +decimals = 0 + +[factory/inj1m0a3h8dvz88xgf5v36tqm6kydeuu79te7sar05/upinj] +peggy_denom = factory/inj1m0a3h8dvz88xgf5v36tqm6kydeuu79te7sar05/upinj +decimals = 0 + +[factory/inj1m2v8rhhrma5207d5s6vmtxd9hajk559wdtc9lh/position] +peggy_denom = factory/inj1m2v8rhhrma5207d5s6vmtxd9hajk559wdtc9lh/position +decimals = 0 + +[factory/inj1m3c4lxq6gstpgd5f0ll7jln8fyweec5xxd7phy/TEST] +peggy_denom = factory/inj1m3c4lxq6gstpgd5f0ll7jln8fyweec5xxd7phy/TEST +decimals = 9 + +[factory/inj1m65rqkqvzmzeplzy3wl2mfrurku9hyxrpla2eq/position] +peggy_denom = factory/inj1m65rqkqvzmzeplzy3wl2mfrurku9hyxrpla2eq/position +decimals = 0 + +[factory/inj1m8hxczuf4gq8z5nvjw4nmcmnyfa5ch8kgkjuqp/position] +peggy_denom = factory/inj1m8hxczuf4gq8z5nvjw4nmcmnyfa5ch8kgkjuqp/position +decimals = 0 + +[factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC] +peggy_denom = factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC +decimals = 6 + +[factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/nlc] +peggy_denom = factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/nlc +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Stake-007] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Stake-007 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-2] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-2 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-3] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-3 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-4] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis-4 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Vote-007] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Vote-007 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token10] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token10 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token2] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token2 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token3] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token3 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token4] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token4 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token5] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token5 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token6] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token6 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token7] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token7 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token8] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token8 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token9] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/stake-token9 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-5] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-5 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-6] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-6 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-7] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-7 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-8] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/talis-8 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token10] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token10 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token2] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token2 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token3] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token3 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token4] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token4 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token5] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token5 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token6] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token6 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token7] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token7 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token8] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token8 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token9] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/vote-token9 +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xTalis-4] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xTalis-4 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xbanana] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xbanana +decimals = 18 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-5] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-5 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-6] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-6 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-7] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-7 +decimals = 6 + +[factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-8] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xtalis-8 +decimals = 6 + +[factory/inj1mea0kyuezl2ky54qtagsv7xlp0dxgqfs0cum8z/position] +peggy_denom = factory/inj1mea0kyuezl2ky54qtagsv7xlp0dxgqfs0cum8z/position +decimals = 0 + +[factory/inj1mecfy6gg944yt5mkwp34petqdd9dd37yu5yd5t/position] +peggy_denom = factory/inj1mecfy6gg944yt5mkwp34petqdd9dd37yu5yd5t/position +decimals = 0 + +[factory/inj1mf3x77h5ynafa57ga92rkp3hhwru5l63awf59v/tix] +peggy_denom = factory/inj1mf3x77h5ynafa57ga92rkp3hhwru5l63awf59v/tix +decimals = 6 + +[factory/inj1mfthw7jt2hzqq24exq66sregqwp8varmsdtyae/position] +peggy_denom = factory/inj1mfthw7jt2hzqq24exq66sregqwp8varmsdtyae/position +decimals = 0 + +[factory/inj1mg7www3nqcyaxaa82hf8vfx2jx39hj5qfkw3h3/position] +peggy_denom = factory/inj1mg7www3nqcyaxaa82hf8vfx2jx39hj5qfkw3h3/position +decimals = 0 + +[factory/inj1mhvjhmxs5fwnp3ladqehrsa8k8dhjfnaup9uhf/position] +peggy_denom = factory/inj1mhvjhmxs5fwnp3ladqehrsa8k8dhjfnaup9uhf/position +decimals = 0 + +[factory/inj1mlcqn2e3v6w0tum7ef5lkhqjjtnv5rzrzrh7rj/position] +peggy_denom = factory/inj1mlcqn2e3v6w0tum7ef5lkhqjjtnv5rzrzrh7rj/position +decimals = 0 + +[factory/inj1mldpx3uh7jx25cr7wd4c7g6gwda7wa7mfnq469/boobs] +peggy_denom = factory/inj1mldpx3uh7jx25cr7wd4c7g6gwda7wa7mfnq469/boobs +decimals = 0 + +[factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN +decimals = 6 + +[factory/inj1mq9zzzhdaza60pytwxkzd05grq963cgkkvpuez/position] +peggy_denom = factory/inj1mq9zzzhdaza60pytwxkzd05grq963cgkkvpuez/position +decimals = 0 + +[factory/inj1mt4qz5ytxeja23fn5ugpgqafut6lycj2jw58j2/injx] +peggy_denom = factory/inj1mt4qz5ytxeja23fn5ugpgqafut6lycj2jw58j2/injx +decimals = 18 + +[factory/inj1mu99lzv5z9cfm03xg3fryacxkgcsq6vh3x7ar7/position] +peggy_denom = factory/inj1mu99lzv5z9cfm03xg3fryacxkgcsq6vh3x7ar7/position +decimals = 0 + +[factory/inj1mwvx58l903kjlnjd0lmm3da7yw5tyl3jy85rfu/bINJ] +peggy_denom = factory/inj1mwvx58l903kjlnjd0lmm3da7yw5tyl3jy85rfu/bINJ +decimals = 0 + +[factory/inj1mxe7fkhprdmyv5tjlhwwcceyq5hcaqky82u0q9/position] +peggy_denom = factory/inj1mxe7fkhprdmyv5tjlhwwcceyq5hcaqky82u0q9/position +decimals = 0 + +[factory/inj1myspe4s4x800spny2c8v3z7ft5uvw5r0dxpjul/position] +peggy_denom = factory/inj1myspe4s4x800spny2c8v3z7ft5uvw5r0dxpjul/position +decimals = 0 + +[factory/inj1mznfy9hfq2ltcqfdaht4hk2dj7mvrfkucq6w8v/test] +peggy_denom = factory/inj1mznfy9hfq2ltcqfdaht4hk2dj7mvrfkucq6w8v/test +decimals = 6 + +[factory/inj1n0zpsl7shvw2ccyex45qs769rkmksuy90fpwpu/position] +peggy_denom = factory/inj1n0zpsl7shvw2ccyex45qs769rkmksuy90fpwpu/position +decimals = 0 + +[factory/inj1n4jprtth7dyd4y99g08pehyue7yy0nkhs8lugm/position] +peggy_denom = factory/inj1n4jprtth7dyd4y99g08pehyue7yy0nkhs8lugm/position +decimals = 0 + +[factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/KEKW] +peggy_denom = factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/KEKW +decimals = 0 + +[factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/ak] +peggy_denom = factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/ak +decimals = 0 + +[factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/xxxaaxxx] +peggy_denom = factory/inj1n5jpp6v84yj7cft7qnake9r7tflycx7tj6ksj7/xxxaaxxx +decimals = 6 + +[factory/inj1n5lp946tqfygmc0ywwz6afs3jfrph0a07grsek/ak] +peggy_denom = factory/inj1n5lp946tqfygmc0ywwz6afs3jfrph0a07grsek/ak +decimals = 0 + +[factory/inj1n5lp946tqfygmc0ywwz6afs3jfrph0a07grsek/btc] +peggy_denom = factory/inj1n5lp946tqfygmc0ywwz6afs3jfrph0a07grsek/btc +decimals = 6 + +[factory/inj1n75yp8epalhnzgwdp4esaakte8ymhjyqlqmujt/1683106055InjUsdt7d120C] +peggy_denom = factory/inj1n75yp8epalhnzgwdp4esaakte8ymhjyqlqmujt/1683106055InjUsdt7d120C +decimals = 0 + +[factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA +decimals = 0 + +[factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADRA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADRA +decimals = 0 + +[factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADRAA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADRAA +decimals = 0 + +[factory/inj1n9753c33nxml0er69zmvz4cc8s4xzx7jt4v2ga/position] +peggy_denom = factory/inj1n9753c33nxml0er69zmvz4cc8s4xzx7jt4v2ga/position +decimals = 0 + +[factory/inj1nahz98w2aqu9wlra68umlk7qmqmyqe0s00e7p7/position] +peggy_denom = factory/inj1nahz98w2aqu9wlra68umlk7qmqmyqe0s00e7p7/position +decimals = 0 + +[factory/inj1naq6rga6q9d94ale8elwt3kt55d5fxafe6trk5/position] +peggy_denom = factory/inj1naq6rga6q9d94ale8elwt3kt55d5fxafe6trk5/position +decimals = 0 + +[factory/inj1nd89fx0tn7twr6l5zfzdjex2ufgldxj7u3srd8/position] +peggy_denom = factory/inj1nd89fx0tn7twr6l5zfzdjex2ufgldxj7u3srd8/position +decimals = 0 + +[factory/inj1ndxqvkk6xv224z8uegusqr2jupa70ffg06n24r/position] +peggy_denom = factory/inj1ndxqvkk6xv224z8uegusqr2jupa70ffg06n24r/position +decimals = 0 + +[factory/inj1nfhnq3awj43m7fr76a39x2mrc96l95wm39hfcm/position] +peggy_denom = factory/inj1nfhnq3awj43m7fr76a39x2mrc96l95wm39hfcm/position +decimals = 0 + +[factory/inj1nfxhcjda4mn929gwtnk40mj9lce5m9rsun73qk/position] +peggy_denom = factory/inj1nfxhcjda4mn929gwtnk40mj9lce5m9rsun73qk/position +decimals = 0 + +[factory/inj1ng33rlfhcqrte7q70yvugkmsmhzslu247yxjlv/position] +peggy_denom = factory/inj1ng33rlfhcqrte7q70yvugkmsmhzslu247yxjlv/position +decimals = 0 + +[factory/inj1ng7cp4u2e3dsvd58uraw6vkz8qkxrw8trd9qd3/position] +peggy_denom = factory/inj1ng7cp4u2e3dsvd58uraw6vkz8qkxrw8trd9qd3/position +decimals = 0 + +[factory/inj1nm95w69a42qgnkw0hf8krvdt4eucqnyp0rwfwc/position] +peggy_denom = factory/inj1nm95w69a42qgnkw0hf8krvdt4eucqnyp0rwfwc/position +decimals = 0 + +[factory/inj1nmk2djc8hlv5eyxaqlys9w0klgh042r7g5n0nq/position] +peggy_denom = factory/inj1nmk2djc8hlv5eyxaqlys9w0klgh042r7g5n0nq/position +decimals = 0 + +[factory/inj1nnpa506h2ev0tn4csd5mk957hvggjfj5crt20c/position] +peggy_denom = factory/inj1nnpa506h2ev0tn4csd5mk957hvggjfj5crt20c/position +decimals = 0 + +[factory/inj1npas8uzgdhqul5wddw7fg2ym6yz6h9desduxlg/position] +peggy_denom = factory/inj1npas8uzgdhqul5wddw7fg2ym6yz6h9desduxlg/position +decimals = 0 + +[factory/inj1npmexmukus8uznafm4cnf7kp4lm7jzskfxc9px/position] +peggy_denom = factory/inj1npmexmukus8uznafm4cnf7kp4lm7jzskfxc9px/position +decimals = 0 + +[factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/DGNZ] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/DGNZ +decimals = 6 + +[factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/dgnz] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/dgnz +decimals = 0 + +[factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/dgnzzz] +peggy_denom = factory/inj1nppq4gg9ne5yvp9dw7fl9cdwjvn69u9mnyuynz/dgnzzz +decimals = 0 + +[factory/inj1nprnh57tgavs4dgdvqetkfn0xmjn99dvgnmwlq/ak] +peggy_denom = factory/inj1nprnh57tgavs4dgdvqetkfn0xmjn99dvgnmwlq/ak +decimals = 0 + +[factory/inj1npsfelk7ul73wp77q3gqvxm94eyfzy3320t0j0/injshit] +peggy_denom = factory/inj1npsfelk7ul73wp77q3gqvxm94eyfzy3320t0j0/injshit +decimals = 0 + +[factory/inj1nqnmkah2rcyesy7l0kafhppwqmjh4egmeamx2k/position] +peggy_denom = factory/inj1nqnmkah2rcyesy7l0kafhppwqmjh4egmeamx2k/position +decimals = 0 + +[factory/inj1nr2gsxj4mfzd6qlwsay3y6kf5kfdh5h5x5xn7p/position] +peggy_denom = factory/inj1nr2gsxj4mfzd6qlwsay3y6kf5kfdh5h5x5xn7p/position +decimals = 0 + +[factory/inj1nscw9jx4pzg3sa7ynmrn0xf7vf3zpqt3usd7n6/position] +peggy_denom = factory/inj1nscw9jx4pzg3sa7ynmrn0xf7vf3zpqt3usd7n6/position +decimals = 0 + +[factory/inj1nshc8fmkku4q8f47z7fagdh0fxyexva9vnc5yn/position] +peggy_denom = factory/inj1nshc8fmkku4q8f47z7fagdh0fxyexva9vnc5yn/position +decimals = 0 + +[factory/inj1nwk46lyvhmdj5hr8ynwdvz0jaa4men9ce2gt58/TEST] +peggy_denom = factory/inj1nwk46lyvhmdj5hr8ynwdvz0jaa4men9ce2gt58/TEST +decimals = 6 + +[factory/inj1nwqrpzzxd2w266u28vhq5cmhf9y6u6zvlg4e6c/position] +peggy_denom = factory/inj1nwqrpzzxd2w266u28vhq5cmhf9y6u6zvlg4e6c/position +decimals = 0 + +[factory/inj1nydlk930aypjgh8k6rsrdj5lulzvf295r4sxpu/nUSD] +peggy_denom = factory/inj1nydlk930aypjgh8k6rsrdj5lulzvf295r4sxpu/nUSD +decimals = 0 + +[factory/inj1nzvf3w7h345qzz3scf7et5ad8r0a4gn4u0jtf4/position] +peggy_denom = factory/inj1nzvf3w7h345qzz3scf7et5ad8r0a4gn4u0jtf4/position +decimals = 0 + +[factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/CRE] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/CRE +decimals = 6 + +[factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST +decimals = 6 + +[factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST4] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST4 +decimals = 6 + +[factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST5] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/TST5 +decimals = 6 + +[factory/inj1p3j46g9p9ha2h5696kcq4z9l6e04ywnrskmyqa/position] +peggy_denom = factory/inj1p3j46g9p9ha2h5696kcq4z9l6e04ywnrskmyqa/position +decimals = 0 + +[factory/inj1p52h0yc5c9qz8hrdklc9pqwutfh9hr9dh4th5a/position] +peggy_denom = factory/inj1p52h0yc5c9qz8hrdklc9pqwutfh9hr9dh4th5a/position +decimals = 0 + +[factory/inj1p5w72hfax0ums3rnagtl6zr0e33pnyv20qut8a/position] +peggy_denom = factory/inj1p5w72hfax0ums3rnagtl6zr0e33pnyv20qut8a/position +decimals = 0 + +[factory/inj1p6g5aa4h0r7pae69y5rzs9ce60fn7ddsf4fynl/position] +peggy_denom = factory/inj1p6g5aa4h0r7pae69y5rzs9ce60fn7ddsf4fynl/position +decimals = 0 + +[factory/inj1p6qq59lapujkvyyfem4qe4xwkfqncxpwkr65yv/position] +peggy_denom = factory/inj1p6qq59lapujkvyyfem4qe4xwkfqncxpwkr65yv/position +decimals = 0 + +[factory/inj1pdckalz3dknkr7vqrrd40tg56gapya99u8t90t/position] +peggy_denom = factory/inj1pdckalz3dknkr7vqrrd40tg56gapya99u8t90t/position +decimals = 0 + +[factory/inj1pdutmxa3f7q4mtu42ynndx0p9lxfxvdf60swc9/position] +peggy_denom = factory/inj1pdutmxa3f7q4mtu42ynndx0p9lxfxvdf60swc9/position +decimals = 0 + +[factory/inj1pe4uuptfqzydz89eh27an4hrnd8eslwc2c6efe/position] +peggy_denom = factory/inj1pe4uuptfqzydz89eh27an4hrnd8eslwc2c6efe/position +decimals = 0 + +[factory/inj1ped5vf305cwv50z9y296jh8klglxt7ayj7p6dk/position] +peggy_denom = factory/inj1ped5vf305cwv50z9y296jh8klglxt7ayj7p6dk/position +decimals = 0 + +[factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/inj-test] +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/inj-test +decimals = 6 + +[factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/utest] +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/utest +decimals = 0 + +[factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test1] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test1 +decimals = 6 + +[factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test2] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test2 +decimals = 6 + +[factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test2323432] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test2323432 +decimals = 0 + +[factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test3] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/inj-test3 +decimals = 6 + +[factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/test1] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/test1 +decimals = 0 + +[factory/inj1pk9rw4sz4sgmceu3pxjtd7dwvylgxmceff63qn/position] +peggy_denom = factory/inj1pk9rw4sz4sgmceu3pxjtd7dwvylgxmceff63qn/position +decimals = 0 + +[factory/inj1pl9pe5yatc45hzngpt2s7l5avkl5znun5p40wl/lp] +peggy_denom = factory/inj1pl9pe5yatc45hzngpt2s7l5avkl5znun5p40wl/lp +decimals = 0 + +[factory/inj1pmr64rmtj9tlnz3ueeagcm9ja4ej3emkpdkr6x/position] +peggy_denom = factory/inj1pmr64rmtj9tlnz3ueeagcm9ja4ej3emkpdkr6x/position +decimals = 0 + +[factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/pussy] +peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/pussy +decimals = 0 + +[factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/testtoken] +peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/testtoken +decimals = 0 + +[factory/inj1ppqx8xqhc7kexgwkpkll57lns49qxr96rhupps/kUSD] +peggy_denom = factory/inj1ppqx8xqhc7kexgwkpkll57lns49qxr96rhupps/kUSD +decimals = 0 + +[factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/PIGS-1] +peggy_denom = factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/PIGS-1 +decimals = 0 + +[factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/PIGS1] +peggy_denom = factory/inj1prp8jk9fvxjzdgv8n2qlgrdfgxpq7t6k6rkmc7/PIGS1 +decimals = 0 + +[factory/inj1psjmkh8edtywpelhgh6knwy6fsqdrm9fet4ht7/position] +peggy_denom = factory/inj1psjmkh8edtywpelhgh6knwy6fsqdrm9fet4ht7/position +decimals = 0 + +[factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDLTest] +peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDLTest +decimals = 6 + +[factory/inj1puwsgl5qfv5z8z6ljfztcfc82euz063j655xlg/position] +peggy_denom = factory/inj1puwsgl5qfv5z8z6ljfztcfc82euz063j655xlg/position +decimals = 0 + +[factory/inj1pvs8adl72tdcwn5rty4pfmqpjfkxs6atkvzfy4/position] +peggy_denom = factory/inj1pvs8adl72tdcwn5rty4pfmqpjfkxs6atkvzfy4/position +decimals = 0 + +[factory/inj1pwjch4d8snnt3xkakdhn5xuzpp6n2v5ye8wnth/utest] +peggy_denom = factory/inj1pwjch4d8snnt3xkakdhn5xuzpp6n2v5ye8wnth/utest +decimals = 0 + +[factory/inj1pwztvdkju9lcmw68t04n7vt7832s3w9clv59ws/lp] +peggy_denom = factory/inj1pwztvdkju9lcmw68t04n7vt7832s3w9clv59ws/lp +decimals = 0 + +[factory/inj1pxnj6sh6njq66d2rffnth032ct07qatmr6fer3/position] +peggy_denom = factory/inj1pxnj6sh6njq66d2rffnth032ct07qatmr6fer3/position +decimals = 0 + +[factory/inj1pzwl6turgp49akhkxjynj77z9pd6x7zf2zmazz/ak] +peggy_denom = factory/inj1pzwl6turgp49akhkxjynj77z9pd6x7zf2zmazz/ak +decimals = 6 + +[factory/inj1q2m26a7jdzjyfdn545vqsude3zwwtfrdap5jgz/TEST] +peggy_denom = factory/inj1q2m26a7jdzjyfdn545vqsude3zwwtfrdap5jgz/TEST +decimals = 6 + +[factory/inj1q3c3sar5uq02xus9j6a7vxrpdqwya4xfkdj0wv/position] +peggy_denom = factory/inj1q3c3sar5uq02xus9j6a7vxrpdqwya4xfkdj0wv/position +decimals = 0 + +[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK +decimals = 0 + +[factory/inj1qau4ax7mlyxam8f4xrz02tqydus4h8n5pt0zue/position] +peggy_denom = factory/inj1qau4ax7mlyxam8f4xrz02tqydus4h8n5pt0zue/position +decimals = 0 + +[factory/inj1qc5kqy83ksr0xtd08vjv9eyv3d72kcc93e740s/position] +peggy_denom = factory/inj1qc5kqy83ksr0xtd08vjv9eyv3d72kcc93e740s/position +decimals = 0 + +[factory/inj1qemlmtltmk7rhzk0wzwrhnp0ystlvx3mx046xs/position] +peggy_denom = factory/inj1qemlmtltmk7rhzk0wzwrhnp0ystlvx3mx046xs/position +decimals = 0 + +[factory/inj1qh6h56lfum2fxpvweukyx83m8q96s7lj03hxtg/position] +peggy_denom = factory/inj1qh6h56lfum2fxpvweukyx83m8q96s7lj03hxtg/position +decimals = 0 + +[factory/inj1qhw695hnxrg8nk8krat53jva7jctlxp576pq4x/position] +peggy_denom = factory/inj1qhw695hnxrg8nk8krat53jva7jctlxp576pq4x/position +decimals = 0 + +[factory/inj1qhx3w0663ta9tmu330vljhfs6r2qcfnklyqfe0/position] +peggy_denom = factory/inj1qhx3w0663ta9tmu330vljhfs6r2qcfnklyqfe0/position +decimals = 0 + +[factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/Lenz] +peggy_denom = factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/Lenz +decimals = 6 + +[factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/LenzTestingTestnetFinal] +peggy_denom = factory/inj1qkfk75uastafdvnphj95drkkuqsf0ct42k3grf/LenzTestingTestnetFinal +decimals = 6 + +[factory/inj1qn2t30yflmrkmtxyc348jhmvnypsd2xk4lk74s/position] +peggy_denom = factory/inj1qn2t30yflmrkmtxyc348jhmvnypsd2xk4lk74s/position +decimals = 0 + +[factory/inj1qnymwcy78ty0ldvfcxk6ksfct9ndgpj0p06zak/position] +peggy_denom = factory/inj1qnymwcy78ty0ldvfcxk6ksfct9ndgpj0p06zak/position +decimals = 0 + +[factory/inj1qplngxl3zt3j6n0r3ryx6d8k58wu38t8amfpv3/position] +peggy_denom = factory/inj1qplngxl3zt3j6n0r3ryx6d8k58wu38t8amfpv3/position +decimals = 0 + +[factory/inj1qpr7c23qy3usjy3hem2wr2e9vuz39sau9032lr/position] +peggy_denom = factory/inj1qpr7c23qy3usjy3hem2wr2e9vuz39sau9032lr/position +decimals = 0 + +[factory/inj1quptgzfh2z6258sh3yckklyg7gys569rmp5s3e/kUSD] +peggy_denom = factory/inj1quptgzfh2z6258sh3yckklyg7gys569rmp5s3e/kUSD +decimals = 6 + +[factory/inj1qusz42g00le4gvqu6cej3qsf4n383dr4f2c4gj/position] +peggy_denom = factory/inj1qusz42g00le4gvqu6cej3qsf4n383dr4f2c4gj/position +decimals = 0 + +[factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/AA] +peggy_denom = factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/AA +decimals = 0 + +[factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/ape] +peggy_denom = factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/ape +decimals = 6 + +[factory/inj1qxwtvk3ctdrctnmyen9v2wvcr026rpauc0q25g/position] +peggy_denom = factory/inj1qxwtvk3ctdrctnmyen9v2wvcr026rpauc0q25g/position +decimals = 0 + +[factory/inj1qy5wmnjahh8aek5cjmgkupcu9dxkksfelkllae/position] +peggy_denom = factory/inj1qy5wmnjahh8aek5cjmgkupcu9dxkksfelkllae/position +decimals = 0 + +[factory/inj1qyz0463rsew039f2lny2vzx0c0mhc6ru6jfarz/position] +peggy_denom = factory/inj1qyz0463rsew039f2lny2vzx0c0mhc6ru6jfarz/position +decimals = 0 + +[factory/inj1r2964d6pf76jpylnyc447jv67ddc4dflqrqk4m/position] +peggy_denom = factory/inj1r2964d6pf76jpylnyc447jv67ddc4dflqrqk4m/position +decimals = 0 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Life-Token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Life-Token +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Lifeless-Token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Lifeless-Token +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Liquifier] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Liquifier +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Liquify] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Liquify +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Savior-Token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Savior-Token +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Tested-Token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/Tested-Token +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/lifedd] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/lifedd +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/lord-stone-token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/lord-stone-token +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/saramon] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/saramon +decimals = 6 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-token] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-token +decimals = 0 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-token2] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-token2 +decimals = 0 + +[factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-tokens] +peggy_denom = factory/inj1r2nhkxpuk8kna036rud4kqz2357dptqs2gcjll/test-tokens +decimals = 0 + +[factory/inj1r3qaemv4lnht42z8mynzfcfjrlyhlupx76le90/position] +peggy_denom = factory/inj1r3qaemv4lnht42z8mynzfcfjrlyhlupx76le90/position +decimals = 0 + +[factory/inj1r3u5yl5u5twct896xm2nhk8e8f2d3vvz28uuen/position] +peggy_denom = factory/inj1r3u5yl5u5twct896xm2nhk8e8f2d3vvz28uuen/position +decimals = 0 + +[factory/inj1r4fje8a30glg7fmr3uqnk4fl0sm67s6dpvgrg3/testToken] +peggy_denom = factory/inj1r4fje8a30glg7fmr3uqnk4fl0sm67s6dpvgrg3/testToken +decimals = 6 + +[factory/inj1r6mje70a37k8c5ata5g42pp87ncdxfv23vzzu7/position] +peggy_denom = factory/inj1r6mje70a37k8c5ata5g42pp87ncdxfv23vzzu7/position +decimals = 0 + +[factory/inj1r6tj96lrtn6jtyjq8xa39ny2j2spqajm43awu4/position] +peggy_denom = factory/inj1r6tj96lrtn6jtyjq8xa39ny2j2spqajm43awu4/position +decimals = 0 + +[factory/inj1r8dwjecdv7z9dk6kl4mgqtvt2e3g002z8ptvvm/position] +peggy_denom = factory/inj1r8dwjecdv7z9dk6kl4mgqtvt2e3g002z8ptvvm/position +decimals = 0 + +[factory/inj1raephyfwd5mxp6ps4dmsw8d7mup8efmf0tdj0r/inj1477ukmxx47mgsfe09qwd6gyp98ftecjytrqdrc] +peggy_denom = factory/inj1raephyfwd5mxp6ps4dmsw8d7mup8efmf0tdj0r/inj1477ukmxx47mgsfe09qwd6gyp98ftecjytrqdrc +decimals = 0 + +[factory/inj1raephyfwd5mxp6ps4dmsw8d7mup8efmf0tdj0r/inj1u67283zzclfr4pvxc9svwn7jurxm4aku46tjtt] +peggy_denom = factory/inj1raephyfwd5mxp6ps4dmsw8d7mup8efmf0tdj0r/inj1u67283zzclfr4pvxc9svwn7jurxm4aku46tjtt +decimals = 0 + +[factory/inj1rc38yz7hvvdygad44lfz0xe8ymf0mt539p6u8l/position] +peggy_denom = factory/inj1rc38yz7hvvdygad44lfz0xe8ymf0mt539p6u8l/position +decimals = 0 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/LIOR] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/LIOR +decimals = 6 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/ak] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/ak +decimals = 6 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/factory/bior] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/factory/bior +decimals = 0 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/libor] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/libor +decimals = 0 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/lior] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/lior +decimals = 6 + +[factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/nain] +peggy_denom = factory/inj1rfdg206x7stm8rfl5crudn8v776k9q9njkqnzr/nain +decimals = 0 + +[factory/inj1rl8xukts6h729y2l3s29k5v95fur7nj6d5kerm/DREAM] +peggy_denom = factory/inj1rl8xukts6h729y2l3s29k5v95fur7nj6d5kerm/DREAM +decimals = 6 + +[factory/inj1rlg44s9tmzsecj7fnxzd5p7tzptrfwqt8cgewf/shuriken] +peggy_denom = factory/inj1rlg44s9tmzsecj7fnxzd5p7tzptrfwqt8cgewf/shuriken +decimals = 0 + +[factory/inj1rmfvy5j4fhqlfzlutz26hynhhpt7xyf8r3vsxu/position] +peggy_denom = factory/inj1rmfvy5j4fhqlfzlutz26hynhhpt7xyf8r3vsxu/position +decimals = 0 + +[factory/inj1rn4cagrvcgl49d7n60vnxpftnaqw7xtuxerh23/position] +peggy_denom = factory/inj1rn4cagrvcgl49d7n60vnxpftnaqw7xtuxerh23/position +decimals = 0 + +[factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/TTKC] +peggy_denom = factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/TTKC +decimals = 6 + +[factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/ak] +peggy_denom = factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/ak +decimals = 6 + +[factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/bINJ] +peggy_denom = factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/bINJ +decimals = 6 + +[factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/ninja] +peggy_denom = factory/inj1rq4l2efkesetql824keqewk7h95ltua6xxu6fw/ninja +decimals = 6 + +[factory/inj1rqn67w2cm3uxxvnjxvsm9889zyrtxxpjl56g7p/nUSD] +peggy_denom = factory/inj1rqn67w2cm3uxxvnjxvsm9889zyrtxxpjl56g7p/nUSD +decimals = 18 + +[factory/inj1rr23r9ysrtg0jat8ljm5lfc9g0nz8y0ts27fhg/position] +peggy_denom = factory/inj1rr23r9ysrtg0jat8ljm5lfc9g0nz8y0ts27fhg/position +decimals = 0 + +[factory/inj1rrw6l34tzj8nwxrg2u6ra78jlcykrz763ltp9d/position] +peggy_denom = factory/inj1rrw6l34tzj8nwxrg2u6ra78jlcykrz763ltp9d/position +decimals = 0 + +[factory/inj1rsvh5w3pzs9ta8v484agjzyfsq4c42nlaetmnv/position] +peggy_denom = factory/inj1rsvh5w3pzs9ta8v484agjzyfsq4c42nlaetmnv/position +decimals = 0 + +[factory/inj1ruljx4vla6qq08ejml5syehqf40xh3q7365dee/position] +peggy_denom = factory/inj1ruljx4vla6qq08ejml5syehqf40xh3q7365dee/position +decimals = 0 + +[factory/inj1rw057xldmte58t9jqljn3gyzck07lyy7stmqnu/position] +peggy_denom = factory/inj1rw057xldmte58t9jqljn3gyzck07lyy7stmqnu/position +decimals = 0 + +[factory/inj1rw3qvamxgmvyexuz2uhyfa4hukvtvteznxjvke/test] +peggy_denom = factory/inj1rw3qvamxgmvyexuz2uhyfa4hukvtvteznxjvke/test +decimals = 0 + +[factory/inj1s04p0wztwl823lwcnkdstd3xp3n30a8hhel2jf/INJDOGE] +peggy_denom = factory/inj1s04p0wztwl823lwcnkdstd3xp3n30a8hhel2jf/INJDOGE +decimals = 0 + +[factory/inj1s04p0wztwl823lwcnkdstd3xp3n30a8hhel2jf/ak] +peggy_denom = factory/inj1s04p0wztwl823lwcnkdstd3xp3n30a8hhel2jf/ak +decimals = 0 + +[factory/inj1s0sl8egfgc29scvlj2x3v5cj73xhkm90237u97/position] +peggy_denom = factory/inj1s0sl8egfgc29scvlj2x3v5cj73xhkm90237u97/position +decimals = 0 + +[factory/inj1s4s8tmcfc43y0mfxm8cwhf3wehsxw6za8k3x4c/position] +peggy_denom = factory/inj1s4s8tmcfc43y0mfxm8cwhf3wehsxw6za8k3x4c/position +decimals = 0 + +[factory/inj1s6yq89jvdq3ps4h8wx8jk60c2r0jwczes4sgl6/position] +peggy_denom = factory/inj1s6yq89jvdq3ps4h8wx8jk60c2r0jwczes4sgl6/position +decimals = 0 + +[factory/inj1s8cp9up483f30cxpd7saxp935evy70fd4jddzg/iUSD] +peggy_denom = factory/inj1s8cp9up483f30cxpd7saxp935evy70fd4jddzg/iUSD +decimals = 18 + +[factory/inj1s8knaspkz9s5cphxxx62j5saxr923mqy4vsycz/position] +peggy_denom = factory/inj1s8knaspkz9s5cphxxx62j5saxr923mqy4vsycz/position +decimals = 0 + +[factory/inj1s92j8qw73qhhuhlecj3ekux8ck60wj93ry5haw/position] +peggy_denom = factory/inj1s92j8qw73qhhuhlecj3ekux8ck60wj93ry5haw/position +decimals = 0 + +[factory/inj1sa2wmd8zhf893ex6da8jgnp06pcj2tv59mq457/position] +peggy_denom = factory/inj1sa2wmd8zhf893ex6da8jgnp06pcj2tv59mq457/position +decimals = 0 + +[factory/inj1sa5g8q4egwzy09942675r0az9tftac9tnrz2kr/JCLUB] +peggy_denom = factory/inj1sa5g8q4egwzy09942675r0az9tftac9tnrz2kr/JCLUB +decimals = 6 + +[factory/inj1sclqgctp0hxenfgvh59y8reppg5gssjw8p078u/position] +peggy_denom = factory/inj1sclqgctp0hxenfgvh59y8reppg5gssjw8p078u/position +decimals = 0 + +[factory/inj1sdpk4n3zw4n70uxg83ep3sj5x2ynh608lqxcw0/ak] +peggy_denom = factory/inj1sdpk4n3zw4n70uxg83ep3sj5x2ynh608lqxcw0/ak +decimals = 6 + +[factory/inj1sf0dsdnsvtf06fdwsy800ysne2cemlkfwe3duq/position] +peggy_denom = factory/inj1sf0dsdnsvtf06fdwsy800ysne2cemlkfwe3duq/position +decimals = 0 + +[factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/ak] +peggy_denom = factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/ak +decimals = 0 + +[factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/test123] +peggy_denom = factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/test123 +decimals = 6 + +[factory/inj1sg9htcd8tqgxlnsl9qe2mm5y4l9zq0mq6qhph9/position] +peggy_denom = factory/inj1sg9htcd8tqgxlnsl9qe2mm5y4l9zq0mq6qhph9/position +decimals = 0 + +[factory/inj1sgh3equhfwqpscgcxksnz69r67qu4yfcvlreyj/position] +peggy_denom = factory/inj1sgh3equhfwqpscgcxksnz69r67qu4yfcvlreyj/position +decimals = 0 + +[factory/inj1sh5n5v86gmugkq8za8gh2flfsurymmha4fvw2x/at-token] +peggy_denom = factory/inj1sh5n5v86gmugkq8za8gh2flfsurymmha4fvw2x/at-token +decimals = 0 + +[factory/inj1sj9xzvxq2fmfwmaffueymlmrdmgcsfzexlnxzl/bINJ] +peggy_denom = factory/inj1sj9xzvxq2fmfwmaffueymlmrdmgcsfzexlnxzl/bINJ +decimals = 0 + +[factory/inj1sjgzywux3snnkz74r5sul04vk44zfrfdq6yx9g/iUSD] +peggy_denom = factory/inj1sjgzywux3snnkz74r5sul04vk44zfrfdq6yx9g/iUSD +decimals = 18 + +[factory/inj1skkzrk8x56lz2t0908tsgywyq9u63l7633z47d/position] +peggy_denom = factory/inj1skkzrk8x56lz2t0908tsgywyq9u63l7633z47d/position +decimals = 0 + +[factory/inj1skpv9emvexywcg42mne4lugd6xjwglzsqxu888/position] +peggy_denom = factory/inj1skpv9emvexywcg42mne4lugd6xjwglzsqxu888/position +decimals = 0 + +[factory/inj1sm0ccywqn6nmzjgrptlauzpzrjz42rt9uq2vlr/position] +peggy_denom = factory/inj1sm0ccywqn6nmzjgrptlauzpzrjz42rt9uq2vlr/position +decimals = 0 + +[factory/inj1sm8mpx3e4p2z4ryzhp6t2gdzwrzdwxnf447dnx/position] +peggy_denom = factory/inj1sm8mpx3e4p2z4ryzhp6t2gdzwrzdwxnf447dnx/position +decimals = 0 + +[factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/TEST] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/TEST +decimals = 6 + +[factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/CAT] +peggy_denom = factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/CAT +decimals = 6 + +[factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/Vader] +peggy_denom = factory/inj1sq839juq97296mumt84hzfjpc2nf7h2u774g59/Vader +decimals = 0 + +[factory/inj1sr4jakhjmur7hc3j9n3tv72uu9dwv9756sgpwq/position] +peggy_denom = factory/inj1sr4jakhjmur7hc3j9n3tv72uu9dwv9756sgpwq/position +decimals = 0 + +[factory/inj1ss277vzv95cllcl5q4wy4jrmpxk093xgltmphw/position] +peggy_denom = factory/inj1ss277vzv95cllcl5q4wy4jrmpxk093xgltmphw/position +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706894751.711989485AtomUsdt2d0.93P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706894751.711989485AtomUsdt2d0.93P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706894751.711989485InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706894751.711989485InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706965216.786331230AtomUsdt2d0.93P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706965216.786331230AtomUsdt2d0.93P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706965216.786331230InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706965216.786331230InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969190.664112751InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969190.664112751InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969205.325387195InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969205.325387195InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969261.401032761InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969261.401032761InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969341.520964599AtomUsdt2d0.93P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1706969341.520964599AtomUsdt2d0.93P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1707054927.433248405AtomUsdt2d0.93P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1707054927.433248405AtomUsdt2d0.93P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1707054927.433248405InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1707054927.433248405InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1708611446.026416584InjUsdt2d1.08C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1708611446.026416584InjUsdt2d1.08C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1709902288.058267150InjUsdt24d1.17C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1709902288.058267150InjUsdt24d1.17C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1711621611InjUsdt1d1.06C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1711621611InjUsdt1d1.06C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712154662InjUsdt1d1.06C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712154662InjUsdt1d1.06C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738450InjUsdt28d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738450InjUsdt28d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738484InjUsdt28d0.85P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738484InjUsdt28d0.85P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738818InjUsdt28d0.85P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712738818InjUsdt28d0.85P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712739110InjUsdt28d0.86P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1712739110InjUsdt28d0.86P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713965158InjUsdt28d0.86P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713965158InjUsdt28d0.86P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713966058InjUsdt28d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713966058InjUsdt28d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713966386InjUsdt28d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1713966386InjUsdt28d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715066545InjUsdt24d1.17C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715066545InjUsdt24d1.17C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715066761InjUsdt16d0.89P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715066761InjUsdt16d0.89P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715097040InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715097040InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715097040InjUsdt2d1.1C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715097040InjUsdt2d1.1C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715266529InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715266529InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715266529InjUsdt2d1.1C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1715266529InjUsdt2d1.1C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717647176InjUsdt2d1.1C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717647176InjUsdt2d1.1C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717749427InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717749427InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717749631InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1717749631InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718699872InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718699872InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718764795InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718764795InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718766318InjUsdt24d1.19C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718766318InjUsdt24d1.19C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718779878InjUsdt26d1.19C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1718779878InjUsdt26d1.19C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719297355InjUsdt26d1.19C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719297355InjUsdt26d1.19C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719306854InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719306854InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719393332InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719393332InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719918905InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719918905InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719921133InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1719921133InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720000120InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720000120InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720513336InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720513336InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720513965InjUsdt2d0.95P] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1720513965InjUsdt2d0.95P +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721199238InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721199238InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ssysf4uhqa4nndser07cvgfzlqtvsg3l0y8vvn/position] +peggy_denom = factory/inj1ssysf4uhqa4nndser07cvgfzlqtvsg3l0y8vvn/position +decimals = 0 + +[factory/inj1st6pj5nvz429dkmz3t0papc3273j5xnzjan8sm/position] +peggy_denom = factory/inj1st6pj5nvz429dkmz3t0papc3273j5xnzjan8sm/position +decimals = 0 + +[factory/inj1svtmsxdu47vc0kd0eppxnq9khky324wjfxa0yg/position] +peggy_denom = factory/inj1svtmsxdu47vc0kd0eppxnq9khky324wjfxa0yg/position +decimals = 0 + +[factory/inj1t3kcptjlvg8vjpedkr2y7pe0cwlkkjmtn8p5w7/position] +peggy_denom = factory/inj1t3kcptjlvg8vjpedkr2y7pe0cwlkkjmtn8p5w7/position +decimals = 0 + +[factory/inj1t3p0szvrgxax3zf7c02w673axrut9mu5vw342u/position] +peggy_denom = factory/inj1t3p0szvrgxax3zf7c02w673axrut9mu5vw342u/position +decimals = 0 + +[factory/inj1t6jgdm6ullrxazu2g6hl7493qcacefyver6ltq/position] +peggy_denom = factory/inj1t6jgdm6ullrxazu2g6hl7493qcacefyver6ltq/position +decimals = 0 + +[factory/inj1t6ur7kmu7vu2k6lja2ng9ayrqfdmsqzks7se0q/position] +peggy_denom = factory/inj1t6ur7kmu7vu2k6lja2ng9ayrqfdmsqzks7se0q/position +decimals = 0 + +[factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1c0rh80uc9v4frwh00zvmkr2qx0599z78lm7jxj] +peggy_denom = factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1c0rh80uc9v4frwh00zvmkr2qx0599z78lm7jxj +decimals = 0 + +[factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1hl2qkjhs5t8xqa7yetjghr4x3yxnlja7wemzy8] +peggy_denom = factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1hl2qkjhs5t8xqa7yetjghr4x3yxnlja7wemzy8 +decimals = 0 + +[factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1nzpletdxtcznj0xlu75y0dtly8acvm253kaj07] +peggy_denom = factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1nzpletdxtcznj0xlu75y0dtly8acvm253kaj07 +decimals = 0 + +[factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1r6zj9v8c4hyj64uzdhe844ncwd0vspy0lhrke4] +peggy_denom = factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1r6zj9v8c4hyj64uzdhe844ncwd0vspy0lhrke4 +decimals = 0 + +[factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1yne8ww7fahfjvadqkasld3vkj597gsysk06dym] +peggy_denom = factory/inj1t6z53mnu7wulpp3n886k3laqk4za9xyr4e8azx/lpinj1yne8ww7fahfjvadqkasld3vkj597gsysk06dym +decimals = 0 + +[factory/inj1t70s0zcf7twcm7qm0lv7f7u5j3yd7v4mttxnvn/position] +peggy_denom = factory/inj1t70s0zcf7twcm7qm0lv7f7u5j3yd7v4mttxnvn/position +decimals = 0 + +[factory/inj1t80nlw8w36am2575rfd5z2yn4m46v2gsch9aj5/position] +peggy_denom = factory/inj1t80nlw8w36am2575rfd5z2yn4m46v2gsch9aj5/position +decimals = 0 + +[factory/inj1t88furrvvv32qj82wwtz86s03rzxqlj0f59eev/TEST] +peggy_denom = factory/inj1t88furrvvv32qj82wwtz86s03rzxqlj0f59eev/TEST +decimals = 6 + +[factory/inj1t88furrvvv32qj82wwtz86s03rzxqlj0f59eev/TEST2] +peggy_denom = factory/inj1t88furrvvv32qj82wwtz86s03rzxqlj0f59eev/TEST2 +decimals = 6 + +[factory/inj1t9cx33dk3tywjct6f6lq8d3j5yg7cg5jtarmkz/position] +peggy_denom = factory/inj1t9cx33dk3tywjct6f6lq8d3j5yg7cg5jtarmkz/position +decimals = 0 + +[factory/inj1ta3rgat7k3s9jehqfr3lv4dpwsytrqejdstv5m/position] +peggy_denom = factory/inj1ta3rgat7k3s9jehqfr3lv4dpwsytrqejdstv5m/position +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj12yhwzv3wvh0lgwft5n5x4q382d7q4fj2am62y6] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj12yhwzv3wvh0lgwft5n5x4q382d7q4fj2am62y6 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj13g2ry3dwj49jd3hdyq2xvyd4eghtkr5dnejhff] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj13g2ry3dwj49jd3hdyq2xvyd4eghtkr5dnejhff +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj14dz74tz06lxz2pl4e5vcv3v62lst8d43rp6hy4] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj14dz74tz06lxz2pl4e5vcv3v62lst8d43rp6hy4 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj176anlxqyz6289gf0dg0xvd3qja7ahs3cnsda63] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj176anlxqyz6289gf0dg0xvd3qja7ahs3cnsda63 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj17kjkepym5j8xss5nmud6gq4c47xt0xf02wgsms] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj17kjkepym5j8xss5nmud6gq4c47xt0xf02wgsms +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1dycczj4m8gwdj4m2fv7xm396u8tq9lp9w363zj] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1dycczj4m8gwdj4m2fv7xm396u8tq9lp9w363zj +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fde04yn4n8skenekdth633922qajlk8yk730re] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fde04yn4n8skenekdth633922qajlk8yk730re +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fgdlfyru0e0fk4tsxtdz6an7vfwz3g82w40qy6] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fgdlfyru0e0fk4tsxtdz6an7vfwz3g82w40qy6 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fujkefqpzz8crmm655q2x24y7gp7p9ppnph495] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1fujkefqpzz8crmm655q2x24y7gp7p9ppnph495 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1gruytagt6wcqarncm5ske8y3zevgqv8u6mkgyx] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1gruytagt6wcqarncm5ske8y3zevgqv8u6mkgyx +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1jmqvf9eypak3hh85gfpcpm7d8jjzd7jnnhr0xw] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1jmqvf9eypak3hh85gfpcpm7d8jjzd7jnnhr0xw +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1kxdfjs4tnu88aaqhvl9caja9qq9fs4r5qmpwqj] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1kxdfjs4tnu88aaqhvl9caja9qq9fs4r5qmpwqj +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1l9cu77ay8wlyh7mxlgh0dpazw70w4f3y26g5v5] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1l9cu77ay8wlyh7mxlgh0dpazw70w4f3y26g5v5 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1lz280526tw8r06jtpxkzxajqmfsjkt57963kfr] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1lz280526tw8r06jtpxkzxajqmfsjkt57963kfr +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1q37rs9cmgqz5vnvwmr5v2a4sdzez0xfs2lvl63] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1q37rs9cmgqz5vnvwmr5v2a4sdzez0xfs2lvl63 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1qamlsmj22p3zkchgva2ydhegfwz3ls7m5sm7rs] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1qamlsmj22p3zkchgva2ydhegfwz3ls7m5sm7rs +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1qaq7mkvuc474k2nyjm2suwyes06fdm4kt26ks4] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1qaq7mkvuc474k2nyjm2suwyes06fdm4kt26ks4 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1tzkdzjq28sjp2rn6053rg9526w8sc2tm8jh0u4] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1tzkdzjq28sjp2rn6053rg9526w8sc2tm8jh0u4 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1uavssa4h4s73h5fdqlheytyl6c8mvl89yfuuq9] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1uavssa4h4s73h5fdqlheytyl6c8mvl89yfuuq9 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1urvjvfzgmrvj79tk97t22whkwdfg7qng32rjjz] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1urvjvfzgmrvj79tk97t22whkwdfg7qng32rjjz +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1xqsp96842fsht7m6p4slvrfhl53wfqft866sc7] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1xqsp96842fsht7m6p4slvrfhl53wfqft866sc7 +decimals = 0 + +[factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1xwk6glum68vdqdnx5gs0mkp909vdhx6uwhfr4y] +peggy_denom = factory/inj1tcjf7r5vksr0g80pdcdada44teauwkkahelyfy/lpinj1xwk6glum68vdqdnx5gs0mkp909vdhx6uwhfr4y +decimals = 0 + +[factory/inj1td2vzcjnhwmzfd9ky9mxtwmnfrv0a3keytv2y3/position] +peggy_denom = factory/inj1td2vzcjnhwmzfd9ky9mxtwmnfrv0a3keytv2y3/position +decimals = 0 + +[factory/inj1tg5f2vykdt4sweqgsm3q8lva30wry955hwdvju/position] +peggy_denom = factory/inj1tg5f2vykdt4sweqgsm3q8lva30wry955hwdvju/position +decimals = 0 + +[factory/inj1tgn4tyjf0y20mxpydwv3454l3ze0uwdl3cgpaf/position] +peggy_denom = factory/inj1tgn4tyjf0y20mxpydwv3454l3ze0uwdl3cgpaf/position +decimals = 0 + +[factory/inj1tk4ml8fce5ghx7y2gtnqhw57e9m59ep27497xv/uLP] +peggy_denom = factory/inj1tk4ml8fce5ghx7y2gtnqhw57e9m59ep27497xv/uLP +decimals = 0 + +[factory/inj1tlfznhm0t6m456nlqzcdhcm54048dp00n4rznd/lpinj1kjpg9p0h6g5zuwdzhgn7atleqeuqnysxs9xvtv] +peggy_denom = factory/inj1tlfznhm0t6m456nlqzcdhcm54048dp00n4rznd/lpinj1kjpg9p0h6g5zuwdzhgn7atleqeuqnysxs9xvtv +decimals = 0 + +[factory/inj1tlfznhm0t6m456nlqzcdhcm54048dp00n4rznd/lpinj1qscnau8y47upvhc7rs5c2kkpkrpqc0a0crp6av] +peggy_denom = factory/inj1tlfznhm0t6m456nlqzcdhcm54048dp00n4rznd/lpinj1qscnau8y47upvhc7rs5c2kkpkrpqc0a0crp6av +decimals = 0 + +[factory/inj1tlrwn7cm5hgpttyjkrw94qvwapeck2f7u855hn/position] +peggy_denom = factory/inj1tlrwn7cm5hgpttyjkrw94qvwapeck2f7u855hn/position +decimals = 0 + +[factory/inj1tlxsr4ezttv242jh3tdt675s2kemvcqx9yn4m3/position] +peggy_denom = factory/inj1tlxsr4ezttv242jh3tdt675s2kemvcqx9yn4m3/position +decimals = 0 + +[factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test] +peggy_denom = factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test +decimals = 0 + +[factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test2] +peggy_denom = factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test2 +decimals = 0 + +[factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test3] +peggy_denom = factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/inj-test3 +decimals = 0 + +[factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/your-token-subdenom] +peggy_denom = factory/inj1tnplj57r9he4z0v4596zvqxysj4hyr8l4vndhj/your-token-subdenom +decimals = 0 + +[factory/inj1tnwe94x7n52vs70rsawvcs0fnktqp2h38vje26/BOND] +peggy_denom = factory/inj1tnwe94x7n52vs70rsawvcs0fnktqp2h38vje26/BOND +decimals = 0 + +[factory/inj1tq80yx8jmw48wjzpaajqpyd7pe849vsz20qwsk/position] +peggy_denom = factory/inj1tq80yx8jmw48wjzpaajqpyd7pe849vsz20qwsk/position +decimals = 0 + +[factory/inj1tqw2laydve0l92fvkel5l6cdjgzm8ek5k6w7yq/position] +peggy_denom = factory/inj1tqw2laydve0l92fvkel5l6cdjgzm8ek5k6w7yq/position +decimals = 0 + +[factory/inj1trs377m67pndeu0sxptzuptcrzua5k4jya9rc3/position] +peggy_denom = factory/inj1trs377m67pndeu0sxptzuptcrzua5k4jya9rc3/position +decimals = 0 + +[factory/inj1tsqkcae8d6azqn6587d0e28prw682954y22ejs/position] +peggy_denom = factory/inj1tsqkcae8d6azqn6587d0e28prw682954y22ejs/position +decimals = 0 + +[factory/inj1tvgmd4hmxt4synazauj02v044dwenmucljzm3h/kin] +peggy_denom = factory/inj1tvgmd4hmxt4synazauj02v044dwenmucljzm3h/kin +decimals = 0 + +[factory/inj1tvml37kkfymrwmx583ed9eyur3jjq72ftf67rc/inj-test] +peggy_denom = factory/inj1tvml37kkfymrwmx583ed9eyur3jjq72ftf67rc/inj-test +decimals = 0 + +[factory/inj1tvzvzmhp5wnryf6dph2w5alkweqy4jj4w9fxwc/position] +peggy_denom = factory/inj1tvzvzmhp5wnryf6dph2w5alkweqy4jj4w9fxwc/position +decimals = 0 + +[factory/inj1twteeyr3xuvckejmu9z4728qdasavaq0z32gkd/position] +peggy_denom = factory/inj1twteeyr3xuvckejmu9z4728qdasavaq0z32gkd/position +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/TheJanitor] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/TheJanitor +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/mtsc] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/mtsc +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/rfl] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/rfl +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/rflf] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/rflf +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/tst] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/tst +decimals = 0 + +[factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/tstt] +peggy_denom = factory/inj1tx74j0uslp4pr5neyxxxgajh6gx5s9lnahpp5r/tstt +decimals = 0 + +[factory/inj1txpchnswwz7qnwgx4ew5enwalwkxl0wm7fwjfp/position] +peggy_denom = factory/inj1txpchnswwz7qnwgx4ew5enwalwkxl0wm7fwjfp/position +decimals = 0 + +[factory/inj1txza6wm8eykq7v6d97kywxz9r0xe9r8tleq9al/inj1ylxjl6qvr3efug3950rn9z2atdp02fyejlpsgx] +peggy_denom = factory/inj1txza6wm8eykq7v6d97kywxz9r0xe9r8tleq9al/inj1ylxjl6qvr3efug3950rn9z2atdp02fyejlpsgx +decimals = 0 + +[factory/inj1txza6wm8eykq7v6d97kywxz9r0xe9r8tleq9al/inj1yzv093zw480v5q3vmy275xyvp4x9q98k029ezd] +peggy_denom = factory/inj1txza6wm8eykq7v6d97kywxz9r0xe9r8tleq9al/inj1yzv093zw480v5q3vmy275xyvp4x9q98k029ezd +decimals = 0 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/KIWI] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/KIWI +decimals = 6 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST +decimals = 6 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST2] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST2 +decimals = 6 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST3] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST3 +decimals = 6 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST4] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST4 +decimals = 6 + +[factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST5] +peggy_denom = factory/inj1u0lamqk0qggn5cxqn53t79jsthcpen9w754ayc/TEST5 +decimals = 18 + +[factory/inj1u0yfajq9e5huyylh4tllxvswdsgp3d2eum7za5/position] +peggy_denom = factory/inj1u0yfajq9e5huyylh4tllxvswdsgp3d2eum7za5/position +decimals = 0 + +[factory/inj1u2gzmedq4suw64ulpu7uwehy2mqaysfrt0nq0q/position] +peggy_denom = factory/inj1u2gzmedq4suw64ulpu7uwehy2mqaysfrt0nq0q/position +decimals = 0 + +[factory/inj1u4d97wd4mya77h6mxk8q7grz6smc4esmjawhv9/position] +peggy_denom = factory/inj1u4d97wd4mya77h6mxk8q7grz6smc4esmjawhv9/position +decimals = 0 + +[factory/inj1u4h6wt3rcctpcrmpcctmkhvxqt3aj5ugmm5hlj/position] +peggy_denom = factory/inj1u4h6wt3rcctpcrmpcctmkhvxqt3aj5ugmm5hlj/position +decimals = 0 + +[factory/inj1u64862u7plt539jm79eqnm4redcke8nszdy504/position] +peggy_denom = factory/inj1u64862u7plt539jm79eqnm4redcke8nszdy504/position +decimals = 0 + +[factory/inj1u6czgmqjcpku02z5hgnqd8c8z647lhzx07r8vd/position] +peggy_denom = factory/inj1u6czgmqjcpku02z5hgnqd8c8z647lhzx07r8vd/position +decimals = 0 + +[factory/inj1u6kx7cmvay8pv74d5xk07wtdergjcmhm5yfuxa/tp] +peggy_denom = factory/inj1u6kx7cmvay8pv74d5xk07wtdergjcmhm5yfuxa/tp +decimals = 0 + +[factory/inj1uc0hj8z6xu6nf3m4flwpklf98vu4wr87hud3mh/TEST] +peggy_denom = factory/inj1uc0hj8z6xu6nf3m4flwpklf98vu4wr87hud3mh/TEST +decimals = 6 + +[factory/inj1uc0hj8z6xu6nf3m4flwpklf98vu4wr87hud3mh/Test] +peggy_denom = factory/inj1uc0hj8z6xu6nf3m4flwpklf98vu4wr87hud3mh/Test +decimals = 6 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684004788InjUsdt1d110C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684004788InjUsdt1d110C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684160754InjUsdt1d110C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684160754InjUsdt1d110C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684161043InjUsdt7d85P] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684161043InjUsdt7d85P +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342128InjUsdt21d110C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342128InjUsdt21d110C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342228InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342228InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342259InjUsdt7d120C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342259InjUsdt7d120C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342288AtomUsdt21d115C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342288AtomUsdt21d115C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342323AtomUsdt21d90P] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342323AtomUsdt21d90P +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342562InjUsdt14d80P] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342562InjUsdt14d80P +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342583InjUsdt21d88P] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342583InjUsdt21d88P +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342627InjUsdt7d85P] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684342627InjUsdt7d85P +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684519105InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684519105InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684730927InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684730927InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684902871InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1684902871InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685029827InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685029827InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685200859InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685200859InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685201782InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685201782InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685379415InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685379415InjUsdt14d130C +decimals = 0 + +[factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685547447InjUsdt14d130C] +peggy_denom = factory/inj1udrg8ug3g0qr54zw5yvcg3rxesuj06pvr4xtkz/1685547447InjUsdt14d130C +decimals = 0 + +[factory/inj1ue7fhf4gm9et2j8c74pf3j6mpq6zfr0ss9pymj/position] +peggy_denom = factory/inj1ue7fhf4gm9et2j8c74pf3j6mpq6zfr0ss9pymj/position +decimals = 0 + +[factory/inj1uegc6g6gvjeq3efkevha8a26lruku53j2tm6ez/nusd] +peggy_denom = factory/inj1uegc6g6gvjeq3efkevha8a26lruku53j2tm6ez/nusd +decimals = 0 + +[factory/inj1ueq4h3gh8v2wdq6nk97d4ucxutdkqz7uma7twy/position] +peggy_denom = factory/inj1ueq4h3gh8v2wdq6nk97d4ucxutdkqz7uma7twy/position +decimals = 0 + +[factory/inj1ujd7rlhp8980lwg74tek7gv4yv4qj4xcvxrx45/ak] +peggy_denom = factory/inj1ujd7rlhp8980lwg74tek7gv4yv4qj4xcvxrx45/ak +decimals = 6 + +[factory/inj1unjzfc767mt3ddln99h3u7gqccq4ktnkqxssgn/position] +peggy_denom = factory/inj1unjzfc767mt3ddln99h3u7gqccq4ktnkqxssgn/position +decimals = 0 + +[factory/inj1up4y7jqyz0vxqpzky20jve5837thglaccfu80m/position] +peggy_denom = factory/inj1up4y7jqyz0vxqpzky20jve5837thglaccfu80m/position +decimals = 0 + +[factory/inj1urpyedgvqtfutghgd9pygsa9n9df6nahjygjfc/position] +peggy_denom = factory/inj1urpyedgvqtfutghgd9pygsa9n9df6nahjygjfc/position +decimals = 0 + +[factory/inj1usgjy0d22uetxkrw7wk7ghdwcje5mldjlahf9u/position] +peggy_denom = factory/inj1usgjy0d22uetxkrw7wk7ghdwcje5mldjlahf9u/position +decimals = 0 + +[factory/inj1ut4dqsjmy359rtcm2c968kju22j3auejw227yk/position] +peggy_denom = factory/inj1ut4dqsjmy359rtcm2c968kju22j3auejw227yk/position +decimals = 0 + +[factory/inj1utgap8ev5g4f97t5qta6fz2vreea6kh49x7d57/position] +peggy_denom = factory/inj1utgap8ev5g4f97t5qta6fz2vreea6kh49x7d57/position +decimals = 0 + +[factory/inj1uumx6djsue8reph7zqxvct9qh5ymfkewrlrvkh/position] +peggy_denom = factory/inj1uumx6djsue8reph7zqxvct9qh5ymfkewrlrvkh/position +decimals = 0 + +[factory/inj1uv23c02y8kyst63gmd9s90xnusxm082cz75svm/position] +peggy_denom = factory/inj1uv23c02y8kyst63gmd9s90xnusxm082cz75svm/position +decimals = 0 + +[factory/inj1uv6psuupldve0c9n3uezqlecadszqexv5vxx04/position] +peggy_denom = factory/inj1uv6psuupldve0c9n3uezqlecadszqexv5vxx04/position +decimals = 0 + +[factory/inj1uvhnfynmzakn5w9hy0lx4ekjg2n43l6wn589yn/position] +peggy_denom = factory/inj1uvhnfynmzakn5w9hy0lx4ekjg2n43l6wn589yn/position +decimals = 0 + +[factory/inj1uxfds27smnfldzeqvw9sxe9ezmsn76vf36y8mu/position] +peggy_denom = factory/inj1uxfds27smnfldzeqvw9sxe9ezmsn76vf36y8mu/position +decimals = 0 + +[factory/inj1uyv6e9u30eckntsa5y968mvzh53482stcmhuqp/position] +peggy_denom = factory/inj1uyv6e9u30eckntsa5y968mvzh53482stcmhuqp/position +decimals = 0 + +[factory/inj1v3nvact8rvv23fc5ql8ghv46s8gxajwynddsgf/position] +peggy_denom = factory/inj1v3nvact8rvv23fc5ql8ghv46s8gxajwynddsgf/position +decimals = 0 + +[factory/inj1v3t83cl8jg2g9rxxzzyz663sx2md7mkap48qpw/position] +peggy_denom = factory/inj1v3t83cl8jg2g9rxxzzyz663sx2md7mkap48qpw/position +decimals = 0 + +[factory/inj1v4rt4k8c92m2e39xnrp0rur23ch24vlraeqrnj/position] +peggy_denom = factory/inj1v4rt4k8c92m2e39xnrp0rur23ch24vlraeqrnj/position +decimals = 0 + +[factory/inj1v4s3v3nmsx6szyxqgcnqdfseucu4ccm65sh0xr/lp] +peggy_denom = factory/inj1v4s3v3nmsx6szyxqgcnqdfseucu4ccm65sh0xr/lp +decimals = 0 + +[factory/inj1v50298l9a3p8zq3hm6sfa02sj3h4l40m2e85sg/position] +peggy_denom = factory/inj1v50298l9a3p8zq3hm6sfa02sj3h4l40m2e85sg/position +decimals = 0 + +[factory/inj1v6f2f8gqyk9u5pquxqvsxamjfmu0anlqty0tck/position] +peggy_denom = factory/inj1v6f2f8gqyk9u5pquxqvsxamjfmu0anlqty0tck/position +decimals = 0 + +[factory/inj1v6j600fchr65djzwg32pwn0wrmumayk7wz3045/position] +peggy_denom = factory/inj1v6j600fchr65djzwg32pwn0wrmumayk7wz3045/position +decimals = 0 + +[factory/inj1v9dh0z7vmn8aa6rjssertmh65q6zu43vu4lzqg/position] +peggy_denom = factory/inj1v9dh0z7vmn8aa6rjssertmh65q6zu43vu4lzqg/position +decimals = 0 + +[factory/inj1v9efws63c8luhqqcxxyjv5yn84tw4an528avmn/position] +peggy_denom = factory/inj1v9efws63c8luhqqcxxyjv5yn84tw4an528avmn/position +decimals = 0 + +[factory/inj1v9m8ra08jmvgf7r086wjs660gaz4qman79068v/position] +peggy_denom = factory/inj1v9m8ra08jmvgf7r086wjs660gaz4qman79068v/position +decimals = 0 + +[factory/inj1v9u88x6364g7mgyhywe6k5mgmwh9hrmzgfqkga/position] +peggy_denom = factory/inj1v9u88x6364g7mgyhywe6k5mgmwh9hrmzgfqkga/position +decimals = 0 + +[factory/inj1vam3mucqmr3jq8g8tlyvwpg2d6n5saepvjqm9j/position] +peggy_denom = factory/inj1vam3mucqmr3jq8g8tlyvwpg2d6n5saepvjqm9j/position +decimals = 0 + +[factory/inj1vdjylk9h6x5l5rdeq69kzz8epkdj49jz3vnkck/lpinj167fk7vydv5sc3yvdlhrrnrh236qusaaunsrlaw] +peggy_denom = factory/inj1vdjylk9h6x5l5rdeq69kzz8epkdj49jz3vnkck/lpinj167fk7vydv5sc3yvdlhrrnrh236qusaaunsrlaw +decimals = 0 + +[factory/inj1vdjylk9h6x5l5rdeq69kzz8epkdj49jz3vnkck/lpinj1jl72nssaq64u6ze7ducpvne4k3knd7p4e38wmv] +peggy_denom = factory/inj1vdjylk9h6x5l5rdeq69kzz8epkdj49jz3vnkck/lpinj1jl72nssaq64u6ze7ducpvne4k3knd7p4e38wmv +decimals = 0 + +[factory/inj1vfwt0zwcx60sk3rlszfwezygd35lq9kjh6g9df/ak] +peggy_denom = factory/inj1vfwt0zwcx60sk3rlszfwezygd35lq9kjh6g9df/ak +decimals = 6 + +[factory/inj1vgg9a0fgt03s6naw4y8kpeqrxaftvjx7n729x9/position] +peggy_denom = factory/inj1vgg9a0fgt03s6naw4y8kpeqrxaftvjx7n729x9/position +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/ABC] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/ABC +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/INJ] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/INJ +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TOK] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TOK +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TST] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TST +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TYC] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/TYC +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWG] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWG +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWWG] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWWG +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWwGG] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/WWwGG +decimals = 0 + +[factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/your-token-subdenom] +peggy_denom = factory/inj1vh4qp2p4y0lxqxhu7w2wj3puam6x28atmkqcar/your-token-subdenom +decimals = 0 + +[factory/inj1vh87n639uwq0smzzxj82mqlyu5yxzn7l7fjcs0/position] +peggy_denom = factory/inj1vh87n639uwq0smzzxj82mqlyu5yxzn7l7fjcs0/position +decimals = 0 + +[factory/inj1vjjppnr2gws0e678uhegmcruhyx55nk6w2hg2k/position] +peggy_denom = factory/inj1vjjppnr2gws0e678uhegmcruhyx55nk6w2hg2k/position +decimals = 0 + +[factory/inj1vjjzzlev5u0hzzh4lju29mhv9efte87w5czs39/position] +peggy_denom = factory/inj1vjjzzlev5u0hzzh4lju29mhv9efte87w5czs39/position +decimals = 0 + +[factory/inj1vjyvqyhvd00zzpwrr6v3keydp43z8pnsl48cx3/Testone] +peggy_denom = factory/inj1vjyvqyhvd00zzpwrr6v3keydp43z8pnsl48cx3/Testone +decimals = 6 + +[factory/inj1vkrp72xd67plcggcfjtjelqa4t5a093xljf2vj/inj1spw6nd0pj3kd3fgjljhuqpc8tv72a9v89myuja] +peggy_denom = factory/inj1vkrp72xd67plcggcfjtjelqa4t5a093xljf2vj/inj1spw6nd0pj3kd3fgjljhuqpc8tv72a9v89myuja +decimals = 0 + +[factory/inj1vlkpm04nu8dssskal6xkssfz6rl4zayg2pq7yu/position] +peggy_denom = factory/inj1vlkpm04nu8dssskal6xkssfz6rl4zayg2pq7yu/position +decimals = 0 + +[factory/inj1vmch9emlwa49ersxh7svqjckkjwuzrm76xuyqq/position] +peggy_denom = factory/inj1vmch9emlwa49ersxh7svqjckkjwuzrm76xuyqq/position +decimals = 0 + +[factory/inj1vmcrwdcymjkz8djsp04ya95xcux6utvp4dvwch/position] +peggy_denom = factory/inj1vmcrwdcymjkz8djsp04ya95xcux6utvp4dvwch/position +decimals = 0 + +[factory/inj1vnw2qhycavcehry6a9sex07nr76axev5s59x96/position] +peggy_denom = factory/inj1vnw2qhycavcehry6a9sex07nr76axev5s59x96/position +decimals = 0 + +[factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/cook] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/cook +decimals = 6 + +[factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/cookie] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/cookie +decimals = 6 + +[factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test213] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test213 +decimals = 6 + +[factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test9] +peggy_denom = factory/inj1vpp394hzv5rwz9de9xx60rxjl9cx82t0nt0nrz/test9 +decimals = 6 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/BONK] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/BONK +decimals = 18 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/BOY] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/BOY +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MAD] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MAD +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MADARA] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MADARA +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MADRAA] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MADRAA +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MAY] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MAY +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MUD] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/MUD +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/TTS] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/TTS +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/bou] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/bou +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/lyl] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/lyl +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/ruk] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/ruk +decimals = 0 + +[factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/tis] +peggy_denom = factory/inj1vqt6a3y2t7efvdv7u3zl6ht7tg4a5733wljxy5/tis +decimals = 0 + +[factory/inj1vu3ywmx6jhknclgjetxftdf2fpgyxsndh9xy4t/ugop] +peggy_denom = factory/inj1vu3ywmx6jhknclgjetxftdf2fpgyxsndh9xy4t/ugop +decimals = 0 + +[factory/inj1vursge2u0xq88ff5dc9zl3wzxpaed6498pyurc/position] +peggy_denom = factory/inj1vursge2u0xq88ff5dc9zl3wzxpaed6498pyurc/position +decimals = 0 + +[factory/inj1vypjl0lxse2hpkpff9jpjcfpexnwhjhrl4jtxg/position] +peggy_denom = factory/inj1vypjl0lxse2hpkpff9jpjcfpexnwhjhrl4jtxg/position +decimals = 0 + +[factory/inj1vzup2kfsrsevjcesq3pyzc6dyz07ve8jc6m4kf/tv-t1] +peggy_denom = factory/inj1vzup2kfsrsevjcesq3pyzc6dyz07ve8jc6m4kf/tv-t1 +decimals = 0 + +[factory/inj1w0dj787d00t9t53vz9aszkcmdt0he6cmall5lz/position] +peggy_denom = factory/inj1w0dj787d00t9t53vz9aszkcmdt0he6cmall5lz/position +decimals = 0 + +[factory/inj1w2p89vprfp4rk9ql22fcat579jw6lcndaqenxk/position] +peggy_denom = factory/inj1w2p89vprfp4rk9ql22fcat579jw6lcndaqenxk/position +decimals = 0 + +[factory/inj1w4v783ckdxa4sg3xr7thtqy92u8pjt09cq84ns/inj-test] +peggy_denom = factory/inj1w4v783ckdxa4sg3xr7thtqy92u8pjt09cq84ns/inj-test +decimals = 0 + +[factory/inj1w64pxulxdnjnsgg88yg0wv4xtltuvdt60dxx52/usdcet] +peggy_denom = factory/inj1w64pxulxdnjnsgg88yg0wv4xtltuvdt60dxx52/usdcet +decimals = 0 + +[factory/inj1wcgxfkevadmdvrnfj6arpm0dulaap778gdfydy/position] +peggy_denom = factory/inj1wcgxfkevadmdvrnfj6arpm0dulaap778gdfydy/position +decimals = 0 + +[factory/inj1wdlaxz5j2kuvvw6j6zapkhst03w99uqu4qzjqr/position] +peggy_denom = factory/inj1wdlaxz5j2kuvvw6j6zapkhst03w99uqu4qzjqr/position +decimals = 0 + +[factory/inj1weg6gph4cwe7mnk06h7r640r9kjz3aah5vd8q2/position] +peggy_denom = factory/inj1weg6gph4cwe7mnk06h7r640r9kjz3aah5vd8q2/position +decimals = 0 + +[factory/inj1wfu4622uhs5kmfws8vse76sxac7qxu3pckhkph/ak] +peggy_denom = factory/inj1wfu4622uhs5kmfws8vse76sxac7qxu3pckhkph/ak +decimals = 0 + +[factory/inj1wljgztgggw6a96hgyypyl8fwmtgtedzkekhnxn/position] +peggy_denom = factory/inj1wljgztgggw6a96hgyypyl8fwmtgtedzkekhnxn/position +decimals = 0 + +[factory/inj1wlygmaypnsznpvnzjmlcfntua0k9smduh9ps3k/position] +peggy_denom = factory/inj1wlygmaypnsznpvnzjmlcfntua0k9smduh9ps3k/position +decimals = 0 + +[factory/inj1wn5jk6wn52c3lcz7tj2syt3tye7s7hzn49gnk7/position] +peggy_denom = factory/inj1wn5jk6wn52c3lcz7tj2syt3tye7s7hzn49gnk7/position +decimals = 0 + +[factory/inj1wpuctnwfks0c9wu8cysq8lj056a07h4lk8pffc/position] +peggy_denom = factory/inj1wpuctnwfks0c9wu8cysq8lj056a07h4lk8pffc/position +decimals = 0 + +[factory/inj1wqk89jknq4z4vk247r7qw83e3efq79pr0gcrac/TEST] +peggy_denom = factory/inj1wqk89jknq4z4vk247r7qw83e3efq79pr0gcrac/TEST +decimals = 18 + +[factory/inj1wr9djhlgvu6ssy9aw2f6xnzr6edl8p3fmdxvr5/position] +peggy_denom = factory/inj1wr9djhlgvu6ssy9aw2f6xnzr6edl8p3fmdxvr5/position +decimals = 0 + +[factory/inj1wtkwu7263hrj6qsyq59dvjtfq7eg3n97zmyew7/position] +peggy_denom = factory/inj1wtkwu7263hrj6qsyq59dvjtfq7eg3n97zmyew7/position +decimals = 0 + +[factory/inj1ww0njtv5man6as3evjy4aq3t08dnapf8wgvvpx/kusd] +peggy_denom = factory/inj1ww0njtv5man6as3evjy4aq3t08dnapf8wgvvpx/kusd +decimals = 0 + +[factory/inj1wyuxew5u8tdv2fcrjxqtewa75a0nhud26yx322/position] +peggy_denom = factory/inj1wyuxew5u8tdv2fcrjxqtewa75a0nhud26yx322/position +decimals = 0 + +[factory/inj1wz4c7eq2kqzchry9ppc5nv0llcr56v8s8xy3qy/ak] +peggy_denom = factory/inj1wz4c7eq2kqzchry9ppc5nv0llcr56v8s8xy3qy/ak +decimals = 0 + +[factory/inj1x098l8f3uxkfslk02n8ekct867qft2q9a43pez/position] +peggy_denom = factory/inj1x098l8f3uxkfslk02n8ekct867qft2q9a43pez/position +decimals = 0 + +[factory/inj1x0y2k45p8g4c5k09z6y4s62ann48td8dmmtr7p/position] +peggy_denom = factory/inj1x0y2k45p8g4c5k09z6y4s62ann48td8dmmtr7p/position +decimals = 0 + +[factory/inj1x33pdf4m2d89klwevndvdv408em5fskarss4j4/position] +peggy_denom = factory/inj1x33pdf4m2d89klwevndvdv408em5fskarss4j4/position +decimals = 0 + +[factory/inj1x36xltunr3hczrzzcjgsdz8a4rjrxvl3lwnyxx/position] +peggy_denom = factory/inj1x36xltunr3hczrzzcjgsdz8a4rjrxvl3lwnyxx/position +decimals = 0 + +[factory/inj1x52kjrdrfxlsgnfu67cstxfcf33ax97anne4qw/position] +peggy_denom = factory/inj1x52kjrdrfxlsgnfu67cstxfcf33ax97anne4qw/position +decimals = 0 + +[factory/inj1x59f3klrj20uenzynq5va3r9jjn0g4req7wpc0/Test] +peggy_denom = factory/inj1x59f3klrj20uenzynq5va3r9jjn0g4req7wpc0/Test +decimals = 0 + +[factory/inj1x59f3klrj20uenzynq5va3r9jjn0g4req7wpc0/test] +peggy_denom = factory/inj1x59f3klrj20uenzynq5va3r9jjn0g4req7wpc0/test +decimals = 6 + +[factory/inj1x5w6ggv3p67kpj9n6teprx3uqxfn4e5rpq82fv/position] +peggy_denom = factory/inj1x5w6ggv3p67kpj9n6teprx3uqxfn4e5rpq82fv/position +decimals = 0 + +[factory/inj1x63pwwsuwpmgnm3jjgm8v4cva05358082tqysd/position] +peggy_denom = factory/inj1x63pwwsuwpmgnm3jjgm8v4cva05358082tqysd/position +decimals = 0 + +[factory/inj1x66srsf7gnm0fz3p6ceazp7h9p60hyxmxqh0s3/position] +peggy_denom = factory/inj1x66srsf7gnm0fz3p6ceazp7h9p60hyxmxqh0s3/position +decimals = 0 + +[factory/inj1x7c4naavu5g6325xkxgaffll6q033prgpe86q3/nUSD] +peggy_denom = factory/inj1x7c4naavu5g6325xkxgaffll6q033prgpe86q3/nUSD +decimals = 18 + +[factory/inj1x8lczzuhxpp5nhf72nfv0e74vkjxvqag05clpn/position] +peggy_denom = factory/inj1x8lczzuhxpp5nhf72nfv0e74vkjxvqag05clpn/position +decimals = 0 + +[factory/inj1x8rucyh7paah9dlldcfcfuscl3scdtus26m822/position] +peggy_denom = factory/inj1x8rucyh7paah9dlldcfcfuscl3scdtus26m822/position +decimals = 0 + +[factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/test] +peggy_denom = factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/test +decimals = 18 + +[factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/test1] +peggy_denom = factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/test1 +decimals = 8 + +[factory/inj1xcj5al0gdrs7mwcn84jhsj5a2kgsqj4c9qk5en/injMiam] +peggy_denom = factory/inj1xcj5al0gdrs7mwcn84jhsj5a2kgsqj4c9qk5en/injMiam +decimals = 0 + +[factory/inj1xcmem6znjw0tevhewzaj9vgck3j5jggfc47ue0/position] +peggy_denom = factory/inj1xcmem6znjw0tevhewzaj9vgck3j5jggfc47ue0/position +decimals = 0 + +[factory/inj1xcn064p3w42wmuple0tqxv2zgkv2pyuzl3u5px/position] +peggy_denom = factory/inj1xcn064p3w42wmuple0tqxv2zgkv2pyuzl3u5px/position +decimals = 0 + +[factory/inj1xfjnl464vcmwzx82tcjmgkde68hra4rhetq2c5/position] +peggy_denom = factory/inj1xfjnl464vcmwzx82tcjmgkde68hra4rhetq2c5/position +decimals = 0 + +[factory/inj1xgf4n9sa7rpedzngd66m49wd74aywptnujwqeq/position] +peggy_denom = factory/inj1xgf4n9sa7rpedzngd66m49wd74aywptnujwqeq/position +decimals = 0 + +[factory/inj1xh3ced9w5hkak0te7gcqejlg0uskv3xsqw6nqr/position] +peggy_denom = factory/inj1xh3ced9w5hkak0te7gcqejlg0uskv3xsqw6nqr/position +decimals = 0 + +[factory/inj1xh928v0zwy54nv3d9m9splk0nu9jfnugg8pmkk/asg] +peggy_denom = factory/inj1xh928v0zwy54nv3d9m9splk0nu9jfnugg8pmkk/asg +decimals = 0 + +[factory/inj1xl7n4zw38878cret04u6vk3m2r6z8upepweccn/lp] +peggy_denom = factory/inj1xl7n4zw38878cret04u6vk3m2r6z8upepweccn/lp +decimals = 0 + +[factory/inj1xlkkl7hvcvk2thxn6gf706eykx5j4j57mak7hp/position] +peggy_denom = factory/inj1xlkkl7hvcvk2thxn6gf706eykx5j4j57mak7hp/position +decimals = 0 + +[factory/inj1xmgw5eyauaftulpu0xaeafhre33q02vf6pc4ts/position] +peggy_denom = factory/inj1xmgw5eyauaftulpu0xaeafhre33q02vf6pc4ts/position +decimals = 0 + +[factory/inj1xpx6s84xjvlgz63y0nkw8nw66zu3ezzxwwx8wh/position] +peggy_denom = factory/inj1xpx6s84xjvlgz63y0nkw8nw66zu3ezzxwwx8wh/position +decimals = 0 + +[factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/PUGGO] +peggy_denom = factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/PUGGO +decimals = 0 + +[factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/Test1] +peggy_denom = factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/Test1 +decimals = 0 + +[factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/Test2] +peggy_denom = factory/inj1xrhrlnawe9g6ct95nurs8sfehcq8tsm35c4al2/Test2 +decimals = 0 + +[factory/inj1xsadv6kc7v6jhauunr8qy8angg9ttx752j4ama/position] +peggy_denom = factory/inj1xsadv6kc7v6jhauunr8qy8angg9ttx752j4ama/position +decimals = 0 + +[factory/inj1xug34v8e887uzcc9mr2pql06h2ztvhxxm6asll/utest] +peggy_denom = factory/inj1xug34v8e887uzcc9mr2pql06h2ztvhxxm6asll/utest +decimals = 0 + +[factory/inj1xv7td74ss4q0rrvsuey9qrzqc8qj89zvlh0kmj/INJECT] +peggy_denom = factory/inj1xv7td74ss4q0rrvsuey9qrzqc8qj89zvlh0kmj/INJECT +decimals = 6 + +[factory/inj1xv7td74ss4q0rrvsuey9qrzqc8qj89zvlh0kmj/ak] +peggy_denom = factory/inj1xv7td74ss4q0rrvsuey9qrzqc8qj89zvlh0kmj/ak +decimals = 0 + +[factory/inj1xwdxxej579ns9gcs80jfxvl50yctvptxtpn2fa/DGNZ] +peggy_denom = factory/inj1xwdxxej579ns9gcs80jfxvl50yctvptxtpn2fa/DGNZ +decimals = 6 + +[factory/inj1xwdxxej579ns9gcs80jfxvl50yctvptxtpn2fa/DREAM] +peggy_denom = factory/inj1xwdxxej579ns9gcs80jfxvl50yctvptxtpn2fa/DREAM +decimals = 6 + +[factory/inj1xyr5tt9ltrdm9uvnerwtv4sz9hllqvgt3pkea2/position] +peggy_denom = factory/inj1xyr5tt9ltrdm9uvnerwtv4sz9hllqvgt3pkea2/position +decimals = 0 + +[factory/inj1xyufatym0y7dlv2qzm7p5rkythh9n6wa588yl6/testtoken] +peggy_denom = factory/inj1xyufatym0y7dlv2qzm7p5rkythh9n6wa588yl6/testtoken +decimals = 6 + +[factory/inj1xzfme2xzc2zcwdvkhkklssudaeyeax5mpfu45c/kira] +peggy_denom = factory/inj1xzfme2xzc2zcwdvkhkklssudaeyeax5mpfu45c/kira +decimals = 6 + +[factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/IPDAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/IPDAI +decimals = 0 + +[factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/Ipdai] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/Ipdai +decimals = 0 + +[factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/Test1] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/Test1 +decimals = 6 + +[factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ak] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ak +decimals = 0 + +[factory/inj1y3g6p8hsdk2tx85nhftujuz2femtztwpzwxlun/position] +peggy_denom = factory/inj1y3g6p8hsdk2tx85nhftujuz2femtztwpzwxlun/position +decimals = 0 + +[factory/inj1y3uz825u9x4yr440x7dpfpz9p93k2ua3mfsj8m/position] +peggy_denom = factory/inj1y3uz825u9x4yr440x7dpfpz9p93k2ua3mfsj8m/position +decimals = 0 + +[factory/inj1y40ej8fymv3y3002y7vs38ad8wmkfx70x6p9fl/position] +peggy_denom = factory/inj1y40ej8fymv3y3002y7vs38ad8wmkfx70x6p9fl/position +decimals = 0 + +[factory/inj1y8mflyjjgrtmtmufn9cpt9snkyaksv8yyjfn7e/position] +peggy_denom = factory/inj1y8mflyjjgrtmtmufn9cpt9snkyaksv8yyjfn7e/position +decimals = 0 + +[factory/inj1y8n40n0r4qhpv03refwjf2w8qeskn7wz9papy9/position] +peggy_denom = factory/inj1y8n40n0r4qhpv03refwjf2w8qeskn7wz9papy9/position +decimals = 0 + +[factory/inj1y9ns569xn73s2dez3edfl8x9rldhlnmf342x2v/uLP] +peggy_denom = factory/inj1y9ns569xn73s2dez3edfl8x9rldhlnmf342x2v/uLP +decimals = 0 + +[factory/inj1yflxv3tzd0ya8rsqzl8y5e2fanzmwczzlzrh96/position] +peggy_denom = factory/inj1yflxv3tzd0ya8rsqzl8y5e2fanzmwczzlzrh96/position +decimals = 0 + +[factory/inj1yfxejgk5n6jljvf9f5sxex7k22td5vkqnugnvm/ak] +peggy_denom = factory/inj1yfxejgk5n6jljvf9f5sxex7k22td5vkqnugnvm/ak +decimals = 6 + +[factory/inj1yhyhvdj0lsjnvvrsv6r0wplzvg5w3ye5nskecp/position] +peggy_denom = factory/inj1yhyhvdj0lsjnvvrsv6r0wplzvg5w3ye5nskecp/position +decimals = 0 + +[factory/inj1ykvprwchmpgm632hsqwwmnwquazrpxmdykap3m/position] +peggy_denom = factory/inj1ykvprwchmpgm632hsqwwmnwquazrpxmdykap3m/position +decimals = 0 + +[factory/inj1yl97tnwqftg37d6ccjvd4zq3vh4mxynp6e2ldp/position] +peggy_denom = factory/inj1yl97tnwqftg37d6ccjvd4zq3vh4mxynp6e2ldp/position +decimals = 0 + +[factory/inj1ym7sl98neeh4t7gq8z4we3ugp4s68ghpvvkyas/position] +peggy_denom = factory/inj1ym7sl98neeh4t7gq8z4we3ugp4s68ghpvvkyas/position +decimals = 0 + +[factory/inj1ymah0zcd9ujkgaqaldfks6drttmxhwun05fvpv/kUSD] +peggy_denom = factory/inj1ymah0zcd9ujkgaqaldfks6drttmxhwun05fvpv/kUSD +decimals = 0 + +[factory/inj1ymqf6eyt00yxxqg40c8jrn9ey3ydms52ep39wh/position] +peggy_denom = factory/inj1ymqf6eyt00yxxqg40c8jrn9ey3ydms52ep39wh/position +decimals = 0 + +[factory/inj1yn4sntvmxmmzejlq7uer85g0jn0qr884qnhhkk/position] +peggy_denom = factory/inj1yn4sntvmxmmzejlq7uer85g0jn0qr884qnhhkk/position +decimals = 0 + +[factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/VIC] +peggy_denom = factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/VIC +decimals = 6 + +[factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/injtokens] +peggy_denom = factory/inj1yq4dwvnujpr9m8w4m5uq3e8hu0xxnw0eypzr0k/injtokens +decimals = 0 + +[factory/inj1yrcescuerfwmuk9fcsmzrcqxjk0l2crkva7w7q/position] +peggy_denom = factory/inj1yrcescuerfwmuk9fcsmzrcqxjk0l2crkva7w7q/position +decimals = 0 + +[factory/inj1yreaxfwm7hrnft6qckl9g8xc3p827qm06c90sp/position] +peggy_denom = factory/inj1yreaxfwm7hrnft6qckl9g8xc3p827qm06c90sp/position +decimals = 0 + +[factory/inj1ysw6mfrdusl7t68axsjzva7uf805zjrf35uzf4/position] +peggy_denom = factory/inj1ysw6mfrdusl7t68axsjzva7uf805zjrf35uzf4/position +decimals = 0 + +[factory/inj1ysym7p26k099yftp7pecfefefqu6y8lpg5380e/position] +peggy_denom = factory/inj1ysym7p26k099yftp7pecfefefqu6y8lpg5380e/position +decimals = 0 + +[factory/inj1ytsgm4785kt2knde6zs9dr24w0vhsaqptma6wh/position] +peggy_denom = factory/inj1ytsgm4785kt2knde6zs9dr24w0vhsaqptma6wh/position +decimals = 0 + +[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/test] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/test +decimals = 6 + +[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testtt] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testtt +decimals = 6 + +[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testttt] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testttt +decimals = 6 + +[factory/inj1yuhlreumk975lw4ne3qp0r3cvp4zphvpjm0x3a/bINJ] +peggy_denom = factory/inj1yuhlreumk975lw4ne3qp0r3cvp4zphvpjm0x3a/bINJ +decimals = 0 + +[factory/inj1yvfgszkzz5elj0vt8zwnua9fqkgmep83kety09/position] +peggy_denom = factory/inj1yvfgszkzz5elj0vt8zwnua9fqkgmep83kety09/position +decimals = 0 + +[factory/inj1yvu45hmxcn53m4uwrklzpemxhfpgcvw5klglyd/LIOR] +peggy_denom = factory/inj1yvu45hmxcn53m4uwrklzpemxhfpgcvw5klglyd/LIOR +decimals = 6 + +[factory/inj1yvu45hmxcn53m4uwrklzpemxhfpgcvw5klglyd/LIORi] +peggy_denom = factory/inj1yvu45hmxcn53m4uwrklzpemxhfpgcvw5klglyd/LIORi +decimals = 6 + +[factory/inj1yxyprnlhyupl2lmpwsjhnux70uz8d5rgqussvc/ak] +peggy_denom = factory/inj1yxyprnlhyupl2lmpwsjhnux70uz8d5rgqussvc/ak +decimals = 0 + +[factory/inj1yxyprnlhyupl2lmpwsjhnux70uz8d5rgqussvc/bonk2] +peggy_denom = factory/inj1yxyprnlhyupl2lmpwsjhnux70uz8d5rgqussvc/bonk2 +decimals = 0 + +[factory/inj1yy6u35zlmjz9wr3judrakha5t896y2zu8l96ld/position] +peggy_denom = factory/inj1yy6u35zlmjz9wr3judrakha5t896y2zu8l96ld/position +decimals = 0 + +[factory/inj1yzctp4r2g9phkam9zhensdasar83h0u4hrq0ap/MEME] +peggy_denom = factory/inj1yzctp4r2g9phkam9zhensdasar83h0u4hrq0ap/MEME +decimals = 6 + +[factory/inj1yzl27sewa2447vtvnp00r02fca8sw3vyc57fkl/position] +peggy_denom = factory/inj1yzl27sewa2447vtvnp00r02fca8sw3vyc57fkl/position +decimals = 0 + +[factory/inj1z2mvkyphlykuayz5jk5geujpc2s5h6x5p40gkq/position] +peggy_denom = factory/inj1z2mvkyphlykuayz5jk5geujpc2s5h6x5p40gkq/position +decimals = 0 + +[factory/inj1z2yh32tk3gu8z9shasyrhh42vwsuljmcft82ut/position] +peggy_denom = factory/inj1z2yh32tk3gu8z9shasyrhh42vwsuljmcft82ut/position +decimals = 0 + +[factory/inj1z3qduw4n3uq549xx47sertmrclyratf498x63e/position] +peggy_denom = factory/inj1z3qduw4n3uq549xx47sertmrclyratf498x63e/position +decimals = 0 + +[factory/inj1z4phq0clwmns79duanyg7nk2eankp3we7h4sdk/position] +peggy_denom = factory/inj1z4phq0clwmns79duanyg7nk2eankp3we7h4sdk/position +decimals = 0 + +[factory/inj1z7jcqanqnw969ad6wlucxn9v0t3z3j6swnunvs/lp] +peggy_denom = factory/inj1z7jcqanqnw969ad6wlucxn9v0t3z3j6swnunvs/lp +decimals = 0 + +[factory/inj1z9vd7p6pjgun9h8g0c8snuu03nrqer0sjuuhdf/position] +peggy_denom = factory/inj1z9vd7p6pjgun9h8g0c8snuu03nrqer0sjuuhdf/position +decimals = 0 + +[factory/inj1zcd6q9pgvlqg77uap9fy89a0ljpwm2wnaskf0g/position] +peggy_denom = factory/inj1zcd6q9pgvlqg77uap9fy89a0ljpwm2wnaskf0g/position +decimals = 0 + +[factory/inj1zdhmeaydxdhdd35wa4edrf748rpma662vrenk3/position] +peggy_denom = factory/inj1zdhmeaydxdhdd35wa4edrf748rpma662vrenk3/position +decimals = 0 + +[factory/inj1zf6dferymtlutcycrlddy9gy979sgsp6wj9046/position] +peggy_denom = factory/inj1zf6dferymtlutcycrlddy9gy979sgsp6wj9046/position +decimals = 0 + +[factory/inj1zgrjmn0ak8w566fvruttuzu22lyuqgm0gwtn6x/ninja] +peggy_denom = factory/inj1zgrjmn0ak8w566fvruttuzu22lyuqgm0gwtn6x/ninja +decimals = 0 + +[factory/inj1zhwkngnvdh6wewmp75ka7q6jn3c4z8sglrvfgl/position] +peggy_denom = factory/inj1zhwkngnvdh6wewmp75ka7q6jn3c4z8sglrvfgl/position +decimals = 0 + +[factory/inj1zmunv4qvrnl5023drl008kqnm5dp5luwxylf4p/position] +peggy_denom = factory/inj1zmunv4qvrnl5023drl008kqnm5dp5luwxylf4p/position +decimals = 0 + +[factory/inj1zmy72r0sl4q85kxszv5jljqsvqsq4geqg8yvcz/position] +peggy_denom = factory/inj1zmy72r0sl4q85kxszv5jljqsvqsq4geqg8yvcz/position +decimals = 0 + +[factory/inj1znf9vj0gjl0uhewdqa7eqyvrjgmyqvmc7tvwrm/test3] +peggy_denom = factory/inj1znf9vj0gjl0uhewdqa7eqyvrjgmyqvmc7tvwrm/test3 +decimals = 0 + +[factory/inj1zr0qfmzlputn5x8g62l383wasj6tsqvu9l6fcv/position] +peggy_denom = factory/inj1zr0qfmzlputn5x8g62l383wasj6tsqvu9l6fcv/position +decimals = 0 + +[factory/inj1zszapyz8f2meqqccarkervwtcqq6994n6e4uce/position] +peggy_denom = factory/inj1zszapyz8f2meqqccarkervwtcqq6994n6e4uce/position +decimals = 0 + +[factory/inj1ztude0usp9vkxmaeh7pggx5lcc80rrwj97l3pz/position] +peggy_denom = factory/inj1ztude0usp9vkxmaeh7pggx5lcc80rrwj97l3pz/position +decimals = 0 + +[factory/inj1ztz8ftj8c87xczhfa24t0enntz86e0u4dp7sp3/position] +peggy_denom = factory/inj1ztz8ftj8c87xczhfa24t0enntz86e0u4dp7sp3/position +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj10khun6rk82dp2wdajh6z3vjsrac6wpuywt22yy] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj10khun6rk82dp2wdajh6z3vjsrac6wpuywt22yy +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj12yzugqf4uchk7y3j4mw5epwh88rw7hc7k79x2y] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj12yzugqf4uchk7y3j4mw5epwh88rw7hc7k79x2y +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj144r9lg7zjsmxkz34wa9cjj83mamfav3yr7pguc] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj144r9lg7zjsmxkz34wa9cjj83mamfav3yr7pguc +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1989lj26y5jcartkvj2x55vnef8kf5ayl6p67gw] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1989lj26y5jcartkvj2x55vnef8kf5ayl6p67gw +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1etyvn2kgsgl0fwlcwljsq7l85cep878v7n0n3z] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1etyvn2kgsgl0fwlcwljsq7l85cep878v7n0n3z +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1fm2wjk79v79qdm5nprxrevnmjxlnhpvclg84rq] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1fm2wjk79v79qdm5nprxrevnmjxlnhpvclg84rq +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1haaudm8yme03h45aflzerlsng098prk83pxany] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1haaudm8yme03h45aflzerlsng098prk83pxany +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1j3twfggy7t48hq3rkwnt9lf3q7q3ud58jzdnx6] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1j3twfggy7t48hq3rkwnt9lf3q7q3ud58jzdnx6 +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1jd2sq5eh25dszupf08dgnhha5dufmp5u85zhgj] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1jd2sq5eh25dszupf08dgnhha5dufmp5u85zhgj +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1juujgtcttsykxmqn0rr5whsr0djc73pgawr622] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1juujgtcttsykxmqn0rr5whsr0djc73pgawr622 +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1l0ge2pwpr74ck23p99f29p7tpkuj6uuhxrvt5x] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1l0ge2pwpr74ck23p99f29p7tpkuj6uuhxrvt5x +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1pllmhm80hnlh56u4aledjqye989cf83hhfwrxk] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1pllmhm80hnlh56u4aledjqye989cf83hhfwrxk +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1qpha543j56js3nfx0ywd3m5av7qhl68qcad8h4] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1qpha543j56js3nfx0ywd3m5av7qhl68qcad8h4 +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1rejyjsu3rdgx0w9l3v07ar220n5s7tawg48p2a] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1rejyjsu3rdgx0w9l3v07ar220n5s7tawg48p2a +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1rltxjlvs4wz53jldufklaaxar73n5ytpcpacfp] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1rltxjlvs4wz53jldufklaaxar73n5ytpcpacfp +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1ru65qlj534a8wu4guw9txetpkev43ausxdsv3s] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1ru65qlj534a8wu4guw9txetpkev43ausxdsv3s +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1s5v5rmqmplwa68fj26rztlyh0dzy83sqd255xq] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1s5v5rmqmplwa68fj26rztlyh0dzy83sqd255xq +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1sln84pshkreuvash6js0vu2gzcnwfg34lugwt7] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1sln84pshkreuvash6js0vu2gzcnwfg34lugwt7 +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1stjq2xyc7mtxp3ms60rauw2v6fvpfdl04d2qxj] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1stjq2xyc7mtxp3ms60rauw2v6fvpfdl04d2qxj +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1wm6uhg9ht6089c8h3yev2mt454s54v8kanxmcf] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1wm6uhg9ht6089c8h3yev2mt454s54v8kanxmcf +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1xdc8dhazn69vt4u6elpcn0kwxlmq0hjtjwytq5] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1xdc8dhazn69vt4u6elpcn0kwxlmq0hjtjwytq5 +decimals = 0 + +[factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1y3pkfkrr3nr23320a3w4t2x5qlfk0l5w0s6rwl] +peggy_denom = factory/inj1zxd4pvdczkw52yhum0u23vsxzhqr7jyuau7cef/lpinj1y3pkfkrr3nr23320a3w4t2x5qlfk0l5w0s6rwl +decimals = 0 + +[factory/inj1zzm7s6thfkfr2hhpaq6m2c7xc0g3nek7gvrcht/inj136zzmzanrgth7hw4f4z09eqym5ur76wr664la2] +peggy_denom = factory/inj1zzm7s6thfkfr2hhpaq6m2c7xc0g3nek7gvrcht/inj136zzmzanrgth7hw4f4z09eqym5ur76wr664la2 +decimals = 0 + +[factory/inj1zzm7s6thfkfr2hhpaq6m2c7xc0g3nek7gvrcht/inj1rfl7neqrtmhmujrktpll075latrq760c96emkc] +peggy_denom = factory/inj1zzm7s6thfkfr2hhpaq6m2c7xc0g3nek7gvrcht/inj1rfl7neqrtmhmujrktpll075latrq760c96emkc +decimals = 0 + +[good] +peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/good +decimals = 6 + +[hINJ] +peggy_denom = inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc +decimals = 18 + +[hng] +peggy_denom = factory/inj1hslxdwcszyjesl0e7q339qvqme8jtpkgvfw667/hng +decimals = 6 + +[iUSD] +peggy_denom = factory/inj16a2uxar2v8uyj3xanx6tyvzaqmlqj6jj03829u/nUSD +decimals = 18 + +[ibc/2CD6478D5AFA173C86448E008B760934166AED04C3968874EA6E44D2ECEA236D] +peggy_denom = ibc/2CD6478D5AFA173C86448E008B760934166AED04C3968874EA6E44D2ECEA236D +decimals = 0 + +[ibc/45B1C97F9EF078E4E4E0DEBA0CCE451F7CCA62C051DD29A4C57B7C31F8EBF87D] +peggy_denom = ibc/45B1C97F9EF078E4E4E0DEBA0CCE451F7CCA62C051DD29A4C57B7C31F8EBF87D +decimals = 0 + +[ibc/51EF06F0C3D94C42CBB77F2E9FD853862B29D8524D69A389F761C94F12DDABFB] +peggy_denom = ibc/51EF06F0C3D94C42CBB77F2E9FD853862B29D8524D69A389F761C94F12DDABFB +decimals = 0 + +[ibc/6767A6D74DE6E67F282BF0DA664960588594E10FAE25C7568D0E9714854A614A] +peggy_denom = ibc/6767A6D74DE6E67F282BF0DA664960588594E10FAE25C7568D0E9714854A614A +decimals = 0 + +[ibc/85F860A9556E285E2F5E6CBC39F04E8E7A497488B9E7D11912030EB49D5E2CCB] +peggy_denom = ibc/85F860A9556E285E2F5E6CBC39F04E8E7A497488B9E7D11912030EB49D5E2CCB +decimals = 0 + +[ibc/86D3C0CC2008F9254902A58D2B24237BEFB9194F8CF1FF7E29312D932C31E841] +peggy_denom = ibc/86D3C0CC2008F9254902A58D2B24237BEFB9194F8CF1FF7E29312D932C31E841 +decimals = 0 + +[ibc/8D50C7D7F9EE586BC705D088C68601ACA5D192C63F6043B785676963074774B3] +peggy_denom = ibc/8D50C7D7F9EE586BC705D088C68601ACA5D192C63F6043B785676963074774B3 +decimals = 0 + +[ibc/97498452BF27CC90656FD7D6EFDA287FA2BFFFF3E84691C84CB9E0451F6DF0A4] +peggy_denom = ibc/97498452BF27CC90656FD7D6EFDA287FA2BFFFF3E84691C84CB9E0451F6DF0A4 +decimals = 0 + +[ibc/9E7EA73E3A4BA56CE72A4E574F529D43DABFEB1BDE5451515A21D6828E52EED5] +peggy_denom = ibc/9E7EA73E3A4BA56CE72A4E574F529D43DABFEB1BDE5451515A21D6828E52EED5 +decimals = 0 + +[ibc/9EBB1486F41AC90325E2BDB23F1EBE57BD6B0DDE25CC9E3051A5EAE2A589B032] +peggy_denom = ibc/9EBB1486F41AC90325E2BDB23F1EBE57BD6B0DDE25CC9E3051A5EAE2A589B032 +decimals = 0 + +[ibc/A2BBF23BE4234FD27AEF7269B30A124B91E3EB2D7F33E756B5EC2FC1F3DCF0B3] +peggy_denom = ibc/A2BBF23BE4234FD27AEF7269B30A124B91E3EB2D7F33E756B5EC2FC1F3DCF0B3 +decimals = 0 + +[ibc/B0D9A85855FFB4C6472AD514B48C91275453B2AFC501472EE29895C400463E6B] +peggy_denom = ibc/B0D9A85855FFB4C6472AD514B48C91275453B2AFC501472EE29895C400463E6B +decimals = 0 + +[ibc/B8F94CEDA547914DC365232034474E8AFE503304BDE91D281C3AB5024060A491] +peggy_denom = ibc/B8F94CEDA547914DC365232034474E8AFE503304BDE91D281C3AB5024060A491 +decimals = 0 + +[ibc/BE8B9A10C7F6E014F617E4C883D24A8E34A4399C2E18D583DD9506CEADF0D7E5] +peggy_denom = ibc/BE8B9A10C7F6E014F617E4C883D24A8E34A4399C2E18D583DD9506CEADF0D7E5 +decimals = 0 + +[ibc/C738E90C95E4D7A405B7D3D8992EC554DDCC2079991AB5FF67051A99E02C95A1] +peggy_denom = ibc/C738E90C95E4D7A405B7D3D8992EC554DDCC2079991AB5FF67051A99E02C95A1 +decimals = 0 + +[ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3] +peggy_denom = ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3 +decimals = 0 + +[ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193] +peggy_denom = ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193 +decimals = 0 + +[ibc/E1932BA371D397A1FD6066792D585348090F3764E2BA4F08298803ED8A76F226] +peggy_denom = ibc/E1932BA371D397A1FD6066792D585348090F3764E2BA4F08298803ED8A76F226 +decimals = 0 + +[ibc/E40FBDD3CB829D3A57D8A5588783C39620B4E4F26B08970DE0F8173D60E3E6E1] +peggy_denom = ibc/E40FBDD3CB829D3A57D8A5588783C39620B4E4F26B08970DE0F8173D60E3E6E1 +decimals = 0 + +[ibc/F14B1670FD61AC2BA511C6260D940A120A47B27AAF8322FCDBBAD8E9967BB518] +peggy_denom = ibc/F14B1670FD61AC2BA511C6260D940A120A47B27AAF8322FCDBBAD8E9967BB518 +decimals = 0 + +[inj-test] +peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/inj-test +decimals = 6 + +[injjj] +peggy_denom = factory/inj1dqagu9cx72lph0rg3ghhuwj20cw9f8x7rq2zz6/injjj +decimals = 6 + +[injo] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/injo +decimals = 6 + +[injtest1] +peggy_denom = factory/inj1ef5ddgx4q83a8mmap2gxsc7w5q5pj6rmfhjaex/inj-test1 +decimals = 6 + +[kUSD] +peggy_denom = factory/inj1kheekln6ukwx36hwa3d4u05a0yjnf97kjkes4h/kUSD +decimals = 6 + +[lol] +peggy_denom = factory/inj1x5h2d974gqwcskvk4pdtf25f7heml469e756ez/lol +decimals = 6 + +[lootbox1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/lootbox1 +decimals = 0 + +[lootbox22] +peggy_denom = factory/inj1aetmaq5pswvfg6nhvgd4lt94qmg23ka3ljgxlm/lootbox22 +decimals = 0 + +[lym] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/lym +decimals = 6 + +[mINJo] +peggy_denom = factory/inj1tnphav95y6ekpvnta3ztsdyhla0543mkrfy7af/mINJo +decimals = 6 + +[mani] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/mani +decimals = 6 + +[mnk] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/mnk +decimals = 6 + +[nATOM] +peggy_denom = inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 +decimals = 6 + +[nINJ] +peggy_denom = inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf +decimals = 18 + +[nTIA] +peggy_denom = inj1fzquxxxam59z6fzewy2hvvreeh3m04x83zg4vv +decimals = 6 + +[nUSD] +peggy_denom = factory/inj13l36tutxv09s72adll47g3jykymj305zuw42r0/nUSD +decimals = 18 + +[nUSDT] +peggy_denom = inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s +decimals = 6 + +[nWETH] +peggy_denom = inj1kehk5nvreklhylx22p3x0yjydfsz9fv3fvg5xt +decimals = 18 + +[napejas] +peggy_denom = factory/inj148sjw9h9n3n8gjw37reetwdlc7v4hfhl8r7vv3/napejas +decimals = 6 + +[ninja] +peggy_denom = factory/inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0/ninja +decimals = 6 + +[pal] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pal +decimals = 6 + +[peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7] +peggy_denom = peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7 +decimals = 18 + +[pip] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pip +decimals = 6 + +[pli] +peggy_denom = factory/inj1jx7r5vjr7ykdg4weseluq7ta90emw02jyz5mt5/pli +decimals = 6 + +[pop] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pop +decimals = 6 + +[pot] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pot +decimals = 6 + +[pqc] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pqc +decimals = 6 + +[pvs] +peggy_denom = factory/inj1rc34aepsrw03kczyskra9dlk9fzkx9jf48ccjc/pvs +decimals = 6 + +[red] +peggy_denom = factory/inj18xg8yh445ernwxdquklwpngffqv3agfyt5uqqs/red +decimals = 6 + +[rereerre] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/rereerre +decimals = 6 + +[rpo] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/rpo +decimals = 6 + +[s] +peggy_denom = factory/inj1tvml37kkfymrwmx583ed9eyur3jjq72ftf67rc/inj-fuckingcomeon +decimals = 6 + +[sUSDE] +peggy_denom = peggy0x9D39A5DE30e57443BfF2A8307A4256c8797A3497 +decimals = 18 + +[share1] +peggy_denom = share1 +decimals = 18 + +[share10] +peggy_denom = share10 +decimals = 18 + +[share100] +peggy_denom = share100 +decimals = 18 + +[share101] +peggy_denom = share101 +decimals = 18 + +[share102] +peggy_denom = share102 +decimals = 18 + +[share103] +peggy_denom = share103 +decimals = 18 + +[share104] +peggy_denom = share104 +decimals = 18 + +[share105] +peggy_denom = share105 +decimals = 18 + +[share106] +peggy_denom = share106 +decimals = 18 + +[share107] +peggy_denom = share107 +decimals = 18 + +[share108] +peggy_denom = share108 +decimals = 18 + +[share109] +peggy_denom = share109 +decimals = 18 + +[share11] +peggy_denom = share11 +decimals = 18 + +[share110] +peggy_denom = share110 +decimals = 18 + +[share111] +peggy_denom = share111 +decimals = 18 + +[share112] +peggy_denom = share112 +decimals = 18 + +[share113] +peggy_denom = share113 +decimals = 18 + +[share114] +peggy_denom = share114 +decimals = 18 + +[share115] +peggy_denom = share115 +decimals = 18 + +[share116] +peggy_denom = share116 +decimals = 18 + +[share117] +peggy_denom = share117 +decimals = 18 + +[share118] +peggy_denom = share118 +decimals = 18 + +[share119] +peggy_denom = share119 +decimals = 18 + +[share12] +peggy_denom = share12 +decimals = 18 + +[share120] +peggy_denom = share120 +decimals = 18 + +[share121] +peggy_denom = share121 +decimals = 18 + +[share122] +peggy_denom = share122 +decimals = 18 + +[share123] +peggy_denom = share123 +decimals = 18 + +[share124] +peggy_denom = share124 +decimals = 18 + +[share125] +peggy_denom = share125 +decimals = 18 + +[share126] +peggy_denom = share126 +decimals = 18 + +[share127] +peggy_denom = share127 +decimals = 18 + +[share128] +peggy_denom = share128 +decimals = 18 + +[share129] +peggy_denom = share129 +decimals = 18 + +[share13] +peggy_denom = share13 +decimals = 18 + +[share130] +peggy_denom = share130 +decimals = 18 + +[share131] +peggy_denom = share131 +decimals = 18 + +[share132] +peggy_denom = share132 +decimals = 18 + +[share133] +peggy_denom = share133 +decimals = 18 + +[share134] +peggy_denom = share134 +decimals = 18 + +[share135] +peggy_denom = share135 +decimals = 18 + +[share136] +peggy_denom = share136 +decimals = 18 + +[share137] +peggy_denom = share137 +decimals = 18 + +[share138] +peggy_denom = share138 +decimals = 18 + +[share139] +peggy_denom = share139 +decimals = 18 + +[share14] +peggy_denom = share14 +decimals = 18 + +[share140] +peggy_denom = share140 +decimals = 18 + +[share141] +peggy_denom = share141 +decimals = 18 + +[share142] +peggy_denom = share142 +decimals = 18 + +[share143] +peggy_denom = share143 +decimals = 18 + +[share144] +peggy_denom = share144 +decimals = 18 + +[share145] +peggy_denom = share145 +decimals = 18 + +[share146] +peggy_denom = share146 +decimals = 18 + +[share147] +peggy_denom = share147 +decimals = 18 + +[share148] +peggy_denom = share148 +decimals = 18 + +[share149] +peggy_denom = share149 +decimals = 18 + +[share15] +peggy_denom = share15 +decimals = 18 + +[share150] +peggy_denom = share150 +decimals = 18 + +[share151] +peggy_denom = share151 +decimals = 18 + +[share16] +peggy_denom = share16 +decimals = 18 + +[share17] +peggy_denom = share17 +decimals = 18 + +[share18] +peggy_denom = share18 +decimals = 18 + +[share19] +peggy_denom = share19 +decimals = 18 + +[share2] +peggy_denom = share2 +decimals = 18 + +[share20] +peggy_denom = share20 +decimals = 18 + +[share21] +peggy_denom = share21 +decimals = 18 + +[share22] +peggy_denom = share22 +decimals = 18 + +[share23] +peggy_denom = share23 +decimals = 18 + +[share24] +peggy_denom = share24 +decimals = 18 + +[share25] +peggy_denom = share25 +decimals = 18 + +[share27] +peggy_denom = share27 +decimals = 18 + +[share28] +peggy_denom = share28 +decimals = 18 + +[share29] +peggy_denom = share29 +decimals = 18 + +[share3] +peggy_denom = share3 +decimals = 18 + +[share30] +peggy_denom = share30 +decimals = 18 + +[share31] +peggy_denom = share31 +decimals = 18 + +[share32] +peggy_denom = share32 +decimals = 18 + +[share33] +peggy_denom = share33 +decimals = 18 + +[share34] +peggy_denom = share34 +decimals = 18 + +[share35] +peggy_denom = share35 +decimals = 18 + +[share36] +peggy_denom = share36 +decimals = 18 + +[share37] +peggy_denom = share37 +decimals = 18 + +[share38] +peggy_denom = share38 +decimals = 18 + +[share39] +peggy_denom = share39 +decimals = 18 + +[share4] +peggy_denom = share4 +decimals = 18 + +[share40] +peggy_denom = share40 +decimals = 18 + +[share41] +peggy_denom = share41 +decimals = 18 + +[share42] +peggy_denom = share42 +decimals = 18 + +[share43] +peggy_denom = share43 +decimals = 18 + +[share44] +peggy_denom = share44 +decimals = 18 + +[share45] +peggy_denom = share45 +decimals = 18 + +[share46] +peggy_denom = share46 +decimals = 18 + +[share47] +peggy_denom = share47 +decimals = 18 + +[share48] +peggy_denom = share48 +decimals = 18 + +[share49] +peggy_denom = share49 +decimals = 18 + +[share5] +peggy_denom = share5 +decimals = 18 + +[share50] +peggy_denom = share50 +decimals = 18 + +[share51] +peggy_denom = share51 +decimals = 18 + +[share52] +peggy_denom = share52 +decimals = 18 + +[share53] +peggy_denom = share53 +decimals = 18 + +[share54] +peggy_denom = share54 +decimals = 18 + +[share55] +peggy_denom = share55 +decimals = 18 + +[share56] +peggy_denom = share56 +decimals = 18 + +[share57] +peggy_denom = share57 +decimals = 18 + +[share58] +peggy_denom = share58 +decimals = 18 + +[share59] +peggy_denom = share59 +decimals = 18 + +[share6] +peggy_denom = share6 +decimals = 18 + +[share60] +peggy_denom = share60 +decimals = 18 + +[share61] +peggy_denom = share61 +decimals = 18 + +[share62] +peggy_denom = share62 +decimals = 18 + +[share63] +peggy_denom = share63 +decimals = 18 + +[share64] +peggy_denom = share64 +decimals = 18 + +[share65] +peggy_denom = share65 +decimals = 18 + +[share66] +peggy_denom = share66 +decimals = 18 + +[share67] +peggy_denom = share67 +decimals = 18 + +[share68] +peggy_denom = share68 +decimals = 18 + +[share69] +peggy_denom = share69 +decimals = 18 + +[share7] +peggy_denom = share7 +decimals = 18 + +[share70] +peggy_denom = share70 +decimals = 18 + +[share71] +peggy_denom = share71 +decimals = 18 + +[share72] +peggy_denom = share72 +decimals = 18 + +[share73] +peggy_denom = share73 +decimals = 18 + +[share74] +peggy_denom = share74 +decimals = 18 + +[share75] +peggy_denom = share75 +decimals = 18 + +[share76] +peggy_denom = share76 +decimals = 18 + +[share77] +peggy_denom = share77 +decimals = 18 + +[share78] +peggy_denom = share78 +decimals = 18 + +[share79] +peggy_denom = share79 +decimals = 18 + +[share8] +peggy_denom = share8 +decimals = 18 + +[share80] +peggy_denom = share80 +decimals = 18 + +[share81] +peggy_denom = share81 +decimals = 18 + +[share82] +peggy_denom = share82 +decimals = 18 + +[share83] +peggy_denom = share83 +decimals = 18 + +[share84] +peggy_denom = share84 +decimals = 18 + +[share85] +peggy_denom = share85 +decimals = 18 + +[share86] +peggy_denom = share86 +decimals = 18 + +[share87] +peggy_denom = share87 +decimals = 18 + +[share88] +peggy_denom = share88 +decimals = 18 + +[share89] +peggy_denom = share89 +decimals = 18 + +[share9] +peggy_denom = share9 +decimals = 18 + +[share90] +peggy_denom = share90 +decimals = 18 + +[share91] +peggy_denom = share91 +decimals = 18 + +[share92] +peggy_denom = share92 +decimals = 18 + +[share93] +peggy_denom = share93 +decimals = 18 + +[share94] +peggy_denom = share94 +decimals = 18 + +[share95] +peggy_denom = share95 +decimals = 18 + +[share96] +peggy_denom = share96 +decimals = 18 + +[share97] +peggy_denom = share97 +decimals = 18 + +[share98] +peggy_denom = share98 +decimals = 18 + +[share99] +peggy_denom = share99 +decimals = 18 + +[shroom1] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/shroom1 +decimals = 18 + +[shroom2] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/shroom2 +decimals = 18 + +[sis] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/sis +decimals = 6 + +[sms] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/sms +decimals = 6 + +[snake] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/snake +decimals = 18 + +[spore] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/spore +decimals = 18 + +[ssINJ] +peggy_denom = factory/inj1mlalkqq4egj7mz68x47tmpnf57aj7480g4evxa/ssainj +decimals = 0 + +[sssyn] +peggy_denom = factory/inj1mlalkqq4egj7mz68x47tmpnf57aj7480g4evxa/sssyn +decimals = 0 + +[stETH] +peggy_denom = peggy0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84 +decimals = 18 + +[syl] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/syl +decimals = 6 + +[tclub] +peggy_denom = factory/inj10knx7vr764l30lwckhsk6ahwzg52akrrngccfh/tclub +decimals = 6 + +[test] +peggy_denom = factory/inj106ul9gd8vf0rdhs7gvul4e5eqju8uyr62twp6v/test +decimals = 6 + +[test123] +peggy_denom = factory/inj1kle8tjn2z2rq4vy6y2getsva6vd3n3j7uh2tds/test123 +decimals = 6 + +[test2] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/test2 +decimals = 6 + +[test213] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test213 +decimals = 6 + +[test2134] +peggy_denom = factory/inj1asqp852arxkam8uckm2uvc4y365kdf06evq3zy/test2134 +decimals = 6 + +[test3] +peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/test222 +decimals = 0 + +[test5] +peggy_denom = factory/inj1k4wfy3kjmhczjzttwatrpapdgpvaqxchr7gk7a/test7555 +decimals = 0 + +[testcoin21] +peggy_denom = factory/inj1rgetw4w58wy9p74ckx6lph5p8qg20md8u9z9eq/testcoin21 +decimals = 6 + +[testdokwon] +peggy_denom = factory/inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0/testdokwon +decimals = 6 + +[teste] +peggy_denom = factory/inj1fcj6mmsj44wm04ff77kuncqx6vg4cl9qsgugkg/teste +decimals = 6 + +[teste3] +peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/teste3 +decimals = 8 + +[testestse] +peggy_denom = factory/inj1597pysn2u56ggcckykt2zzjuqkeezy5yxfujtj/TooTOO +decimals = 6 + +[testff] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testff +decimals = 6 + +[testt] +peggy_denom = factory/inj1js6xyr58llrsme8zwydk2u6jty95q0d3aqhrq6/testt +decimals = 6 + +[testtoken] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testtoken +decimals = 6 + +[testtt] +peggy_denom = factory/inj1js6xyr58llrsme8zwydk2u6jty95q0d3aqhrq6/testtt +decimals = 6 + +[testttt] +peggy_denom = factory/inj1cml96vmptgw99syqrrz8az79xer2pcgp0a885r/testttt +decimals = 6 + +[testtttt] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/testtttt +decimals = 6 + +[tet] +peggy_denom = factory/inj1e5yundzcqr77d8nkswgxn9qyrhmr4hdk6qq9pl/tet +decimals = 6 + +[toby] +peggy_denom = factory/inj1temu696g738vldkgnn7fqmgvkq2l36qsng5ea7/toby +decimals = 6 + +[token-symbol] +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/token-symbol +decimals = 6 + +[tol] +peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/tol +decimals = 6 + +[tst] +peggy_denom = factory/inj1s2n5rq58sp9cak8808q0c0qtdpu5xhfgeu2y97/inj-icon +decimals = 6 + +[tst1] +peggy_denom = factory/inj1wt8aa8ct7eap805lsz9jh8spezf6mkxe0ejp79/tst1 +decimals = 6 + +[uyO] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uyO +decimals = 0 + +[wBTC] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +decimals = 8 + +[wETH] +peggy_denom = peggy0xB4FBF271143F4FBf7B91A5ded31805e42b2208d6 +decimals = 18 + +[wUSDM] +peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 +decimals = 18 + +[xband] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Stake-0 +decimals = 6 + +[yolo] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/yolo +decimals = 6 + +[🍌] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/bananas decimals = 18 From 2592c59d301169bae2aa9e84e443f82bd07272e4 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 11:35:31 -0300 Subject: [PATCH 54/63] (fix) Updated compiled protos with the latest changes from the injective-core and injective-indexer v1.13 candidate versions --- pyinjective/proto/amino/amino_pb2_grpc.py | 25 ------------------- .../capability/v1/capability_pb2_grpc.py | 25 ------------------- .../proto/capability/v1/genesis_pb2_grpc.py | 25 ------------------- .../app/runtime/v1alpha1/module_pb2_grpc.py | 25 ------------------- .../cosmos/app/v1alpha1/config_pb2_grpc.py | 25 ------------------- .../cosmos/app/v1alpha1/module_pb2_grpc.py | 25 ------------------- .../cosmos/auth/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/auth/v1beta1/auth_pb2_grpc.py | 25 ------------------- .../cosmos/auth/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/authz/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/authz/v1beta1/authz_pb2_grpc.py | 25 ------------------- .../cosmos/authz/v1beta1/event_pb2_grpc.py | 25 ------------------- .../cosmos/authz/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/autocli/v1/options_pb2_grpc.py | 25 ------------------- .../cosmos/bank/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/bank/v1beta1/authz_pb2_grpc.py | 25 ------------------- .../cosmos/bank/v1beta1/bank_pb2_grpc.py | 25 ------------------- .../cosmos/bank/v1beta1/events_pb2_grpc.py | 25 ------------------- .../cosmos/bank/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/base/abci/v1beta1/abci_pb2_grpc.py | 25 ------------------- .../base/query/v1beta1/pagination_pb2_grpc.py | 25 ------------------- .../base/tendermint/v1beta1/types_pb2_grpc.py | 25 ------------------- .../cosmos/base/v1beta1/coin_pb2_grpc.py | 25 ------------------- .../circuit/module/v1/module_pb2_grpc.py | 25 ------------------- .../proto/cosmos/circuit/v1/types_pb2_grpc.py | 25 ------------------- .../consensus/module/v1/module_pb2_grpc.py | 25 ------------------- .../crisis/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/crisis/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/crypto/ed25519/keys_pb2_grpc.py | 25 ------------------- .../proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py | 25 ------------------- .../crypto/keyring/v1/record_pb2_grpc.py | 25 ------------------- .../cosmos/crypto/multisig/keys_pb2_grpc.py | 25 ------------------- .../multisig/v1beta1/multisig_pb2_grpc.py | 25 ------------------- .../cosmos/crypto/secp256k1/keys_pb2_grpc.py | 25 ------------------- .../cosmos/crypto/secp256r1/keys_pb2_grpc.py | 25 ------------------- .../distribution/module/v1/module_pb2_grpc.py | 25 ------------------- .../v1beta1/distribution_pb2_grpc.py | 25 ------------------- .../distribution/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../evidence/module/v1/module_pb2_grpc.py | 25 ------------------- .../evidence/v1beta1/evidence_pb2_grpc.py | 25 ------------------- .../evidence/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../feegrant/module/v1/module_pb2_grpc.py | 25 ------------------- .../feegrant/v1beta1/feegrant_pb2_grpc.py | 25 ------------------- .../feegrant/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../genutil/module/v1/module_pb2_grpc.py | 25 ------------------- .../genutil/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/gov/module/v1/module_pb2_grpc.py | 25 ------------------- .../proto/cosmos/gov/v1/genesis_pb2_grpc.py | 25 ------------------- .../proto/cosmos/gov/v1/gov_pb2_grpc.py | 25 ------------------- .../cosmos/gov/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../proto/cosmos/gov/v1beta1/gov_pb2_grpc.py | 25 ------------------- .../cosmos/group/module/v1/module_pb2_grpc.py | 25 ------------------- .../proto/cosmos/group/v1/events_pb2_grpc.py | 25 ------------------- .../proto/cosmos/group/v1/genesis_pb2_grpc.py | 25 ------------------- .../proto/cosmos/group/v1/types_pb2_grpc.py | 25 ------------------- .../proto/cosmos/ics23/v1/proofs_pb2_grpc.py | 25 ------------------- .../cosmos/mint/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/mint/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../cosmos/mint/v1beta1/mint_pb2_grpc.py | 25 ------------------- .../proto/cosmos/msg/v1/msg_pb2_grpc.py | 25 ------------------- .../cosmos/nft/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/nft/v1beta1/event_pb2_grpc.py | 25 ------------------- .../cosmos/nft/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../proto/cosmos/nft/v1beta1/nft_pb2_grpc.py | 25 ------------------- .../orm/module/v1alpha1/module_pb2_grpc.py | 25 ------------------- .../proto/cosmos/orm/v1/orm_pb2_grpc.py | 25 ------------------- .../cosmos/orm/v1alpha1/schema_pb2_grpc.py | 25 ------------------- .../params/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/params/v1beta1/params_pb2_grpc.py | 25 ------------------- .../proto/cosmos/query/v1/query_pb2_grpc.py | 25 ------------------- .../slashing/module/v1/module_pb2_grpc.py | 25 ------------------- .../slashing/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../slashing/v1beta1/slashing_pb2_grpc.py | 25 ------------------- .../staking/module/v1/module_pb2_grpc.py | 25 ------------------- .../cosmos/staking/v1beta1/authz_pb2_grpc.py | 25 ------------------- .../staking/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../staking/v1beta1/staking_pb2_grpc.py | 25 ------------------- .../store/internal/kv/v1beta1/kv_pb2_grpc.py | 25 ------------------- .../store/snapshots/v1/snapshot_pb2_grpc.py | 25 ------------------- .../store/v1beta1/commit_info_pb2_grpc.py | 25 ------------------- .../store/v1beta1/listening_pb2_grpc.py | 25 ------------------- .../cosmos/tx/config/v1/config_pb2_grpc.py | 25 ------------------- .../tx/signing/v1beta1/signing_pb2_grpc.py | 25 ------------------- .../proto/cosmos/tx/v1beta1/tx_pb2_grpc.py | 25 ------------------- .../upgrade/module/v1/module_pb2_grpc.py | 25 ------------------- .../upgrade/v1beta1/upgrade_pb2_grpc.py | 25 ------------------- .../vesting/module/v1/module_pb2_grpc.py | 25 ------------------- .../vesting/v1beta1/vesting_pb2_grpc.py | 25 ------------------- .../proto/cosmos_proto/cosmos_pb2_grpc.py | 25 ------------------- .../proto/cosmwasm/wasm/v1/authz_pb2_grpc.py | 25 ------------------- .../cosmwasm/wasm/v1/genesis_pb2_grpc.py | 25 ------------------- .../proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py | 25 ------------------- .../wasm/v1/proposal_legacy_pb2_grpc.py | 25 ------------------- .../proto/cosmwasm/wasm/v1/types_pb2_grpc.py | 25 ------------------- pyinjective/proto/gogoproto/gogo_pb2_grpc.py | 25 ------------------- .../proto/google/api/annotations_pb2_grpc.py | 25 ------------------- .../proto/google/api/client_pb2_grpc.py | 25 ------------------- .../google/api/field_behavior_pb2_grpc.py | 25 ------------------- .../proto/google/api/field_info_pb2_grpc.py | 25 ------------------- pyinjective/proto/google/api/http_pb2_grpc.py | 25 ------------------- .../proto/google/api/httpbody_pb2_grpc.py | 25 ------------------- .../proto/google/api/launch_stage_pb2_grpc.py | 25 ------------------- .../proto/google/api/resource_pb2_grpc.py | 25 ------------------- .../proto/google/api/visibility_pb2_grpc.py | 25 ------------------- .../google/geo/type/viewport_pb2_grpc.py | 25 ------------------- pyinjective/proto/google/rpc/code_pb2_grpc.py | 25 ------------------- .../rpc/context/attribute_context_pb2_grpc.py | 25 ------------------- .../google/rpc/error_details_pb2_grpc.py | 25 ------------------- .../proto/google/rpc/status_pb2_grpc.py | 25 ------------------- .../ibc/applications/fee/v1/ack_pb2_grpc.py | 25 ------------------- .../ibc/applications/fee/v1/fee_pb2_grpc.py | 25 ------------------- .../applications/fee/v1/genesis_pb2_grpc.py | 25 ------------------- .../applications/fee/v1/metadata_pb2_grpc.py | 25 ------------------- .../controller/v1/controller_pb2_grpc.py | 25 ------------------- .../genesis/v1/genesis_pb2_grpc.py | 25 ------------------- .../host/v1/host_pb2_grpc.py | 25 ------------------- .../v1/account_pb2_grpc.py | 25 ------------------- .../v1/metadata_pb2_grpc.py | 25 ------------------- .../interchain_accounts/v1/packet_pb2_grpc.py | 25 ------------------- .../transfer/v1/authz_pb2_grpc.py | 25 ------------------- .../transfer/v1/genesis_pb2_grpc.py | 25 ------------------- .../transfer/v1/transfer_pb2_grpc.py | 25 ------------------- .../transfer/v2/packet_pb2_grpc.py | 25 ------------------- .../ibc/core/channel/v1/channel_pb2_grpc.py | 25 ------------------- .../ibc/core/channel/v1/genesis_pb2_grpc.py | 25 ------------------- .../ibc/core/channel/v1/upgrade_pb2_grpc.py | 25 ------------------- .../ibc/core/client/v1/client_pb2_grpc.py | 25 ------------------- .../ibc/core/client/v1/genesis_pb2_grpc.py | 25 ------------------- .../core/commitment/v1/commitment_pb2_grpc.py | 25 ------------------- .../core/connection/v1/connection_pb2_grpc.py | 25 ------------------- .../core/connection/v1/genesis_pb2_grpc.py | 25 ------------------- .../ibc/core/types/v1/genesis_pb2_grpc.py | 25 ------------------- .../localhost/v2/localhost_pb2_grpc.py | 25 ------------------- .../solomachine/v2/solomachine_pb2_grpc.py | 25 ------------------- .../solomachine/v3/solomachine_pb2_grpc.py | 25 ------------------- .../tendermint/v1/tendermint_pb2_grpc.py | 25 ------------------- .../lightclients/wasm/v1/genesis_pb2_grpc.py | 25 ------------------- .../auction/v1beta1/auction_pb2_grpc.py | 25 ------------------- .../auction/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../v1beta1/ethsecp256k1/keys_pb2_grpc.py | 25 ------------------- .../exchange/v1beta1/authz_pb2_grpc.py | 25 ------------------- .../exchange/v1beta1/events_pb2_grpc.py | 25 ------------------- .../exchange/v1beta1/exchange_pb2_grpc.py | 25 ------------------- .../exchange/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../exchange/v1beta1/proposal_pb2_grpc.py | 25 ------------------- .../insurance/v1beta1/events_pb2_grpc.py | 25 ------------------- .../insurance/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../insurance/v1beta1/insurance_pb2_grpc.py | 25 ------------------- .../injective/ocr/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../injective/ocr/v1beta1/ocr_pb2_grpc.py | 25 ------------------- .../oracle/v1beta1/events_pb2_grpc.py | 25 ------------------- .../oracle/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../oracle/v1beta1/oracle_pb2_grpc.py | 25 ------------------- .../oracle/v1beta1/proposal_pb2_grpc.py | 25 ------------------- .../peggy/v1/attestation_pb2_grpc.py | 25 ------------------- .../injective/peggy/v1/batch_pb2_grpc.py | 25 ------------------- .../peggy/v1/ethereum_signer_pb2_grpc.py | 25 ------------------- .../injective/peggy/v1/events_pb2_grpc.py | 25 ------------------- .../injective/peggy/v1/genesis_pb2_grpc.py | 25 ------------------- .../injective/peggy/v1/params_pb2_grpc.py | 25 ------------------- .../proto/injective/peggy/v1/pool_pb2_grpc.py | 25 ------------------- .../injective/peggy/v1/types_pb2_grpc.py | 25 ------------------- .../permissions/v1beta1/events_pb2_grpc.py | 25 ------------------- .../permissions/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../permissions/v1beta1/params_pb2_grpc.py | 25 ------------------- .../v1beta1/permissions_pb2_grpc.py | 25 ------------------- .../v1beta1/authorityMetadata_pb2_grpc.py | 25 ------------------- .../tokenfactory/v1beta1/events_pb2_grpc.py | 25 ------------------- .../tokenfactory/v1beta1/genesis_pb2_grpc.py | 25 ------------------- .../tokenfactory/v1beta1/params_pb2_grpc.py | 25 ------------------- .../types/v1beta1/account_pb2_grpc.py | 25 ------------------- .../types/v1beta1/tx_ext_pb2_grpc.py | 25 ------------------- .../types/v1beta1/tx_response_pb2_grpc.py | 25 ------------------- .../injective/wasmx/v1/events_pb2_grpc.py | 25 ------------------- .../injective/wasmx/v1/genesis_pb2_grpc.py | 25 ------------------- .../injective/wasmx/v1/proposal_pb2_grpc.py | 25 ------------------- .../injective/wasmx/v1/wasmx_pb2_grpc.py | 25 ------------------- .../proto/tendermint/crypto/keys_pb2_grpc.py | 25 ------------------- .../proto/tendermint/crypto/proof_pb2_grpc.py | 25 ------------------- .../tendermint/libs/bits/types_pb2_grpc.py | 25 ------------------- .../proto/tendermint/p2p/types_pb2_grpc.py | 25 ------------------- .../proto/tendermint/types/block_pb2_grpc.py | 25 ------------------- .../tendermint/types/evidence_pb2_grpc.py | 25 ------------------- .../proto/tendermint/types/params_pb2_grpc.py | 25 ------------------- .../proto/tendermint/types/types_pb2_grpc.py | 25 ------------------- .../tendermint/types/validator_pb2_grpc.py | 25 ------------------- .../tendermint/version/types_pb2_grpc.py | 25 ------------------- 187 files changed, 4675 deletions(-) diff --git a/pyinjective/proto/amino/amino_pb2_grpc.py b/pyinjective/proto/amino/amino_pb2_grpc.py index 3f4d19f9..2daafffe 100644 --- a/pyinjective/proto/amino/amino_pb2_grpc.py +++ b/pyinjective/proto/amino/amino_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in amino/amino_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/capability/v1/capability_pb2_grpc.py b/pyinjective/proto/capability/v1/capability_pb2_grpc.py index 635dc42d..2daafffe 100644 --- a/pyinjective/proto/capability/v1/capability_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/capability_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py index f314a36e..2daafffe 100644 --- a/pyinjective/proto/capability/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/capability/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/bank_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py index a80d91f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/runtime/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/runtime/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py index 14588113..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py index c8072676..2daafffe 100644 --- a/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/app/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/app/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py index 8955dd21..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py index 125c38a0..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/auth_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/auth_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py index e9a45112..2daafffe 100644 --- a/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/auth/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/auth/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py index 41a6eb18..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py index 6ab92cd1..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py index 1455078e..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py index 86d0781f..2daafffe 100644 --- a/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/authz/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/authz/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py index e388b205..2daafffe 100644 --- a/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py +++ b/pyinjective/proto/cosmos/autocli/v1/options_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/autocli/v1/options_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py index 6e58e0b4..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py index 285e00f5..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py index 8a692062..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/bank_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/bank_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py index bc7ce4a6..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py index 4fd6af84..2daafffe 100644 --- a/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/bank/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/bank/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py index dd1b5932..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/abci/v1beta1/abci_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/abci/v1beta1/abci_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py index eb30a3d4..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/query/v1beta1/pagination_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/query/v1beta1/pagination_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py index 033369f2..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/tendermint/v1beta1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/tendermint/v1beta1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py index 1de6a63b..2daafffe 100644 --- a/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py +++ b/pyinjective/proto/cosmos/base/v1beta1/coin_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/v1beta1/coin_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py index befc0e86..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/store/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py index 99128936..2daafffe 100644 --- a/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/circuit/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/canonical_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py index 93428b40..2daafffe 100644 --- a/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/consensus/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/consensus/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py index 781018ac..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py index b8a4124f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crisis/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crisis/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py index ed86dc9b..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/ed25519/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/ed25519/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py index 03c80dec..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/hd/v1/hd_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/hd/v1/hd_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py index 8f877d97..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/keyring/v1/record_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/keyring/v1/record_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py index 813983af..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py index d96cbfca..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/multisig/v1beta1/multisig_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py index 5777851f..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py index b7d8d50a..2daafffe 100644 --- a/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py +++ b/pyinjective/proto/cosmos/crypto/secp256r1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/crypto/secp256r1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py index e573012c..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py index ed9e15ba..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/distribution_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/distribution_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py index ccfd6cca..2daafffe 100644 --- a/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/distribution/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/distribution/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py index 36ecbcf7..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py index b0655041..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py index dc2ce73d..2daafffe 100644 --- a/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/evidence/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/evidence/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py index 6e78c597..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py index a53e752f..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/feegrant_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py index 627adfc3..2daafffe 100644 --- a/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/feegrant/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/feegrant/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py index 8fbc2deb..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py index e0c67349..2daafffe 100644 --- a/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/genutil/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/genutil/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py index a66c0664..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py index c5256a75..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py index 42753a72..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py index e9b978c6..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py index 9f0fc764..2daafffe 100644 --- a/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py +++ b/pyinjective/proto/cosmos/gov/v1beta1/gov_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/gov/v1beta1/gov_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py index 75848b93..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py index ece303bf..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py index e687ea6c..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py index c721892d..2daafffe 100644 --- a/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmos/group/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/group/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py index a82d5f8b..2daafffe 100644 --- a/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py +++ b/pyinjective/proto/cosmos/ics23/v1/proofs_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/ics23/v1/proofs_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py index f7416d70..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py index 3c40b433..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py index f6da96cd..2daafffe 100644 --- a/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py +++ b/pyinjective/proto/cosmos/mint/v1beta1/mint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/mint/v1beta1/mint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py index 3730ba40..2daafffe 100644 --- a/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py +++ b/pyinjective/proto/cosmos/msg/v1/msg_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/msg/v1/msg_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py index 22737655..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py index 4f50dde7..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/event_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/event_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py index ffcfec91..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py index 72c83091..2daafffe 100644 --- a/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py +++ b/pyinjective/proto/cosmos/nft/v1beta1/nft_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/nft/v1beta1/nft_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py index bd028b7a..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/module/v1alpha1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/module/v1alpha1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py index 0f03d13d..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1/orm_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1/orm_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py index 40712371..2daafffe 100644 --- a/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py +++ b/pyinjective/proto/cosmos/orm/v1alpha1/schema_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/orm/v1alpha1/schema_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py index 4bad0bd0..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py index cdfe7f6d..2daafffe 100644 --- a/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/cosmos/params/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/params/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py index 51870a49..2daafffe 100644 --- a/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py +++ b/pyinjective/proto/cosmos/query/v1/query_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/query/v1/query_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py index 34467489..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py index 5b3f838a..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py index 42aa6035..2daafffe 100644 --- a/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/slashing/v1beta1/slashing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/slashing/v1beta1/slashing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py index 246d99d1..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py index 129a33db..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py index 06c7bacd..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py index 57d3c259..2daafffe 100644 --- a/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py +++ b/pyinjective/proto/cosmos/staking/v1beta1/staking_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/staking/v1beta1/staking_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py index cfd99997..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/internal/kv/v1beta1/kv_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/pex_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py index 1280586b..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/snapshots/v1/snapshot_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/privval/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py index 7e3919fe..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/commit_info_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/state/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py index aed296dd..2daafffe 100644 --- a/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py +++ b/pyinjective/proto/cosmos/store/v1beta1/listening_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/statesync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py index 98c32a53..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/config/v1/config_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/config/v1/config_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py index c2fc4c5b..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/signing/v1beta1/signing_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/signing/v1beta1/signing_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py index cbbb3eb8..2daafffe 100644 --- a/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py +++ b/pyinjective/proto/cosmos/tx/v1beta1/tx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/tx/v1beta1/tx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py index 81d877e2..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py index cce8a2dc..2daafffe 100644 --- a/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/upgrade/v1beta1/upgrade_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py index 34cc657c..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/module/v1/module_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py index 585a3132..2daafffe 100644 --- a/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py +++ b/pyinjective/proto/cosmos/vesting/v1beta1/vesting_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/vesting/v1beta1/vesting_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py index 6fc327ab..2daafffe 100644 --- a/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py +++ b/pyinjective/proto/cosmos_proto/cosmos_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos_proto/cosmos_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py index 08368e00..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py index a7fa61f0..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py index b6513996..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/ibc_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/ibc_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py index 416372a7..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/proposal_legacy_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py index 5cb4c9d9..2daafffe 100644 --- a/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py +++ b/pyinjective/proto/cosmwasm/wasm/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmwasm/wasm/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py index f29e834c..2daafffe 100644 --- a/pyinjective/proto/gogoproto/gogo_pb2_grpc.py +++ b/pyinjective/proto/gogoproto/gogo_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in gogoproto/gogo_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/annotations_pb2_grpc.py b/pyinjective/proto/google/api/annotations_pb2_grpc.py index aff8bf22..2daafffe 100644 --- a/pyinjective/proto/google/api/annotations_pb2_grpc.py +++ b/pyinjective/proto/google/api/annotations_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in google/api/annotations_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/client_pb2_grpc.py b/pyinjective/proto/google/api/client_pb2_grpc.py index 4ea67c93..2daafffe 100644 --- a/pyinjective/proto/google/api/client_pb2_grpc.py +++ b/pyinjective/proto/google/api/client_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/kv/v1beta1/kv_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/field_behavior_pb2_grpc.py b/pyinjective/proto/google/api/field_behavior_pb2_grpc.py index 77a629dc..2daafffe 100644 --- a/pyinjective/proto/google/api/field_behavior_pb2_grpc.py +++ b/pyinjective/proto/google/api/field_behavior_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/snapshots/v1beta1/snapshot_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/field_info_pb2_grpc.py b/pyinjective/proto/google/api/field_info_pb2_grpc.py index a1911214..2daafffe 100644 --- a/pyinjective/proto/google/api/field_info_pb2_grpc.py +++ b/pyinjective/proto/google/api/field_info_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/store/v1beta1/commit_info_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/http_pb2_grpc.py b/pyinjective/proto/google/api/http_pb2_grpc.py index b9a887d8..2daafffe 100644 --- a/pyinjective/proto/google/api/http_pb2_grpc.py +++ b/pyinjective/proto/google/api/http_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in google/api/http_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/httpbody_pb2_grpc.py b/pyinjective/proto/google/api/httpbody_pb2_grpc.py index a28dc540..2daafffe 100644 --- a/pyinjective/proto/google/api/httpbody_pb2_grpc.py +++ b/pyinjective/proto/google/api/httpbody_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/base/store/v1beta1/listening_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/launch_stage_pb2_grpc.py b/pyinjective/proto/google/api/launch_stage_pb2_grpc.py index e4adda23..2daafffe 100644 --- a/pyinjective/proto/google/api/launch_stage_pb2_grpc.py +++ b/pyinjective/proto/google/api/launch_stage_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/module/v1/module_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/resource_pb2_grpc.py b/pyinjective/proto/google/api/resource_pb2_grpc.py index 6ad249a6..2daafffe 100644 --- a/pyinjective/proto/google/api/resource_pb2_grpc.py +++ b/pyinjective/proto/google/api/resource_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/v1beta1/capability_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/api/visibility_pb2_grpc.py b/pyinjective/proto/google/api/visibility_pb2_grpc.py index 06387c35..2daafffe 100644 --- a/pyinjective/proto/google/api/visibility_pb2_grpc.py +++ b/pyinjective/proto/google/api/visibility_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in cosmos/capability/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py b/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py index d49d432b..2daafffe 100644 --- a/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py +++ b/pyinjective/proto/google/geo/type/viewport_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/blocksync/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/rpc/code_pb2_grpc.py b/pyinjective/proto/google/rpc/code_pb2_grpc.py index 6879e86e..2daafffe 100644 --- a/pyinjective/proto/google/rpc/code_pb2_grpc.py +++ b/pyinjective/proto/google/rpc/code_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py b/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py index 20bf7bbf..2daafffe 100644 --- a/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py +++ b/pyinjective/proto/google/rpc/context/attribute_context_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/consensus/wal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/rpc/error_details_pb2_grpc.py b/pyinjective/proto/google/rpc/error_details_pb2_grpc.py index cb8652d4..2daafffe 100644 --- a/pyinjective/proto/google/rpc/error_details_pb2_grpc.py +++ b/pyinjective/proto/google/rpc/error_details_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/mempool/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/google/rpc/status_pb2_grpc.py b/pyinjective/proto/google/rpc/status_pb2_grpc.py index a0c04f90..2daafffe 100644 --- a/pyinjective/proto/google/rpc/status_pb2_grpc.py +++ b/pyinjective/proto/google/rpc/status_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/conn_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py index 3436a5f1..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/ack_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/ack_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py index 7bf8f9b7..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/fee_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/fee_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py index fa8a53fb..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py index 5e282d9e..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/fee/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/fee/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py index 8436a09b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/controller/v1/controller_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py index fb59b2d9..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/genesis/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py index f677412a..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/host/v1/host_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py index b430af9b..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py index f6c4f460..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/metadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py index 49c27f11..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/interchain_accounts/v1/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py index ed0ac6b8..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py index 800ee9cf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py index 283b46bf..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v1/transfer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v1/transfer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py index 3121fc69..2daafffe 100644 --- a/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py +++ b/pyinjective/proto/ibc/applications/transfer/v2/packet_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/applications/transfer/v2/packet_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py index 2cee10e1..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/channel_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/channel_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py index a34643ef..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/channel/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py index 64f11e45..2daafffe 100644 --- a/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/channel/v1/upgrade_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py index 8066058d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/client_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/client_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py index ad99adc9..2daafffe 100644 --- a/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/client/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/client/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py index 9bb33fb3..2daafffe 100644 --- a/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/commitment/v1/commitment_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/commitment/v1/commitment_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py index 9aacfb23..2daafffe 100644 --- a/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/connection_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/connection_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py index 62e1dd95..2daafffe 100644 --- a/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/connection/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/connection/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py index db28782d..2daafffe 100644 --- a/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/core/types/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/core/types/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py index ced3d903..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/localhost/v2/localhost_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/localhost/v2/localhost_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py index 61b2057f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v2/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py index 0d0343ea..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/solomachine/v3/solomachine_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py index 0a72e20f..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in ibc/lightclients/tendermint/v1/tendermint_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2_grpc.py b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2_grpc.py index bfb91985..2daafffe 100644 --- a/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/ibc/lightclients/wasm/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in testpb/test_schema_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py index f976ac52..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/auction_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/auction_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py index c4715b7c..2daafffe 100644 --- a/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/auction/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/auction/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py index d64ecc8a..2daafffe 100644 --- a/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py +++ b/pyinjective/proto/injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/crypto/v1beta1/ethsecp256k1/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py index a9990661..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/authz_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/authz_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py index 512bbac9..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py index 04af743b..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/exchange_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/exchange_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py index 2ead22e3..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py index e392ca56..2daafffe 100644 --- a/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/exchange/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/exchange/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py index f5f15403..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py index fe975d23..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py index 31b5576f..2daafffe 100644 --- a/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py +++ b/pyinjective/proto/injective/insurance/v1beta1/insurance_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/insurance/v1beta1/insurance_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py index 9240f0ba..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py index 73cf0672..2daafffe 100644 --- a/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py +++ b/pyinjective/proto/injective/ocr/v1beta1/ocr_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/ocr/v1beta1/ocr_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py index 879f7df6..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py index 1234a6d3..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py index 893bb41b..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/oracle_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/oracle_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py index bbfd8d96..2daafffe 100644 --- a/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/oracle/v1beta1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/oracle/v1beta1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py index 285bf82a..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/attestation_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/attestation_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py index 4993584c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/batch_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/batch_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py index 3c90ed86..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/ethereum_signer_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/ethereum_signer_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py index 858a3ebc..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py index 24d3f129..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py index 3b937d48..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py index 339e9c5c..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/pool_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/pool_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py index 833de0b8..2daafffe 100644 --- a/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py +++ b/pyinjective/proto/injective/peggy/v1/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/peggy/v1/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py index 41b37ec2..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py index 9ab6244e..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py index 870daa66..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py index 9a75aeea..2daafffe 100644 --- a/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py +++ b/pyinjective/proto/injective/permissions/v1beta1/permissions_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/permissions/v1beta1/permissions_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py index 0c5058eb..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/authorityMetadata_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py index 659a9505..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py index a6e6f09d..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py index f264546f..2daafffe 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/tokenfactory/v1beta1/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py index 0f16616d..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/account_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/account_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py index e6be995e..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_ext_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_ext_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py index aaf08ea6..2daafffe 100644 --- a/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py +++ b/pyinjective/proto/injective/types/v1beta1/tx_response_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/types/v1beta1/tx_response_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py index af94f5dd..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/events_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/events_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py index 25e9a5e6..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/genesis_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/genesis_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py index 7d79ac7b..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/proposal_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/proposal_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py index 19ce8f9d..2daafffe 100644 --- a/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py +++ b/pyinjective/proto/injective/wasmx/v1/wasmx_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in injective/wasmx/v1/wasmx_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py index c6d6788d..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/keys_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/keys_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py index 424b5351..2daafffe 100644 --- a/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py +++ b/pyinjective/proto/tendermint/crypto/proof_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/crypto/proof_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py index afd186cd..2daafffe 100644 --- a/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/libs/bits/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/libs/bits/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py index 10a81406..2daafffe 100644 --- a/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/p2p/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/p2p/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/block_pb2_grpc.py b/pyinjective/proto/tendermint/types/block_pb2_grpc.py index 1ba424f2..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/block_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/block_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/block_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py index 2538cd81..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/evidence_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/evidence_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/params_pb2_grpc.py b/pyinjective/proto/tendermint/types/params_pb2_grpc.py index 10835456..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/params_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/params_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/params_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/types_pb2_grpc.py b/pyinjective/proto/tendermint/types/types_pb2_grpc.py index 89ae993e..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py index ee3f776f..2daafffe 100644 --- a/pyinjective/proto/tendermint/types/validator_pb2_grpc.py +++ b/pyinjective/proto/tendermint/types/validator_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/types/validator_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) diff --git a/pyinjective/proto/tendermint/version/types_pb2_grpc.py b/pyinjective/proto/tendermint/version/types_pb2_grpc.py index b5d744ef..2daafffe 100644 --- a/pyinjective/proto/tendermint/version/types_pb2_grpc.py +++ b/pyinjective/proto/tendermint/version/types_pb2_grpc.py @@ -1,29 +1,4 @@ # Generated by the gRPC Python protocol compiler plugin. DO NOT EDIT! """Client and server classes corresponding to protobuf-defined services.""" import grpc -import warnings - -GRPC_GENERATED_VERSION = '1.64.1' -GRPC_VERSION = grpc.__version__ -EXPECTED_ERROR_RELEASE = '1.65.0' -SCHEDULED_RELEASE_DATE = 'June 25, 2024' -_version_not_supported = False - -try: - from grpc._utilities import first_version_is_lower - _version_not_supported = first_version_is_lower(GRPC_VERSION, GRPC_GENERATED_VERSION) -except ImportError: - _version_not_supported = True - -if _version_not_supported: - warnings.warn( - f'The grpc package installed is at version {GRPC_VERSION},' - + f' but the generated code in tendermint/version/types_pb2_grpc.py depends on' - + f' grpcio>={GRPC_GENERATED_VERSION}.' - + f' Please upgrade your grpc module to grpcio>={GRPC_GENERATED_VERSION}' - + f' or downgrade your generated code using grpcio-tools<={GRPC_VERSION}.' - + f' This warning will become an error in {EXPECTED_ERROR_RELEASE},' - + f' scheduled for release on {SCHEDULED_RELEASE_DATE}.', - RuntimeWarning - ) From 6a6d29390d6824f76456076399de89425c53a212 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 11:49:14 -0300 Subject: [PATCH 55/63] (fix) Remove coins from denom INI files that have a name including non Unicode standard characters --- pyinjective/denoms_mainnet.ini | 4 ---- pyinjective/denoms_testnet.ini | 4 ---- 2 files changed, 8 deletions(-) diff --git a/pyinjective/denoms_mainnet.ini b/pyinjective/denoms_mainnet.ini index 774a32df..3864ee44 100644 --- a/pyinjective/denoms_mainnet.ini +++ b/pyinjective/denoms_mainnet.ini @@ -12712,7 +12712,3 @@ decimals = 6 [zinjer] peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/zinjer decimals = 6 - -[👽ALIEN👽] -peggy_denom = factory/inj1z94yca7t4yz9t8ftqf0lcxat8lva0ew7a5eh5n/ALIENS -decimals = 6 diff --git a/pyinjective/denoms_testnet.ini b/pyinjective/denoms_testnet.ini index ce1f4e32..213b15e5 100644 --- a/pyinjective/denoms_testnet.ini +++ b/pyinjective/denoms_testnet.ini @@ -12148,7 +12148,3 @@ decimals = 6 [yolo] peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/yolo decimals = 6 - -[🍌] -peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/bananas -decimals = 18 From 83f80309b84e0d79ba032f4a10682b7826474168 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 12:01:19 -0300 Subject: [PATCH 56/63] (fix) Remove coins from denom INI files that have a name including non Unicode standard characters --- pyinjective/denoms_mainnet.ini | 8 -------- 1 file changed, 8 deletions(-) diff --git a/pyinjective/denoms_mainnet.ini b/pyinjective/denoms_mainnet.ini index 3864ee44..393b7c74 100644 --- a/pyinjective/denoms_mainnet.ini +++ b/pyinjective/denoms_mainnet.ini @@ -7697,10 +7697,6 @@ decimals = 8 peggy_denom = factory/inj16jsp4xd49k0lnqlmtzsskf70pkzyzv2hjkcr8f/synergy decimals = 6 -[Saga Bakufu (徳川幕府)] -peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/saga -decimals = 6 - [SamOrai] peggy_denom = inj1a7fqtlllaynv6l4h2dmtzcrucx2a9r04e5ntnu decimals = 18 @@ -8769,10 +8765,6 @@ decimals = 18 peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/Yakuza decimals = 6 -[Yakuza Clan (ヤクザ)] -peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/yakuza -decimals = 6 - [Yang] peggy_denom = inj10ga6ju39mxt94suaqsfagea9t9p2ys2lawml9z decimals = 6 From 69e77b3b687cbd7aaba8dc2809f4e1f73f185b0a Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Thu, 18 Jul 2024 12:07:43 -0300 Subject: [PATCH 57/63] (fix) Changed version to RC1 in pyproject.toml --- pyproject.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/pyproject.toml b/pyproject.toml index f70455d6..0fe9e057 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,6 +1,6 @@ [tool.poetry] name = "injective-py" -version = "1.6.0-pre" +version = "1.6.0-rc1" description = "Injective Python SDK, with Exchange API Client" authors = ["Injective Labs "] license = "Apache-2.0" From 856c4645da3ba96da37e99a0bbb7d8137ece0141 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Fri, 26 Jul 2024 10:47:46 -0300 Subject: [PATCH 58/63] (fix) Update dependencies in poetry.lock --- poetry.lock | 390 +++++++++++++++++++++++++------------------------ pyproject.toml | 2 +- 2 files changed, 198 insertions(+), 194 deletions(-) diff --git a/poetry.lock b/poetry.lock index 27a93475..b1903f1a 100644 --- a/poetry.lock +++ b/poetry.lock @@ -2002,13 +2002,13 @@ windows-terminal = ["colorama (>=0.4.6)"] [[package]] name = "pytest" -version = "8.2.2" +version = "8.3.2" description = "pytest: simple powerful testing with Python" optional = false python-versions = ">=3.8" files = [ - {file = "pytest-8.2.2-py3-none-any.whl", hash = "sha256:c434598117762e2bd304e526244f67bf66bbd7b5d6cf22138be51ff661980343"}, - {file = "pytest-8.2.2.tar.gz", hash = "sha256:de4bb8104e201939ccdc688b27a89a7be2079b22e2bd2b07f806b6ba71117977"}, + {file = "pytest-8.3.2-py3-none-any.whl", hash = "sha256:4ba08f9ae7dcf84ded419494d229b48d0903ea6407b030eaec46df5e6a73bba5"}, + {file = "pytest-8.3.2.tar.gz", hash = "sha256:c132345d12ce551242c87269de812483f5bcc87cdbb4722e48487ba194f9fdce"}, ] [package.dependencies] @@ -2016,7 +2016,7 @@ colorama = {version = "*", markers = "sys_platform == \"win32\""} exceptiongroup = {version = ">=1.0.0rc8", markers = "python_version < \"3.11\""} iniconfig = "*" packaging = "*" -pluggy = ">=1.5,<2.0" +pluggy = ">=1.5,<2" tomli = {version = ">=1", markers = "python_version < \"3.11\""} [package.extras] @@ -2211,90 +2211,90 @@ rpds-py = ">=0.7.0" [[package]] name = "regex" -version = "2024.5.15" +version = "2024.7.24" description = "Alternative regular expression module, to replace re." optional = false python-versions = ">=3.8" files = [ - {file = "regex-2024.5.15-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:a81e3cfbae20378d75185171587cbf756015ccb14840702944f014e0d93ea09f"}, - {file = "regex-2024.5.15-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:7b59138b219ffa8979013be7bc85bb60c6f7b7575df3d56dc1e403a438c7a3f6"}, - {file = "regex-2024.5.15-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:a0bd000c6e266927cb7a1bc39d55be95c4b4f65c5be53e659537537e019232b1"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:5eaa7ddaf517aa095fa8da0b5015c44d03da83f5bd49c87961e3c997daed0de7"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ba68168daedb2c0bab7fd7e00ced5ba90aebf91024dea3c88ad5063c2a562cca"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:6e8d717bca3a6e2064fc3a08df5cbe366369f4b052dcd21b7416e6d71620dca1"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:1337b7dbef9b2f71121cdbf1e97e40de33ff114801263b275aafd75303bd62b5"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:f9ebd0a36102fcad2f03696e8af4ae682793a5d30b46c647eaf280d6cfb32796"}, - {file = "regex-2024.5.15-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:9efa1a32ad3a3ea112224897cdaeb6aa00381627f567179c0314f7b65d354c62"}, - {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:1595f2d10dff3d805e054ebdc41c124753631b6a471b976963c7b28543cf13b0"}, - {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:b802512f3e1f480f41ab5f2cfc0e2f761f08a1f41092d6718868082fc0d27143"}, - {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_ppc64le.whl", hash = "sha256:a0981022dccabca811e8171f913de05720590c915b033b7e601f35ce4ea7019f"}, - {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_s390x.whl", hash = "sha256:19068a6a79cf99a19ccefa44610491e9ca02c2be3305c7760d3831d38a467a6f"}, - {file = "regex-2024.5.15-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:1b5269484f6126eee5e687785e83c6b60aad7663dafe842b34691157e5083e53"}, - {file = "regex-2024.5.15-cp310-cp310-win32.whl", hash = "sha256:ada150c5adfa8fbcbf321c30c751dc67d2f12f15bd183ffe4ec7cde351d945b3"}, - {file = "regex-2024.5.15-cp310-cp310-win_amd64.whl", hash = "sha256:ac394ff680fc46b97487941f5e6ae49a9f30ea41c6c6804832063f14b2a5a145"}, - {file = "regex-2024.5.15-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:f5b1dff3ad008dccf18e652283f5e5339d70bf8ba7c98bf848ac33db10f7bc7a"}, - {file = "regex-2024.5.15-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c6a2b494a76983df8e3d3feea9b9ffdd558b247e60b92f877f93a1ff43d26656"}, - {file = "regex-2024.5.15-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:a32b96f15c8ab2e7d27655969a23895eb799de3665fa94349f3b2fbfd547236f"}, - {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:10002e86e6068d9e1c91eae8295ef690f02f913c57db120b58fdd35a6bb1af35"}, - {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ec54d5afa89c19c6dd8541a133be51ee1017a38b412b1321ccb8d6ddbeb4cf7d"}, - {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:10e4ce0dca9ae7a66e6089bb29355d4432caed736acae36fef0fdd7879f0b0cb"}, - {file = "regex-2024.5.15-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3e507ff1e74373c4d3038195fdd2af30d297b4f0950eeda6f515ae3d84a1770f"}, - {file = "regex-2024.5.15-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:d1f059a4d795e646e1c37665b9d06062c62d0e8cc3c511fe01315973a6542e40"}, - {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:0721931ad5fe0dda45d07f9820b90b2148ccdd8e45bb9e9b42a146cb4f695649"}, - {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:833616ddc75ad595dee848ad984d067f2f31be645d603e4d158bba656bbf516c"}, - {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_ppc64le.whl", hash = "sha256:287eb7f54fc81546346207c533ad3c2c51a8d61075127d7f6d79aaf96cdee890"}, - {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_s390x.whl", hash = "sha256:19dfb1c504781a136a80ecd1fff9f16dddf5bb43cec6871778c8a907a085bb3d"}, - {file = "regex-2024.5.15-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:119af6e56dce35e8dfb5222573b50c89e5508d94d55713c75126b753f834de68"}, - {file = "regex-2024.5.15-cp311-cp311-win32.whl", hash = "sha256:1c1c174d6ec38d6c8a7504087358ce9213d4332f6293a94fbf5249992ba54efa"}, - {file = "regex-2024.5.15-cp311-cp311-win_amd64.whl", hash = "sha256:9e717956dcfd656f5055cc70996ee2cc82ac5149517fc8e1b60261b907740201"}, - {file = "regex-2024.5.15-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:632b01153e5248c134007209b5c6348a544ce96c46005d8456de1d552455b014"}, - {file = "regex-2024.5.15-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:e64198f6b856d48192bf921421fdd8ad8eb35e179086e99e99f711957ffedd6e"}, - {file = "regex-2024.5.15-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:68811ab14087b2f6e0fc0c2bae9ad689ea3584cad6917fc57be6a48bbd012c49"}, - {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f8ec0c2fea1e886a19c3bee0cd19d862b3aa75dcdfb42ebe8ed30708df64687a"}, - {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d0c0c0003c10f54a591d220997dd27d953cd9ccc1a7294b40a4be5312be8797b"}, - {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2431b9e263af1953c55abbd3e2efca67ca80a3de8a0437cb58e2421f8184717a"}, - {file = "regex-2024.5.15-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4a605586358893b483976cffc1723fb0f83e526e8f14c6e6614e75919d9862cf"}, - {file = "regex-2024.5.15-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:391d7f7f1e409d192dba8bcd42d3e4cf9e598f3979cdaed6ab11288da88cb9f2"}, - {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:9ff11639a8d98969c863d4617595eb5425fd12f7c5ef6621a4b74b71ed8726d5"}, - {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:4eee78a04e6c67e8391edd4dad3279828dd66ac4b79570ec998e2155d2e59fd5"}, - {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:8fe45aa3f4aa57faabbc9cb46a93363edd6197cbc43523daea044e9ff2fea83e"}, - {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:d0a3d8d6acf0c78a1fff0e210d224b821081330b8524e3e2bc5a68ef6ab5803d"}, - {file = "regex-2024.5.15-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:c486b4106066d502495b3025a0a7251bf37ea9540433940a23419461ab9f2a80"}, - {file = "regex-2024.5.15-cp312-cp312-win32.whl", hash = "sha256:c49e15eac7c149f3670b3e27f1f28a2c1ddeccd3a2812cba953e01be2ab9b5fe"}, - {file = "regex-2024.5.15-cp312-cp312-win_amd64.whl", hash = "sha256:673b5a6da4557b975c6c90198588181029c60793835ce02f497ea817ff647cb2"}, - {file = "regex-2024.5.15-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:87e2a9c29e672fc65523fb47a90d429b70ef72b901b4e4b1bd42387caf0d6835"}, - {file = "regex-2024.5.15-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:c3bea0ba8b73b71b37ac833a7f3fd53825924165da6a924aec78c13032f20850"}, - {file = "regex-2024.5.15-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:bfc4f82cabe54f1e7f206fd3d30fda143f84a63fe7d64a81558d6e5f2e5aaba9"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e5bb9425fe881d578aeca0b2b4b3d314ec88738706f66f219c194d67179337cb"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:64c65783e96e563103d641760664125e91bd85d8e49566ee560ded4da0d3e704"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:cf2430df4148b08fb4324b848672514b1385ae3807651f3567871f130a728cc3"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:5397de3219a8b08ae9540c48f602996aa6b0b65d5a61683e233af8605c42b0f2"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:455705d34b4154a80ead722f4f185b04c4237e8e8e33f265cd0798d0e44825fa"}, - {file = "regex-2024.5.15-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:b2b6f1b3bb6f640c1a92be3bbfbcb18657b125b99ecf141fb3310b5282c7d4ed"}, - {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:3ad070b823ca5890cab606c940522d05d3d22395d432f4aaaf9d5b1653e47ced"}, - {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:5b5467acbfc153847d5adb21e21e29847bcb5870e65c94c9206d20eb4e99a384"}, - {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_ppc64le.whl", hash = "sha256:e6662686aeb633ad65be2a42b4cb00178b3fbf7b91878f9446075c404ada552f"}, - {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_s390x.whl", hash = "sha256:2b4c884767504c0e2401babe8b5b7aea9148680d2e157fa28f01529d1f7fcf67"}, - {file = "regex-2024.5.15-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:3cd7874d57f13bf70078f1ff02b8b0aa48d5b9ed25fc48547516c6aba36f5741"}, - {file = "regex-2024.5.15-cp38-cp38-win32.whl", hash = "sha256:e4682f5ba31f475d58884045c1a97a860a007d44938c4c0895f41d64481edbc9"}, - {file = "regex-2024.5.15-cp38-cp38-win_amd64.whl", hash = "sha256:d99ceffa25ac45d150e30bd9ed14ec6039f2aad0ffa6bb87a5936f5782fc1569"}, - {file = "regex-2024.5.15-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:13cdaf31bed30a1e1c2453ef6015aa0983e1366fad2667657dbcac7b02f67133"}, - {file = "regex-2024.5.15-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:cac27dcaa821ca271855a32188aa61d12decb6fe45ffe3e722401fe61e323cd1"}, - {file = "regex-2024.5.15-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:7dbe2467273b875ea2de38ded4eba86cbcbc9a1a6d0aa11dcf7bd2e67859c435"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:64f18a9a3513a99c4bef0e3efd4c4a5b11228b48aa80743be822b71e132ae4f5"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d347a741ea871c2e278fde6c48f85136c96b8659b632fb57a7d1ce1872547600"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:1878b8301ed011704aea4c806a3cadbd76f84dece1ec09cc9e4dc934cfa5d4da"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4babf07ad476aaf7830d77000874d7611704a7fcf68c9c2ad151f5d94ae4bfc4"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:35cb514e137cb3488bce23352af3e12fb0dbedd1ee6e60da053c69fb1b29cc6c"}, - {file = "regex-2024.5.15-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cdd09d47c0b2efee9378679f8510ee6955d329424c659ab3c5e3a6edea696294"}, - {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:72d7a99cd6b8f958e85fc6ca5b37c4303294954eac1376535b03c2a43eb72629"}, - {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:a094801d379ab20c2135529948cb84d417a2169b9bdceda2a36f5f10977ebc16"}, - {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_ppc64le.whl", hash = "sha256:c0c18345010870e58238790a6779a1219b4d97bd2e77e1140e8ee5d14df071aa"}, - {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_s390x.whl", hash = "sha256:16093f563098448ff6b1fa68170e4acbef94e6b6a4e25e10eae8598bb1694b5d"}, - {file = "regex-2024.5.15-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:e38a7d4e8f633a33b4c7350fbd8bad3b70bf81439ac67ac38916c4a86b465456"}, - {file = "regex-2024.5.15-cp39-cp39-win32.whl", hash = "sha256:71a455a3c584a88f654b64feccc1e25876066c4f5ef26cd6dd711308aa538694"}, - {file = "regex-2024.5.15-cp39-cp39-win_amd64.whl", hash = "sha256:cab12877a9bdafde5500206d1020a584355a97884dfd388af3699e9137bf7388"}, - {file = "regex-2024.5.15.tar.gz", hash = "sha256:d3ee02d9e5f482cc8309134a91eeaacbdd2261ba111b0fef3748eeb4913e6a2c"}, + {file = "regex-2024.7.24-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:228b0d3f567fafa0633aee87f08b9276c7062da9616931382993c03808bb68ce"}, + {file = "regex-2024.7.24-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:3426de3b91d1bc73249042742f45c2148803c111d1175b283270177fdf669024"}, + {file = "regex-2024.7.24-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:f273674b445bcb6e4409bf8d1be67bc4b58e8b46fd0d560055d515b8830063cd"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:23acc72f0f4e1a9e6e9843d6328177ae3074b4182167e34119ec7233dfeccf53"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:65fd3d2e228cae024c411c5ccdffae4c315271eee4a8b839291f84f796b34eca"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c414cbda77dbf13c3bc88b073a1a9f375c7b0cb5e115e15d4b73ec3a2fbc6f59"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:bf7a89eef64b5455835f5ed30254ec19bf41f7541cd94f266ab7cbd463f00c41"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:19c65b00d42804e3fbea9708f0937d157e53429a39b7c61253ff15670ff62cb5"}, + {file = "regex-2024.7.24-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:7a5486ca56c8869070a966321d5ab416ff0f83f30e0e2da1ab48815c8d165d46"}, + {file = "regex-2024.7.24-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:6f51f9556785e5a203713f5efd9c085b4a45aecd2a42573e2b5041881b588d1f"}, + {file = "regex-2024.7.24-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:a4997716674d36a82eab3e86f8fa77080a5d8d96a389a61ea1d0e3a94a582cf7"}, + {file = "regex-2024.7.24-cp310-cp310-musllinux_1_2_ppc64le.whl", hash = "sha256:c0abb5e4e8ce71a61d9446040c1e86d4e6d23f9097275c5bd49ed978755ff0fe"}, + {file = "regex-2024.7.24-cp310-cp310-musllinux_1_2_s390x.whl", hash = "sha256:18300a1d78cf1290fa583cd8b7cde26ecb73e9f5916690cf9d42de569c89b1ce"}, + {file = "regex-2024.7.24-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:416c0e4f56308f34cdb18c3f59849479dde5b19febdcd6e6fa4d04b6c31c9faa"}, + {file = "regex-2024.7.24-cp310-cp310-win32.whl", hash = "sha256:fb168b5924bef397b5ba13aabd8cf5df7d3d93f10218d7b925e360d436863f66"}, + {file = "regex-2024.7.24-cp310-cp310-win_amd64.whl", hash = "sha256:6b9fc7e9cc983e75e2518496ba1afc524227c163e43d706688a6bb9eca41617e"}, + {file = "regex-2024.7.24-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:382281306e3adaaa7b8b9ebbb3ffb43358a7bbf585fa93821300a418bb975281"}, + {file = "regex-2024.7.24-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:4fdd1384619f406ad9037fe6b6eaa3de2749e2e12084abc80169e8e075377d3b"}, + {file = "regex-2024.7.24-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:3d974d24edb231446f708c455fd08f94c41c1ff4f04bcf06e5f36df5ef50b95a"}, + {file = "regex-2024.7.24-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a2ec4419a3fe6cf8a4795752596dfe0adb4aea40d3683a132bae9c30b81e8d73"}, + {file = "regex-2024.7.24-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:eb563dd3aea54c797adf513eeec819c4213d7dbfc311874eb4fd28d10f2ff0f2"}, + {file = "regex-2024.7.24-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:45104baae8b9f67569f0f1dca5e1f1ed77a54ae1cd8b0b07aba89272710db61e"}, + {file = "regex-2024.7.24-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:994448ee01864501912abf2bad9203bffc34158e80fe8bfb5b031f4f8e16da51"}, + {file = "regex-2024.7.24-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:3fac296f99283ac232d8125be932c5cd7644084a30748fda013028c815ba3364"}, + {file = "regex-2024.7.24-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:7e37e809b9303ec3a179085415cb5f418ecf65ec98cdfe34f6a078b46ef823ee"}, + {file = "regex-2024.7.24-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:01b689e887f612610c869421241e075c02f2e3d1ae93a037cb14f88ab6a8934c"}, + {file = "regex-2024.7.24-cp311-cp311-musllinux_1_2_ppc64le.whl", hash = "sha256:f6442f0f0ff81775eaa5b05af8a0ffa1dda36e9cf6ec1e0d3d245e8564b684ce"}, + {file = "regex-2024.7.24-cp311-cp311-musllinux_1_2_s390x.whl", hash = "sha256:871e3ab2838fbcb4e0865a6e01233975df3a15e6fce93b6f99d75cacbd9862d1"}, + {file = "regex-2024.7.24-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:c918b7a1e26b4ab40409820ddccc5d49871a82329640f5005f73572d5eaa9b5e"}, + {file = "regex-2024.7.24-cp311-cp311-win32.whl", hash = "sha256:2dfbb8baf8ba2c2b9aa2807f44ed272f0913eeeba002478c4577b8d29cde215c"}, + {file = "regex-2024.7.24-cp311-cp311-win_amd64.whl", hash = "sha256:538d30cd96ed7d1416d3956f94d54e426a8daf7c14527f6e0d6d425fcb4cca52"}, + {file = "regex-2024.7.24-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:fe4ebef608553aff8deb845c7f4f1d0740ff76fa672c011cc0bacb2a00fbde86"}, + {file = "regex-2024.7.24-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:74007a5b25b7a678459f06559504f1eec2f0f17bca218c9d56f6a0a12bfffdad"}, + {file = "regex-2024.7.24-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:7df9ea48641da022c2a3c9c641650cd09f0cd15e8908bf931ad538f5ca7919c9"}, + {file = "regex-2024.7.24-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6a1141a1dcc32904c47f6846b040275c6e5de0bf73f17d7a409035d55b76f289"}, + {file = "regex-2024.7.24-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:80c811cfcb5c331237d9bad3bea2c391114588cf4131707e84d9493064d267f9"}, + {file = "regex-2024.7.24-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:7214477bf9bd195894cf24005b1e7b496f46833337b5dedb7b2a6e33f66d962c"}, + {file = "regex-2024.7.24-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d55588cba7553f0b6ec33130bc3e114b355570b45785cebdc9daed8c637dd440"}, + {file = "regex-2024.7.24-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:558a57cfc32adcf19d3f791f62b5ff564922942e389e3cfdb538a23d65a6b610"}, + {file = "regex-2024.7.24-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:a512eed9dfd4117110b1881ba9a59b31433caed0c4101b361f768e7bcbaf93c5"}, + {file = "regex-2024.7.24-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:86b17ba823ea76256b1885652e3a141a99a5c4422f4a869189db328321b73799"}, + {file = "regex-2024.7.24-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:5eefee9bfe23f6df09ffb6dfb23809f4d74a78acef004aa904dc7c88b9944b05"}, + {file = "regex-2024.7.24-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:731fcd76bbdbf225e2eb85b7c38da9633ad3073822f5ab32379381e8c3c12e94"}, + {file = "regex-2024.7.24-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:eaef80eac3b4cfbdd6de53c6e108b4c534c21ae055d1dbea2de6b3b8ff3def38"}, + {file = "regex-2024.7.24-cp312-cp312-win32.whl", hash = "sha256:185e029368d6f89f36e526764cf12bf8d6f0e3a2a7737da625a76f594bdfcbfc"}, + {file = "regex-2024.7.24-cp312-cp312-win_amd64.whl", hash = "sha256:2f1baff13cc2521bea83ab2528e7a80cbe0ebb2c6f0bfad15be7da3aed443908"}, + {file = "regex-2024.7.24-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:66b4c0731a5c81921e938dcf1a88e978264e26e6ac4ec96a4d21ae0354581ae0"}, + {file = "regex-2024.7.24-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:88ecc3afd7e776967fa16c80f974cb79399ee8dc6c96423321d6f7d4b881c92b"}, + {file = "regex-2024.7.24-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:64bd50cf16bcc54b274e20235bf8edbb64184a30e1e53873ff8d444e7ac656b2"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:eb462f0e346fcf41a901a126b50f8781e9a474d3927930f3490f38a6e73b6950"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a82465ebbc9b1c5c50738536fdfa7cab639a261a99b469c9d4c7dcbb2b3f1e57"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:68a8f8c046c6466ac61a36b65bb2395c74451df2ffb8458492ef49900efed293"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dac8e84fff5d27420f3c1e879ce9929108e873667ec87e0c8eeb413a5311adfe"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ba2537ef2163db9e6ccdbeb6f6424282ae4dea43177402152c67ef869cf3978b"}, + {file = "regex-2024.7.24-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:43affe33137fcd679bdae93fb25924979517e011f9dea99163f80b82eadc7e53"}, + {file = "regex-2024.7.24-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:c9bb87fdf2ab2370f21e4d5636e5317775e5d51ff32ebff2cf389f71b9b13750"}, + {file = "regex-2024.7.24-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:945352286a541406f99b2655c973852da7911b3f4264e010218bbc1cc73168f2"}, + {file = "regex-2024.7.24-cp38-cp38-musllinux_1_2_ppc64le.whl", hash = "sha256:8bc593dcce679206b60a538c302d03c29b18e3d862609317cb560e18b66d10cf"}, + {file = "regex-2024.7.24-cp38-cp38-musllinux_1_2_s390x.whl", hash = "sha256:3f3b6ca8eae6d6c75a6cff525c8530c60e909a71a15e1b731723233331de4169"}, + {file = "regex-2024.7.24-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:c51edc3541e11fbe83f0c4d9412ef6c79f664a3745fab261457e84465ec9d5a8"}, + {file = "regex-2024.7.24-cp38-cp38-win32.whl", hash = "sha256:d0a07763776188b4db4c9c7fb1b8c494049f84659bb387b71c73bbc07f189e96"}, + {file = "regex-2024.7.24-cp38-cp38-win_amd64.whl", hash = "sha256:8fd5afd101dcf86a270d254364e0e8dddedebe6bd1ab9d5f732f274fa00499a5"}, + {file = "regex-2024.7.24-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:0ffe3f9d430cd37d8fa5632ff6fb36d5b24818c5c986893063b4e5bdb84cdf24"}, + {file = "regex-2024.7.24-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:25419b70ba00a16abc90ee5fce061228206173231f004437730b67ac77323f0d"}, + {file = "regex-2024.7.24-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:33e2614a7ce627f0cdf2ad104797d1f68342d967de3695678c0cb84f530709f8"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d33a0021893ede5969876052796165bab6006559ab845fd7b515a30abdd990dc"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:04ce29e2c5fedf296b1a1b0acc1724ba93a36fb14031f3abfb7abda2806c1535"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b16582783f44fbca6fcf46f61347340c787d7530d88b4d590a397a47583f31dd"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:836d3cc225b3e8a943d0b02633fb2f28a66e281290302a79df0e1eaa984ff7c1"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:438d9f0f4bc64e8dea78274caa5af971ceff0f8771e1a2333620969936ba10be"}, + {file = "regex-2024.7.24-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:973335b1624859cb0e52f96062a28aa18f3a5fc77a96e4a3d6d76e29811a0e6e"}, + {file = "regex-2024.7.24-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:c5e69fd3eb0b409432b537fe3c6f44ac089c458ab6b78dcec14478422879ec5f"}, + {file = "regex-2024.7.24-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:fbf8c2f00904eaf63ff37718eb13acf8e178cb940520e47b2f05027f5bb34ce3"}, + {file = "regex-2024.7.24-cp39-cp39-musllinux_1_2_ppc64le.whl", hash = "sha256:ae2757ace61bc4061b69af19e4689fa4416e1a04840f33b441034202b5cd02d4"}, + {file = "regex-2024.7.24-cp39-cp39-musllinux_1_2_s390x.whl", hash = "sha256:44fc61b99035fd9b3b9453f1713234e5a7c92a04f3577252b45feefe1b327759"}, + {file = "regex-2024.7.24-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:84c312cdf839e8b579f504afcd7b65f35d60b6285d892b19adea16355e8343c9"}, + {file = "regex-2024.7.24-cp39-cp39-win32.whl", hash = "sha256:ca5b2028c2f7af4e13fb9fc29b28d0ce767c38c7facdf64f6c2cd040413055f1"}, + {file = "regex-2024.7.24-cp39-cp39-win_amd64.whl", hash = "sha256:7c479f5ae937ec9985ecaf42e2e10631551d909f203e31308c12d703922742f9"}, + {file = "regex-2024.7.24.tar.gz", hash = "sha256:9cfd009eed1a46b27c14039ad5bbc5e71b6367c5b2e6d5f5da0ea91600817506"}, ] [[package]] @@ -2357,110 +2357,114 @@ test = ["hypothesis (==5.19.0)", "pytest (>=7.0.0)", "pytest-xdist (>=2.4.0)"] [[package]] name = "rpds-py" -version = "0.19.0" +version = "0.19.1" description = "Python bindings to Rust's persistent data structures (rpds)" optional = false python-versions = ">=3.8" files = [ - {file = "rpds_py-0.19.0-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:fb37bd599f031f1a6fb9e58ec62864ccf3ad549cf14bac527dbfa97123edcca4"}, - {file = "rpds_py-0.19.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:3384d278df99ec2c6acf701d067147320b864ef6727405d6470838476e44d9e8"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e54548e0be3ac117595408fd4ca0ac9278fde89829b0b518be92863b17ff67a2"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:8eb488ef928cdbc05a27245e52de73c0d7c72a34240ef4d9893fdf65a8c1a955"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a5da93debdfe27b2bfc69eefb592e1831d957b9535e0943a0ee8b97996de21b5"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:79e205c70afddd41f6ee79a8656aec738492a550247a7af697d5bd1aee14f766"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:959179efb3e4a27610e8d54d667c02a9feaa86bbabaf63efa7faa4dfa780d4f1"}, - {file = "rpds_py-0.19.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a6e605bb9edcf010f54f8b6a590dd23a4b40a8cb141255eec2a03db249bc915b"}, - {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:9133d75dc119a61d1a0ded38fb9ba40a00ef41697cc07adb6ae098c875195a3f"}, - {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:dd36b712d35e757e28bf2f40a71e8f8a2d43c8b026d881aa0c617b450d6865c9"}, - {file = "rpds_py-0.19.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:354f3a91718489912f2e0fc331c24eaaf6a4565c080e00fbedb6015857c00582"}, - {file = "rpds_py-0.19.0-cp310-none-win32.whl", hash = "sha256:ebcbf356bf5c51afc3290e491d3722b26aaf5b6af3c1c7f6a1b757828a46e336"}, - {file = "rpds_py-0.19.0-cp310-none-win_amd64.whl", hash = "sha256:75a6076289b2df6c8ecb9d13ff79ae0cad1d5fb40af377a5021016d58cd691ec"}, - {file = "rpds_py-0.19.0-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:6d45080095e585f8c5097897313def60caa2046da202cdb17a01f147fb263b81"}, - {file = "rpds_py-0.19.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:c5c9581019c96f865483d031691a5ff1cc455feb4d84fc6920a5ffc48a794d8a"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1540d807364c84516417115c38f0119dfec5ea5c0dd9a25332dea60b1d26fc4d"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:9e65489222b410f79711dc3d2d5003d2757e30874096b2008d50329ea4d0f88c"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:9da6f400eeb8c36f72ef6646ea530d6d175a4f77ff2ed8dfd6352842274c1d8b"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:37f46bb11858717e0efa7893c0f7055c43b44c103e40e69442db5061cb26ed34"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:071d4adc734de562bd11d43bd134330fb6249769b2f66b9310dab7460f4bf714"}, - {file = "rpds_py-0.19.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:9625367c8955e4319049113ea4f8fee0c6c1145192d57946c6ffcd8fe8bf48dd"}, - {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:e19509145275d46bc4d1e16af0b57a12d227c8253655a46bbd5ec317e941279d"}, - {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:4d438e4c020d8c39961deaf58f6913b1bf8832d9b6f62ec35bd93e97807e9cbc"}, - {file = "rpds_py-0.19.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:90bf55d9d139e5d127193170f38c584ed3c79e16638890d2e36f23aa1630b952"}, - {file = "rpds_py-0.19.0-cp311-none-win32.whl", hash = "sha256:8d6ad132b1bc13d05ffe5b85e7a01a3998bf3a6302ba594b28d61b8c2cf13aaf"}, - {file = "rpds_py-0.19.0-cp311-none-win_amd64.whl", hash = "sha256:7ec72df7354e6b7f6eb2a17fa6901350018c3a9ad78e48d7b2b54d0412539a67"}, - {file = "rpds_py-0.19.0-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:5095a7c838a8647c32aa37c3a460d2c48debff7fc26e1136aee60100a8cd8f68"}, - {file = "rpds_py-0.19.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:6f2f78ef14077e08856e788fa482107aa602636c16c25bdf59c22ea525a785e9"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b7cc6cb44f8636fbf4a934ca72f3e786ba3c9f9ba4f4d74611e7da80684e48d2"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:cf902878b4af334a09de7a45badbff0389e7cf8dc2e4dcf5f07125d0b7c2656d"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:688aa6b8aa724db1596514751ffb767766e02e5c4a87486ab36b8e1ebc1aedac"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:57dbc9167d48e355e2569346b5aa4077f29bf86389c924df25c0a8b9124461fb"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3b4cf5a9497874822341c2ebe0d5850fed392034caadc0bad134ab6822c0925b"}, - {file = "rpds_py-0.19.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:8a790d235b9d39c70a466200d506bb33a98e2ee374a9b4eec7a8ac64c2c261fa"}, - {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:1d16089dfa58719c98a1c06f2daceba6d8e3fb9b5d7931af4a990a3c486241cb"}, - {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:bc9128e74fe94650367fe23f37074f121b9f796cabbd2f928f13e9661837296d"}, - {file = "rpds_py-0.19.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:c8f77e661ffd96ff104bebf7d0f3255b02aa5d5b28326f5408d6284c4a8b3248"}, - {file = "rpds_py-0.19.0-cp312-none-win32.whl", hash = "sha256:5f83689a38e76969327e9b682be5521d87a0c9e5a2e187d2bc6be4765f0d4600"}, - {file = "rpds_py-0.19.0-cp312-none-win_amd64.whl", hash = "sha256:06925c50f86da0596b9c3c64c3837b2481337b83ef3519e5db2701df695453a4"}, - {file = "rpds_py-0.19.0-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:52e466bea6f8f3a44b1234570244b1cff45150f59a4acae3fcc5fd700c2993ca"}, - {file = "rpds_py-0.19.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:e21cc693045fda7f745c790cb687958161ce172ffe3c5719ca1764e752237d16"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6b31f059878eb1f5da8b2fd82480cc18bed8dcd7fb8fe68370e2e6285fa86da6"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:1dd46f309e953927dd018567d6a9e2fb84783963650171f6c5fe7e5c41fd5666"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:34a01a4490e170376cd79258b7f755fa13b1a6c3667e872c8e35051ae857a92b"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:bcf426a8c38eb57f7bf28932e68425ba86def6e756a5b8cb4731d8e62e4e0223"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f68eea5df6347d3f1378ce992d86b2af16ad7ff4dcb4a19ccdc23dea901b87fb"}, - {file = "rpds_py-0.19.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:dab8d921b55a28287733263c0e4c7db11b3ee22aee158a4de09f13c93283c62d"}, - {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:6fe87efd7f47266dfc42fe76dae89060038f1d9cb911f89ae7e5084148d1cc08"}, - {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:535d4b52524a961d220875688159277f0e9eeeda0ac45e766092bfb54437543f"}, - {file = "rpds_py-0.19.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:8b1a94b8afc154fbe36978a511a1f155f9bd97664e4f1f7a374d72e180ceb0ae"}, - {file = "rpds_py-0.19.0-cp38-none-win32.whl", hash = "sha256:7c98298a15d6b90c8f6e3caa6457f4f022423caa5fa1a1ca7a5e9e512bdb77a4"}, - {file = "rpds_py-0.19.0-cp38-none-win_amd64.whl", hash = "sha256:b0da31853ab6e58a11db3205729133ce0df26e6804e93079dee095be3d681dc1"}, - {file = "rpds_py-0.19.0-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:5039e3cef7b3e7a060de468a4a60a60a1f31786da94c6cb054e7a3c75906111c"}, - {file = "rpds_py-0.19.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:ab1932ca6cb8c7499a4d87cb21ccc0d3326f172cfb6a64021a889b591bb3045c"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f2afd2164a1e85226fcb6a1da77a5c8896c18bfe08e82e8ceced5181c42d2179"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:b1c30841f5040de47a0046c243fc1b44ddc87d1b12435a43b8edff7e7cb1e0d0"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:f757f359f30ec7dcebca662a6bd46d1098f8b9fb1fcd661a9e13f2e8ce343ba1"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:15e65395a59d2e0e96caf8ee5389ffb4604e980479c32742936ddd7ade914b22"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:cb0f6eb3a320f24b94d177e62f4074ff438f2ad9d27e75a46221904ef21a7b05"}, - {file = "rpds_py-0.19.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b228e693a2559888790936e20f5f88b6e9f8162c681830eda303bad7517b4d5a"}, - {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:2575efaa5d949c9f4e2cdbe7d805d02122c16065bfb8d95c129372d65a291a0b"}, - {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:5c872814b77a4e84afa293a1bee08c14daed1068b2bb1cc312edbf020bbbca2b"}, - {file = "rpds_py-0.19.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:850720e1b383df199b8433a20e02b25b72f0fded28bc03c5bd79e2ce7ef050be"}, - {file = "rpds_py-0.19.0-cp39-none-win32.whl", hash = "sha256:ce84a7efa5af9f54c0aa7692c45861c1667080814286cacb9958c07fc50294fb"}, - {file = "rpds_py-0.19.0-cp39-none-win_amd64.whl", hash = "sha256:1c26da90b8d06227d7769f34915913911222d24ce08c0ab2d60b354e2d9c7aff"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:75969cf900d7be665ccb1622a9aba225cf386bbc9c3bcfeeab9f62b5048f4a07"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:8445f23f13339da640d1be8e44e5baf4af97e396882ebbf1692aecd67f67c479"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:a5a7c1062ef8aea3eda149f08120f10795835fc1c8bc6ad948fb9652a113ca55"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:462b0c18fbb48fdbf980914a02ee38c423a25fcc4cf40f66bacc95a2d2d73bc8"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:3208f9aea18991ac7f2b39721e947bbd752a1abbe79ad90d9b6a84a74d44409b"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:c3444fe52b82f122d8a99bf66777aed6b858d392b12f4c317da19f8234db4533"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:88cb4bac7185a9f0168d38c01d7a00addece9822a52870eee26b8d5b61409213"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6b130bd4163c93798a6b9bb96be64a7c43e1cec81126ffa7ffaa106e1fc5cef5"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:a707b158b4410aefb6b054715545bbb21aaa5d5d0080217290131c49c2124a6e"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:dc9ac4659456bde7c567107556ab065801622396b435a3ff213daef27b495388"}, - {file = "rpds_py-0.19.0-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:81ea573aa46d3b6b3d890cd3c0ad82105985e6058a4baed03cf92518081eec8c"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-macosx_10_12_x86_64.whl", hash = "sha256:3f148c3f47f7f29a79c38cc5d020edcb5ca780020fab94dbc21f9af95c463581"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-macosx_11_0_arm64.whl", hash = "sha256:b0906357f90784a66e89ae3eadc2654f36c580a7d65cf63e6a616e4aec3a81be"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f629ecc2db6a4736b5ba95a8347b0089240d69ad14ac364f557d52ad68cf94b0"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:c6feacd1d178c30e5bc37184526e56740342fd2aa6371a28367bad7908d454fc"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ae8b6068ee374fdfab63689be0963333aa83b0815ead5d8648389a8ded593378"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:78d57546bad81e0da13263e4c9ce30e96dcbe720dbff5ada08d2600a3502e526"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a8b6683a37338818646af718c9ca2a07f89787551057fae57c4ec0446dc6224b"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:e8481b946792415adc07410420d6fc65a352b45d347b78fec45d8f8f0d7496f0"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:bec35eb20792ea64c3c57891bc3ca0bedb2884fbac2c8249d9b731447ecde4fa"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_i686.whl", hash = "sha256:aa5476c3e3a402c37779e95f7b4048db2cb5b0ed0b9d006983965e93f40fe05a"}, - {file = "rpds_py-0.19.0-pp38-pypy38_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:19d02c45f2507b489fd4df7b827940f1420480b3e2e471e952af4d44a1ea8e34"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:a3e2fd14c5d49ee1da322672375963f19f32b3d5953f0615b175ff7b9d38daed"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:93a91c2640645303e874eada51f4f33351b84b351a689d470f8108d0e0694210"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e5b9fc03bf76a94065299d4a2ecd8dfbae4ae8e2e8098bbfa6ab6413ca267709"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5a4b07cdf3f84310c08c1de2c12ddadbb7a77568bcb16e95489f9c81074322ed"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ba0ed0dc6763d8bd6e5de5cf0d746d28e706a10b615ea382ac0ab17bb7388633"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:474bc83233abdcf2124ed3f66230a1c8435896046caa4b0b5ab6013c640803cc"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:329c719d31362355a96b435f4653e3b4b061fcc9eba9f91dd40804ca637d914e"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:ef9101f3f7b59043a34f1dccbb385ca760467590951952d6701df0da9893ca0c"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:0121803b0f424ee2109d6e1f27db45b166ebaa4b32ff47d6aa225642636cd834"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:8344127403dea42f5970adccf6c5957a71a47f522171fafaf4c6ddb41b61703a"}, - {file = "rpds_py-0.19.0-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:443cec402ddd650bb2b885113e1dcedb22b1175c6be223b14246a714b61cd521"}, - {file = "rpds_py-0.19.0.tar.gz", hash = "sha256:4fdc9afadbeb393b4bbbad75481e0ea78e4469f2e1d713a90811700830b553a9"}, + {file = "rpds_py-0.19.1-cp310-cp310-macosx_10_12_x86_64.whl", hash = "sha256:aaf71f95b21f9dc708123335df22e5a2fef6307e3e6f9ed773b2e0938cc4d491"}, + {file = "rpds_py-0.19.1-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:ca0dda0c5715efe2ab35bb83f813f681ebcd2840d8b1b92bfc6fe3ab382fae4a"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:81db2e7282cc0487f500d4db203edc57da81acde9e35f061d69ed983228ffe3b"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:1a8dfa125b60ec00c7c9baef945bb04abf8ac772d8ebefd79dae2a5f316d7850"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:271accf41b02687cef26367c775ab220372ee0f4925591c6796e7c148c50cab5"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:f9bc4161bd3b970cd6a6fcda70583ad4afd10f2750609fb1f3ca9505050d4ef3"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f0cf2a0dbb5987da4bd92a7ca727eadb225581dd9681365beba9accbe5308f7d"}, + {file = "rpds_py-0.19.1-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b5e28e56143750808c1c79c70a16519e9bc0a68b623197b96292b21b62d6055c"}, + {file = "rpds_py-0.19.1-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:c7af6f7b80f687b33a4cdb0a785a5d4de1fb027a44c9a049d8eb67d5bfe8a687"}, + {file = "rpds_py-0.19.1-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:e429fc517a1c5e2a70d576077231538a98d59a45dfc552d1ac45a132844e6dfb"}, + {file = "rpds_py-0.19.1-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:d2dbd8f4990d4788cb122f63bf000357533f34860d269c1a8e90ae362090ff3a"}, + {file = "rpds_py-0.19.1-cp310-none-win32.whl", hash = "sha256:e0f9d268b19e8f61bf42a1da48276bcd05f7ab5560311f541d22557f8227b866"}, + {file = "rpds_py-0.19.1-cp310-none-win_amd64.whl", hash = "sha256:df7c841813f6265e636fe548a49664c77af31ddfa0085515326342a751a6ba51"}, + {file = "rpds_py-0.19.1-cp311-cp311-macosx_10_12_x86_64.whl", hash = "sha256:902cf4739458852fe917104365ec0efbea7d29a15e4276c96a8d33e6ed8ec137"}, + {file = "rpds_py-0.19.1-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:f3d73022990ab0c8b172cce57c69fd9a89c24fd473a5e79cbce92df87e3d9c48"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3837c63dd6918a24de6c526277910e3766d8c2b1627c500b155f3eecad8fad65"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:cdb7eb3cf3deb3dd9e7b8749323b5d970052711f9e1e9f36364163627f96da58"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:26ab43b6d65d25b1a333c8d1b1c2f8399385ff683a35ab5e274ba7b8bb7dc61c"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:75130df05aae7a7ac171b3b5b24714cffeabd054ad2ebc18870b3aa4526eba23"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c34f751bf67cab69638564eee34023909380ba3e0d8ee7f6fe473079bf93f09b"}, + {file = "rpds_py-0.19.1-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:f2671cb47e50a97f419a02cd1e0c339b31de017b033186358db92f4d8e2e17d8"}, + {file = "rpds_py-0.19.1-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:3c73254c256081704dba0a333457e2fb815364018788f9b501efe7c5e0ada401"}, + {file = "rpds_py-0.19.1-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:4383beb4a29935b8fa28aca8fa84c956bf545cb0c46307b091b8d312a9150e6a"}, + {file = "rpds_py-0.19.1-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:dbceedcf4a9329cc665452db1aaf0845b85c666e4885b92ee0cddb1dbf7e052a"}, + {file = "rpds_py-0.19.1-cp311-none-win32.whl", hash = "sha256:f0a6d4a93d2a05daec7cb885157c97bbb0be4da739d6f9dfb02e101eb40921cd"}, + {file = "rpds_py-0.19.1-cp311-none-win_amd64.whl", hash = "sha256:c149a652aeac4902ecff2dd93c3b2681c608bd5208c793c4a99404b3e1afc87c"}, + {file = "rpds_py-0.19.1-cp312-cp312-macosx_10_12_x86_64.whl", hash = "sha256:56313be667a837ff1ea3508cebb1ef6681d418fa2913a0635386cf29cff35165"}, + {file = "rpds_py-0.19.1-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:6d1d7539043b2b31307f2c6c72957a97c839a88b2629a348ebabe5aa8b626d6b"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:3e1dc59a5e7bc7f44bd0c048681f5e05356e479c50be4f2c1a7089103f1621d5"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:b8f78398e67a7227aefa95f876481485403eb974b29e9dc38b307bb6eb2315ea"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ef07a0a1d254eeb16455d839cef6e8c2ed127f47f014bbda64a58b5482b6c836"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8124101e92c56827bebef084ff106e8ea11c743256149a95b9fd860d3a4f331f"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:08ce9c95a0b093b7aec75676b356a27879901488abc27e9d029273d280438505"}, + {file = "rpds_py-0.19.1-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:0b02dd77a2de6e49078c8937aadabe933ceac04b41c5dde5eca13a69f3cf144e"}, + {file = "rpds_py-0.19.1-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:4dd02e29c8cbed21a1875330b07246b71121a1c08e29f0ee3db5b4cfe16980c4"}, + {file = "rpds_py-0.19.1-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:9c7042488165f7251dc7894cd533a875d2875af6d3b0e09eda9c4b334627ad1c"}, + {file = "rpds_py-0.19.1-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:f809a17cc78bd331e137caa25262b507225854073fd319e987bd216bed911b7c"}, + {file = "rpds_py-0.19.1-cp312-none-win32.whl", hash = "sha256:3ddab996807c6b4227967fe1587febade4e48ac47bb0e2d3e7858bc621b1cace"}, + {file = "rpds_py-0.19.1-cp312-none-win_amd64.whl", hash = "sha256:32e0db3d6e4f45601b58e4ac75c6f24afbf99818c647cc2066f3e4b192dabb1f"}, + {file = "rpds_py-0.19.1-cp313-cp313-macosx_10_12_x86_64.whl", hash = "sha256:747251e428406b05fc86fee3904ee19550c4d2d19258cef274e2151f31ae9d38"}, + {file = "rpds_py-0.19.1-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:dc733d35f861f8d78abfaf54035461e10423422999b360966bf1c443cbc42705"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bbda75f245caecff8faa7e32ee94dfaa8312a3367397975527f29654cd17a6ed"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:bd04d8cab16cab5b0a9ffc7d10f0779cf1120ab16c3925404428f74a0a43205a"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e2d66eb41ffca6cc3c91d8387509d27ba73ad28371ef90255c50cb51f8953301"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:fdf4890cda3b59170009d012fca3294c00140e7f2abe1910e6a730809d0f3f9b"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:d1fa67ef839bad3815124f5f57e48cd50ff392f4911a9f3cf449d66fa3df62a5"}, + {file = "rpds_py-0.19.1-cp313-cp313-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:b82c9514c6d74b89a370c4060bdb80d2299bc6857e462e4a215b4ef7aa7b090e"}, + {file = "rpds_py-0.19.1-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:c7b07959866a6afb019abb9564d8a55046feb7a84506c74a6f197cbcdf8a208e"}, + {file = "rpds_py-0.19.1-cp313-cp313-musllinux_1_2_i686.whl", hash = "sha256:4f580ae79d0b861dfd912494ab9d477bea535bfb4756a2269130b6607a21802e"}, + {file = "rpds_py-0.19.1-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:c6d20c8896c00775e6f62d8373aba32956aa0b850d02b5ec493f486c88e12859"}, + {file = "rpds_py-0.19.1-cp313-none-win32.whl", hash = "sha256:afedc35fe4b9e30ab240b208bb9dc8938cb4afe9187589e8d8d085e1aacb8309"}, + {file = "rpds_py-0.19.1-cp313-none-win_amd64.whl", hash = "sha256:1d4af2eb520d759f48f1073ad3caef997d1bfd910dc34e41261a595d3f038a94"}, + {file = "rpds_py-0.19.1-cp38-cp38-macosx_10_12_x86_64.whl", hash = "sha256:34bca66e2e3eabc8a19e9afe0d3e77789733c702c7c43cd008e953d5d1463fde"}, + {file = "rpds_py-0.19.1-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:24f8ae92c7fae7c28d0fae9b52829235df83f34847aa8160a47eb229d9666c7b"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:71157f9db7f6bc6599a852852f3389343bea34315b4e6f109e5cbc97c1fb2963"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:1d494887d40dc4dd0d5a71e9d07324e5c09c4383d93942d391727e7a40ff810b"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:7b3661e6d4ba63a094138032c1356d557de5b3ea6fd3cca62a195f623e381c76"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:97fbb77eaeb97591efdc654b8b5f3ccc066406ccfb3175b41382f221ecc216e8"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4cc4bc73e53af8e7a42c8fd7923bbe35babacfa7394ae9240b3430b5dcf16b2a"}, + {file = "rpds_py-0.19.1-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:35af5e4d5448fa179fd7fff0bba0fba51f876cd55212f96c8bbcecc5c684ae5c"}, + {file = "rpds_py-0.19.1-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:3511f6baf8438326e351097cecd137eb45c5f019944fe0fd0ae2fea2fd26be39"}, + {file = "rpds_py-0.19.1-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:57863d16187995c10fe9cf911b897ed443ac68189179541734502353af33e693"}, + {file = "rpds_py-0.19.1-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:9e318e6786b1e750a62f90c6f7fa8b542102bdcf97c7c4de2a48b50b61bd36ec"}, + {file = "rpds_py-0.19.1-cp38-none-win32.whl", hash = "sha256:53dbc35808c6faa2ce3e48571f8f74ef70802218554884787b86a30947842a14"}, + {file = "rpds_py-0.19.1-cp38-none-win_amd64.whl", hash = "sha256:8df1c283e57c9cb4d271fdc1875f4a58a143a2d1698eb0d6b7c0d7d5f49c53a1"}, + {file = "rpds_py-0.19.1-cp39-cp39-macosx_10_12_x86_64.whl", hash = "sha256:e76c902d229a3aa9d5ceb813e1cbcc69bf5bda44c80d574ff1ac1fa3136dea71"}, + {file = "rpds_py-0.19.1-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:de1f7cd5b6b351e1afd7568bdab94934d656abe273d66cda0ceea43bbc02a0c2"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:24fc5a84777cb61692d17988989690d6f34f7f95968ac81398d67c0d0994a897"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:74129d5ffc4cde992d89d345f7f7d6758320e5d44a369d74d83493429dad2de5"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:5e360188b72f8080fefa3adfdcf3618604cc8173651c9754f189fece068d2a45"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:13e6d4840897d4e4e6b2aa1443e3a8eca92b0402182aafc5f4ca1f5e24f9270a"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f09529d2332264a902688031a83c19de8fda5eb5881e44233286b9c9ec91856d"}, + {file = "rpds_py-0.19.1-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:0d4b52811dcbc1aba08fd88d475f75b4f6db0984ba12275d9bed1a04b2cae9b5"}, + {file = "rpds_py-0.19.1-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:dd635c2c4043222d80d80ca1ac4530a633102a9f2ad12252183bcf338c1b9474"}, + {file = "rpds_py-0.19.1-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:f35b34a5184d5e0cc360b61664c1c06e866aab077b5a7c538a3e20c8fcdbf90b"}, + {file = "rpds_py-0.19.1-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:d4ec0046facab83012d821b33cead742a35b54575c4edfb7ed7445f63441835f"}, + {file = "rpds_py-0.19.1-cp39-none-win32.whl", hash = "sha256:f5b8353ea1a4d7dfb59a7f45c04df66ecfd363bb5b35f33b11ea579111d4655f"}, + {file = "rpds_py-0.19.1-cp39-none-win_amd64.whl", hash = "sha256:1fb93d3486f793d54a094e2bfd9cd97031f63fcb5bc18faeb3dd4b49a1c06523"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-macosx_10_12_x86_64.whl", hash = "sha256:7d5c7e32f3ee42f77d8ff1a10384b5cdcc2d37035e2e3320ded909aa192d32c3"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-macosx_11_0_arm64.whl", hash = "sha256:89cc8921a4a5028d6dd388c399fcd2eef232e7040345af3d5b16c04b91cf3c7e"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bca34e913d27401bda2a6f390d0614049f5a95b3b11cd8eff80fe4ec340a1208"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:5953391af1405f968eb5701ebbb577ebc5ced8d0041406f9052638bafe52209d"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:840e18c38098221ea6201f091fc5d4de6128961d2930fbbc96806fb43f69aec1"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:6d8b735c4d162dc7d86a9cf3d717f14b6c73637a1f9cd57fe7e61002d9cb1972"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:ce757c7c90d35719b38fa3d4ca55654a76a40716ee299b0865f2de21c146801c"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:a9421b23c85f361a133aa7c5e8ec757668f70343f4ed8fdb5a4a14abd5437244"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:3b823be829407393d84ee56dc849dbe3b31b6a326f388e171555b262e8456cc1"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-musllinux_1_2_i686.whl", hash = "sha256:5e58b61dcbb483a442c6239c3836696b79f2cd8e7eec11e12155d3f6f2d886d1"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:39d67896f7235b2c886fb1ee77b1491b77049dcef6fbf0f401e7b4cbed86bbd4"}, + {file = "rpds_py-0.19.1-pp310-pypy310_pp73-win_amd64.whl", hash = "sha256:8b32cd4ab6db50c875001ba4f5a6b30c0f42151aa1fbf9c2e7e3674893fb1dc4"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-macosx_10_12_x86_64.whl", hash = "sha256:1c32e41de995f39b6b315d66c27dea3ef7f7c937c06caab4c6a79a5e09e2c415"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-macosx_11_0_arm64.whl", hash = "sha256:1a129c02b42d46758c87faeea21a9f574e1c858b9f358b6dd0bbd71d17713175"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:346557f5b1d8fd9966059b7a748fd79ac59f5752cd0e9498d6a40e3ac1c1875f"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_17_armv7l.manylinux2014_armv7l.whl", hash = "sha256:31e450840f2f27699d014cfc8865cc747184286b26d945bcea6042bb6aa4d26e"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:01227f8b3e6c8961490d869aa65c99653df80d2f0a7fde8c64ebddab2b9b02fd"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:69084fd29bfeff14816666c93a466e85414fe6b7d236cfc108a9c11afa6f7301"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:e4d2b88efe65544a7d5121b0c3b003ebba92bfede2ea3577ce548b69c5235185"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-manylinux_2_5_i686.manylinux1_i686.whl", hash = "sha256:6ea961a674172ed2235d990d7edf85d15d8dfa23ab8575e48306371c070cda67"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-musllinux_1_2_aarch64.whl", hash = "sha256:5beffdbe766cfe4fb04f30644d822a1080b5359df7db3a63d30fa928375b2720"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-musllinux_1_2_i686.whl", hash = "sha256:720f3108fb1bfa32e51db58b832898372eb5891e8472a8093008010911e324c5"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-musllinux_1_2_x86_64.whl", hash = "sha256:c2087dbb76a87ec2c619253e021e4fb20d1a72580feeaa6892b0b3d955175a71"}, + {file = "rpds_py-0.19.1-pp39-pypy39_pp73-win_amd64.whl", hash = "sha256:2ddd50f18ebc05ec29a0d9271e9dbe93997536da3546677f8ca00b76d477680c"}, + {file = "rpds_py-0.19.1.tar.gz", hash = "sha256:31dd5794837f00b46f4096aa8ccaa5972f73a938982e32ed817bb520c465e520"}, ] [[package]] @@ -2475,19 +2479,19 @@ files = [ [[package]] name = "setuptools" -version = "71.0.0" +version = "71.1.0" description = "Easily download, build, install, upgrade, and uninstall Python packages" optional = false python-versions = ">=3.8" files = [ - {file = "setuptools-71.0.0-py3-none-any.whl", hash = "sha256:f06fbe978a91819d250a30e0dc4ca79df713d909e24438a42d0ec300fc52247f"}, - {file = "setuptools-71.0.0.tar.gz", hash = "sha256:98da3b8aca443b9848a209ae4165e2edede62633219afa493a58fbba57f72e2e"}, + {file = "setuptools-71.1.0-py3-none-any.whl", hash = "sha256:33874fdc59b3188304b2e7c80d9029097ea31627180896fb549c578ceb8a0855"}, + {file = "setuptools-71.1.0.tar.gz", hash = "sha256:032d42ee9fb536e33087fb66cac5f840eb9391ed05637b3f2a76a7c8fb477936"}, ] [package.extras] core = ["importlib-metadata (>=6)", "importlib-resources (>=5.10.2)", "jaraco.text (>=3.7)", "more-itertools (>=8.8)", "ordered-set (>=3.1.1)", "packaging (>=24)", "platformdirs (>=2.6.2)", "tomli (>=2.0.1)", "wheel (>=0.43.0)"] -doc = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "pyproject-hooks (!=1.1)", "rst.linker (>=1.9)", "sphinx (<7.4)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] -test = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.14)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "jaraco.test", "mypy (==1.10.0)", "packaging (>=23.2)", "pip (>=19.1)", "pyproject-hooks (!=1.1)", "pytest (>=6,!=8.1.*)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (<0.4)", "pytest-ruff (>=0.2.1)", "pytest-ruff (>=0.3.2)", "pytest-subprocess", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] +doc = ["furo", "jaraco.packaging (>=9.3)", "jaraco.tidelift (>=1.4)", "pygments-github-lexers (==0.0.5)", "pyproject-hooks (!=1.1)", "rst.linker (>=1.9)", "sphinx (>=3.5)", "sphinx-favicon", "sphinx-inline-tabs", "sphinx-lint", "sphinx-notfound-page (>=1,<2)", "sphinx-reredirects", "sphinxcontrib-towncrier"] +test = ["build[virtualenv] (>=1.0.3)", "filelock (>=3.4.0)", "importlib-metadata", "ini2toml[lite] (>=0.14)", "jaraco.develop (>=7.21)", "jaraco.envs (>=2.2)", "jaraco.path (>=3.2.0)", "jaraco.test", "mypy (==1.11.*)", "packaging (>=23.2)", "pip (>=19.1)", "pyproject-hooks (!=1.1)", "pytest (>=6,!=8.1.*)", "pytest-checkdocs (>=2.4)", "pytest-cov", "pytest-enabler (>=2.2)", "pytest-home (>=0.5)", "pytest-mypy", "pytest-perf", "pytest-ruff (<0.4)", "pytest-ruff (>=0.2.1)", "pytest-ruff (>=0.3.2)", "pytest-subprocess", "pytest-timeout", "pytest-xdist (>=3)", "tomli", "tomli-w (>=1.0.0)", "virtualenv (>=13.0.0)", "wheel"] [[package]] name = "six" @@ -2583,13 +2587,13 @@ test = ["covdefaults (>=2.3)", "coverage (>=7.2.7)", "coverage-enable-subprocess [[package]] name = "web3" -version = "6.20.0" +version = "6.20.1" description = "web3.py" optional = false python-versions = ">=3.7.2" files = [ - {file = "web3-6.20.0-py3-none-any.whl", hash = "sha256:ec09882d21378b688210cf29385e82b604bdc18fe5c2e238bf3b5fe2a6e6dbbc"}, - {file = "web3-6.20.0.tar.gz", hash = "sha256:b04725517502cad4f15e39356eaf7c4fcb0127c7728f83eec8cbafb5b6455f33"}, + {file = "web3-6.20.1-py3-none-any.whl", hash = "sha256:16fe72aeb48bbd5f7e7e64b323a0d3a16522a28eb4f19ef9f9dd6ce7ee813c82"}, + {file = "web3-6.20.1.tar.gz", hash = "sha256:a29bc1863734e1c05f128ddbc56878f299ea71776806e667b581a83b5d5be0ed"}, ] [package.dependencies] @@ -2802,4 +2806,4 @@ multidict = ">=4.0" [metadata] lock-version = "2.0" python-versions = "^3.9" -content-hash = "c9faf26469b617ee8930f1f56e3875d6e4b915b2ac16eb4918d7398c5c7d1eb2" +content-hash = "34d094512b6fe34d1dfd7c6b6ab881d554a24ee7fb142623950145d9bb87c5a6" diff --git a/pyproject.toml b/pyproject.toml index 0fe9e057..3222392c 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -22,7 +22,7 @@ include = [ [tool.poetry.dependencies] python = "^3.9" -aiohttp = ">=3.9.2" # Version dependency due to https://github.com/InjectiveLabs/sdk-python/security/dependabot/18 +aiohttp = ">=3.9.4" # Version dependency due to https://github.com/InjectiveLabs/sdk-python/security/dependabot/18 bech32 = "*" bip32 = "*" ecdsa = "*" From cb62eb9c047c81e1ed45fb5c13ac03d97738cd7e Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 29 Jul 2024 14:34:34 -0300 Subject: [PATCH 59/63] (feat) Added support for permissions module's messages and queries --- .../permissions/1_MsgCreateNamespace.py | 58 +++++ .../permissions/2_MsgDeleteNamespace.py | 42 ++++ .../permissions/3_MsgUpdateNamespace.py | 47 ++++ .../permissions/4_MsgUpdateNamespaceRoles.py | 52 ++++ .../permissions/5_MsgRevokeNamespaceRoles.py | 46 ++++ .../permissions/6_MsgClaimVoucher.py | 43 ++++ .../permissions/query/1_AllNamespaces.py | 16 ++ .../permissions/query/2_NamespaceByDenom.py | 17 ++ .../permissions/query/3_AddressRoles.py | 18 ++ .../permissions/query/4_AddressesByRole.py | 18 ++ .../permissions/query/5_VouchersForAddress.py | 17 ++ pyinjective/async_client.py | 27 +++ .../chain/grpc/chain_grpc_permissions_api.py | 55 +++++ pyinjective/composer.py | 108 ++++++++- ...configurable_permissions_query_servicer.py | 41 ++++ .../grpc/test_chain_grpc_permissions_api.py | 222 ++++++++++++++++++ tests/test_composer.py | 221 +++++++++++++++++ 17 files changed, 1047 insertions(+), 1 deletion(-) create mode 100644 examples/chain_client/permissions/1_MsgCreateNamespace.py create mode 100644 examples/chain_client/permissions/2_MsgDeleteNamespace.py create mode 100644 examples/chain_client/permissions/3_MsgUpdateNamespace.py create mode 100644 examples/chain_client/permissions/4_MsgUpdateNamespaceRoles.py create mode 100644 examples/chain_client/permissions/5_MsgRevokeNamespaceRoles.py create mode 100644 examples/chain_client/permissions/6_MsgClaimVoucher.py create mode 100644 examples/chain_client/permissions/query/1_AllNamespaces.py create mode 100644 examples/chain_client/permissions/query/2_NamespaceByDenom.py create mode 100644 examples/chain_client/permissions/query/3_AddressRoles.py create mode 100644 examples/chain_client/permissions/query/4_AddressesByRole.py create mode 100644 examples/chain_client/permissions/query/5_VouchersForAddress.py create mode 100644 pyinjective/client/chain/grpc/chain_grpc_permissions_api.py create mode 100644 tests/client/chain/grpc/configurable_permissions_query_servicer.py create mode 100644 tests/client/chain/grpc/test_chain_grpc_permissions_api.py diff --git a/examples/chain_client/permissions/1_MsgCreateNamespace.py b/examples/chain_client/permissions/1_MsgCreateNamespace.py new file mode 100644 index 00000000..bc21752d --- /dev/null +++ b/examples/chain_client/permissions/1_MsgCreateNamespace.py @@ -0,0 +1,58 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + blocked_address = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + role1 = composer.permissions_role( + role=composer.DEFAULT_PERMISSIONS_EVERYONE_ROLE, + permissions=composer.MINT_ACTION_PERMISSION + | composer.RECEIVE_ACTION_PERMISSION + | composer.BURN_ACTION_PERMISSION, + ) + role2 = composer.permissions_role(role="blacklisted", permissions=composer.UNDEFINED_ACTION_PERMISSION) + address_role1 = composer.permissions_address_roles(address=blocked_address, roles=["blacklisted"]) + + message = composer.msg_create_namespace( + sender=address.to_acc_bech32(), + denom=denom, + wasm_hook="", + mints_paused=False, + sends_paused=False, + burns_paused=False, + role_permissions=[role1, role2], + address_roles=[address_role1], + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/2_MsgDeleteNamespace.py b/examples/chain_client/permissions/2_MsgDeleteNamespace.py new file mode 100644 index 00000000..fc412b5a --- /dev/null +++ b/examples/chain_client/permissions/2_MsgDeleteNamespace.py @@ -0,0 +1,42 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + message = composer.msg_delete_namespace( + sender=address.to_acc_bech32(), + namespace_denom=denom, + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/3_MsgUpdateNamespace.py b/examples/chain_client/permissions/3_MsgUpdateNamespace.py new file mode 100644 index 00000000..96c671c8 --- /dev/null +++ b/examples/chain_client/permissions/3_MsgUpdateNamespace.py @@ -0,0 +1,47 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + + message = composer.msg_update_namespace( + sender=address.to_acc_bech32(), + namespace_denom=denom, + wasm_hook="inj19ld6swyldyujcn72j7ugnu9twafhs9wxlyye5m", + mints_paused=True, + sends_paused=True, + burns_paused=True, + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/4_MsgUpdateNamespaceRoles.py b/examples/chain_client/permissions/4_MsgUpdateNamespaceRoles.py new file mode 100644 index 00000000..1af4e96f --- /dev/null +++ b/examples/chain_client/permissions/4_MsgUpdateNamespaceRoles.py @@ -0,0 +1,52 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + blocked_address = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + role1 = composer.permissions_role( + role=composer.DEFAULT_PERMISSIONS_EVERYONE_ROLE, + permissions=composer.RECEIVE_ACTION_PERMISSION, + ) + role2 = composer.permissions_role(role="blacklisted", permissions=composer.UNDEFINED_ACTION_PERMISSION) + address_role1 = composer.permissions_address_roles(address=blocked_address, roles=["blacklisted"]) + + message = composer.msg_update_namespace_roles( + sender=address.to_acc_bech32(), + namespace_denom=denom, + role_permissions=[role1, role2], + address_roles=[address_role1], + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/5_MsgRevokeNamespaceRoles.py b/examples/chain_client/permissions/5_MsgRevokeNamespaceRoles.py new file mode 100644 index 00000000..313aff42 --- /dev/null +++ b/examples/chain_client/permissions/5_MsgRevokeNamespaceRoles.py @@ -0,0 +1,46 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + blocked_address = "inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r" + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + address_role1 = composer.permissions_address_roles(address=blocked_address, roles=["blacklisted"]) + + message = composer.msg_revoke_namespace_roles( + sender=address.to_acc_bech32(), + namespace_denom=denom, + address_roles_to_revoke=[address_role1], + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/6_MsgClaimVoucher.py b/examples/chain_client/permissions/6_MsgClaimVoucher.py new file mode 100644 index 00000000..6e480e5a --- /dev/null +++ b/examples/chain_client/permissions/6_MsgClaimVoucher.py @@ -0,0 +1,43 @@ +import asyncio +import os + +import dotenv + +from pyinjective.composer import Composer as ProtoMsgComposer +from pyinjective.core.broadcaster import MsgBroadcasterWithPk +from pyinjective.core.network import Network +from pyinjective.wallet import PrivateKey + + +async def main() -> None: + dotenv.load_dotenv() + private_key_in_hexa = os.getenv("INJECTIVE_PRIVATE_KEY") + + # select network: local, testnet, mainnet + network = Network.devnet() + composer = ProtoMsgComposer(network=network.string()) + + message_broadcaster = MsgBroadcasterWithPk.new_using_simulation( + network=network, + private_key=private_key_in_hexa, + ) + + priv_key = PrivateKey.from_hex(private_key_in_hexa) + pub_key = priv_key.to_public_key() + address = pub_key.to_address() + + denom = "factory/inj1hkhdaj2a2clmq5jq6mspsggqs32vynpk228q3r/inj_test" + + message = composer.msg_claim_voucher( + sender=address.to_acc_bech32(), + denom=denom, + ) + + # broadcast the transaction + result = await message_broadcaster.broadcast([message]) + print("---Transaction Response---") + print(result) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/query/1_AllNamespaces.py b/examples/chain_client/permissions/query/1_AllNamespaces.py new file mode 100644 index 00000000..775ee1c6 --- /dev/null +++ b/examples/chain_client/permissions/query/1_AllNamespaces.py @@ -0,0 +1,16 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + namespaces = await client.fetch_all_permissions_namespaces() + print(namespaces) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/query/2_NamespaceByDenom.py b/examples/chain_client/permissions/query/2_NamespaceByDenom.py new file mode 100644 index 00000000..165ddb06 --- /dev/null +++ b/examples/chain_client/permissions/query/2_NamespaceByDenom.py @@ -0,0 +1,17 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + denom = "inj" + namespace = await client.fetch_permissions_namespace_by_denom(denom=denom, include_roles=True) + print(namespace) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/query/3_AddressRoles.py b/examples/chain_client/permissions/query/3_AddressRoles.py new file mode 100644 index 00000000..18482aa8 --- /dev/null +++ b/examples/chain_client/permissions/query/3_AddressRoles.py @@ -0,0 +1,18 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + denom = "inj" + address = "inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr" + roles = await client.fetch_permissions_address_roles(denom=denom, address=address) + print(roles) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/query/4_AddressesByRole.py b/examples/chain_client/permissions/query/4_AddressesByRole.py new file mode 100644 index 00000000..05466776 --- /dev/null +++ b/examples/chain_client/permissions/query/4_AddressesByRole.py @@ -0,0 +1,18 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + denom = "inj" + role = "roleName" + addresses = await client.fetch_permissions_addresses_by_role(denom=denom, role=role) + print(addresses) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/examples/chain_client/permissions/query/5_VouchersForAddress.py b/examples/chain_client/permissions/query/5_VouchersForAddress.py new file mode 100644 index 00000000..91e91df7 --- /dev/null +++ b/examples/chain_client/permissions/query/5_VouchersForAddress.py @@ -0,0 +1,17 @@ +import asyncio + +from pyinjective.async_client import AsyncClient +from pyinjective.core.network import Network + + +async def main() -> None: + network = Network.testnet() + client = AsyncClient(network) + + address = "inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr" + addresses = await client.fetch_permissions_vouchers_for_address(address=address) + print(addresses) + + +if __name__ == "__main__": + asyncio.get_event_loop().run_until_complete(main()) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 8a41f255..6ba0e7a9 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -13,6 +13,7 @@ from pyinjective.client.chain.grpc.chain_grpc_bank_api import ChainGrpcBankApi from pyinjective.client.chain.grpc.chain_grpc_distribution_api import ChainGrpcDistributionApi from pyinjective.client.chain.grpc.chain_grpc_exchange_api import ChainGrpcExchangeApi +from pyinjective.client.chain.grpc.chain_grpc_permissions_api import ChainGrpcPermissionsApi from pyinjective.client.chain.grpc.chain_grpc_token_factory_api import ChainGrpcTokenFactoryApi from pyinjective.client.chain.grpc.chain_grpc_wasm_api import ChainGrpcWasmApi from pyinjective.client.chain.grpc_stream.chain_grpc_chain_stream import ChainGrpcChainStream @@ -198,6 +199,10 @@ def __init__( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, ) + self.permissions_api = ChainGrpcPermissionsApi( + channel=self.chain_channel, + cookie_assistant=network.chain_cookie_assistant, + ) self.tendermint_api = TendermintGrpcApi( channel=self.chain_channel, cookie_assistant=network.chain_cookie_assistant, @@ -3206,6 +3211,28 @@ async def fetch_ibc_connection_params(self) -> Dict[str, Any]: # endregion + # ------------------------------ + # region Permissions module + + async def fetch_all_permissions_namespaces(self) -> Dict[str, Any]: + return await self.permissions_api.fetch_all_namespaces() + + async def fetch_permissions_namespace_by_denom( + self, denom: str, include_roles: Optional[bool] = None + ) -> Dict[str, Any]: + return await self.permissions_api.fetch_namespace_by_denom(denom=denom, include_roles=include_roles) + + async def fetch_permissions_address_roles(self, denom: str, address: str) -> Dict[str, Any]: + return await self.permissions_api.fetch_address_roles(denom=denom, address=address) + + async def fetch_permissions_addresses_by_role(self, denom: str, role: str) -> Dict[str, Any]: + return await self.permissions_api.fetch_addresses_by_role(denom=denom, role=role) + + async def fetch_permissions_vouchers_for_address(self, address: str) -> Dict[str, Any]: + return await self.permissions_api.fetch_vouchers_for_address(address=address) + + # endregion + async def composer(self): return Composer( network=self.network.string(), diff --git a/pyinjective/client/chain/grpc/chain_grpc_permissions_api.py b/pyinjective/client/chain/grpc/chain_grpc_permissions_api.py new file mode 100644 index 00000000..4a268981 --- /dev/null +++ b/pyinjective/client/chain/grpc/chain_grpc_permissions_api.py @@ -0,0 +1,55 @@ +from typing import Any, Callable, Dict + +from grpc.aio import Channel + +from pyinjective.core.network import CookieAssistant +from pyinjective.proto.injective.permissions.v1beta1 import ( + query_pb2 as permissions_query_pb, + query_pb2_grpc as permissions_query_grpc, +) +from pyinjective.utils.grpc_api_request_assistant import GrpcApiRequestAssistant + + +class ChainGrpcPermissionsApi: + def __init__(self, channel: Channel, cookie_assistant: CookieAssistant): + self._stub = permissions_query_grpc.QueryStub(channel) + self._assistant = GrpcApiRequestAssistant(cookie_assistant=cookie_assistant) + + async def fetch_module_params(self) -> Dict[str, Any]: + request = permissions_query_pb.QueryParamsRequest() + response = await self._execute_call(call=self._stub.Params, request=request) + + return response + + async def fetch_all_namespaces(self) -> Dict[str, Any]: + request = permissions_query_pb.QueryAllNamespacesRequest() + response = await self._execute_call(call=self._stub.AllNamespaces, request=request) + + return response + + async def fetch_namespace_by_denom(self, denom: str, include_roles: bool) -> Dict[str, Any]: + request = permissions_query_pb.QueryNamespaceByDenomRequest(denom=denom, include_roles=include_roles) + response = await self._execute_call(call=self._stub.NamespaceByDenom, request=request) + + return response + + async def fetch_address_roles(self, denom: str, address: str) -> Dict[str, Any]: + request = permissions_query_pb.QueryAddressRolesRequest(denom=denom, address=address) + response = await self._execute_call(call=self._stub.AddressRoles, request=request) + + return response + + async def fetch_addresses_by_role(self, denom: str, role: str) -> Dict[str, Any]: + request = permissions_query_pb.QueryAddressesByRoleRequest(denom=denom, role=role) + response = await self._execute_call(call=self._stub.AddressesByRole, request=request) + + return response + + async def fetch_vouchers_for_address(self, address: str) -> Dict[str, Any]: + request = permissions_query_pb.QueryVouchersForAddressRequest(address=address) + response = await self._execute_call(call=self._stub.VouchersForAddress, request=request) + + return response + + async def _execute_call(self, call: Callable, request) -> Dict[str, Any]: + return await self._assistant.execute_call(call=call, request=request) diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 871700bf..90b2475d 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -36,6 +36,10 @@ tx_pb2 as injective_oracle_tx_pb, ) from pyinjective.proto.injective.peggy.v1 import msgs_pb2 as injective_peggy_tx_pb +from pyinjective.proto.injective.permissions.v1beta1 import ( + permissions_pb2 as injective_permissions_pb, + tx_pb2 as injective_permissions_tx_pb, +) from pyinjective.proto.injective.stream.v1beta1 import query_pb2 as chain_stream_query from pyinjective.proto.injective.tokenfactory.v1beta1 import tx_pb2 as token_factory_tx_pb from pyinjective.proto.injective.wasmx.v1 import tx_pb2 as wasmx_tx_pb @@ -98,6 +102,12 @@ class Composer: + DEFAULT_PERMISSIONS_EVERYONE_ROLE = "EVERYONE" + UNDEFINED_ACTION_PERMISSION = 0 + MINT_ACTION_PERMISSION = 1 + RECEIVE_ACTION_PERMISSION = 2 + BURN_ACTION_PERMISSION = 4 + def __init__( self, network: str, @@ -2112,7 +2122,7 @@ def chain_stream_oracle_price_filter( return chain_stream_query.OraclePriceFilter(symbol=symbols) # ------------------------------------------------ - # Distribution module's messages + # region Distribution module's messages def msg_set_withdraw_address(self, delegator_address: str, withdraw_address: str): return cosmos_distribution_tx_pb.MsgSetWithdrawAddress( @@ -2191,6 +2201,102 @@ def msg_ibc_transfer( # endregion + # region Permissions module + def permissions_role(self, role: str, permissions: int) -> injective_permissions_pb.Role: + return injective_permissions_pb.Role(role=role, permissions=permissions) + + def permissions_address_roles(self, address: str, roles: List[str]) -> injective_permissions_pb.AddressRoles: + return injective_permissions_pb.AddressRoles(address=address, roles=roles) + + def msg_create_namespace( + self, + sender: str, + denom: str, + wasm_hook: str, + mints_paused: bool, + sends_paused: bool, + burns_paused: bool, + role_permissions: List[injective_permissions_pb.Role], + address_roles: List[injective_permissions_pb.AddressRoles], + ) -> injective_permissions_tx_pb.MsgCreateNamespace: + namespace = injective_permissions_pb.Namespace( + denom=denom, + wasm_hook=wasm_hook, + mints_paused=mints_paused, + sends_paused=sends_paused, + burns_paused=burns_paused, + role_permissions=role_permissions, + address_roles=address_roles, + ) + return injective_permissions_tx_pb.MsgCreateNamespace( + sender=sender, + namespace=namespace, + ) + + def msg_delete_namespace(self, sender: str, namespace_denom: str) -> injective_permissions_tx_pb.MsgDeleteNamespace: + return injective_permissions_tx_pb.MsgDeleteNamespace(sender=sender, namespace_denom=namespace_denom) + + def msg_update_namespace( + self, + sender: str, + namespace_denom: str, + wasm_hook: str, + mints_paused: bool, + sends_paused: bool, + burns_paused: bool, + ) -> injective_permissions_tx_pb.MsgUpdateNamespace: + wasmhook_update = injective_permissions_tx_pb.MsgUpdateNamespace.MsgSetWasmHook(new_value=wasm_hook) + mints_paused_update = injective_permissions_tx_pb.MsgUpdateNamespace.MsgSetMintsPaused(new_value=mints_paused) + sends_paused_update = injective_permissions_tx_pb.MsgUpdateNamespace.MsgSetSendsPaused(new_value=sends_paused) + burns_paused_update = injective_permissions_tx_pb.MsgUpdateNamespace.MsgSetBurnsPaused(new_value=burns_paused) + + return injective_permissions_tx_pb.MsgUpdateNamespace( + sender=sender, + namespace_denom=namespace_denom, + wasm_hook=wasmhook_update, + mints_paused=mints_paused_update, + sends_paused=sends_paused_update, + burns_paused=burns_paused_update, + ) + + def msg_update_namespace_roles( + self, + sender: str, + namespace_denom: str, + role_permissions: List[injective_permissions_pb.Role], + address_roles: List[injective_permissions_pb.AddressRoles], + ) -> injective_permissions_tx_pb.MsgUpdateNamespaceRoles: + return injective_permissions_tx_pb.MsgUpdateNamespaceRoles( + sender=sender, + namespace_denom=namespace_denom, + role_permissions=role_permissions, + address_roles=address_roles, + ) + + def msg_revoke_namespace_roles( + self, + sender: str, + namespace_denom: str, + address_roles_to_revoke: List[injective_permissions_pb.AddressRoles], + ) -> injective_permissions_tx_pb.MsgRevokeNamespaceRoles: + return injective_permissions_tx_pb.MsgRevokeNamespaceRoles( + sender=sender, + namespace_denom=namespace_denom, + address_roles_to_revoke=address_roles_to_revoke, + ) + + def msg_claim_voucher( + self, + sender: str, + denom: str, + ) -> injective_permissions_tx_pb.MsgClaimVoucher: + return injective_permissions_tx_pb.MsgClaimVoucher( + sender=sender, + denom=denom, + ) + + # endregion + # data field format: [request-msg-header][raw-byte-msg-response] # you need to figure out this magic prefix number to trim request-msg-header off the data # this method handles only exchange responses diff --git a/tests/client/chain/grpc/configurable_permissions_query_servicer.py b/tests/client/chain/grpc/configurable_permissions_query_servicer.py new file mode 100644 index 00000000..54a54274 --- /dev/null +++ b/tests/client/chain/grpc/configurable_permissions_query_servicer.py @@ -0,0 +1,41 @@ +from collections import deque + +from pyinjective.proto.injective.permissions.v1beta1 import ( + query_pb2 as permissions_query_pb, + query_pb2_grpc as permissions_query_grpc, +) + + +class ConfigurablePermissionsQueryServicer(permissions_query_grpc.QueryServicer): + def __init__(self): + super().__init__() + self.permissions_params = deque() + self.all_namespaces_responses = deque() + self.namespace_by_denom_responses = deque() + self.address_roles_responses = deque() + self.addresses_by_role_responses = deque() + self.vouchers_for_address_responses = deque() + + async def Params(self, request: permissions_query_pb.QueryParamsRequest, context=None, metadata=None): + return self.permissions_params.pop() + + async def AllNamespaces(self, request: permissions_query_pb.QueryAllNamespacesRequest, context=None, metadata=None): + return self.all_namespaces_responses.pop() + + async def NamespaceByDenom( + self, request: permissions_query_pb.QueryNamespaceByDenomRequest, context=None, metadata=None + ): + return self.namespace_by_denom_responses.pop() + + async def AddressRoles(self, request: permissions_query_pb.QueryAddressRolesRequest, context=None, metadata=None): + return self.address_roles_responses.pop() + + async def AddressesByRole( + self, request: permissions_query_pb.QueryAddressesByRoleRequest, context=None, metadata=None + ): + return self.addresses_by_role_responses.pop() + + async def VouchersForAddress( + self, request: permissions_query_pb.QueryVouchersForAddressRequest, context=None, metadata=None + ): + return self.vouchers_for_address_responses.pop() diff --git a/tests/client/chain/grpc/test_chain_grpc_permissions_api.py b/tests/client/chain/grpc/test_chain_grpc_permissions_api.py new file mode 100644 index 00000000..3913790c --- /dev/null +++ b/tests/client/chain/grpc/test_chain_grpc_permissions_api.py @@ -0,0 +1,222 @@ +import grpc +import pytest + +from pyinjective.client.chain.grpc.chain_grpc_permissions_api import ChainGrpcPermissionsApi +from pyinjective.core.network import DisabledCookieAssistant, Network +from pyinjective.proto.cosmos.base.v1beta1 import coin_pb2 as coin_pb +from pyinjective.proto.injective.permissions.v1beta1 import ( + params_pb2 as permissions_params_pb, + permissions_pb2 as permissions_pb, + query_pb2 as permissions_query_pb, +) +from tests.client.chain.grpc.configurable_permissions_query_servicer import ConfigurablePermissionsQueryServicer + + +@pytest.fixture +def permissions_servicer(): + return ConfigurablePermissionsQueryServicer() + + +class TestChainGrpcPermissionsApi: + @pytest.mark.asyncio + async def test_fetch_module_params( + self, + permissions_servicer, + ): + params = permissions_params_pb.Params( + wasm_hook_query_max_gas=1000000, + ) + permissions_servicer.permissions_params.append(permissions_query_pb.QueryParamsResponse(params=params)) + + api = self._api_instance(servicer=permissions_servicer) + + module_params = await api.fetch_module_params() + expected_params = { + "params": { + "wasmHookQueryMaxGas": str(params.wasm_hook_query_max_gas), + } + } + + assert module_params == expected_params + + @pytest.mark.asyncio + async def test_fetch_all_namespaces( + self, + permissions_servicer, + ): + role_permission = permissions_pb.Role( + role="role", + permissions=3, + ) + address_roles = permissions_pb.AddressRoles( + address="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + roles=["role"], + ) + namespace = permissions_pb.Namespace( + denom="peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5", + wasm_hook="wasm_hook", + mints_paused=True, + sends_paused=False, + burns_paused=False, + role_permissions=[role_permission], + address_roles=[address_roles], + ) + permissions_servicer.all_namespaces_responses.append( + permissions_query_pb.QueryAllNamespacesResponse(namespaces=[namespace]) + ) + + api = self._api_instance(servicer=permissions_servicer) + + all_namespaces = await api.fetch_all_namespaces() + expected_namespaces = { + "namespaces": [ + { + "denom": namespace.denom, + "wasmHook": namespace.wasm_hook, + "mintsPaused": namespace.mints_paused, + "sendsPaused": namespace.sends_paused, + "burnsPaused": namespace.burns_paused, + "rolePermissions": [ + { + "role": role_permission.role, + "permissions": role_permission.permissions, + } + ], + "addressRoles": [ + { + "address": address_roles.address, + "roles": address_roles.roles, + } + ], + } + ] + } + + assert all_namespaces == expected_namespaces + + @pytest.mark.asyncio + async def test_fetch_namespace_by_denom( + self, + permissions_servicer, + ): + role_permission = permissions_pb.Role( + role="role", + permissions=3, + ) + address_roles = permissions_pb.AddressRoles( + address="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + roles=["role"], + ) + namespace = permissions_pb.Namespace( + denom="peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5", + wasm_hook="wasm_hook", + mints_paused=True, + sends_paused=False, + burns_paused=False, + role_permissions=[role_permission], + address_roles=[address_roles], + ) + permissions_servicer.namespace_by_denom_responses.append( + permissions_query_pb.QueryNamespaceByDenomResponse(namespace=namespace) + ) + + api = self._api_instance(servicer=permissions_servicer) + + namespace_result = await api.fetch_namespace_by_denom(denom=namespace.denom, include_roles=True) + expected_namespace = { + "namespace": { + "denom": namespace.denom, + "wasmHook": namespace.wasm_hook, + "mintsPaused": namespace.mints_paused, + "sendsPaused": namespace.sends_paused, + "burnsPaused": namespace.burns_paused, + "rolePermissions": [ + { + "role": role_permission.role, + "permissions": role_permission.permissions, + } + ], + "addressRoles": [ + { + "address": address_roles.address, + "roles": address_roles.roles, + } + ], + } + } + + assert namespace_result == expected_namespace + + @pytest.mark.asyncio + async def test_fetch_address_roles( + self, + permissions_servicer, + ): + roles = ["role1", "role2"] + permissions_servicer.address_roles_responses.append(permissions_query_pb.QueryAddressRolesResponse(roles=roles)) + + api = self._api_instance(servicer=permissions_servicer) + + address_roles = await api.fetch_address_roles( + denom="peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5", + address="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + ) + expected_roles = { + "roles": roles, + } + + assert address_roles == expected_roles + + @pytest.mark.asyncio + async def test_fetch_addresses_by_role( + self, + permissions_servicer, + ): + addresses = ["inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr"] + permissions_servicer.addresses_by_role_responses.append( + permissions_query_pb.QueryAddressesByRoleResponse(addresses=addresses) + ) + + api = self._api_instance(servicer=permissions_servicer) + + addresses_response = await api.fetch_addresses_by_role( + denom="peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5", + role="role1", + ) + expected_addresses = { + "addresses": addresses, + } + + assert addresses_response == expected_addresses + + @pytest.mark.asyncio + async def test_fetch_vouchers_for_address( + self, + permissions_servicer, + ): + coin = coin_pb.Coin(denom="inj", amount="988987297011197594664") + + permissions_servicer.vouchers_for_address_responses.append( + permissions_query_pb.QueryVouchersForAddressResponse(vouchers=[coin]) + ) + + api = self._api_instance(servicer=permissions_servicer) + + vouchers = await api.fetch_vouchers_for_address( + address="inj1knhahceyp57j5x7xh69p7utegnnnfgxavmahjr", + ) + expected_vouchers = { + "vouchers": [{"denom": coin.denom, "amount": coin.amount}], + } + + assert vouchers == expected_vouchers + + def _api_instance(self, servicer): + network = Network.devnet() + channel = grpc.aio.insecure_channel(network.grpc_endpoint) + cookie_assistant = DisabledCookieAssistant() + + api = ChainGrpcPermissionsApi(channel=channel, cookie_assistant=cookie_assistant) + api._stub = servicer + + return api diff --git a/tests/test_composer.py b/tests/test_composer.py index 1bb57170..e6869a0c 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -1555,3 +1555,224 @@ def test_msg_ibc_transfer(self, basic_composer): always_print_fields_with_no_presence=True, ) assert dict_message == expected_message + + def test_msg_create_namespace(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + wasmhook = "wasmhook" + mints_paused = True + sends_paused = False + burns_paused = True + permissions_role1 = basic_composer.permissions_role( + role="role1", + permissions=1, + ) + permissions_role2 = basic_composer.permissions_role( + role="role2", + permissions=2, + ) + permissions_address_roles1 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role1"], + ) + permissions_address_roles2 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role2"], + ) + + message = basic_composer.msg_create_namespace( + sender=sender, + denom=denom, + wasm_hook=wasmhook, + mints_paused=mints_paused, + sends_paused=sends_paused, + burns_paused=burns_paused, + role_permissions=[permissions_role1, permissions_role2], + address_roles=[permissions_address_roles1, permissions_address_roles2], + ) + + expected_message = { + "sender": sender, + "namespace": { + "denom": denom, + "wasmHook": wasmhook, + "mintsPaused": mints_paused, + "sendsPaused": sends_paused, + "burnsPaused": burns_paused, + "rolePermissions": [ + json_format.MessageToDict(message=permissions_role1, always_print_fields_with_no_presence=True), + json_format.MessageToDict(message=permissions_role2, always_print_fields_with_no_presence=True), + ], + "addressRoles": [ + json_format.MessageToDict( + message=permissions_address_roles1, always_print_fields_with_no_presence=True + ), + json_format.MessageToDict( + message=permissions_address_roles2, always_print_fields_with_no_presence=True + ), + ], + }, + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message + + def test_msg_delete_namespace(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + + message = basic_composer.msg_delete_namespace( + sender=sender, + namespace_denom=denom, + ) + + expected_message = { + "sender": sender, + "namespaceDenom": denom, + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message + + def test_msg_update_namespace(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + wasmhook = "wasmhook" + mints_paused = True + sends_paused = False + burns_paused = True + + message = basic_composer.msg_update_namespace( + sender=sender, + namespace_denom=denom, + wasm_hook=wasmhook, + mints_paused=mints_paused, + sends_paused=sends_paused, + burns_paused=burns_paused, + ) + + expected_message = { + "sender": sender, + "namespaceDenom": denom, + "wasmHook": {"newValue": wasmhook}, + "mintsPaused": {"newValue": mints_paused}, + "sendsPaused": {"newValue": sends_paused}, + "burnsPaused": {"newValue": burns_paused}, + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message + + def test_msg_update_namespace_roles(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + permissions_role1 = basic_composer.permissions_role( + role="role1", + permissions=1, + ) + permissions_role2 = basic_composer.permissions_role( + role="role2", + permissions=2, + ) + permissions_address_roles1 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role1"], + ) + permissions_address_roles2 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role2"], + ) + + message = basic_composer.msg_update_namespace_roles( + sender=sender, + namespace_denom=denom, + role_permissions=[permissions_role1, permissions_role2], + address_roles=[permissions_address_roles1, permissions_address_roles2], + ) + + expected_message = { + "sender": sender, + "namespaceDenom": denom, + "rolePermissions": [ + json_format.MessageToDict(message=permissions_role1, always_print_fields_with_no_presence=True), + json_format.MessageToDict(message=permissions_role2, always_print_fields_with_no_presence=True), + ], + "addressRoles": [ + json_format.MessageToDict( + message=permissions_address_roles1, always_print_fields_with_no_presence=True + ), + json_format.MessageToDict( + message=permissions_address_roles2, always_print_fields_with_no_presence=True + ), + ], + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message + + def test_msg_revoke_namespace_roles(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + permissions_address_roles1 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role1"], + ) + permissions_address_roles2 = basic_composer.permissions_address_roles( + address="inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0", + roles=["role2"], + ) + message = basic_composer.msg_revoke_namespace_roles( + sender=sender, + namespace_denom=denom, + address_roles_to_revoke=[permissions_address_roles1, permissions_address_roles2], + ) + + expected_message = { + "sender": sender, + "namespaceDenom": denom, + "addressRolesToRevoke": [ + json_format.MessageToDict( + message=permissions_address_roles1, always_print_fields_with_no_presence=True + ), + json_format.MessageToDict( + message=permissions_address_roles2, always_print_fields_with_no_presence=True + ), + ], + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message + + def test_msg_claim_voucher(self, basic_composer): + sender = "inj1apmvarl2xyv6kecx2ukkeymddw3we4zkygjyc0" + denom = "inj" + message = basic_composer.msg_claim_voucher( + sender=sender, + denom=denom, + ) + + expected_message = { + "sender": sender, + "denom": denom, + } + + dict_message = json_format.MessageToDict( + message=message, + always_print_fields_with_no_presence=True, + ) + assert dict_message == expected_message From 25e9dbff891f3707e643c7416f9db4de04f09049 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 29 Jul 2024 15:58:34 -0300 Subject: [PATCH 60/63] (fix) Regenerated all compiled protos. Updated CreateDenom message test and examples. Updated all markets and tokens INI files --- Makefile | 2 +- buf.gen.yaml | 18 +- .../tokenfactory/1_CreateDenom.py | 6 +- pyinjective/composer.py | 2 + pyinjective/denoms_devnet.ini | 16 +- pyinjective/denoms_mainnet.ini | 1170 ++++------------- pyinjective/denoms_testnet.ini | 116 +- .../exchange/injective_campaign_rpc_pb2.py | 70 +- .../injective_campaign_rpc_pb2_grpc.py | 44 + .../tokenfactory/v1beta1/genesis_pb2.py | 6 +- .../injective/tokenfactory/v1beta1/tx_pb2.py | 54 +- .../grpc/test_chain_grpc_token_factory_api.py | 2 + tests/test_composer.py | 3 + 13 files changed, 481 insertions(+), 1028 deletions(-) diff --git a/Makefile b/Makefile index 6c0f5e58..76e8dbc6 100644 --- a/Makefile +++ b/Makefile @@ -31,7 +31,7 @@ clean-all: $(call clean_repos) clone-injective-indexer: - git clone https://github.com/InjectiveLabs/injective-indexer.git -b v1.13.2 --depth 1 --single-branch + git clone https://github.com/InjectiveLabs/injective-indexer.git -b v1.13.4 --depth 1 --single-branch clone-all: clone-injective-indexer diff --git a/buf.gen.yaml b/buf.gen.yaml index 48815eea..2c740297 100644 --- a/buf.gen.yaml +++ b/buf.gen.yaml @@ -12,20 +12,18 @@ inputs: - module: buf.build/googleapis/googleapis - module: buf.build/cosmos/ics23 - git_repo: https://github.com/InjectiveLabs/cosmos-sdk - branch: v0.50.x-inj + tag: v0.50.8-inj-0 - git_repo: https://github.com/InjectiveLabs/ibc-go - branch: v8.3.x-inj - subdir: proto + tag: v8.3.2-inj-0 + - git_repo: https://github.com/InjectiveLabs/wasmd + tag: v0.51.0-inj-0 # - git_repo: https://github.com/InjectiveLabs/wasmd -# tag: v0.45.0-inj +# branch: v0.51.x-inj # subdir: proto - - git_repo: https://github.com/InjectiveLabs/wasmd - branch: v0.51.x-inj + - git_repo: https://github.com/InjectiveLabs/injective-core + tag: v1.13.0 subdir: proto # - git_repo: https://github.com/InjectiveLabs/injective-core -# tag: v1.12.1 +# branch: master # subdir: proto - - git_repo: https://github.com/InjectiveLabs/injective-core - branch: dev - subdir: proto - directory: proto diff --git a/examples/chain_client/tokenfactory/1_CreateDenom.py b/examples/chain_client/tokenfactory/1_CreateDenom.py index 0662439a..a317e298 100644 --- a/examples/chain_client/tokenfactory/1_CreateDenom.py +++ b/examples/chain_client/tokenfactory/1_CreateDenom.py @@ -27,7 +27,11 @@ async def main() -> None: address = pub_key.to_address() message = composer.msg_create_denom( - sender=address.to_acc_bech32(), subdenom="inj_test", name="Injective Test Token", symbol="INJTEST" + sender=address.to_acc_bech32(), + subdenom="inj_test", + name="Injective Test Token", + symbol="INJTEST", + decimals=18, ) # broadcast the transaction diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 90b2475d..6937ef74 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -1896,12 +1896,14 @@ def msg_create_denom( subdenom: str, name: str, symbol: str, + decimals: int, ) -> token_factory_tx_pb.MsgCreateDenom: return token_factory_tx_pb.MsgCreateDenom( sender=sender, subdenom=subdenom, name=name, symbol=symbol, + decimals=decimals, ) def msg_mint( diff --git a/pyinjective/denoms_devnet.ini b/pyinjective/denoms_devnet.ini index f25b7d71..c49c4e14 100644 --- a/pyinjective/denoms_devnet.ini +++ b/pyinjective/denoms_devnet.ini @@ -991,10 +991,6 @@ decimals = 6 peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f decimals = 18 -[Ondo US Dollar Yield] -peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C -decimals = 18 - [Oraichain] peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 decimals = 18 @@ -1364,7 +1360,7 @@ peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu decimals = 6 [USDT] -peggy_denom = peggy0x03fA678f56e230effB1b5148e4d1fa25184b639a +peggy_denom = peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5 decimals = 6 [USDTap] @@ -1391,6 +1387,10 @@ decimals = 6 peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 decimals = 18 +[USDYet] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + [USDe] peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 decimals = 18 @@ -1408,7 +1408,7 @@ peggy_denom = ibc/C643B73073217F778DD7BDCB74C7EBCEF8E7EF81614FFA3C1C31861221AA9C decimals = 0 [Unknown] -peggy_denom = unknown +peggy_denom = ibc/88C49ADE2E583244058E4786C9FAE1AC431D55289EE31D59DDCC45201A60B82E decimals = 0 [VATRENI] @@ -1503,6 +1503,10 @@ decimals = 18 peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/xiii decimals = 6 +[XION] +peggy_denom = ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193 +decimals = 6 + [XNJ] peggy_denom = inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar decimals = 18 diff --git a/pyinjective/denoms_mainnet.ini b/pyinjective/denoms_mainnet.ini index 393b7c74..7716e5e7 100644 --- a/pyinjective/denoms_mainnet.ini +++ b/pyinjective/denoms_mainnet.ini @@ -119,8 +119,8 @@ min_display_quantity_tick_size = 0.001 description = 'Mainnet Spot WETH/USDT' base = 18 quote = 6 -min_price_tick_size = 0.0000000000001 -min_display_price_tick_size = 0.1 +min_price_tick_size = 0.000000000000001 +min_display_price_tick_size = 0.001 min_quantity_tick_size = 1000000000000000 min_display_quantity_tick_size = 0.001 @@ -191,8 +191,8 @@ min_display_quantity_tick_size = 0.01 description = 'Mainnet Spot ATOM/USDT' base = 6 quote = 6 -min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 +min_price_tick_size = 0.01 +min_display_price_tick_size = 0.01 min_quantity_tick_size = 10000 min_display_quantity_tick_size = 0.01 @@ -200,20 +200,11 @@ min_display_quantity_tick_size = 0.01 description = 'Mainnet Spot GF/USDT' base = 18 quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 +min_price_tick_size = 0.000000000000001 +min_display_price_tick_size = 0.001 min_quantity_tick_size = 1000000000000000 min_display_quantity_tick_size = 0.001 -[0xdce84d5e9c4560b549256f34583fb4ed07c82026987451d5da361e6e238287b3] -description = 'Mainnet Spot LUNA/UST' -base = 6 -quote = 18 -min_price_tick_size = 0.00000001 -min_display_price_tick_size = 0.00000000000000000001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - [0x0f1a11df46d748c2b20681273d9528021522c6a0db00de4684503bbd53bef16e] description = 'Mainnet Spot UST/USDT' base = 18 @@ -223,6 +214,15 @@ min_display_price_tick_size = 100000000 min_quantity_tick_size = 10000 min_display_quantity_tick_size = 0.00000000000001 +[0xdce84d5e9c4560b549256f34583fb4ed07c82026987451d5da361e6e238287b3] +description = 'Mainnet Spot LUNA/UST' +base = 6 +quote = 18 +min_price_tick_size = 0.01 +min_display_price_tick_size = 0.00000000000001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + [0xfbc729e93b05b4c48916c1433c9f9c2ddb24605a73483303ea0f87a8886b52af] description = 'Mainnet Spot INJ/UST' base = 18 @@ -277,687 +277,12 @@ min_display_price_tick_size = 0.0001 min_quantity_tick_size = 1000 min_display_quantity_tick_size = 0.001 -[0xd5f5895102b67300a2f8f2c2e4b8d7c4c820d612bc93c039ba8cb5b93ccedf22] -description = 'Mainnet Spot DOT/USDT' -base = 10 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 0.01 - -[0xabc20971099f5df5d1de138f8ea871e7e9832e3b0b54b61056eae15b09fed678] -description = 'Mainnet Spot USDC/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0xcd4b823ad32db2245b61bf498936145d22cdedab808d2f9d65100330da315d29] -description = 'Mainnet Spot STRD/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000 -min_display_quantity_tick_size = 0.001 - -[0x4807e9ac33c565b4278fb9d288bd79546abbf5a368dfc73f160fe9caa37a70b1] -description = 'Mainnet Spot axlUSDC/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0xe03df6e1571acb076c3d8f22564a692413b6843ad2df67411d8d8e56449c7ff4] -description = 'Mainnet Spot CRE/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000 -min_display_quantity_tick_size = 0.001 - -[0x219b522871725d175f63d5cb0a55e95aa688b1c030272c5ae967331e45620032] -description = 'Mainnet Spot SteadyETH/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 10000000000000000 -min_display_quantity_tick_size = 0.01 - -[0x510855ccf9148b47c6114e1c9e26731f9fd68a6f6dbc5d148152d02c0f3e5ce0] -description = 'Mainnet Spot SteadyBTC/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 10000000000000000 -min_display_quantity_tick_size = 0.01 - -[0x2021159081a88c9a627c66f770fb60c7be78d492509c89b203e1829d0413995a] -description = 'Mainnet Spot ETHBTCTrend/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 10000000000000000 -min_display_quantity_tick_size = 0.01 - -[0x0686357b934c761784d58a2b8b12618dfe557de108a220e06f8f6580abb83aab] -description = 'Mainnet Spot SOMM/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x84ba79ffde31db8273a9655eb515cb6cadfdf451b8f57b83eb3f78dca5bbbe6d] -description = 'Mainnet Spot SOL/USDC' -base = 8 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 0.01 - -[0xb825e2e4dbe369446e454e21c16e041cbc4d95d73f025c369f92210e82d2106f] -description = 'Mainnet Spot USDCso/USDCet' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100 -min_display_quantity_tick_size = 0.0001 - -[0xf66f797a0ff49bd2170a04d288ca3f13b5df1c822a7b0cc4204aca64a5860666] -description = 'Mainnet Spot USDC/USDCet' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100 -min_display_quantity_tick_size = 0.0001 - -[0xda0bb7a7d8361d17a9d2327ed161748f33ecbf02738b45a7dd1d812735d1531c] -description = 'Mainnet Spot USDT/USDC' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100 -min_display_quantity_tick_size = 0.0001 - -[0x4fa0bd2c2adbfe077f58395c18a72f5cbf89532743e3bddf43bc7aba706b0b74] -description = 'Mainnet Spot CHZ/USDC' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 1 - -[0xa7fb70ac87e220f3ea7f7f77faf48b47b3575a9f7ad22291f04a02799e631ca9] -description = 'Mainnet Spot CANTO/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000000000000000 -min_display_quantity_tick_size = 10 - -[0x7fce43f1140df2e5f16977520629e32a591939081b59e8fbc1e1c4ddfa77a044] -description = 'Mainnet Spot LDO/USDC' -base = 6 -quote = 8 -min_price_tick_size = 0.1 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 1000 -min_display_quantity_tick_size = 0.001 - -[0x66a113e1f0c57196985f8f1f1cfce2f220fa0a96bca39360c70b6788a0bc06e0] -description = 'Mainnet Spot LDO/USDC' -base = 8 -quote = 6 -min_price_tick_size = 0.00001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.001 - -[0x4b29b6df99d73920acdc56962050786ac950fcdfec6603094b63cd38cad5197e] -description = 'Mainnet Spot PUG/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000000000 -min_display_quantity_tick_size = 0.0001 - -[0x1bba49ea1eb64958a19b66c450e241f17151bc2e5ea81ed5e2793af45598b906] -description = 'Mainnet Spot ARB/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 0.1 - -[0xba33c2cdb84b9ad941f5b76c74e2710cf35f6479730903e93715f73f2f5d44be] -description = 'Mainnet Spot WMATIC/USDC' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 0.1 - -[0xb9a07515a5c239fcbfa3e25eaa829a03d46c4b52b9ab8ee6be471e9eb0e9ea31] -description = 'Mainnet Spot WMATIC/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 0.1 - -[0xce1829d4942ed939580e72e66fd8be3502396fc840b6d12b2d676bdb86542363] -description = 'Mainnet Spot stINJ/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000000000000 -min_display_quantity_tick_size = 0.001 - -[0xa04adeed0f09ed45c73b344b520d05aa31eabe2f469dcbb02a021e0d9d098715] -description = 'Mainnet Spot ORAI/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0xe8fe754e16233754e2811c36aca89992e35951cfd61376f1cbdc44be6ac8d3fb] -description = 'Mainnet Spot NEOK/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000000000000 -min_display_quantity_tick_size = 0.1 - -[0x2d8b2a2bef3782b988e16a8d718ea433d6dfebbb3b932975ca7913589cb408b5] -description = 'Mainnet Spot KAVA/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0xbf94d932d1463959badee52ffbeb2eeeeeda750e655493e909ced540c375a277] -description = 'Mainnet Spot USDTkv/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x35fd4fa9291ea68ce5eef6e0ea8567c7744c1891c2059ef08580ba2e7a31f101] -description = 'Mainnet Spot TIA/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x21f3eed62ddc64458129c0dcbff32b3f54c92084db787eb5cf7c20e69a1de033] -description = 'Mainnet Spot TALIS/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.00001 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0xf09dd242aea343afd7b6644151bb00d1b8770d842881009bea867658602b6bf0] -description = 'Mainnet Spot TALIS/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0x6922cf4383294c673971dd06aa4ae5ef47f65cb4f1ec1c2af4271c5e5ca67486] -description = 'Mainnet Spot KUJI/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0xa6ec1de114a5ffa85b6b235144383ce51028a1c0c2dee7db5ff8bf14d5ca0d49] -description = 'Mainnet Spot PYTH/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x75f6a79b552dac417df219ab384be19cb13b53dec7cf512d73a965aee8bc83af] -description = 'Mainnet Spot USDY/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000000000000 -min_display_quantity_tick_size = 0.1 - -[0x689ea50a30b0aeaf162e57100fefe5348a00099774f1c1ebcd90c4b480fda46a] -description = 'Mainnet Spot WHALE/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.00001 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0xac938722067b1dfdfbf346d2434573fb26cb090d309b19af17df2c6827ceb32c] -description = 'Mainnet Spot SOL/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 0.01 - -[0x2d3b8d8833dda54a717adea9119134556848105fd6028e9a4a526e4e5a122a57] -description = 'Mainnet Spot KIRA/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 1000000000 -min_display_quantity_tick_size = 1000 - -[0xdf9317eac1739a23bc385e264afde5d480c0b3d2322660b5efd206071d4e70b7] -description = 'Mainnet Spot NINJA/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0x4bb3426a2d7ba80c244ef7eecfd7c4fd177d78e63ff40ba6235b1ae471e23cdb] -description = 'Mainnet Spot KATANA/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 1000000000 -min_display_quantity_tick_size = 1000 - -[0x23983c260fc8a6627befa50cfc0374feef834dc1dc90835238c8559cc073e08f] -description = 'Mainnet Spot BRETT/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0x6de141d12691dd13fffcc4e3ceeb09191ff445e1f10dfbecedc63a1e365fb6cd] -description = 'Mainnet Spot ZIG/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000000000000000 -min_display_quantity_tick_size = 10 - -[0x02b56c5e6038f0dd795efb521718b33412126971608750538409f4b81ab5da2f] -description = 'Mainnet Spot nINJ/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000000000000 -min_display_quantity_tick_size = 0.001 - -[0xb6c24e9a586a50062f2fac059ddd79f8b0cf1c101e263f4b2c7484b0e20d2899] -description = 'Mainnet Spot GINGER/INJ' -base = 6 -quote = 18 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0000000001 -min_quantity_tick_size = 10000000000 -min_display_quantity_tick_size = 10000 - -[0x9b13c89f8f10386b61dd3a58aae56d5c7995133534ed65ac9835bb8d54890961] -description = 'Mainnet Spot SNOWY/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0xb3f38c081a1817bb0fc717bf869e93f5557c10851db4e15922e1d9d2297bd802] -description = 'Mainnet Spot AUTISM/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 10 - -[0xd0ba680312852ffb0709446fff518e6c4d798fb70cfd2699aba3717a2517cfd5] -description = 'Mainnet Spot APP/INJ' -base = 18 -quote = 6 -min_price_tick_size = 0.000000000000000001 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000000000000000 -min_display_quantity_tick_size = 10 - -[0x05288e393771f09c923d1189e4265b7c2646b6699f08971fd2adf0bfd4b1ce7a] -description = 'Mainnet Spot APP/INJ ' -base = 18 -quote = 18 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000000000000000 -min_display_quantity_tick_size = 10 - -[0xe6dd9895b169e2ca0087fcb8e8013805d06c3ed8ffc01ccaa31c710eef14a984] -description = 'Mainnet Spot DOJO/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 10000000000000000000 -min_display_quantity_tick_size = 10 - -[0x0a1366c8b05658c0ccca6064e4b20aacd5ad350c02debd6ec0f4dc9178145d14] -description = 'Mainnet Spot GYEN/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 100 - -[0x9c8a91a894f773792b1e8d0b6a8224a6b748753738e9945020ee566266f817be] -description = 'Mainnet Spot USDCnb/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x9c42d763ba5135809ac4684b02082e9c880d69f6b96d258fe4c172396e9af7be] -description = 'Mainnet Spot ANDR/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000000 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x1b1e062b3306f26ae3af3c354a10c1cf38b00dcb42917f038ba3fc14978b1dd8] -description = 'Mainnet Spot hINJ/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000000000000 -min_display_quantity_tick_size = 0.001 - -[0x959c9401a557ac090fff3ec11db5a1a9832e51a97a41b722d2496bb3cb0b2f72] -description = 'Mainnet Spot ANDR/INJ' -base = 6 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x697457537bc2af5ff652bc0616fe23537437a570d0e4d91566f03af279e095d5] -description = 'Mainnet Spot PHUC/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 1000000000 -min_display_quantity_tick_size = 1000 - -[0x42edf70cc37e155e9b9f178e04e18999bc8c404bd7b638cc4cbf41da8ef45a21] -description = 'Mainnet Spot QUNT/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 100 - -[0x586409ac5f6d6e90a81d2585b9a8e76de0b4898d5f2c047d0bc025a036489ba1] -description = 'Mainnet Spot WHALE/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x1af8fa374392dc1bd6331f38f0caa424a39b05dd9dfdc7a2a537f6f62bde50fe] -description = 'Mainnet Spot USDe/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000000000000 -min_display_quantity_tick_size = 0.1 - -[0xc8fafa1fcab27e16da20e98b4dc9dda45320418c27db80663b21edac72f3b597] -description = 'Mainnet Spot HDRO/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0xb965ebede42e67af153929339040e650d5c2af26d6aa43382c110d943c627b0a] -description = 'Mainnet Spot PYTH/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000000 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x25b545439f8e072856270d4b5ca94764521c4111dd9a2bbb5fbc96d2ab280f13] -description = 'Mainnet Spot PYTH/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000000 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0xeb95ab0b5416266b1987f1d46bcd5f63addeac68bbf5a089c5ed02484c97b6a3] -description = 'Mainnet Spot LVN/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x85ccdb2b6022b0586da19a2de0a11ce9876621630778e28a5d534464cbfff238] -description = 'Mainnet Spot NONJA/INJ' -base = 18 -quote = 18 -min_price_tick_size = 0.00000001 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 100000000000000000000 -min_display_quantity_tick_size = 100 - -[0xd9089235d2c1b07261cbb2071f4f5a7f92fa1eca940e3cad88bb671c288a972f] -description = 'Mainnet Spot SOL/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.0001 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 0.01 - -[0x8cd25fdc0d7aad678eb998248f3d1771a2d27c964a7630e6ffa5406de7ea54c1] -description = 'Mainnet Spot WMATIC/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 0.1 - -[0x1c2e5b1b4b1269ff893b4817a478fba6095a89a3e5ce0cccfcafa72b3941eeb6] -description = 'Mainnet Spot ARB/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 10000000 -min_display_quantity_tick_size = 0.1 - -[0xd5ef157b855101a19da355aee155a66f3f2eea7baca787bd27597f5182246da4] -description = 'Mainnet Spot STRD/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000000 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x1f5d69fc3d063e2a130c29943a0c83c3e79c2ba897fe876fcd82c51ab2ea61de] -description = 'Mainnet Spot sUSDe/USDe' -base = 18 -quote = 18 -min_price_tick_size = 0.00001 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 100000000000000 -min_display_quantity_tick_size = 0.0001 - -[0x6ad662364885b8a4c50edfc88deeef23338b2bd0c1e4dc9b680b054afc9b6b24] -description = 'Mainnet Spot ENA/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1000000000000000000 -min_display_quantity_tick_size = 1 - -[0xb03ead807922111939d1b62121ae2956cf6f0a6b03dfdea8d9589c05b98f670f] -description = 'Mainnet Spot BONUS/USDT' -base = 8 -quote = 6 -min_price_tick_size = 0.000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 1 - -[0x35a83ec8948babe4c1b8fbbf1d93f61c754fedd3af4d222fe11ce2a294cd74fb] -description = 'Mainnet Spot W/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0x315e5cd5ee24b3a1e1396679885b5e42bbe18045105d1662c6618430a131d117] -description = 'Mainnet Spot XIII/INJ' -base = 6 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 100 - -[0xd166688623206f9931307285678e9ff17cecd80a27d7b781dd88cecfba3b1839] -description = 'Mainnet Spot BLACK/INJ' -base = 6 -quote = 18 -min_price_tick_size = 1000000 -min_display_price_tick_size = 0.000001 -min_quantity_tick_size = 1000000 -min_display_quantity_tick_size = 1 - -[0x2be72879bb90ec8cbbd7510d0eed6a727f6c2690ce7f1397982453d552f9fe8f] -description = 'Mainnet Spot OMNI/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.00000000000001 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 10000000000000000 -min_display_quantity_tick_size = 0.01 - -[0xbd370d025c3693e8d658b44afe8434fa61cbc94178d0871bffd49e25773ef879] -description = 'Mainnet Spot ASG/INJ' -base = 8 -quote = 18 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.0000001 -min_quantity_tick_size = 100000000 -min_display_quantity_tick_size = 1 - -[0xacb0dc21cddb15b686f36c3456f4223f701a2afa382006ef478d156439483b4d] -description = 'Mainnet Spot EZETH/WETH' -base = 18 -quote = 18 -min_price_tick_size = 0.00001 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 10000000000000 -min_display_quantity_tick_size = 0.00001 - -[0x960038a93b70a08f1694c4aa5c914afda329063191e65a5b698f9d0676a0abf9] -description = 'Mainnet Spot SAGA/USDT' -base = 6 -quote = 6 -min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - -[0xca8121ea57a4f7fd3e058fa1957ebb69b37d52792e49b0b43932f1b9c0e01f8b] -description = 'Mainnet Spot wUSDM/USDT' -base = 18 -quote = 6 -min_price_tick_size = 0.0000000000000001 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 100000000000000000 -min_display_quantity_tick_size = 0.1 - [0x4ca0f92fc28be0c9761326016b5a1a2177dd6375558365116b5bdda9abc229ce] description = 'Mainnet Derivative BTC/USDT PERP' base = 0 quote = 6 -min_price_tick_size = 1000000 -min_display_price_tick_size = 1 +min_price_tick_size = 100000 +min_display_price_tick_size = 0.1 min_quantity_tick_size = 0.0001 min_display_quantity_tick_size = 0.0001 @@ -965,8 +290,8 @@ min_display_quantity_tick_size = 0.0001 description = 'Mainnet Derivative ETH/USDT PERP' base = 0 quote = 6 -min_price_tick_size = 100000 -min_display_price_tick_size = 0.1 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 @@ -988,134 +313,26 @@ min_display_price_tick_size = 0.001 min_quantity_tick_size = 0.001 min_display_quantity_tick_size = 0.001 -[0xc559df216747fc11540e638646c384ad977617d6d8f0ea5ffdfc18d52e58ab01] -description = 'Mainnet Derivative ATOM/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0x8c7fd5e6a7f49d840512a43d95389a78e60ebaf0cde1af86b26a785eb23b3be5] -description = 'Mainnet Derivative OSMO/UST PERP' +[0x8158e603fb80c4e417696b0e98765b4ca89dcf886d3b9b2b90dc15bfb1aebd51] +description = 'Mainnet Derivative LUNA/UST PERP' base = 0 quote = 18 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.000000000000001 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0xcf18525b53e54ad7d27477426ade06d69d8d56d2f3bf35fe5ce2ad9eb97c2fbc] -description = 'Mainnet Derivative OSMO/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0x06c5a306492ddc2b8dc56969766959163287ed68a6b59baa2f42330dda0aebe0] -description = 'Mainnet Derivative SOL/USDT PERP' -base = 0 -quote = 6 min_price_tick_size = 10000 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 0.001 -min_display_quantity_tick_size = 0.001 - -[0x3b7fb1d9351f7fa2e6e0e5a11b3639ee5e0486c33a6a74f629c3fc3c3043efd5] -description = 'Mainnet Derivative BONK/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000001 -min_quantity_tick_size = 10000 -min_display_quantity_tick_size = 10000 - -[0xcd0c859a99f26bb3530e21890937ed77d20754aa7825a599c71710514fc125ef] -description = 'Mainnet Derivative 1MPEPE/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x63bafbeee644b6606afb8476dd378fba35d516c7081d6045145790af963545aa] -description = 'Mainnet Derivative XRP/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0x1afa358349b140e49441b6e68529578c7d2f27f06e18ef874f428457c0aaeb8b] -description = 'Mainnet Derivative SEI/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x4fe7aff4dd27be7cbb924336e7fe2d160387bb1750811cf165ce58d4c612aebb] -description = 'Mainnet Derivative AXL/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x887beca72224f88fb678a13a1ae91d39c53a05459fd37ef55005eb68f745d46d] -description = 'Mainnet Derivative PYTH/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x9066bfa1bd97685e0df4e22a104f510fb867fde7f74a52f3341c7f5f56eb889c] -description = 'Mainnet Derivative TIA/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.00000000000001 min_quantity_tick_size = 0.1 min_display_quantity_tick_size = 0.1 -[0x7a70d95e24ba42b99a30121e6a4ff0d6161847d5b86cbfc3d4b3a81d8e190a70] -description = 'Mainnet Derivative ZRO/USDT PERP' +[0xc559df216747fc11540e638646c384ad977617d6d8f0ea5ffdfc18d52e58ab01] +description = 'Mainnet Derivative ATOM/USDT PERP' base = 0 quote = 6 min_price_tick_size = 1000 min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0x03841e74624fd885d1ee28453f921d18c211e78a0d7646c792c7903054eb152c] -description = 'Mainnet Derivative JUP/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x30a1463cfb4c393c80e257ab93118cecd73c1e632dc4d2d31c12a51bc0a70bd7] -description = 'Mainnet Derivative AVAX/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.01 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 -[0x18b2ca44b3d20a3b87c87d3765669b09b73b5e900693896c08394c70e79ab1e7] -description = 'Mainnet Derivative SUI/USDT PERP' +[0xc60c2ba4c11976e4c10ed7c1f5ca789b63282d0b3782ec3d7fc29dec9f43415e] +description = 'Mainnet Derivative STX/USDT PERP' base = 0 quote = 6 min_price_tick_size = 1000 @@ -1123,80 +340,26 @@ min_display_price_tick_size = 0.001 min_quantity_tick_size = 0.1 min_display_quantity_tick_size = 0.1 -[0x1a6d3a59f45904e0a4a2eed269fc2f552e7e407ac90aaaeb602c31b017573f88] -description = 'Mainnet Derivative WIF/USDT PERP' +[0x2d1fc1ebff7cae29d6f85d3a2bb7f3f6f2bab12a25d6cc2834bcb06d7b08fd74] +description = 'Mainnet Derivative BAYC/WETH PERP' base = 0 -quote = 6 -min_price_tick_size = 100 +quote = 18 +min_price_tick_size = 100000000000000 min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x48fcecd66ebabbf5a331178ec693b261dfae66ddfe6f552d7446744c6e78046c] -description = 'Mainnet Derivative OP/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 -[0x6ddf0b8fbbd888981aafdae9fc967a12c6777aac4dd100a8257b8755c0c4b7d5] -description = 'Mainnet Derivative ARB/USDT PERP' +[0x8c7fd5e6a7f49d840512a43d95389a78e60ebaf0cde1af86b26a785eb23b3be5] +description = 'Mainnet Derivative OSMO/UST PERP' base = 0 -quote = 6 +quote = 18 min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0xf1bc70398e9b469db459f3153433c6bd1253bd02377248ee29bd346a218e6243] -description = 'Mainnet Derivative W/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x03c8da1f6aaf8aca2be26b0f4d6b89d475835c7812a1dcdb19af7dec1c6b7f60] -description = 'Mainnet Derivative LINK/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 - -[0x7980993e508e0efc1c2634c153a1ef90f517b74351d6406221c77c04ec4799fe] -description = 'Mainnet Derivative DOGE/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 10 -min_display_quantity_tick_size = 10 - -[0x4d42425fc3ccd6b61b8c4ad61134ab3cf21bdae1b665317eff671cfab79f4387] -description = 'Mainnet Derivative OMNI/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100000 -min_display_price_tick_size = 0.1 +min_display_price_tick_size = 0.000000000000001 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 -[0x0160a0c8ecbf5716465b9fc22bceeedf6e92dcdc688e823bbe1af3b22a84e5b5] -description = 'Mainnet Derivative XAU/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 0.0001 -min_display_quantity_tick_size = 0.0001 - -[0xedc48ec071136eeb858b11ba50ba87c96e113400e29670fecc0a18d588238052] -description = 'Mainnet Derivative XAG/USDT PERP' +[0xcf18525b53e54ad7d27477426ade06d69d8d56d2f3bf35fe5ce2ad9eb97c2fbc] +description = 'Mainnet Derivative OSMO/USDT PERP' base = 0 quote = 6 min_price_tick_size = 1000 @@ -1204,51 +367,6 @@ min_display_price_tick_size = 0.001 min_quantity_tick_size = 0.01 min_display_quantity_tick_size = 0.01 -[0x3c5bba656074e6e84965dc7d99a218f6f514066e6ddc5046acaff59105bb6bf5] -description = 'Mainnet Derivative EUR/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0x5c0de20c02afe5dcc1c3c841e33bfbaa1144d8900611066141ad584eeaefbd2f] -description = 'Mainnet Derivative GBP/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 10 -min_display_price_tick_size = 0.00001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0xf1ceea00e01327497c321679896e5e64ad2a4e4b88e7324adeec7661351b6d93] -description = 'Mainnet Derivative BODEN/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 1 -min_display_quantity_tick_size = 1 - -[0x85f12da064199cf316d69344f60c0c3bbf00cf619a455cfd340b84e3d4783246] -description = 'Mainnet Derivative BTC/wUSDM PERP' -base = 0 -quote = 18 -min_price_tick_size = 1000000000000000000 -min_display_price_tick_size = 1 -min_quantity_tick_size = 0.0001 -min_display_quantity_tick_size = 0.0001 - -[0x0d4c722badb032f14dfc07355258a4bcbd354cbc5d79cb5b69ddd52b1eb2f709] -description = 'Mainnet Derivative BTC/wUSDM Perp' -base = 0 -quote = 18 -min_price_tick_size = 1000000000000000000 -min_display_price_tick_size = 1 -min_quantity_tick_size = 0.0001 -min_display_quantity_tick_size = 0.0001 - [ tether] peggy_denom = inj1wpeh7cm7s0mj7m3x6vrf5hvxfx2xusz5l27evk decimals = 18 @@ -1509,6 +627,10 @@ decimals = 6 peggy_denom = inj1yt49wv3up03hnlsfd7yh6dqfdxwxayrk6as6al decimals = 8 +[ARTINJ] +peggy_denom = inj1qgj0lnaq9rxcstjaevvd4q43uy4dk77e6mrza9 +decimals = 6 + [ARVI] peggy_denom = inj16ff6zvsaay89w7e5ukvz83f6f9my98s20z5ea3 decimals = 18 @@ -1873,6 +995,10 @@ decimals = 6 peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/beckham decimals = 6 +[BEEN] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/been +decimals = 6 + [BELL] peggy_denom = factory/inj1ht2x2pyj42y4y48tj9n5029w8j9f4sxu0zkwq4/BELL decimals = 6 @@ -2566,7 +1692,7 @@ peggy_denom = inj1vzpegrrn6zthj9ka93l9xk3judfx23sn0zl444 decimals = 18 [COOK] -peggy_denom = factory/inj1pqpmffc7cdfx7tv9p2347ghgxdaell2xjzxmy6/COOK +peggy_denom = ibc/C9EC3080B046D49949239E1704522EE8B7BE0A668027028059A7FE7BC20B0976 decimals = 6 [COOKIG] @@ -2857,6 +1983,10 @@ decimals = 6 peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dekinj decimals = 1 +[DEPE] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/depe +decimals = 6 + [DEXTER] peggy_denom = inj1nlcg7dgufuytaa2sfxam5hm0l38dyv3uk47kdf decimals = 18 @@ -3185,6 +2315,10 @@ decimals = 8 peggy_denom = ibc/B0442E32E21ED4228301A2B1B247D3F3355B73BF288470F9643AAD0CA07DD593 decimals = 10 +[Drachme] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/drachme +decimals = 6 + [Dragon Coin] peggy_denom = inj1ftfc7f0s7ynkr3n7fnv37qpskfu3mu69ethpkq decimals = 18 @@ -3797,6 +2931,10 @@ decimals = 6 peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 decimals = 18 +[GGBOND] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ggbond +decimals = 6 + [GGG] peggy_denom = inj1yrw42rwc56lq7a3rjnfa5nvse9veennne8srdj decimals = 8 @@ -4013,6 +3151,10 @@ decimals = 6 peggy_denom = factory/inj13ze65lwstqrz4qy6vvxx3lglnkkuan436aw45e/HACHI decimals = 9 +[HAIR] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/hair +decimals = 6 + [HAKI] peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/haki decimals = 6 @@ -4065,6 +3207,10 @@ decimals = 6 peggy_denom = inj1hqamaawcve5aum0mgupe9z7dh28fy8ghh7qxa7 decimals = 18 +[HERB] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/herb +decimals = 6 + [HERO] peggy_denom = inj18mqec04e948rdz07epr9w3j20wje9rpg6flufs decimals = 6 @@ -4689,6 +3835,10 @@ decimals = 6 peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/JINX decimals = 6 +[JIT] +peggy_denom = factory/inj1d3nq64h56hvjvdqatk9e4p26z5y4g4l6uf2a7w/JIT +decimals = 18 + [JITSU] peggy_denom = inj1gjujeawsmwel2d5p78pxmvytert726sejn8ff3 decimals = 6 @@ -5537,6 +4687,10 @@ decimals = 6 peggy_denom = ibc/7AF90EDF6F5328C6C33B03DB7E33445708A46FF006932472D00D5076F5504B67 decimals = 6 +[MC01] +peggy_denom = ibc/7F8D9BCCF7063FD843B5C052358466691FBEB29F75FA496A5174340B51EDA568 +decimals = 6 + [MDRA] peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA decimals = 18 @@ -5573,6 +4727,10 @@ decimals = 6 peggy_denom = inj1upun866849c4kh4yddzkd7s88sxhvn3ldllqjq decimals = 6 +[META] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/meta +decimals = 6 + [METAOASIS] peggy_denom = inj1303k783m2ukvgn8n4a2u5jvm25ffqe97236rx2 decimals = 8 @@ -5869,6 +5027,10 @@ decimals = 8 peggy_denom = inj1vnwc3n4z2rewaetwwxz9lz46qncwayvhytpddl decimals = 8 +[MrT] +peggy_denom = inj1hrhfzv3dfzugfymf7xw37t0erp32f2wkcx3r74 +decimals = 6 + [Multichain USDC] peggy_denom = ibc/610D4A1B3F3198C35C09E9AF7C8FB81707912463357C9398B02C7F13049678A8 decimals = 6 @@ -5921,6 +5083,10 @@ decimals = 6 peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZAIRDROP decimals = 0 +[NBZPROMO1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZPROMO1 +decimals = 0 + [NCACTE] peggy_denom = factory/inj1zpgcfma4ynpte8lwfxqfszddf4nveq95prqyht/NCACTE decimals = 6 @@ -6421,10 +5587,6 @@ decimals = 6 peggy_denom = inj188rmn0k9hzdy35ue7nt5lvyd9g9ldnm0v9neyz decimals = 8 -[Ondo US Dollar Yield] -peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C -decimals = 18 - [Onj] peggy_denom = inj1p9kk998d6rapzmfhjdp4ee7r5n4f2klu7xf8td decimals = 8 @@ -6461,6 +5623,10 @@ decimals = 8 peggy_denom = factory/inj126c3fck4ufvw3n0a7rsq75gx69pdxk8npnt5r5/PARABOLIC decimals = 6 +[PASS] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/pass +decimals = 6 + [PAXG] peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 decimals = 18 @@ -7589,6 +6755,10 @@ decimals = 6 peggy_denom = inj1m7hd99423w39aug74f6vtuqqzvw5vp0h2e85u0 decimals = 6 +[SSTST] +peggy_denom = factory/inj1wmu4fq03zvu60crvjdhksk62e8m08xsn9d5nv3/stream-swap-test +decimals = 0 + [STAKELAND] peggy_denom = inj1sx4mtq9kegurmuvdwddtr49u0hmxw6wt8dxu3v decimals = 8 @@ -7694,7 +6864,7 @@ peggy_denom = inj12mjzeu7qrhn9w85dd02fkvjt8hgaewdk6j72fj decimals = 8 [SYN] -peggy_denom = factory/inj16jsp4xd49k0lnqlmtzsskf70pkzyzv2hjkcr8f/synergy +peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/SYN decimals = 6 [SamOrai] @@ -8301,6 +7471,10 @@ decimals = 6 peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 decimals = 18 +[USDYet] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + [USDe] peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 decimals = 18 @@ -8481,6 +7655,10 @@ decimals = 6 peggy_denom = wif decimals = 6 +[WIFDOG] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wifdog +decimals = 6 + [WIFLUCK] peggy_denom = inj10vhddx39e3q8ayaxw4dg36tfs9lpf6xx649zfn decimals = 18 @@ -8853,6 +8031,10 @@ decimals = 8 peggy_denom = ibc/1638ABB0A4233B36CC9EBBD43775D17DB9A86190E826580963A0B59A621BD7FD decimals = 18 +[allSOL] +peggy_denom = ibc/FA2D0C9110C1DFBAEF084C161D1A0EFC6270C64B446FDEC686C30FCF99FE22CA +decimals = 9 + [allUSDT] peggy_denom = ibc/7991930BA02EBF3893A7E244233E005C2CB14679898D8C9E680DA5F7D54E647D decimals = 6 @@ -8917,6 +8099,10 @@ decimals = 6 peggy_denom = ibc/19C3905E752163B6EEB903A611E0832CCD05A32007E98C018759905025619D8F decimals = 6 +[ashSYN] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/syn.ash +decimals = 6 + [avalanche.USDC.wh] peggy_denom = ibc/348633370BE07A623D7FC9CD229150936ADCD3A4E842DAD246BBA817D21FF6C7 decimals = 6 @@ -9137,6 +8323,10 @@ decimals = 18 peggy_denom = ibc/FDD71937DFA4E18BBF16734EB0AD0EFA9F7F1B0F21D13FAF63F0B4F3EA7DEF28 decimals = 6 +[cat] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cat +decimals = 6 + [cbETH] peggy_denom = ibc/545E97C6EFB2633645720DEBCA78B2BE6F5382C4693EA7DEB2D4C456371EA4F0 decimals = 18 @@ -9369,6 +8559,10 @@ decimals = 0 peggy_denom = factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position decimals = 0 +[factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position] +peggy_denom = factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position +decimals = 0 + [factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ] peggy_denom = factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ decimals = 6 @@ -10025,6 +9219,10 @@ decimals = 6 peggy_denom = factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position decimals = 0 +[factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc] +peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc +decimals = 0 + [factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ] peggy_denom = factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ decimals = 6 @@ -10513,6 +9711,42 @@ decimals = 0 peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C decimals = 0 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C +decimals = 0 + [factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP] peggy_denom = factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP decimals = 0 @@ -10529,6 +9763,10 @@ decimals = 0 peggy_denom = factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position decimals = 0 +[factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position] +peggy_denom = factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position +decimals = 0 + [factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE] peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE decimals = 6 @@ -10549,6 +9787,10 @@ decimals = 0 peggy_denom = factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ decimals = 6 +[factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position] +peggy_denom = factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position +decimals = 0 + [factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ] peggy_denom = factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ decimals = 6 @@ -10605,6 +9847,10 @@ decimals = 0 peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash decimals = 0 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash +decimals = 0 + [factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash] peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash decimals = 0 @@ -10629,6 +9875,10 @@ decimals = 0 peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash decimals = 0 +[factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position] +peggy_denom = factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position +decimals = 0 + [factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ] peggy_denom = factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ decimals = 6 @@ -10681,6 +9931,10 @@ decimals = 0 peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory decimals = 0 +[factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position] +peggy_denom = factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position +decimals = 0 + [factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT] peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT decimals = 0 @@ -10689,6 +9943,10 @@ decimals = 0 peggy_denom = factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position decimals = 0 +[factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP] +peggy_denom = factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP +decimals = 0 + [factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position] peggy_denom = factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position decimals = 0 @@ -10809,6 +10067,10 @@ decimals = 6 peggy_denom = factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA decimals = 18 +[factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position] +peggy_denom = factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position +decimals = 0 + [factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY] peggy_denom = factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY decimals = 6 @@ -10921,6 +10183,10 @@ decimals = 12 peggy_denom = factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position decimals = 0 +[factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP] +peggy_denom = factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP +decimals = 0 + [factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM] peggy_denom = factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM decimals = 6 @@ -10949,6 +10215,10 @@ decimals = 6 peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor decimals = 6 +[factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position] +peggy_denom = factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position +decimals = 0 + [factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position] peggy_denom = factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position decimals = 0 @@ -11113,6 +10383,14 @@ decimals = 6 peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie decimals = 6 +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog +decimals = 6 + +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif +decimals = 6 + [factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position] peggy_denom = factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position decimals = 0 @@ -11365,6 +10643,10 @@ decimals = 0 peggy_denom = factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ decimals = 6 +[factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position] +peggy_denom = factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position +decimals = 0 + [factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position] peggy_denom = factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position decimals = 0 @@ -11385,6 +10667,10 @@ decimals = 6 peggy_denom = factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ decimals = 6 +[factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position] +peggy_denom = factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position +decimals = 0 + [factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ] peggy_denom = factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ decimals = 6 @@ -11433,6 +10719,10 @@ decimals = 0 peggy_denom = factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position decimals = 0 +[factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP] +peggy_denom = factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP +decimals = 0 + [factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT] peggy_denom = factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT decimals = 6 @@ -11469,6 +10759,10 @@ decimals = 0 peggy_denom = ibc/50DC83F6AD408BC81CE04004C86BF457F9ED9BF70839F8E6BA6A3903228948D7 decimals = 0 +[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/test] +peggy_denom = ibc/40C510742D7CE7F5EB2EF894AA9AD5056183D80628A73A04B48708A660FD088D +decimals = 0 + [factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/9fELvUhFo6yWL34ZaLgPbCPzdk9MD1tAzMycgH45qShH] peggy_denom = ibc/999FD9811C895A63FE1A2FCDDA24DEC6AF7D70D907BD97E9C455BDFD57B373CA decimals = 0 @@ -11765,6 +11059,10 @@ decimals = 6 peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/koinj decimals = 6 +[ksdhjkahkjhaskj] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ksdhjkahkjhaskj +decimals = 6 + [localstorage] peggy_denom = inj17auxme00fj267ccyhx9y9ue4tuwwuadgxshl7x decimals = 18 @@ -11865,6 +11163,10 @@ decimals = 6 peggy_denom = inj1rk68f3a4kvcrt2nra6klz6npealww2g2avknuj decimals = 18 +[ninga] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ninga +decimals = 6 + [nipniptestest] peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/nipniptestest decimals = 6 @@ -12209,6 +11511,14 @@ decimals = 18 peggy_denom = share6 decimals = 18 +[share60] +peggy_denom = share60 +decimals = 18 + +[share61] +peggy_denom = share61 +decimals = 18 + [share8] peggy_denom = share8 decimals = 18 @@ -12285,6 +11595,10 @@ decimals = 6 peggy_denom = ibc/B024EC4AE846F690CB46C1CE886BE7DCE27CBBB6CE1E4EFBA4AA764E07B81A69 decimals = 6 +[stBAND] +peggy_denom = ibc/95A65C08D2A7BFE5630E1B7FDCD89B2134D1A5ACE0C5726D6060A992CBAFA504 +decimals = 6 + [stCMDX] peggy_denom = ibc/0CAB2CA45981598C95B6BE18252AEFE1E9E1691D8B4C661997AD7B836FD904D6 decimals = 6 @@ -12641,6 +11955,10 @@ decimals = 6 peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 decimals = 18 +[wen] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wen +decimals = 6 + [wera] peggy_denom = factory/inj1j3c89aqgw9g4sqwtxzldslqxla4d5a7csgaxgq/wera decimals = 6 diff --git a/pyinjective/denoms_testnet.ini b/pyinjective/denoms_testnet.ini index 213b15e5..bd39b4eb 100644 --- a/pyinjective/denoms_testnet.ini +++ b/pyinjective/denoms_testnet.ini @@ -9,19 +9,19 @@ min_display_quantity_tick_size = 0.001 [0x7a57e705bb4e09c88aecfc295569481dbf2fe1d5efe364651fbe72385938e9b0] description = 'Testnet Spot APE/USDT' -base = 18 +base = 0 quote = 6 min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.000000000000000000001 min_quantity_tick_size = 1000000000000000 -min_display_quantity_tick_size = 0.001 +min_display_quantity_tick_size = 1000000000000000 [0xabed4a28baf4617bd4e04e4d71157c45ff6f95f181dee557aae59b4d1009aa97] description = 'Testnet Spot INJ/APE' base = 18 -quote = 18 +quote = 0 min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.000000000000001 +min_display_price_tick_size = 1000 min_quantity_tick_size = 1000000000000000000 min_display_quantity_tick_size = 1 @@ -117,12 +117,12 @@ min_display_quantity_tick_size = 0.0001 [0xf3298cc12f12945c9da877766d320e4056e5dfd7d3c38208a0ef2f525f7ca0a2] description = 'Testnet Spot APE/INJ' -base = 18 +base = 0 quote = 18 min_price_tick_size = 0.001 -min_display_price_tick_size = 0.001 +min_display_price_tick_size = 0.000000000000000000001 min_quantity_tick_size = 1000000000000000 -min_display_quantity_tick_size = 0.001 +min_display_quantity_tick_size = 1000000000000000 [0x263f7922659fa5b0ecb756a2dd8bf8e2aab9fe8d9ce375f7075d6e6d87b6f95d] description = 'Testnet Spot INJ' @@ -869,6 +869,10 @@ decimals = 18 peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/CHELE decimals = 6 +[CHUT] +peggy_denom = factory/inj1gnflymetxrlfng7wc7yh9ejghrwzwhe542mr5l/CHUT +decimals = 6 + [CHZ] peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF decimals = 18 @@ -1289,6 +1293,10 @@ decimals = 6 peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro decimals = 6 +[HERB] +peggy_denom = factory/inj1mh7efynqjvw3rt2ntty2unmxr6kwaec5g5050y/HERB +decimals = 6 + [HNY2] peggy_denom = factory/inj14lvrxu8jlrdytval7k29nxhxr9a39u6am86tr3/HNY2 decimals = 0 @@ -2061,10 +2069,6 @@ decimals = 6 peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f decimals = 18 -[Ondo US Dollar Yield] -peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C -decimals = 18 - [Oraichain] peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 decimals = 18 @@ -2245,6 +2249,18 @@ decimals = 18 peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST decimals = 6 +[QATEST2] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST2 +decimals = 6 + +[QATEST3] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST3 +decimals = 6 + +[QATEST4] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST4 +decimals = 6 + [QATS] peggy_denom = factory/inj1navfuxj73mzrc8a28uwnwz4x4udzdsv9r5e279/qa-test decimals = 0 @@ -2885,10 +2901,6 @@ decimals = 6 peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/Testeb decimals = 6 -[Testnet Tether USDT] -peggy_denom = peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5 -decimals = 6 - [Tether] peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 decimals = 6 @@ -3021,6 +3033,10 @@ decimals = 6 peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 decimals = 18 +[USDYet] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C +decimals = 18 + [USDe] peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 decimals = 18 @@ -3189,6 +3205,10 @@ decimals = 6 peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIIItest decimals = 6 +[XION] +peggy_denom = ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193 +decimals = 6 + [XIV] peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIV decimals = 6 @@ -3733,6 +3753,10 @@ decimals = 0 peggy_denom = factory/inj14558npfqefc5e3qye4arcs49falh0vusyknz7m/position decimals = 0 +[factory/inj1468yhun3ta93aqyasmwp3rmgjp5z4le4vfcmrh/test] +peggy_denom = factory/inj1468yhun3ta93aqyasmwp3rmgjp5z4le4vfcmrh/test +decimals = 0 + [factory/inj146w955lesh75vampgn23eccy9yzaf46yaa60nh/position] peggy_denom = factory/inj146w955lesh75vampgn23eccy9yzaf46yaa60nh/position decimals = 0 @@ -4033,6 +4057,10 @@ decimals = 0 peggy_denom = factory/inj164zhe75ldeez54pd0m5wt598upws5pcxgsytsp/RC decimals = 0 +[factory/inj16ckgjaln883kpwkm0ddgqtdhg8u0ycpl2gucl3/TEST] +peggy_denom = factory/inj16ckgjaln883kpwkm0ddgqtdhg8u0ycpl2gucl3/TEST +decimals = 0 + [factory/inj16dv5y968dnz8x4tjpmkt3jqxgs9u6kh79hfk5f/position] peggy_denom = factory/inj16dv5y968dnz8x4tjpmkt3jqxgs9u6kh79hfk5f/position decimals = 0 @@ -4177,6 +4205,10 @@ decimals = 0 peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1u8j7h7n8tdt66mgp6c0a7f3wq088d3jttwz7sj decimals = 0 +[factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1uqehwkl6m9gxjqlsf3yvwu528wtcjs00hyx08z] +peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1uqehwkl6m9gxjqlsf3yvwu528wtcjs00hyx08z +decimals = 0 + [factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1v3wvk6upf755pmpxlt8923ktfzrlcpc9fqlaq8] peggy_denom = factory/inj174efvalr8d9muguudh9uyd7ah7zdukqs9w4adq/lpinj1v3wvk6upf755pmpxlt8923ktfzrlcpc9fqlaq8 decimals = 0 @@ -4637,6 +4669,10 @@ decimals = 0 peggy_denom = factory/inj19sg6yzf8dcz55e5y2wwtxg7zssa58jsgqk7gnv/position decimals = 0 +[factory/inj19t2lrnwlztg8stpxd0tl4cvpkeaxrqv7a42jtz/position] +peggy_denom = factory/inj19t2lrnwlztg8stpxd0tl4cvpkeaxrqv7a42jtz/position +decimals = 0 + [factory/inj19ucnm6n9eunuyxulv0hj0dkavn9ywut0dsnuml/utest] peggy_denom = factory/inj19ucnm6n9eunuyxulv0hj0dkavn9ywut0dsnuml/utest decimals = 6 @@ -7889,6 +7925,10 @@ decimals = 0 peggy_denom = factory/inj1f8qce3t94xjattfldlrt8txkdajj4wp5e77wd5/position decimals = 0 +[factory/inj1faj8wsfpwyyn5758j2ycjhy2v0kt6n8jl65yy5/test] +peggy_denom = factory/inj1faj8wsfpwyyn5758j2ycjhy2v0kt6n8jl65yy5/test +decimals = 0 + [factory/inj1fcjg8rsr3uzusq9uk80accx45cajqh7tfu0z09/position] peggy_denom = factory/inj1fcjg8rsr3uzusq9uk80accx45cajqh7tfu0z09/position decimals = 0 @@ -8105,6 +8145,10 @@ decimals = 0 peggy_denom = factory/inj1hadwz2rpsccxdpyv04nmqevtrss35lenmz8dzw/position decimals = 0 +[factory/inj1hajw3kjyrn2xr42eu7t7ywtydlm0p6nma4m6qh/test] +peggy_denom = factory/inj1hajw3kjyrn2xr42eu7t7ywtydlm0p6nma4m6qh/test +decimals = 0 + [factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj10f4x5azxg58tfykzntcj4edazh3g3fnslut9vc] peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj10f4x5azxg58tfykzntcj4edazh3g3fnslut9vc decimals = 0 @@ -8409,6 +8453,10 @@ decimals = 0 peggy_denom = factory/inj1hzuhzk3ng8x09ev6at6z4smdg00slcff6g77k7/2 decimals = 0 +[factory/inj1j07z60sprgkzqtqtq2lxtnpdxly25xj44h22nr/test] +peggy_denom = factory/inj1j07z60sprgkzqtqtq2lxtnpdxly25xj44h22nr/test +decimals = 0 + [factory/inj1j3593zd3nx9gygnfxkqw5e7gr6wgl403yh3ydl/position] peggy_denom = factory/inj1j3593zd3nx9gygnfxkqw5e7gr6wgl403yh3ydl/position decimals = 0 @@ -9917,6 +9965,14 @@ decimals = 0 peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721199238InjUsdt26d1.2C decimals = 0 +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721736957InjUsdt26d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721736957InjUsdt26d1.2C +decimals = 0 + +[factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721737329InjUsdt28d1.2C] +peggy_denom = factory/inj1ss7rm7yde55dyddg7532dmdjy3gzvrjthxmqtd/1721737329InjUsdt28d1.2C +decimals = 0 + [factory/inj1ssysf4uhqa4nndser07cvgfzlqtvsg3l0y8vvn/position] peggy_denom = factory/inj1ssysf4uhqa4nndser07cvgfzlqtvsg3l0y8vvn/position decimals = 0 @@ -11009,6 +11065,10 @@ decimals = 0 peggy_denom = factory/inj1z7jcqanqnw969ad6wlucxn9v0t3z3j6swnunvs/lp decimals = 0 +[factory/inj1z8hv3ad5uskyk8rqtm7aje8gnml5y4rrs97txq/position] +peggy_denom = factory/inj1z8hv3ad5uskyk8rqtm7aje8gnml5y4rrs97txq/position +decimals = 0 + [factory/inj1z9vd7p6pjgun9h8g0c8snuu03nrqer0sjuuhdf/position] peggy_denom = factory/inj1z9vd7p6pjgun9h8g0c8snuu03nrqer0sjuuhdf/position decimals = 0 @@ -11189,6 +11249,10 @@ decimals = 0 peggy_denom = ibc/6767A6D74DE6E67F282BF0DA664960588594E10FAE25C7568D0E9714854A614A decimals = 0 +[ibc/728275E9A4A5485F9EE43886013B01426A4A5C6E9747C8F0F422492B74BF0DD5] +peggy_denom = ibc/728275E9A4A5485F9EE43886013B01426A4A5C6E9747C8F0F422492B74BF0DD5 +decimals = 0 + [ibc/85F860A9556E285E2F5E6CBC39F04E8E7A497488B9E7D11912030EB49D5E2CCB] peggy_denom = ibc/85F860A9556E285E2F5E6CBC39F04E8E7A497488B9E7D11912030EB49D5E2CCB decimals = 0 @@ -11233,12 +11297,12 @@ decimals = 0 peggy_denom = ibc/C738E90C95E4D7A405B7D3D8992EC554DDCC2079991AB5FF67051A99E02C95A1 decimals = 0 -[ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3] -peggy_denom = ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3 +[ibc/C877F38C8B5172A906FBFDEBB243B8313C58CCF2F534C1EC5DD6819662051DDE] +peggy_denom = ibc/C877F38C8B5172A906FBFDEBB243B8313C58CCF2F534C1EC5DD6819662051DDE decimals = 0 -[ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193] -peggy_denom = ibc/DAB0823884DB5785F08EE136EE9EB362E166F4C7455716641B03E93CE7F14193 +[ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3] +peggy_denom = ibc/D9C20413CBBD2CD0AA87141639F7048597F2A90A80F63D155A91F483BD04CFA3 decimals = 0 [ibc/E1932BA371D397A1FD6066792D585348090F3764E2BA4F08298803ED8A76F226] @@ -11337,10 +11401,6 @@ decimals = 6 peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pal decimals = 6 -[peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7] -peggy_denom = peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7 -decimals = 18 - [pip] peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pip decimals = 6 @@ -11377,6 +11437,10 @@ decimals = 6 peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/rpo decimals = 6 +[rrrt] +peggy_denom = factory/inj13rgc9jwc3q7day42a7r2znhyvvvaauvlpuxwvh/rrrt +decimals = 6 + [s] peggy_denom = factory/inj1tvml37kkfymrwmx583ed9eyur3jjq72ftf67rc/inj-fuckingcomeon decimals = 6 @@ -12125,6 +12189,10 @@ decimals = 6 peggy_denom = factory/inj1wt8aa8ct7eap805lsz9jh8spezf6mkxe0ejp79/tst1 decimals = 6 +[usssyn] +peggy_denom = factory/inj1mlalkqq4egj7mz68x47tmpnf57aj7480g4evxa/usssyn +decimals = 0 + [uyO] peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uyO decimals = 0 diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py index 65b7f36b..96750677 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2.py @@ -24,7 +24,7 @@ -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\xcc\x01\n\x0eRankingRequest\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\"\xc3\x01\n\x0fRankingResponse\x12<\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.CampaignR\x08\x63\x61mpaign\x12:\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUserR\x05users\x12\x36\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\"\x9e\x04\n\x08\x43\x61mpaign\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12!\n\x0clast_updated\x18\x05 \x01(\x12R\x0blastUpdated\x12\x1d\n\nstart_date\x18\x06 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x07 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\x08 \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\t \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\n \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x1d\n\nuser_score\x18\x0c \x01(\tR\tuserScore\x12!\n\x0cuser_claimed\x18\r \x01(\x08R\x0buserClaimed\x12\x30\n\x14subaccount_id_suffix\x18\x0e \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0f \x01(\tR\x0erewardContract\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xef\x02\n\x0c\x43\x61mpaignUser\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05score\x18\x04 \x01(\tR\x05score\x12)\n\x10\x63ontract_updated\x18\x05 \x01(\x08R\x0f\x63ontractUpdated\x12!\n\x0c\x62lock_height\x18\x06 \x01(\x12R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x07 \x01(\x12R\tblockTime\x12)\n\x10purchased_amount\x18\x08 \x01(\tR\x0fpurchasedAmount\x12#\n\rgalxe_updated\x18\t \x01(\x08R\x0cgalxeUpdated\x12%\n\x0ereward_claimed\x18\n \x01(\x08R\rrewardClaimed\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xa1\x01\n\x10\x43\x61mpaignsRequest\x12\x19\n\x08round_id\x18\x01 \x01(\x12R\x07roundId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x1e\n\x0bto_round_id\x18\x03 \x01(\x11R\ttoRoundId\x12)\n\x10\x63ontract_address\x18\x04 \x01(\tR\x0f\x63ontractAddress\"\xc5\x01\n\x11\x43\x61mpaignsResponse\x12>\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.CampaignR\tcampaigns\x12M\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x12\x61\x63\x63umulatedRewards\x12!\n\x0creward_count\x18\x03 \x01(\x11R\x0brewardCount\"\x83\x01\n\x11ListGuildsRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x17\n\x07sort_by\x18\x04 \x01(\tR\x06sortBy\"\xf6\x01\n\x12ListGuildsResponse\x12\x35\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.GuildR\x06guilds\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12\x1d\n\nupdated_at\x18\x03 \x01(\x12R\tupdatedAt\x12R\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummaryR\x0f\x63\x61mpaignSummary\"\xe5\x03\n\x05Guild\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12%\n\x0emaster_address\x18\x03 \x01(\tR\rmasterAddress\x12\x1d\n\ncreated_at\x18\x04 \x01(\x12R\tcreatedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12$\n\x0erank_by_volume\x18\x07 \x01(\x11R\x0crankByVolume\x12\x1e\n\x0brank_by_tvl\x18\x08 \x01(\x11R\trankByTvl\x12\x12\n\x04logo\x18\t \x01(\tR\x04logo\x12\x1b\n\ttotal_tvl\x18\n \x01(\tR\x08totalTvl\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x12\n\x04name\x18\x0e \x01(\tR\x04name\x12\x1b\n\tis_active\x18\r \x01(\x08R\x08isActive\x12%\n\x0emaster_balance\x18\x0f \x01(\tR\rmasterBalance\x12 \n\x0b\x64\x65scription\x18\x10 \x01(\tR\x0b\x64\x65scription\"\x82\x03\n\x0f\x43\x61mpaignSummary\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12+\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\tR\x10\x63\x61mpaignContract\x12,\n\x12total_guilds_count\x18\x03 \x01(\x11R\x10totalGuildsCount\x12\x1b\n\ttotal_tvl\x18\x04 \x01(\tR\x08totalTvl\x12*\n\x11total_average_tvl\x18\x05 \x01(\tR\x0ftotalAverageTvl\x12!\n\x0ctotal_volume\x18\x06 \x01(\tR\x0btotalVolume\x12\x1d\n\nupdated_at\x18\x07 \x01(\x12R\tupdatedAt\x12.\n\x13total_members_count\x18\x08 \x01(\x11R\x11totalMembersCount\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\"\xd2\x01\n\x17ListGuildMembersRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x11R\x04skip\x12,\n\x12include_guild_info\x18\x05 \x01(\x08R\x10includeGuildInfo\x12\x17\n\x07sort_by\x18\x06 \x01(\tR\x06sortBy\"\xcf\x01\n\x18ListGuildMembersResponse\x12=\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x07members\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12<\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.GuildR\tguildInfo\"\xd3\x03\n\x0bGuildMember\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x1b\n\tjoined_at\x18\x04 \x01(\x12R\x08joinedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12\x1b\n\ttotal_tvl\x18\x07 \x01(\tR\x08totalTvl\x12\x36\n\x17volume_score_percentage\x18\x08 \x01(\x01R\x15volumeScorePercentage\x12\x30\n\x14tvl_score_percentage\x18\t \x01(\x01R\x12tvlScorePercentage\x12;\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\ttvlReward\x12\x41\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x0cvolumeReward\"^\n\x15GetGuildMemberRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x16GetGuildMemberResponse\x12\x37\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x04info2\xa1\x04\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\xc2\x01\n\x1a\x63om.injective_campaign_rpcB\x19InjectiveCampaignRpcProtoP\x01Z\x19/injective_campaign_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveCampaignRpc\xca\x02\x14InjectiveCampaignRpc\xe2\x02 InjectiveCampaignRpc\\GPBMetadata\xea\x02\x14InjectiveCampaignRpcb\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n%exchange/injective_campaign_rpc.proto\x12\x16injective_campaign_rpc\"\xcc\x01\n\x0eRankingRequest\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05limit\x18\x04 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x05 \x01(\x04R\x04skip\x12)\n\x10\x63ontract_address\x18\x06 \x01(\tR\x0f\x63ontractAddress\"\xc3\x01\n\x0fRankingResponse\x12<\n\x08\x63\x61mpaign\x18\x01 \x01(\x0b\x32 .injective_campaign_rpc.CampaignR\x08\x63\x61mpaign\x12:\n\x05users\x18\x02 \x03(\x0b\x32$.injective_campaign_rpc.CampaignUserR\x05users\x12\x36\n\x06paging\x18\x03 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\"\xb2\x04\n\x08\x43\x61mpaign\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12!\n\x0clast_updated\x18\x05 \x01(\x12R\x0blastUpdated\x12\x1d\n\nstart_date\x18\x06 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x07 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\x08 \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\t \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\n \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x1d\n\nuser_score\x18\x0c \x01(\tR\tuserScore\x12!\n\x0cuser_claimed\x18\r \x01(\x08R\x0buserClaimed\x12\x30\n\x14subaccount_id_suffix\x18\x0e \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0f \x01(\tR\x0erewardContract\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\x12\x12\n\x04type\x18\x11 \x01(\tR\x04type\"4\n\x04\x43oin\x12\x14\n\x05\x64\x65nom\x18\x01 \x01(\tR\x05\x64\x65nom\x12\x16\n\x06\x61mount\x18\x02 \x01(\tR\x06\x61mount\"\xef\x02\n\x0c\x43\x61mpaignUser\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x03 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x14\n\x05score\x18\x04 \x01(\tR\x05score\x12)\n\x10\x63ontract_updated\x18\x05 \x01(\x08R\x0f\x63ontractUpdated\x12!\n\x0c\x62lock_height\x18\x06 \x01(\x12R\x0b\x62lockHeight\x12\x1d\n\nblock_time\x18\x07 \x01(\x12R\tblockTime\x12)\n\x10purchased_amount\x18\x08 \x01(\tR\x0fpurchasedAmount\x12#\n\rgalxe_updated\x18\t \x01(\x08R\x0cgalxeUpdated\x12%\n\x0ereward_claimed\x18\n \x01(\x08R\rrewardClaimed\"\x86\x01\n\x06Paging\x12\x14\n\x05total\x18\x01 \x01(\x12R\x05total\x12\x12\n\x04\x66rom\x18\x02 \x01(\x11R\x04\x66rom\x12\x0e\n\x02to\x18\x03 \x01(\x11R\x02to\x12.\n\x13\x63ount_by_subaccount\x18\x04 \x01(\x12R\x11\x63ountBySubaccount\x12\x12\n\x04next\x18\x05 \x03(\tR\x04next\"\xb5\x01\n\x10\x43\x61mpaignsRequest\x12\x19\n\x08round_id\x18\x01 \x01(\x12R\x07roundId\x12\'\n\x0f\x61\x63\x63ount_address\x18\x02 \x01(\tR\x0e\x61\x63\x63ountAddress\x12\x1e\n\x0bto_round_id\x18\x03 \x01(\x11R\ttoRoundId\x12)\n\x10\x63ontract_address\x18\x04 \x01(\tR\x0f\x63ontractAddress\x12\x12\n\x04type\x18\x05 \x01(\tR\x04type\"\xc5\x01\n\x11\x43\x61mpaignsResponse\x12>\n\tcampaigns\x18\x01 \x03(\x0b\x32 .injective_campaign_rpc.CampaignR\tcampaigns\x12M\n\x13\x61\x63\x63umulated_rewards\x18\x02 \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x12\x61\x63\x63umulatedRewards\x12!\n\x0creward_count\x18\x03 \x01(\x11R\x0brewardCount\"n\n\x12\x43\x61mpaignsV2Request\x12\x12\n\x04type\x18\x01 \x01(\tR\x04type\x12\x16\n\x06\x61\x63tive\x18\x02 \x01(\x08R\x06\x61\x63tive\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x16\n\x06\x63ursor\x18\x04 \x01(\tR\x06\x63ursor\"o\n\x13\x43\x61mpaignsV2Response\x12@\n\tcampaigns\x18\x01 \x03(\x0b\x32\".injective_campaign_rpc.CampaignV2R\tcampaigns\x12\x16\n\x06\x63ursor\x18\x02 \x01(\tR\x06\x63ursor\"\xc3\x04\n\nCampaignV2\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12\x1b\n\tmarket_id\x18\x02 \x01(\tR\x08marketId\x12\x1f\n\x0btotal_score\x18\x04 \x01(\tR\ntotalScore\x12\x1d\n\ncreated_at\x18\x05 \x01(\x12R\tcreatedAt\x12\x1d\n\nupdated_at\x18\x06 \x01(\x12R\tupdatedAt\x12\x1d\n\nstart_date\x18\x07 \x01(\x12R\tstartDate\x12\x19\n\x08\x65nd_date\x18\x08 \x01(\x12R\x07\x65ndDate\x12!\n\x0cis_claimable\x18\t \x01(\x08R\x0bisClaimable\x12\x19\n\x08round_id\x18\n \x01(\x11R\x07roundId\x12)\n\x10manager_contract\x18\x0b \x01(\tR\x0fmanagerContract\x12\x36\n\x07rewards\x18\x0c \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x07rewards\x12\x30\n\x14subaccount_id_suffix\x18\r \x01(\tR\x12subaccountIdSuffix\x12\'\n\x0freward_contract\x18\x0e \x01(\tR\x0erewardContract\x12\x12\n\x04type\x18\x0f \x01(\tR\x04type\x12\x18\n\x07version\x18\x10 \x01(\tR\x07version\x12\x12\n\x04name\x18\x11 \x01(\tR\x04name\x12 \n\x0b\x64\x65scription\x18\x12 \x01(\tR\x0b\x64\x65scription\"\x83\x01\n\x11ListGuildsRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x14\n\x05limit\x18\x02 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x03 \x01(\x11R\x04skip\x12\x17\n\x07sort_by\x18\x04 \x01(\tR\x06sortBy\"\xf6\x01\n\x12ListGuildsResponse\x12\x35\n\x06guilds\x18\x01 \x03(\x0b\x32\x1d.injective_campaign_rpc.GuildR\x06guilds\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12\x1d\n\nupdated_at\x18\x03 \x01(\x12R\tupdatedAt\x12R\n\x10\x63\x61mpaign_summary\x18\x04 \x01(\x0b\x32\'.injective_campaign_rpc.CampaignSummaryR\x0f\x63\x61mpaignSummary\"\xe5\x03\n\x05Guild\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12%\n\x0emaster_address\x18\x03 \x01(\tR\rmasterAddress\x12\x1d\n\ncreated_at\x18\x04 \x01(\x12R\tcreatedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12$\n\x0erank_by_volume\x18\x07 \x01(\x11R\x0crankByVolume\x12\x1e\n\x0brank_by_tvl\x18\x08 \x01(\x11R\trankByTvl\x12\x12\n\x04logo\x18\t \x01(\tR\x04logo\x12\x1b\n\ttotal_tvl\x18\n \x01(\tR\x08totalTvl\x12\x1d\n\nupdated_at\x18\x0b \x01(\x12R\tupdatedAt\x12\x12\n\x04name\x18\x0e \x01(\tR\x04name\x12\x1b\n\tis_active\x18\r \x01(\x08R\x08isActive\x12%\n\x0emaster_balance\x18\x0f \x01(\tR\rmasterBalance\x12 \n\x0b\x64\x65scription\x18\x10 \x01(\tR\x0b\x64\x65scription\"\x82\x03\n\x0f\x43\x61mpaignSummary\x12\x1f\n\x0b\x63\x61mpaign_id\x18\x01 \x01(\tR\ncampaignId\x12+\n\x11\x63\x61mpaign_contract\x18\x02 \x01(\tR\x10\x63\x61mpaignContract\x12,\n\x12total_guilds_count\x18\x03 \x01(\x11R\x10totalGuildsCount\x12\x1b\n\ttotal_tvl\x18\x04 \x01(\tR\x08totalTvl\x12*\n\x11total_average_tvl\x18\x05 \x01(\tR\x0ftotalAverageTvl\x12!\n\x0ctotal_volume\x18\x06 \x01(\tR\x0btotalVolume\x12\x1d\n\nupdated_at\x18\x07 \x01(\x12R\tupdatedAt\x12.\n\x13total_members_count\x18\x08 \x01(\x11R\x11totalMembersCount\x12\x1d\n\nstart_time\x18\t \x01(\x12R\tstartTime\x12\x19\n\x08\x65nd_time\x18\n \x01(\x12R\x07\x65ndTime\"\xd2\x01\n\x17ListGuildMembersRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x14\n\x05limit\x18\x03 \x01(\x11R\x05limit\x12\x12\n\x04skip\x18\x04 \x01(\x11R\x04skip\x12,\n\x12include_guild_info\x18\x05 \x01(\x08R\x10includeGuildInfo\x12\x17\n\x07sort_by\x18\x06 \x01(\tR\x06sortBy\"\xcf\x01\n\x18ListGuildMembersResponse\x12=\n\x07members\x18\x01 \x03(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x07members\x12\x36\n\x06paging\x18\x02 \x01(\x0b\x32\x1e.injective_campaign_rpc.PagingR\x06paging\x12<\n\nguild_info\x18\x03 \x01(\x0b\x32\x1d.injective_campaign_rpc.GuildR\tguildInfo\"\xd3\x03\n\x0bGuildMember\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x19\n\x08guild_id\x18\x02 \x01(\tR\x07guildId\x12\x18\n\x07\x61\x64\x64ress\x18\x03 \x01(\tR\x07\x61\x64\x64ress\x12\x1b\n\tjoined_at\x18\x04 \x01(\x12R\x08joinedAt\x12\x1b\n\ttvl_score\x18\x05 \x01(\tR\x08tvlScore\x12!\n\x0cvolume_score\x18\x06 \x01(\tR\x0bvolumeScore\x12\x1b\n\ttotal_tvl\x18\x07 \x01(\tR\x08totalTvl\x12\x36\n\x17volume_score_percentage\x18\x08 \x01(\x01R\x15volumeScorePercentage\x12\x30\n\x14tvl_score_percentage\x18\t \x01(\x01R\x12tvlScorePercentage\x12;\n\ntvl_reward\x18\n \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\ttvlReward\x12\x41\n\rvolume_reward\x18\x0b \x03(\x0b\x32\x1c.injective_campaign_rpc.CoinR\x0cvolumeReward\"^\n\x15GetGuildMemberRequest\x12+\n\x11\x63\x61mpaign_contract\x18\x01 \x01(\tR\x10\x63\x61mpaignContract\x12\x18\n\x07\x61\x64\x64ress\x18\x02 \x01(\tR\x07\x61\x64\x64ress\"Q\n\x16GetGuildMemberResponse\x12\x37\n\x04info\x18\x01 \x01(\x0b\x32#.injective_campaign_rpc.GuildMemberR\x04info2\x89\x05\n\x14InjectiveCampaignRPC\x12Z\n\x07Ranking\x12&.injective_campaign_rpc.RankingRequest\x1a\'.injective_campaign_rpc.RankingResponse\x12`\n\tCampaigns\x12(.injective_campaign_rpc.CampaignsRequest\x1a).injective_campaign_rpc.CampaignsResponse\x12\x66\n\x0b\x43\x61mpaignsV2\x12*.injective_campaign_rpc.CampaignsV2Request\x1a+.injective_campaign_rpc.CampaignsV2Response\x12\x63\n\nListGuilds\x12).injective_campaign_rpc.ListGuildsRequest\x1a*.injective_campaign_rpc.ListGuildsResponse\x12u\n\x10ListGuildMembers\x12/.injective_campaign_rpc.ListGuildMembersRequest\x1a\x30.injective_campaign_rpc.ListGuildMembersResponse\x12o\n\x0eGetGuildMember\x12-.injective_campaign_rpc.GetGuildMemberRequest\x1a..injective_campaign_rpc.GetGuildMemberResponseB\xc2\x01\n\x1a\x63om.injective_campaign_rpcB\x19InjectiveCampaignRpcProtoP\x01Z\x19/injective_campaign_rpcpb\xa2\x02\x03IXX\xaa\x02\x14InjectiveCampaignRpc\xca\x02\x14InjectiveCampaignRpc\xe2\x02 InjectiveCampaignRpc\\GPBMetadata\xea\x02\x14InjectiveCampaignRpcb\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -37,35 +37,41 @@ _globals['_RANKINGRESPONSE']._serialized_start=273 _globals['_RANKINGRESPONSE']._serialized_end=468 _globals['_CAMPAIGN']._serialized_start=471 - _globals['_CAMPAIGN']._serialized_end=1013 - _globals['_COIN']._serialized_start=1015 - _globals['_COIN']._serialized_end=1067 - _globals['_CAMPAIGNUSER']._serialized_start=1070 - _globals['_CAMPAIGNUSER']._serialized_end=1437 - _globals['_PAGING']._serialized_start=1440 - _globals['_PAGING']._serialized_end=1574 - _globals['_CAMPAIGNSREQUEST']._serialized_start=1577 - _globals['_CAMPAIGNSREQUEST']._serialized_end=1738 - _globals['_CAMPAIGNSRESPONSE']._serialized_start=1741 - _globals['_CAMPAIGNSRESPONSE']._serialized_end=1938 - _globals['_LISTGUILDSREQUEST']._serialized_start=1941 - _globals['_LISTGUILDSREQUEST']._serialized_end=2072 - _globals['_LISTGUILDSRESPONSE']._serialized_start=2075 - _globals['_LISTGUILDSRESPONSE']._serialized_end=2321 - _globals['_GUILD']._serialized_start=2324 - _globals['_GUILD']._serialized_end=2809 - _globals['_CAMPAIGNSUMMARY']._serialized_start=2812 - _globals['_CAMPAIGNSUMMARY']._serialized_end=3198 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=3201 - _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=3411 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=3414 - _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=3621 - _globals['_GUILDMEMBER']._serialized_start=3624 - _globals['_GUILDMEMBER']._serialized_end=4091 - _globals['_GETGUILDMEMBERREQUEST']._serialized_start=4093 - _globals['_GETGUILDMEMBERREQUEST']._serialized_end=4187 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=4189 - _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=4270 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=4273 - _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=4818 + _globals['_CAMPAIGN']._serialized_end=1033 + _globals['_COIN']._serialized_start=1035 + _globals['_COIN']._serialized_end=1087 + _globals['_CAMPAIGNUSER']._serialized_start=1090 + _globals['_CAMPAIGNUSER']._serialized_end=1457 + _globals['_PAGING']._serialized_start=1460 + _globals['_PAGING']._serialized_end=1594 + _globals['_CAMPAIGNSREQUEST']._serialized_start=1597 + _globals['_CAMPAIGNSREQUEST']._serialized_end=1778 + _globals['_CAMPAIGNSRESPONSE']._serialized_start=1781 + _globals['_CAMPAIGNSRESPONSE']._serialized_end=1978 + _globals['_CAMPAIGNSV2REQUEST']._serialized_start=1980 + _globals['_CAMPAIGNSV2REQUEST']._serialized_end=2090 + _globals['_CAMPAIGNSV2RESPONSE']._serialized_start=2092 + _globals['_CAMPAIGNSV2RESPONSE']._serialized_end=2203 + _globals['_CAMPAIGNV2']._serialized_start=2206 + _globals['_CAMPAIGNV2']._serialized_end=2785 + _globals['_LISTGUILDSREQUEST']._serialized_start=2788 + _globals['_LISTGUILDSREQUEST']._serialized_end=2919 + _globals['_LISTGUILDSRESPONSE']._serialized_start=2922 + _globals['_LISTGUILDSRESPONSE']._serialized_end=3168 + _globals['_GUILD']._serialized_start=3171 + _globals['_GUILD']._serialized_end=3656 + _globals['_CAMPAIGNSUMMARY']._serialized_start=3659 + _globals['_CAMPAIGNSUMMARY']._serialized_end=4045 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_start=4048 + _globals['_LISTGUILDMEMBERSREQUEST']._serialized_end=4258 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_start=4261 + _globals['_LISTGUILDMEMBERSRESPONSE']._serialized_end=4468 + _globals['_GUILDMEMBER']._serialized_start=4471 + _globals['_GUILDMEMBER']._serialized_end=4938 + _globals['_GETGUILDMEMBERREQUEST']._serialized_start=4940 + _globals['_GETGUILDMEMBERREQUEST']._serialized_end=5034 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_start=5036 + _globals['_GETGUILDMEMBERRESPONSE']._serialized_end=5117 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_start=5120 + _globals['_INJECTIVECAMPAIGNRPC']._serialized_end=5769 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py index d43b921d..bbd22099 100644 --- a/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py +++ b/pyinjective/proto/exchange/injective_campaign_rpc_pb2_grpc.py @@ -25,6 +25,11 @@ def __init__(self, channel): request_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.SerializeToString, response_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.FromString, _registered_method=True) + self.CampaignsV2 = channel.unary_unary( + '/injective_campaign_rpc.InjectiveCampaignRPC/CampaignsV2', + request_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Request.SerializeToString, + response_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Response.FromString, + _registered_method=True) self.ListGuilds = channel.unary_unary( '/injective_campaign_rpc.InjectiveCampaignRPC/ListGuilds', request_serializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.SerializeToString, @@ -60,6 +65,13 @@ def Campaigns(self, request, context): context.set_details('Method not implemented!') raise NotImplementedError('Method not implemented!') + def CampaignsV2(self, request, context): + """List campaigns v2 + """ + context.set_code(grpc.StatusCode.UNIMPLEMENTED) + context.set_details('Method not implemented!') + raise NotImplementedError('Method not implemented!') + def ListGuilds(self, request, context): """List guilds by campaign """ @@ -94,6 +106,11 @@ def add_InjectiveCampaignRPCServicer_to_server(servicer, server): request_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsRequest.FromString, response_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsResponse.SerializeToString, ), + 'CampaignsV2': grpc.unary_unary_rpc_method_handler( + servicer.CampaignsV2, + request_deserializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Request.FromString, + response_serializer=exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Response.SerializeToString, + ), 'ListGuilds': grpc.unary_unary_rpc_method_handler( servicer.ListGuilds, request_deserializer=exchange_dot_injective__campaign__rpc__pb2.ListGuildsRequest.FromString, @@ -175,6 +192,33 @@ def Campaigns(request, metadata, _registered_method=True) + @staticmethod + def CampaignsV2(request, + target, + options=(), + channel_credentials=None, + call_credentials=None, + insecure=False, + compression=None, + wait_for_ready=None, + timeout=None, + metadata=None): + return grpc.experimental.unary_unary( + request, + target, + '/injective_campaign_rpc.InjectiveCampaignRPC/CampaignsV2', + exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Request.SerializeToString, + exchange_dot_injective__campaign__rpc__pb2.CampaignsV2Response.FromString, + options, + channel_credentials, + insecure, + call_credentials, + compression, + wait_for_ready, + timeout, + metadata, + _registered_method=True) + @staticmethod def ListGuilds(request, target, diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py index c00bc488..86c43964 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/genesis_pb2.py @@ -27,7 +27,7 @@ from pyinjective.proto.injective.tokenfactory.v1beta1 import params_pb2 as injective_dot_tokenfactory_dot_v1beta1_dot_params__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xc8\x01\n\x0cGenesisState\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"R\rfactoryDenoms\"\x97\x02\n\x0cGenesisDenom\x12&\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x88\x01\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:\x04\xe8\xa0\x1f\x01\x42\xa0\x02\n\"com.injective.tokenfactory.v1beta1B\x0cGenesisProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n,injective/tokenfactory/v1beta1/genesis.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x36injective/tokenfactory/v1beta1/authorityMetadata.proto\x1a+injective/tokenfactory/v1beta1/params.proto\"\xc8\x01\n\x0cGenesisState\x12\x44\n\x06params\x18\x01 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params\x12r\n\x0e\x66\x61\x63tory_denoms\x18\x02 \x03(\x0b\x32,.injective.tokenfactory.v1beta1.GenesisDenomB\x1d\xc8\xde\x1f\x00\xf2\xde\x1f\x15yaml:\"factory_denoms\"R\rfactoryDenoms\"\xc8\x02\n\x0cGenesisDenom\x12&\n\x05\x64\x65nom\x18\x01 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x88\x01\n\x12\x61uthority_metadata\x18\x02 \x01(\x0b\x32\x36.injective.tokenfactory.v1beta1.DenomAuthorityMetadataB!\xc8\xde\x1f\x00\xf2\xde\x1f\x19yaml:\"authority_metadata\"R\x11\x61uthorityMetadata\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol\x12/\n\x08\x64\x65\x63imals\x18\x05 \x01(\rB\x13\xf2\xde\x1f\x0fyaml:\"decimals\"R\x08\x64\x65\x63imals:\x04\xe8\xa0\x1f\x01\x42\xa0\x02\n\"com.injective.tokenfactory.v1beta1B\x0cGenesisProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -47,10 +47,12 @@ _globals['_GENESISDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' _globals['_GENESISDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_GENESISDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' + _globals['_GENESISDENOM'].fields_by_name['decimals']._loaded_options = None + _globals['_GENESISDENOM'].fields_by_name['decimals']._serialized_options = b'\362\336\037\017yaml:\"decimals\"' _globals['_GENESISDENOM']._loaded_options = None _globals['_GENESISDENOM']._serialized_options = b'\350\240\037\001' _globals['_GENESISSTATE']._serialized_start=204 _globals['_GENESISSTATE']._serialized_end=404 _globals['_GENESISDENOM']._serialized_start=407 - _globals['_GENESISDENOM']._serialized_end=686 + _globals['_GENESISDENOM']._serialized_end=735 # @@protoc_insertion_point(module_scope) diff --git a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py index f665f5b3..3785da84 100644 --- a/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py +++ b/pyinjective/proto/injective/tokenfactory/v1beta1/tx_pb2.py @@ -31,7 +31,7 @@ from pyinjective.proto.amino import amino_pb2 as amino_dot_amino__pb2 -DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xf1\x01\n\x0eMsgCreateDenom\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12/\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"R\x08subdenom\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"\\\n\x16MsgCreateDenomResponse\x12\x42\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"R\rnewTokenDenom\"\xab\x01\n\x07MsgMint\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\xab\x01\n\x07MsgBurn\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xcb\x01\n\x0eMsgChangeAdmin\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12&\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x31\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\"R\x08newAdmin:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xcf\x01\n\x13MsgSetDenomMetadata\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12R\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\"R\x08metadata:9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xc8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x44\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9b\x02\n\"com.injective.tokenfactory.v1beta1B\x07TxProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') +DESCRIPTOR = _descriptor_pool.Default().AddSerializedFile(b'\n\'injective/tokenfactory/v1beta1/tx.proto\x12\x1einjective.tokenfactory.v1beta1\x1a\x14gogoproto/gogo.proto\x1a\x1e\x63osmos/base/v1beta1/coin.proto\x1a\x1e\x63osmos/bank/v1beta1/bank.proto\x1a\x17\x63osmos/msg/v1/msg.proto\x1a\x19\x63osmos_proto/cosmos.proto\x1a+injective/tokenfactory/v1beta1/params.proto\x1a\x11\x61mino/amino.proto\"\xa2\x02\n\x0eMsgCreateDenom\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12/\n\x08subdenom\x18\x02 \x01(\tB\x13\xf2\xde\x1f\x0fyaml:\"subdenom\"R\x08subdenom\x12#\n\x04name\x18\x03 \x01(\tB\x0f\xf2\xde\x1f\x0byaml:\"name\"R\x04name\x12)\n\x06symbol\x18\x04 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"symbol\"R\x06symbol\x12/\n\x08\x64\x65\x63imals\x18\x05 \x01(\rB\x13\xf2\xde\x1f\x0fyaml:\"decimals\"R\x08\x64\x65\x63imals:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/create-denom\"\\\n\x16MsgCreateDenomResponse\x12\x42\n\x0fnew_token_denom\x18\x01 \x01(\tB\x1a\xf2\xde\x1f\x16yaml:\"new_token_denom\"R\rnewTokenDenom\"\xab\x01\n\x07MsgMint\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/mint\"\x11\n\x0fMsgMintResponse\"\xab\x01\n\x07MsgBurn\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12H\n\x06\x61mount\x18\x02 \x01(\x0b\x32\x19.cosmos.base.v1beta1.CoinB\x15\xc8\xde\x1f\x00\xf2\xde\x1f\ryaml:\"amount\"R\x06\x61mount:+\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*\x1binjective/tokenfactory/burn\"\x11\n\x0fMsgBurnResponse\"\xcb\x01\n\x0eMsgChangeAdmin\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12&\n\x05\x64\x65nom\x18\x02 \x01(\tB\x10\xf2\xde\x1f\x0cyaml:\"denom\"R\x05\x64\x65nom\x12\x31\n\tnew_admin\x18\x03 \x01(\tB\x14\xf2\xde\x1f\x10yaml:\"new_admin\"R\x08newAdmin:3\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*#injective/tokenfactory/change-admin\"\x18\n\x16MsgChangeAdminResponse\"\xcf\x01\n\x13MsgSetDenomMetadata\x12)\n\x06sender\x18\x01 \x01(\tB\x11\xf2\xde\x1f\ryaml:\"sender\"R\x06sender\x12R\n\x08metadata\x18\x02 \x01(\x0b\x32\x1d.cosmos.bank.v1beta1.MetadataB\x17\xc8\xde\x1f\x00\xf2\xde\x1f\x0fyaml:\"metadata\"R\x08metadata:9\x82\xe7\xb0*\x06sender\x8a\xe7\xb0*)injective/tokenfactory/set-denom-metadata\"\x1d\n\x1bMsgSetDenomMetadataResponse\"\xc8\x01\n\x0fMsgUpdateParams\x12\x36\n\tauthority\x18\x01 \x01(\tB\x18\xd2\xb4-\x14\x63osmos.AddressStringR\tauthority\x12\x44\n\x06params\x18\x02 \x01(\x0b\x32&.injective.tokenfactory.v1beta1.ParamsB\x04\xc8\xde\x1f\x00R\x06params:7\x82\xe7\xb0*\tauthority\x8a\xe7\xb0*$injective/tokenfactory/update-params\"\x19\n\x17MsgUpdateParamsResponse2\xbf\x05\n\x03Msg\x12u\n\x0b\x43reateDenom\x12..injective.tokenfactory.v1beta1.MsgCreateDenom\x1a\x36.injective.tokenfactory.v1beta1.MsgCreateDenomResponse\x12`\n\x04Mint\x12\'.injective.tokenfactory.v1beta1.MsgMint\x1a/.injective.tokenfactory.v1beta1.MsgMintResponse\x12`\n\x04\x42urn\x12\'.injective.tokenfactory.v1beta1.MsgBurn\x1a/.injective.tokenfactory.v1beta1.MsgBurnResponse\x12u\n\x0b\x43hangeAdmin\x12..injective.tokenfactory.v1beta1.MsgChangeAdmin\x1a\x36.injective.tokenfactory.v1beta1.MsgChangeAdminResponse\x12\x84\x01\n\x10SetDenomMetadata\x12\x33.injective.tokenfactory.v1beta1.MsgSetDenomMetadata\x1a;.injective.tokenfactory.v1beta1.MsgSetDenomMetadataResponse\x12x\n\x0cUpdateParams\x12/.injective.tokenfactory.v1beta1.MsgUpdateParams\x1a\x37.injective.tokenfactory.v1beta1.MsgUpdateParamsResponse\x1a\x05\x80\xe7\xb0*\x01\x42\x9b\x02\n\"com.injective.tokenfactory.v1beta1B\x07TxProtoP\x01ZRgithub.com/InjectiveLabs/injective-core/injective-chain/modules/tokenfactory/types\xa2\x02\x03ITX\xaa\x02\x1eInjective.Tokenfactory.V1beta1\xca\x02\x1eInjective\\Tokenfactory\\V1beta1\xe2\x02*Injective\\Tokenfactory\\V1beta1\\GPBMetadata\xea\x02 Injective::Tokenfactory::V1beta1b\x06proto3') _globals = globals() _builder.BuildMessageAndEnumDescriptors(DESCRIPTOR, _globals) @@ -47,6 +47,8 @@ _globals['_MSGCREATEDENOM'].fields_by_name['name']._serialized_options = b'\362\336\037\013yaml:\"name\"' _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._loaded_options = None _globals['_MSGCREATEDENOM'].fields_by_name['symbol']._serialized_options = b'\362\336\037\ryaml:\"symbol\"' + _globals['_MSGCREATEDENOM'].fields_by_name['decimals']._loaded_options = None + _globals['_MSGCREATEDENOM'].fields_by_name['decimals']._serialized_options = b'\362\336\037\017yaml:\"decimals\"' _globals['_MSGCREATEDENOM']._loaded_options = None _globals['_MSGCREATEDENOM']._serialized_options = b'\202\347\260*\006sender\212\347\260*#injective/tokenfactory/create-denom' _globals['_MSGCREATEDENOMRESPONSE'].fields_by_name['new_token_denom']._loaded_options = None @@ -86,29 +88,29 @@ _globals['_MSG']._loaded_options = None _globals['_MSG']._serialized_options = b'\200\347\260*\001' _globals['_MSGCREATEDENOM']._serialized_start=278 - _globals['_MSGCREATEDENOM']._serialized_end=519 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=521 - _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=613 - _globals['_MSGMINT']._serialized_start=616 - _globals['_MSGMINT']._serialized_end=787 - _globals['_MSGMINTRESPONSE']._serialized_start=789 - _globals['_MSGMINTRESPONSE']._serialized_end=806 - _globals['_MSGBURN']._serialized_start=809 - _globals['_MSGBURN']._serialized_end=980 - _globals['_MSGBURNRESPONSE']._serialized_start=982 - _globals['_MSGBURNRESPONSE']._serialized_end=999 - _globals['_MSGCHANGEADMIN']._serialized_start=1002 - _globals['_MSGCHANGEADMIN']._serialized_end=1205 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1207 - _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1231 - _globals['_MSGSETDENOMMETADATA']._serialized_start=1234 - _globals['_MSGSETDENOMMETADATA']._serialized_end=1441 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1443 - _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1472 - _globals['_MSGUPDATEPARAMS']._serialized_start=1475 - _globals['_MSGUPDATEPARAMS']._serialized_end=1675 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1677 - _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1702 - _globals['_MSG']._serialized_start=1705 - _globals['_MSG']._serialized_end=2408 + _globals['_MSGCREATEDENOM']._serialized_end=568 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_start=570 + _globals['_MSGCREATEDENOMRESPONSE']._serialized_end=662 + _globals['_MSGMINT']._serialized_start=665 + _globals['_MSGMINT']._serialized_end=836 + _globals['_MSGMINTRESPONSE']._serialized_start=838 + _globals['_MSGMINTRESPONSE']._serialized_end=855 + _globals['_MSGBURN']._serialized_start=858 + _globals['_MSGBURN']._serialized_end=1029 + _globals['_MSGBURNRESPONSE']._serialized_start=1031 + _globals['_MSGBURNRESPONSE']._serialized_end=1048 + _globals['_MSGCHANGEADMIN']._serialized_start=1051 + _globals['_MSGCHANGEADMIN']._serialized_end=1254 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_start=1256 + _globals['_MSGCHANGEADMINRESPONSE']._serialized_end=1280 + _globals['_MSGSETDENOMMETADATA']._serialized_start=1283 + _globals['_MSGSETDENOMMETADATA']._serialized_end=1490 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_start=1492 + _globals['_MSGSETDENOMMETADATARESPONSE']._serialized_end=1521 + _globals['_MSGUPDATEPARAMS']._serialized_start=1524 + _globals['_MSGUPDATEPARAMS']._serialized_end=1724 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_start=1726 + _globals['_MSGUPDATEPARAMSRESPONSE']._serialized_end=1751 + _globals['_MSG']._serialized_start=1754 + _globals['_MSG']._serialized_end=2457 # @@protoc_insertion_point(module_scope) diff --git a/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py b/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py index 18cad1f2..71cfe72c 100644 --- a/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py +++ b/tests/client/chain/grpc/test_chain_grpc_token_factory_api.py @@ -105,6 +105,7 @@ async def test_fetch_tokenfactory_module_state( authority_metadata=authority_metadata, name="Dog Wif Nunchucks", symbol="NINJA", + decimals=6, ) state = token_factory_genesis_pb.GenesisState( params=params, @@ -132,6 +133,7 @@ async def test_fetch_tokenfactory_module_state( }, "name": genesis_denom.name, "symbol": genesis_denom.symbol, + "decimals": genesis_denom.decimals, } ], } diff --git a/tests/test_composer.py b/tests/test_composer.py index e6869a0c..e65a872b 100644 --- a/tests/test_composer.py +++ b/tests/test_composer.py @@ -61,12 +61,14 @@ def test_msg_create_denom(self, basic_composer: Composer): subdenom = "inj-test" name = "Injective Test" symbol = "INJTEST" + decimals = 18 message = basic_composer.msg_create_denom( sender=sender, subdenom=subdenom, name=name, symbol=symbol, + decimals=decimals, ) expected_message = { @@ -74,6 +76,7 @@ def test_msg_create_denom(self, basic_composer: Composer): "subdenom": subdenom, "name": name, "symbol": symbol, + "decimals": decimals, } dict_message = json_format.MessageToDict( message=message, From b2c569c3e8998549ad84e37af40da6d72eceb67c Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Mon, 29 Jul 2024 16:02:33 -0300 Subject: [PATCH 61/63] (fix) Updated pyproject version and CHANGELOG.md file --- CHANGELOG.md | 3 ++- pyproject.toml | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c0c4c472..90addb65 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,13 +2,14 @@ All notable changes to this project will be documented in this file. -## [1.6.0] - 9999-99-99 +## [1.6.0] - 2024-07-30 ### Added - Support for all queries in the chain "tendermint" module - Support for all queries in the "IBC Transfer" module - Support for all queries in the "IBC Channel" module - Support for all queries in the "IBC Client" module - Support for all queries in the "IBC Connection" module +- Support for all queries and messages in the chain "permissions" module - Tokens initialization from the official tokens list in https://github.com/InjectiveLabs/injective-lists ### Changed diff --git a/pyproject.toml b/pyproject.toml index 3222392c..ee970d96 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -1,6 +1,6 @@ [tool.poetry] name = "injective-py" -version = "1.6.0-rc1" +version = "1.6.0" description = "Injective Python SDK, with Exchange API Client" authors = ["Injective Labs "] license = "Apache-2.0" From 6bc6d27687cfd3bab21aa33e3b1f003adc7299b4 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Tue, 30 Jul 2024 12:06:22 -0300 Subject: [PATCH 62/63] (fix) Fixed an issue in the code that loads tokens from the official tokens list. Regenerated the denoms INI files --- pyinjective/async_client.py | 2 +- pyinjective/denoms_devnet.ini | 158 +- pyinjective/denoms_mainnet.ini | 15991 ++++++++++++++++++------------- pyinjective/denoms_testnet.ini | 202 +- 4 files changed, 9575 insertions(+), 6778 deletions(-) diff --git a/pyinjective/async_client.py b/pyinjective/async_client.py index 6ba0e7a9..af27080b 100644 --- a/pyinjective/async_client.py +++ b/pyinjective/async_client.py @@ -3437,7 +3437,7 @@ async def _tokens_from_official_lists( for token in tokens: if token.denom is not None and token.denom != "" and token.denom not in tokens_by_denom: - unique_symbol = token.symbol + unique_symbol = token.denom for symbol_candidate in [token.symbol, token.name]: if symbol_candidate not in tokens_by_symbol: unique_symbol = symbol_candidate diff --git a/pyinjective/denoms_devnet.ini b/pyinjective/denoms_devnet.ini index c49c4e14..f01ccd09 100644 --- a/pyinjective/denoms_devnet.ini +++ b/pyinjective/denoms_devnet.ini @@ -348,12 +348,12 @@ peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x decimals = 18 [ASTRO] -peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +peggy_denom = ibc/E8AC6B792CDE60AB208CA060CA010A3881F682A7307F624347AB71B6A0B0BF89 decimals = 6 [ATOM] -peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB -decimals = 6 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/atom +decimals = 8 [AUTISM] peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism @@ -408,8 +408,8 @@ peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be decimals = 6 [BINJ] -peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj -decimals = 6 +peggy_denom = factory/inj10q36ygr0pkz7ezajcnjd2f0tat5n737yg6g6d5/binj +decimals = 18 [BITS] peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/bits @@ -524,7 +524,7 @@ peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/cock decimals = 6 [COKE] -peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/coke decimals = 6 [COMP] @@ -580,7 +580,7 @@ peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/dojo decimals = 6 [DOT] -peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 decimals = 10 [DREAM] @@ -600,7 +600,7 @@ peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 decimals = 18 [ELON] -peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +peggy_denom = inj10pqutl0av9ltrw9jq8d3wjwjayvz76jhfcfza0 decimals = 6 [ENA] @@ -728,7 +728,7 @@ peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel decimals = 6 [INJ] -peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +peggy_denom = inj decimals = 18 [INJECT] @@ -812,7 +812,7 @@ peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/kinja decimals = 6 [KIRA] -peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/kira decimals = 6 [KPEPE] @@ -840,7 +840,7 @@ peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA decimals = 18 [LIOR] -peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +peggy_denom = factory/inj1cjus5ragdkvpmt627fw7wkj2ydsra9s0vap4zx/lior decimals = 6 [LUNA] @@ -876,7 +876,7 @@ peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/mila decimals = 6 [MILK] -peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +peggy_denom = factory/inj1fpl63h7at2epr55yn5svmqkq4fkye32vmxq8ry/milk decimals = 6 [MOONIFY] @@ -928,7 +928,7 @@ peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 decimals = 6 [NOBI] -peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/nobi decimals = 6 [NOBITCHES] @@ -1052,7 +1052,7 @@ peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy decimals = 6 [PYUSD] -peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +peggy_denom = ibc/4367FD29E33CDF0487219CD3E88D8C432BD4C2776C0C1034FF05A3E6451B8B11 decimals = 6 [Phuc] @@ -1076,8 +1076,8 @@ peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt decimals = 18 [QAT] -peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 -decimals = 18 +peggy_denom = inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen +decimals = 8 [QNT] peggy_denom = peggy0x4a220e6096b25eadb88358cb44068a3248254675 @@ -1140,7 +1140,7 @@ peggy_denom = inj1300xcg9naqy00fujsr9r8alwk7dh65uqu87xm8 decimals = 18 [SHURIKEN] -peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +peggy_denom = factory/inj1gflhshg8yrk8rrr3sgswhmsnygw9ghzdsn05a0/shuriken decimals = 6 [SKIPBIDIDOBDOBDOBYESYESYESYES] @@ -1324,7 +1324,7 @@ peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk decimals = 6 [USDC] -peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/usdc decimals = 6 [USDC-MPL] @@ -1340,7 +1340,7 @@ peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu decimals = 6 [USDCet] -peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk decimals = 6 [USDCgateway] @@ -1408,8 +1408,8 @@ peggy_denom = ibc/C643B73073217F778DD7BDCB74C7EBCEF8E7EF81614FFA3C1C31861221AA9C decimals = 0 [Unknown] -peggy_denom = ibc/88C49ADE2E583244058E4786C9FAE1AC431D55289EE31D59DDCC45201A60B82E -decimals = 0 +peggy_denom = ibc/078184C66B073F0464BA0BBD736DD601A0C637F9C42B592DDA5D6A95289D99A4 +decimals = 6 [VATRENI] peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay @@ -1579,10 +1579,26 @@ decimals = 8 peggy_denom = factory/inj153e2w8u77h4ytrhgry846k5t8n9uea8xtal6d7/lp decimals = 0 +[factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kira] +peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kira +decimals = 6 + +[factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj] +peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj +decimals = 6 + [factory/inj1lv0mhwcu3y4p9av5nafct8j7y4ag6lmlfuxuy3/lp] peggy_denom = factory/inj1lv0mhwcu3y4p9av5nafct8j7y4ag6lmlfuxuy3/lp decimals = 0 +[factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/lior] +peggy_denom = factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/lior +decimals = 6 + +[factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +decimals = 6 + [factory/inj1uukt3kqela4vsllvrqnrgllkna5wn3cm588w6k/inj1kwdranvwf6vl2grh99layugwdnph6um2e8k25g] peggy_denom = factory/inj1uukt3kqela4vsllvrqnrgllkna5wn3cm588w6k/inj1kwdranvwf6vl2grh99layugwdnph6um2e8k25g decimals = 0 @@ -1607,10 +1623,58 @@ decimals = 0 peggy_denom = factory/inj1wug8sewp6cedgkmrmvhl3lf3tulagm9h5uhctd/lpinj1w798gp0zqv3s9hjl3jlnwxtwhykga6rnx4llty decimals = 0 +[factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + +[factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +decimals = 6 + +[factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + +[factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken] +peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +decimals = 6 + [hINJ] peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc decimals = 18 +[ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E] +peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E +decimals = 6 + +[ibc/4457C4FE143DA253CBBE998681F090B51F67E0A6AFDC8D9347516DB519712C2F] +peggy_denom = ibc/4457C4FE143DA253CBBE998681F090B51F67E0A6AFDC8D9347516DB519712C2F +decimals = 0 + +[ibc/88C49ADE2E583244058E4786C9FAE1AC431D55289EE31D59DDCC45201A60B82E] +peggy_denom = ibc/88C49ADE2E583244058E4786C9FAE1AC431D55289EE31D59DDCC45201A60B82E +decimals = 0 + +[ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839] +peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +decimals = 6 + +[inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw] +peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +decimals = 6 + +[inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku] +peggy_denom = inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku +decimals = 18 + +[inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +decimals = 6 + +[inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4] +peggy_denom = inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 +decimals = 8 + [lootbox1] peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/lootbox1 decimals = 0 @@ -1635,6 +1699,46 @@ decimals = 6 peggy_denom = inj1kehk5nvreklhylx22p3x0yjydfsz9fv3fvg5xt decimals = 18 +[peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +decimals = 8 + +[peggy0x43123e1d077351267113ada8bE85A058f5D492De] +peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +decimals = 6 + +[peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7] +peggy_denom = peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7 +decimals = 0 + +[peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369] +peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 +decimals = 18 + +[peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB] +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +decimals = 6 + +[peggy0xBe8d71D26525440A03311cc7fa372262c5354A3c] +peggy_denom = peggy0xBe8d71D26525440A03311cc7fa372262c5354A3c +decimals = 18 + +[peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[peggy0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2] +peggy_denom = peggy0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2 +decimals = 18 + +[peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30] +peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +decimals = 18 + [proj] peggy_denom = proj decimals = 18 @@ -1731,13 +1835,17 @@ decimals = 18 peggy_denom = peggy0xae7ab96520DE3A18E5e111B5EaAb095312D7fE84 decimals = 18 +[unknown] +peggy_denom = unknown +decimals = 0 + [wBTC] -peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 -decimals = 8 +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku +decimals = 18 [wETH] -peggy_denom = peggy0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2 -decimals = 18 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/weth +decimals = 8 [wUSDM] peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 diff --git a/pyinjective/denoms_mainnet.ini b/pyinjective/denoms_mainnet.ini index 7716e5e7..9a76e299 100644 --- a/pyinjective/denoms_mainnet.ini +++ b/pyinjective/denoms_mainnet.ini @@ -119,8 +119,8 @@ min_display_quantity_tick_size = 0.001 description = 'Mainnet Spot WETH/USDT' base = 18 quote = 6 -min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 +min_price_tick_size = 0.0000000000001 +min_display_price_tick_size = 0.1 min_quantity_tick_size = 1000000000000000 min_display_quantity_tick_size = 0.001 @@ -191,8 +191,8 @@ min_display_quantity_tick_size = 0.01 description = 'Mainnet Spot ATOM/USDT' base = 6 quote = 6 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.01 +min_price_tick_size = 0.001 +min_display_price_tick_size = 0.001 min_quantity_tick_size = 10000 min_display_quantity_tick_size = 0.01 @@ -200,11 +200,20 @@ min_display_quantity_tick_size = 0.01 description = 'Mainnet Spot GF/USDT' base = 18 quote = 6 -min_price_tick_size = 0.000000000000001 -min_display_price_tick_size = 0.001 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 min_quantity_tick_size = 1000000000000000 min_display_quantity_tick_size = 0.001 +[0xdce84d5e9c4560b549256f34583fb4ed07c82026987451d5da361e6e238287b3] +description = 'Mainnet Spot LUNA/UST' +base = 6 +quote = 18 +min_price_tick_size = 0.00000001 +min_display_price_tick_size = 0.00000000000000000001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + [0x0f1a11df46d748c2b20681273d9528021522c6a0db00de4684503bbd53bef16e] description = 'Mainnet Spot UST/USDT' base = 18 @@ -214,15 +223,6 @@ min_display_price_tick_size = 100000000 min_quantity_tick_size = 10000 min_display_quantity_tick_size = 0.00000000000001 -[0xdce84d5e9c4560b549256f34583fb4ed07c82026987451d5da361e6e238287b3] -description = 'Mainnet Spot LUNA/UST' -base = 6 -quote = 18 -min_price_tick_size = 0.01 -min_display_price_tick_size = 0.00000000000001 -min_quantity_tick_size = 100000 -min_display_quantity_tick_size = 0.1 - [0xfbc729e93b05b4c48916c1433c9f9c2ddb24605a73483303ea0f87a8886b52af] description = 'Mainnet Spot INJ/UST' base = 18 @@ -277,10715 +277,13204 @@ min_display_price_tick_size = 0.0001 min_quantity_tick_size = 1000 min_display_quantity_tick_size = 0.001 -[0x4ca0f92fc28be0c9761326016b5a1a2177dd6375558365116b5bdda9abc229ce] -description = 'Mainnet Derivative BTC/USDT PERP' -base = 0 -quote = 6 -min_price_tick_size = 100000 -min_display_price_tick_size = 0.1 -min_quantity_tick_size = 0.0001 -min_display_quantity_tick_size = 0.0001 - -[0x54d4505adef6a5cef26bc403a33d595620ded4e15b9e2bc3dd489b714813366a] -description = 'Mainnet Derivative ETH/USDT PERP' -base = 0 +[0xd5f5895102b67300a2f8f2c2e4b8d7c4c820d612bc93c039ba8cb5b93ccedf22] +description = 'Mainnet Spot DOT/USDT' +base = 10 quote = 6 -min_price_tick_size = 10000 +min_price_tick_size = 0.000001 min_display_price_tick_size = 0.01 -min_quantity_tick_size = 0.01 +min_quantity_tick_size = 100000000 min_display_quantity_tick_size = 0.01 -[0x1c79dac019f73e4060494ab1b4fcba734350656d6fc4d474f6a238c13c6f9ced] -description = 'Mainnet Derivative BNB/USDT PERP' -base = 0 +[0xabc20971099f5df5d1de138f8ea871e7e9832e3b0b54b61056eae15b09fed678] +description = 'Mainnet Spot USDC/USDT' +base = 6 quote = 6 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.01 -min_quantity_tick_size = 0.01 -min_display_quantity_tick_size = 0.01 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 -[0x9b9980167ecc3645ff1a5517886652d94a0825e54a77d2057cbbe3ebee015963] -description = 'Mainnet Derivative INJ/USDT PERP' -base = 0 +[0xcd4b823ad32db2245b61bf498936145d22cdedab808d2f9d65100330da315d29] +description = 'Mainnet Spot STRD/USDT' +base = 6 quote = 6 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.001 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000 min_display_quantity_tick_size = 0.001 -[0x8158e603fb80c4e417696b0e98765b4ca89dcf886d3b9b2b90dc15bfb1aebd51] -description = 'Mainnet Derivative LUNA/UST PERP' -base = 0 -quote = 18 -min_price_tick_size = 10000 -min_display_price_tick_size = 0.00000000000001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 +[0x4807e9ac33c565b4278fb9d288bd79546abbf5a368dfc73f160fe9caa37a70b1] +description = 'Mainnet Spot axlUSDC/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 -[0xc559df216747fc11540e638646c384ad977617d6d8f0ea5ffdfc18d52e58ab01] -description = 'Mainnet Derivative ATOM/USDT PERP' -base = 0 +[0xe03df6e1571acb076c3d8f22564a692413b6843ad2df67411d8d8e56449c7ff4] +description = 'Mainnet Spot CRE/USDT' +base = 6 quote = 6 -min_price_tick_size = 1000 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000 +min_display_quantity_tick_size = 0.001 + +[0x219b522871725d175f63d5cb0a55e95aa688b1c030272c5ae967331e45620032] +description = 'Mainnet Spot SteadyETH/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.000000000000001 min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 +min_quantity_tick_size = 10000000000000000 min_display_quantity_tick_size = 0.01 -[0xc60c2ba4c11976e4c10ed7c1f5ca789b63282d0b3782ec3d7fc29dec9f43415e] -description = 'Mainnet Derivative STX/USDT PERP' -base = 0 +[0x510855ccf9148b47c6114e1c9e26731f9fd68a6f6dbc5d148152d02c0f3e5ce0] +description = 'Mainnet Spot SteadyBTC/USDT' +base = 18 quote = 6 -min_price_tick_size = 1000 +min_price_tick_size = 0.000000000000001 min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.1 -min_display_quantity_tick_size = 0.1 - -[0x2d1fc1ebff7cae29d6f85d3a2bb7f3f6f2bab12a25d6cc2834bcb06d7b08fd74] -description = 'Mainnet Derivative BAYC/WETH PERP' -base = 0 -quote = 18 -min_price_tick_size = 100000000000000 -min_display_price_tick_size = 0.0001 -min_quantity_tick_size = 0.0001 -min_display_quantity_tick_size = 0.0001 - -[0x8c7fd5e6a7f49d840512a43d95389a78e60ebaf0cde1af86b26a785eb23b3be5] -description = 'Mainnet Derivative OSMO/UST PERP' -base = 0 -quote = 18 -min_price_tick_size = 1000 -min_display_price_tick_size = 0.000000000000001 -min_quantity_tick_size = 0.01 +min_quantity_tick_size = 10000000000000000 min_display_quantity_tick_size = 0.01 -[0xcf18525b53e54ad7d27477426ade06d69d8d56d2f3bf35fe5ce2ad9eb97c2fbc] -description = 'Mainnet Derivative OSMO/USDT PERP' -base = 0 +[0x2021159081a88c9a627c66f770fb60c7be78d492509c89b203e1829d0413995a] +description = 'Mainnet Spot ETHBTCTrend/USDT' +base = 18 quote = 6 -min_price_tick_size = 1000 +min_price_tick_size = 0.000000000000001 min_display_price_tick_size = 0.001 -min_quantity_tick_size = 0.01 +min_quantity_tick_size = 10000000000000000 min_display_quantity_tick_size = 0.01 -[ tether] -peggy_denom = inj1wpeh7cm7s0mj7m3x6vrf5hvxfx2xusz5l27evk -decimals = 18 - -[$ALIEN] -peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN -decimals = 6 +[0x0686357b934c761784d58a2b8b12618dfe557de108a220e06f8f6580abb83aab] +description = 'Mainnet Spot SOMM/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 -[$AOI] -peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/$aoi -decimals = 6 +[0x84ba79ffde31db8273a9655eb515cb6cadfdf451b8f57b83eb3f78dca5bbbe6d] +description = 'Mainnet Spot SOL/USDC' +base = 8 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 0.01 -[$Babykira] -peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/BABYKIRA -decimals = 6 +[0xb825e2e4dbe369446e454e21c16e041cbc4d95d73f025c369f92210e82d2106f] +description = 'Mainnet Spot USDCso/USDCet' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100 +min_display_quantity_tick_size = 0.0001 -[$NINJA] -peggy_denom = inj1yngv6had7vm443k220q9ttg0sc4zkpdwp70fmq -decimals = 6 +[0xf66f797a0ff49bd2170a04d288ca3f13b5df1c822a7b0cc4204aca64a5860666] +description = 'Mainnet Spot USDC/USDCet' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100 +min_display_quantity_tick_size = 0.0001 -[$TunaSniper] -peggy_denom = inj1nmzj7jartqsex022j3kkkszeayypqkzl5vpe59 -decimals = 8 +[0xda0bb7a7d8361d17a9d2327ed161748f33ecbf02738b45a7dd1d812735d1531c] +description = 'Mainnet Spot USDT/USDC' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100 +min_display_quantity_tick_size = 0.0001 -[$WIF] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl -decimals = 8 +[0x4fa0bd2c2adbfe077f58395c18a72f5cbf89532743e3bddf43bc7aba706b0b74] +description = 'Mainnet Spot CHZ/USDC' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 1 -[$wifs] -peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoes -decimals = 6 +[0xa7fb70ac87e220f3ea7f7f77faf48b47b3575a9f7ad22291f04a02799e631ca9] +description = 'Mainnet Spot CANTO/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000000000000000 +min_display_quantity_tick_size = 10 -[...] -peggy_denom = factory/inj1jj7z2f69374z6lmph44ztnxghgczyylqgc7tzw/dot -decimals = 6 +[0x7fce43f1140df2e5f16977520629e32a591939081b59e8fbc1e1c4ddfa77a044] +description = 'Mainnet Spot LDO/USDC' +base = 6 +quote = 8 +min_price_tick_size = 0.1 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 1000 +min_display_quantity_tick_size = 0.001 -[0XGNSS] -peggy_denom = inj1cfv8rrcete7vengcken0mjqt8q75vpcc0j0my5 -decimals = 8 +[0x66a113e1f0c57196985f8f1f1cfce2f220fa0a96bca39360c70b6788a0bc06e0] +description = 'Mainnet Spot LDO/USDC' +base = 8 +quote = 6 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.001 -[1INCH] -peggy_denom = peggy0x111111111117dC0aa78b770fA6A738034120C302 -decimals = 18 +[0x4b29b6df99d73920acdc56962050786ac950fcdfec6603094b63cd38cad5197e] +description = 'Mainnet Spot PUG/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000 +min_display_quantity_tick_size = 0.0001 -[2024MEME] -peggy_denom = inj1m2w8aenm3365w8t4x7jvpassk9ju7xq3snahhh -decimals = 8 +[0x1bba49ea1eb64958a19b66c450e241f17151bc2e5ea81ed5e2793af45598b906] +description = 'Mainnet Spot ARB/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 0.1 -[4] -peggy_denom = ibc/F9823EBB2D7E55C5998A51A6AC1572451AB81CE1421E9AEF841902D78EA7B5AD -decimals = 0 +[0xba33c2cdb84b9ad941f5b76c74e2710cf35f6479730903e93715f73f2f5d44be] +description = 'Mainnet Spot WMATIC/USDC' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 0.1 -[79228162514264337593543950342] -peggy_denom = ibc/80A315889AFA247F37386C42CC38EAAF25B8C7B8DA8FC5EC5D7EEC72DCE9B3D0 -decimals = 0 +[0xb9a07515a5c239fcbfa3e25eaa829a03d46c4b52b9ab8ee6be471e9eb0e9ea31] +description = 'Mainnet Spot WMATIC/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 0.1 -[AAAA] -peggy_denom = inj1wlrndkkyj90jsp9mness2kqp5x0huzuhuhx28d -decimals = 18 +[0xce1829d4942ed939580e72e66fd8be3502396fc840b6d12b2d676bdb86542363] +description = 'Mainnet Spot stINJ/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000000000000 +min_display_quantity_tick_size = 0.001 -[AAVE] -peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 -decimals = 18 +[0xa04adeed0f09ed45c73b344b520d05aa31eabe2f469dcbb02a021e0d9d098715] +description = 'Mainnet Spot ORAI/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 -[ABC] -peggy_denom = factory/inj13njxly446jm3gd8y84qnk3sm6wu0pjjc47mwl6/ABC -decimals = 6 +[0xe8fe754e16233754e2811c36aca89992e35951cfd61376f1cbdc44be6ac8d3fb] +description = 'Mainnet Spot NEOK/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000000 +min_display_quantity_tick_size = 0.1 -[ADA] -peggy_denom = inj1vla438tlw69h93crmq3wq9l79d6cqwecqef3ps -decimals = 18 +[0x2d8b2a2bef3782b988e16a8d718ea433d6dfebbb3b932975ca7913589cb408b5] +description = 'Mainnet Spot KAVA/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0xbf94d932d1463959badee52ffbeb2eeeeeda750e655493e909ced540c375a277] +description = 'Mainnet Spot USDTkv/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x35fd4fa9291ea68ce5eef6e0ea8567c7744c1891c2059ef08580ba2e7a31f101] +description = 'Mainnet Spot TIA/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.001 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x21f3eed62ddc64458129c0dcbff32b3f54c92084db787eb5cf7c20e69a1de033] +description = 'Mainnet Spot TALIS/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0xf09dd242aea343afd7b6644151bb00d1b8770d842881009bea867658602b6bf0] +description = 'Mainnet Spot TALIS/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0x6922cf4383294c673971dd06aa4ae5ef47f65cb4f1ec1c2af4271c5e5ca67486] +description = 'Mainnet Spot KUJI/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.001 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0xa6ec1de114a5ffa85b6b235144383ce51028a1c0c2dee7db5ff8bf14d5ca0d49] +description = 'Mainnet Spot PYTH/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0x75f6a79b552dac417df219ab384be19cb13b53dec7cf512d73a965aee8bc83af] +description = 'Mainnet Spot USDY/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000000 +min_display_quantity_tick_size = 0.1 + +[0x689ea50a30b0aeaf162e57100fefe5348a00099774f1c1ebcd90c4b480fda46a] +description = 'Mainnet Spot WHALE/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0xac938722067b1dfdfbf346d2434573fb26cb090d309b19af17df2c6827ceb32c] +description = 'Mainnet Spot SOL/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 0.01 + +[0x2d3b8d8833dda54a717adea9119134556848105fd6028e9a4a526e4e5a122a57] +description = 'Mainnet Spot KIRA/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 1000000000 +min_display_quantity_tick_size = 1000 + +[0xdf9317eac1739a23bc385e264afde5d480c0b3d2322660b5efd206071d4e70b7] +description = 'Mainnet Spot NINJA/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0x4bb3426a2d7ba80c244ef7eecfd7c4fd177d78e63ff40ba6235b1ae471e23cdb] +description = 'Mainnet Spot KATANA/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 1000000000 +min_display_quantity_tick_size = 1000 + +[0x23983c260fc8a6627befa50cfc0374feef834dc1dc90835238c8559cc073e08f] +description = 'Mainnet Spot BRETT/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0x6de141d12691dd13fffcc4e3ceeb09191ff445e1f10dfbecedc63a1e365fb6cd] +description = 'Mainnet Spot ZIG/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000000000000000 +min_display_quantity_tick_size = 10 + +[0x02b56c5e6038f0dd795efb521718b33412126971608750538409f4b81ab5da2f] +description = 'Mainnet Spot nINJ/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000000000000 +min_display_quantity_tick_size = 0.001 + +[0xb6c24e9a586a50062f2fac059ddd79f8b0cf1c101e263f4b2c7484b0e20d2899] +description = 'Mainnet Spot GINGER/INJ' +base = 6 +quote = 18 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0000000001 +min_quantity_tick_size = 10000000000 +min_display_quantity_tick_size = 10000 + +[0x9b13c89f8f10386b61dd3a58aae56d5c7995133534ed65ac9835bb8d54890961] +description = 'Mainnet Spot SNOWY/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0xb3f38c081a1817bb0fc717bf869e93f5557c10851db4e15922e1d9d2297bd802] +description = 'Mainnet Spot AUTISM/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 10 + +[0xd0ba680312852ffb0709446fff518e6c4d798fb70cfd2699aba3717a2517cfd5] +description = 'Mainnet Spot APP/INJ' +base = 18 +quote = 6 +min_price_tick_size = 0.000000000000000001 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000000000000000 +min_display_quantity_tick_size = 10 + +[0x05288e393771f09c923d1189e4265b7c2646b6699f08971fd2adf0bfd4b1ce7a] +description = 'Mainnet Spot APP/INJ ' +base = 18 +quote = 18 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000000000000000 +min_display_quantity_tick_size = 10 + +[0xe6dd9895b169e2ca0087fcb8e8013805d06c3ed8ffc01ccaa31c710eef14a984] +description = 'Mainnet Spot DOJO/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 10000000000000000000 +min_display_quantity_tick_size = 10 + +[0x0a1366c8b05658c0ccca6064e4b20aacd5ad350c02debd6ec0f4dc9178145d14] +description = 'Mainnet Spot GYEN/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 100 + +[0x9c8a91a894f773792b1e8d0b6a8224a6b748753738e9945020ee566266f817be] +description = 'Mainnet Spot USDCnb/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x9c42d763ba5135809ac4684b02082e9c880d69f6b96d258fe4c172396e9af7be] +description = 'Mainnet Spot ANDR/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000000 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x1b1e062b3306f26ae3af3c354a10c1cf38b00dcb42917f038ba3fc14978b1dd8] +description = 'Mainnet Spot hINJ/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000000000000 +min_display_quantity_tick_size = 0.001 + +[0x959c9401a557ac090fff3ec11db5a1a9832e51a97a41b722d2496bb3cb0b2f72] +description = 'Mainnet Spot ANDR/INJ' +base = 6 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0x697457537bc2af5ff652bc0616fe23537437a570d0e4d91566f03af279e095d5] +description = 'Mainnet Spot PHUC/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 1000000000 +min_display_quantity_tick_size = 1000 + +[0x42edf70cc37e155e9b9f178e04e18999bc8c404bd7b638cc4cbf41da8ef45a21] +description = 'Mainnet Spot QUNT/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 100 + +[0x586409ac5f6d6e90a81d2585b9a8e76de0b4898d5f2c047d0bc025a036489ba1] +description = 'Mainnet Spot WHALE/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0x1af8fa374392dc1bd6331f38f0caa424a39b05dd9dfdc7a2a537f6f62bde50fe] +description = 'Mainnet Spot USDe/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000000 +min_display_quantity_tick_size = 0.1 + +[0xc8fafa1fcab27e16da20e98b4dc9dda45320418c27db80663b21edac72f3b597] +description = 'Mainnet Spot HDRO/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0xb965ebede42e67af153929339040e650d5c2af26d6aa43382c110d943c627b0a] +description = 'Mainnet Spot PYTH/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000000 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x25b545439f8e072856270d4b5ca94764521c4111dd9a2bbb5fbc96d2ab280f13] +description = 'Mainnet Spot PYTH/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000000 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0xeb95ab0b5416266b1987f1d46bcd5f63addeac68bbf5a089c5ed02484c97b6a3] +description = 'Mainnet Spot LVN/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0x85ccdb2b6022b0586da19a2de0a11ce9876621630778e28a5d534464cbfff238] +description = 'Mainnet Spot NONJA/INJ' +base = 18 +quote = 18 +min_price_tick_size = 0.00000001 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 100000000000000000000 +min_display_quantity_tick_size = 100 + +[0xd9089235d2c1b07261cbb2071f4f5a7f92fa1eca940e3cad88bb671c288a972f] +description = 'Mainnet Spot SOL/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.0001 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 0.01 + +[0x8cd25fdc0d7aad678eb998248f3d1771a2d27c964a7630e6ffa5406de7ea54c1] +description = 'Mainnet Spot WMATIC/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 0.1 + +[0x1c2e5b1b4b1269ff893b4817a478fba6095a89a3e5ce0cccfcafa72b3941eeb6] +description = 'Mainnet Spot ARB/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 10000000 +min_display_quantity_tick_size = 0.1 + +[0xd5ef157b855101a19da355aee155a66f3f2eea7baca787bd27597f5182246da4] +description = 'Mainnet Spot STRD/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000000 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x1f5d69fc3d063e2a130c29943a0c83c3e79c2ba897fe876fcd82c51ab2ea61de] +description = 'Mainnet Spot sUSDe/USDe' +base = 18 +quote = 18 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 100000000000000 +min_display_quantity_tick_size = 0.0001 + +[0x6ad662364885b8a4c50edfc88deeef23338b2bd0c1e4dc9b680b054afc9b6b24] +description = 'Mainnet Spot ENA/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1000000000000000000 +min_display_quantity_tick_size = 1 + +[0xb03ead807922111939d1b62121ae2956cf6f0a6b03dfdea8d9589c05b98f670f] +description = 'Mainnet Spot BONUS/USDT' +base = 8 +quote = 6 +min_price_tick_size = 0.000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 1 + +[0x35a83ec8948babe4c1b8fbbf1d93f61c754fedd3af4d222fe11ce2a294cd74fb] +description = 'Mainnet Spot W/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.001 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0x315e5cd5ee24b3a1e1396679885b5e42bbe18045105d1662c6618430a131d117] +description = 'Mainnet Spot XIII/INJ' +base = 6 +quote = 18 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 100 + +[0xd166688623206f9931307285678e9ff17cecd80a27d7b781dd88cecfba3b1839] +description = 'Mainnet Spot BLACK/INJ' +base = 6 +quote = 18 +min_price_tick_size = 1000000 +min_display_price_tick_size = 0.000001 +min_quantity_tick_size = 1000000 +min_display_quantity_tick_size = 1 + +[0x2be72879bb90ec8cbbd7510d0eed6a727f6c2690ce7f1397982453d552f9fe8f] +description = 'Mainnet Spot OMNI/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.00000000000001 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 10000000000000000 +min_display_quantity_tick_size = 0.01 + +[0xbd370d025c3693e8d658b44afe8434fa61cbc94178d0871bffd49e25773ef879] +description = 'Mainnet Spot ASG/INJ' +base = 8 +quote = 18 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.0000001 +min_quantity_tick_size = 100000000 +min_display_quantity_tick_size = 1 + +[0xacb0dc21cddb15b686f36c3456f4223f701a2afa382006ef478d156439483b4d] +description = 'Mainnet Spot EZETH/WETH' +base = 18 +quote = 18 +min_price_tick_size = 0.00001 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 10000000000000 +min_display_quantity_tick_size = 0.00001 + +[0x960038a93b70a08f1694c4aa5c914afda329063191e65a5b698f9d0676a0abf9] +description = 'Mainnet Spot SAGA/USDT' +base = 6 +quote = 6 +min_price_tick_size = 0.001 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 100000 +min_display_quantity_tick_size = 0.1 + +[0xca8121ea57a4f7fd3e058fa1957ebb69b37d52792e49b0b43932f1b9c0e01f8b] +description = 'Mainnet Spot wUSDM/USDT' +base = 18 +quote = 6 +min_price_tick_size = 0.0000000000000001 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 100000000000000000 +min_display_quantity_tick_size = 0.1 + +[0x4ca0f92fc28be0c9761326016b5a1a2177dd6375558365116b5bdda9abc229ce] +description = 'Mainnet Derivative BTC/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000000 +min_display_price_tick_size = 1 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 + +[0x54d4505adef6a5cef26bc403a33d595620ded4e15b9e2bc3dd489b714813366a] +description = 'Mainnet Derivative ETH/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100000 +min_display_price_tick_size = 0.1 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x1c79dac019f73e4060494ab1b4fcba734350656d6fc4d474f6a238c13c6f9ced] +description = 'Mainnet Derivative BNB/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x9b9980167ecc3645ff1a5517886652d94a0825e54a77d2057cbbe3ebee015963] +description = 'Mainnet Derivative INJ/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.001 +min_display_quantity_tick_size = 0.001 + +[0xc559df216747fc11540e638646c384ad977617d6d8f0ea5ffdfc18d52e58ab01] +description = 'Mainnet Derivative ATOM/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x8c7fd5e6a7f49d840512a43d95389a78e60ebaf0cde1af86b26a785eb23b3be5] +description = 'Mainnet Derivative OSMO/UST PERP' +base = 0 +quote = 18 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.000000000000001 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0xcf18525b53e54ad7d27477426ade06d69d8d56d2f3bf35fe5ce2ad9eb97c2fbc] +description = 'Mainnet Derivative OSMO/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x06c5a306492ddc2b8dc56969766959163287ed68a6b59baa2f42330dda0aebe0] +description = 'Mainnet Derivative SOL/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.001 +min_display_quantity_tick_size = 0.001 + +[0x3b7fb1d9351f7fa2e6e0e5a11b3639ee5e0486c33a6a74f629c3fc3c3043efd5] +description = 'Mainnet Derivative BONK/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 0.01 +min_display_price_tick_size = 0.00000001 +min_quantity_tick_size = 10000 +min_display_quantity_tick_size = 10000 + +[0xcd0c859a99f26bb3530e21890937ed77d20754aa7825a599c71710514fc125ef] +description = 'Mainnet Derivative 1MPEPE/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x63bafbeee644b6606afb8476dd378fba35d516c7081d6045145790af963545aa] +description = 'Mainnet Derivative XRP/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x1afa358349b140e49441b6e68529578c7d2f27f06e18ef874f428457c0aaeb8b] +description = 'Mainnet Derivative SEI/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x4fe7aff4dd27be7cbb924336e7fe2d160387bb1750811cf165ce58d4c612aebb] +description = 'Mainnet Derivative AXL/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x887beca72224f88fb678a13a1ae91d39c53a05459fd37ef55005eb68f745d46d] +description = 'Mainnet Derivative PYTH/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x9066bfa1bd97685e0df4e22a104f510fb867fde7f74a52f3341c7f5f56eb889c] +description = 'Mainnet Derivative TIA/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x7a70d95e24ba42b99a30121e6a4ff0d6161847d5b86cbfc3d4b3a81d8e190a70] +description = 'Mainnet Derivative ZRO/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x03841e74624fd885d1ee28453f921d18c211e78a0d7646c792c7903054eb152c] +description = 'Mainnet Derivative JUP/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x30a1463cfb4c393c80e257ab93118cecd73c1e632dc4d2d31c12a51bc0a70bd7] +description = 'Mainnet Derivative AVAX/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x18b2ca44b3d20a3b87c87d3765669b09b73b5e900693896c08394c70e79ab1e7] +description = 'Mainnet Derivative SUI/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x1a6d3a59f45904e0a4a2eed269fc2f552e7e407ac90aaaeb602c31b017573f88] +description = 'Mainnet Derivative WIF/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x48fcecd66ebabbf5a331178ec693b261dfae66ddfe6f552d7446744c6e78046c] +description = 'Mainnet Derivative OP/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x6ddf0b8fbbd888981aafdae9fc967a12c6777aac4dd100a8257b8755c0c4b7d5] +description = 'Mainnet Derivative ARB/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0xf1bc70398e9b469db459f3153433c6bd1253bd02377248ee29bd346a218e6243] +description = 'Mainnet Derivative W/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x03c8da1f6aaf8aca2be26b0f4d6b89d475835c7812a1dcdb19af7dec1c6b7f60] +description = 'Mainnet Derivative LINK/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x7980993e508e0efc1c2634c153a1ef90f517b74351d6406221c77c04ec4799fe] +description = 'Mainnet Derivative DOGE/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 10 +min_display_quantity_tick_size = 10 + +[0x4d42425fc3ccd6b61b8c4ad61134ab3cf21bdae1b665317eff671cfab79f4387] +description = 'Mainnet Derivative OMNI/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100000 +min_display_price_tick_size = 0.1 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x0160a0c8ecbf5716465b9fc22bceeedf6e92dcdc688e823bbe1af3b22a84e5b5] +description = 'Mainnet Derivative XAU/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10000 +min_display_price_tick_size = 0.01 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 + +[0xedc48ec071136eeb858b11ba50ba87c96e113400e29670fecc0a18d588238052] +description = 'Mainnet Derivative XAG/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 1000 +min_display_price_tick_size = 0.001 +min_quantity_tick_size = 0.01 +min_display_quantity_tick_size = 0.01 + +[0x3c5bba656074e6e84965dc7d99a218f6f514066e6ddc5046acaff59105bb6bf5] +description = 'Mainnet Derivative EUR/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0x5c0de20c02afe5dcc1c3c841e33bfbaa1144d8900611066141ad584eeaefbd2f] +description = 'Mainnet Derivative GBP/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 10 +min_display_price_tick_size = 0.00001 +min_quantity_tick_size = 0.1 +min_display_quantity_tick_size = 0.1 + +[0xf1ceea00e01327497c321679896e5e64ad2a4e4b88e7324adeec7661351b6d93] +description = 'Mainnet Derivative BODEN/USDT PERP' +base = 0 +quote = 6 +min_price_tick_size = 100 +min_display_price_tick_size = 0.0001 +min_quantity_tick_size = 1 +min_display_quantity_tick_size = 1 + +[0x0d4c722badb032f14dfc07355258a4bcbd354cbc5d79cb5b69ddd52b1eb2f709] +description = 'Mainnet Derivative BTC/wUSDM Perp' +base = 0 +quote = 18 +min_price_tick_size = 1000000000000000000 +min_display_price_tick_size = 1 +min_quantity_tick_size = 0.0001 +min_display_quantity_tick_size = 0.0001 + +[ tether] +peggy_denom = inj1wpeh7cm7s0mj7m3x6vrf5hvxfx2xusz5l27evk +decimals = 18 + +[$ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/$alien +decimals = 6 + +[$AOI] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/$aoi +decimals = 6 + +[$Babykira] +peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/$babykira +decimals = 6 + +[$NINJA] +peggy_denom = inj1yngv6had7vm443k220q9ttg0sc4zkpdwp70fmq +decimals = 6 + +[$TunaSniper] +peggy_denom = inj1nmzj7jartqsex022j3kkkszeayypqkzl5vpe59 +decimals = 8 + +[$WIF] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl +decimals = 8 + +[$wifs] +peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoes +decimals = 6 + +[...] +peggy_denom = factory/inj1jj7z2f69374z6lmph44ztnxghgczyylqgc7tzw/dot +decimals = 6 + +[0XGNSS] +peggy_denom = inj1cfv8rrcete7vengcken0mjqt8q75vpcc0j0my5 +decimals = 8 + +[1INCH] +peggy_denom = peggy0x111111111117dC0aa78b770fA6A738034120C302 +decimals = 18 + +[2024MEME] +peggy_denom = inj1m2w8aenm3365w8t4x7jvpassk9ju7xq3snahhh +decimals = 8 + +[4] +peggy_denom = ibc/F9823EBB2D7E55C5998A51A6AC1572451AB81CE1421E9AEF841902D78EA7B5AD +decimals = 0 + +[79228162514264337593543950342] +peggy_denom = ibc/80A315889AFA247F37386C42CC38EAAF25B8C7B8DA8FC5EC5D7EEC72DCE9B3D0 +decimals = 0 + +[AAAA] +peggy_denom = inj1wlrndkkyj90jsp9mness2kqp5x0huzuhuhx28d +decimals = 18 + +[AAVE] +peggy_denom = peggy0x7Fc66500c84A76Ad7e9c93437bFc5Ac33E2DDaE9 +decimals = 18 + +[ABC] +peggy_denom = factory/inj13njxly446jm3gd8y84qnk3sm6wu0pjjc47mwl6/ABC +decimals = 6 + +[ADA] +peggy_denom = inj1vla438tlw69h93crmq3wq9l79d6cqwecqef3ps +decimals = 18 [ADO] peggy_denom = ibc/CF0C070562EC0816B09DDD9518328DCCFBE6C4388907EFF883FD4BE4E510005E decimals = 6 -[ADOLF] -peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/adolf +[ADOLF] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/adolf +decimals = 6 + +[AGIX] +peggy_denom = inj163fdg2e00gfdx9mjvarlgljuzt4guvx8ghhwml +decimals = 8 + +[AI] +peggy_denom = inj1sw0zn2vfy6wnfg0rht7r80tq3jq4ukjafjud7x +decimals = 8 + +[AININJA] +peggy_denom = inj1vun8dfgm6rr9xv40p4tpmd8lcc9cvt3384dv7w +decimals = 6 + +[AINJ] +peggy_denom = inj10k45sksxulzp7avvmt2fud25cmywk6u75pwgd2 +decimals = 8 + +[AJNIN] +peggy_denom = inj1msvvtt2e6rshp0fyqlp7gzceffzgymvwjucwyh +decimals = 18 + +[AK47] +peggy_denom = factory/inj1y207pve646dtac77v7qehw85heuy92c03t7t07/ak47 +decimals = 6 + +[AKITA] +peggy_denom = factory/inj1z0yv9ljw68eh4pec2r790jw8yal4dt5wnu4wuk/akita +decimals = 6 + +[ALASKA] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 +decimals = 18 + +[ALCHECN] +peggy_denom = inj1fxmws9tyrfs7ewgkh0ktae3f5pqffd4uudygze +decimals = 6 + +[ALE] +peggy_denom = inj1yq0394aplhz94nrthglzsx2c29e8spyrq6u8ah +decimals = 18 + +[ALEM] +peggy_denom = ibc/FE5CF6EA14A5A5EF61AFBD8294E7B245DF4523F6F3B38DE8CC65A916BCEA00B4 +decimals = 6 + +[ALFAROMEO] +peggy_denom = inj1jvtzkr6cwd4dzeqq4q74g2qj3gp2gvmuar5c0t +decimals = 6 + +[ALIEN] +peggy_denom = factory/inj175fuhj3rlyttt255fsc6fwyteealzt67szpvan/ALIEN +decimals = 6 + +[ALIENWARE] +peggy_denom = inj128hmvp03navfcad7fjdsdnjdaxsp8q8z9av3th +decimals = 6 + +[ALIGATOR] +peggy_denom = inj1t6uqhmlgpju7265aelawdkvn3xqnq3jv8j60l7 +decimals = 6 + +[ALPHA] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u +decimals = 8 + +[ALPHANET] +peggy_denom = inj135fkkvwr9neffh40pgg24as5mwwuuku33n8zzw +decimals = 8 + +[AMM] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/AMM +decimals = 6 + +[AMOGUS] +peggy_denom = factory/inj1a47ddtzh8le8ukznc9v3dvqs5w5anwjjvy8lqj/amogus +decimals = 6 + +[ANALOS] +peggy_denom = factory/inj1g8yvnh0lzxc06qe2n4qux5cqlz8h6gnpvaxzus/analos +decimals = 6 + +[ANBU] +peggy_denom = factory/inj1aqnupu0z86nyttmpejmgu57vx22wmuz9fdg7ps/ANBU +decimals = 6 + +[ANDR] +peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E +decimals = 6 + +[ANDRE] +peggy_denom = inj1qtqd73kkp9jdm7tzv3vrjn9038e6lsk929fel8 +decimals = 8 + +[ANDY] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/andy +decimals = 6 + +[ANIME] +peggy_denom = inj1mas82tve60sh3tkh879chgjkeaggxpeydwkl2n +decimals = 18 + +[ANK] +peggy_denom = inj16lxeq4xcdefptg39p9x78z5hkn0849z9z7xkyt +decimals = 18 + +[ANONS] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/ANONS +decimals = 6 + +[AOT] +peggy_denom = factory/inj1yjeq7tz86a8su0asaxckpa3a9rslfp97vpq3zq/AOT +decimals = 6 + +[APC] +peggy_denom = inj150382m6ah6lg3znprdrsggx38xl47fs4rmzy3m +decimals = 18 + +[APE] +peggy_denom = peggy0x4d224452801ACEd8B2F0aebE155379bb5D594381 +decimals = 18 + +[APEINJ] +peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/apeinj +decimals = 6 + +[APOLLO] +peggy_denom = ibc/1D10FF873E3C5EC7263A7658CB116F9535EC0794185A8153F2DD662E0FA08CE5 +decimals = 6 + +[APP] +peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 +decimals = 18 + +[APPLE] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/APPLE +decimals = 6 + +[APSO] +peggy_denom = inj1sqsthjm8fpqc7seaa6lj08k7ja43jsd70rgy09 +decimals = 6 + +[APT] +peggy_denom = inj1mrltq7kh35xjkdzvul9ky077khsa5qatc0ylxj +decimals = 6 + +[AQLA] +peggy_denom = ibc/46B490B10E114ED9CE18FA1C92394F78CAA8A907EC72D66FF881E3B5EDC5E327 +decimals = 6 + +[ARB] +peggy_denom = ibc/8CF0E4184CA3105798EDB18CAA3981ADB16A9951FE9B05C6D830C746202747E1 +decimals = 8 + +[ARBlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +decimals = 8 + +[ARCH] +peggy_denom = ibc/9C6E75FE14DF8959B7CC6E77398DF825B9815C753BB49D2860E303EA2FD803DD +decimals = 18 + +[ARCHER] +peggy_denom = inj1ype9ps9ep2qukhuuyf4s2emr7qnexkcfa09p34 +decimals = 6 + +[ARIZO] +peggy_denom = inj1mdgw6dnw7hda2lancr0zgy6retrd2s5m253qud +decimals = 6 + +[ARKI] +peggy_denom = inj1zhnaq7aunhzp0q6g5nrac9dxe5dg0ws0sqzftv +decimals = 18 + +[ARMANI] +peggy_denom = ibc/0C04597A68991F93CE8C9EF88EA795179CD020695041D00911E5CFF023D415CC +decimals = 6 + +[ARTEMIS] +peggy_denom = inj1yt49wv3up03hnlsfd7yh6dqfdxwxayrk6as6al +decimals = 8 + +[ARTINJ] +peggy_denom = inj1qgj0lnaq9rxcstjaevvd4q43uy4dk77e6mrza9 +decimals = 6 + +[ARVI] +peggy_denom = inj16ff6zvsaay89w7e5ukvz83f6f9my98s20z5ea3 +decimals = 18 + +[ARYAN] +peggy_denom = inj16z7ja300985vuvkt975zyvtccu80xmzcfr4upt +decimals = 18 + +[ASG] +peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 +decimals = 8 + +[ASH] +peggy_denom = factory/inj1uecmky6hkcexz86hqgrl5p5krg8kl4gfldjkrp/ASH +decimals = 6 + +[ASI] +peggy_denom = inj1wgd5c8l27w8sac4tdfcxl2zyu5cfurtuxdvfx9 +decimals = 18 + +[ASS] +peggy_denom = inj1fj7z77awl6srtmcuux3xgq995uempgx5hethh3 +decimals = 18 + +[ASSYN] +peggy_denom = factory/inj1qzn0ys7rht689z4p6pq99u6kc92jnkqyj02cur/ASSYN +decimals = 6 + +[ASTR] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +decimals = 18 + +[ASTRO] +peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +decimals = 6 + +[ASTROBOT] +peggy_denom = inj153k5xjpqx39jm06gcxvjq5sxl8f7j79n72q9pz +decimals = 18 + +[ASTROGEMS] +peggy_denom = inj1eqzdmkdr2l72y75m7hx3rwnfcugzu0hhw7l76l +decimals = 8 + +[ASTROINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn +decimals = 8 + +[ASTROLAND] +peggy_denom = inj16q7u3mzp3qmm6vf5a9jfzp46rs2dj68cuktzyw +decimals = 8 + +[ASTROLOGY] +peggy_denom = inj1u9th8dxhyrkz3tr2h5s6z2yap2s6e6955jk4yf +decimals = 8 + +[ASTROPAD] +peggy_denom = inj1tvcarn0xz9p9rxrgev5a2qjmrtqtnl4xtu5vsu +decimals = 8 + +[ASTROPEPE] +peggy_denom = ibc/03BC83F4E4972621EAE3144FC91AED13AF3541A90A51B690425C95D1E03850D9 +decimals = 6 + +[ASTROSOL] +peggy_denom = inj12vy3zzany7gtl9l9hdkzgvvr597r2ta48tvylj +decimals = 8 + +[ASTROXMAS] +peggy_denom = inj19q50d6sgc3sv2hcvlfalc5kf2fc576v4nga849 +decimals = 8 + +[ASUKA] +peggy_denom = inj1c64fwq7xexhh58spf2eer85yz3uvv3y659j5dd +decimals = 18 + +[ASWC] +peggy_denom = factory/inj10emnhmzncp27szh758nc7tvl3ph9wfxgej5u5v/ASWC +decimals = 6 + +[ATOM] +peggy_denom = ibc/C4CFF46FD6DE35CA4CF4CE031E643C8FDC9BA4B99AE598E9B0ED98FE3A2319F9 +decimals = 6 + +[ATOM-LUNA-LP] +peggy_denom = ibc/0ED853D2B77215F953F65364EF1CA7D8A2BD7B7E3009196BBA18E884FE3D3576 +decimals = 6 + +[ATOM1KLFG] +peggy_denom = ibc/2061C894621F0F53F6FEAE9ABD3841F66D27F0D7368CC67864508BDE6D8C4522 +decimals = 6 + +[AUTISM] +peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism +decimals = 6 + +[AUUU] +peggy_denom = ibc/4CEF2F778CDA8306B6DE18A3A4C4450BEBC84F27FC49F91F3617A37203FE84B2 +decimals = 6 + +[AVAX] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 +decimals = 8 + +[AXL] +peggy_denom = ibc/B68C1D2682A8B69E20BB921E34C6A3A2B6D1E13E3E8C0092E373826F546DEE65 +decimals = 6 + +[AXS] +peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b +decimals = 18 + +[AZUKI] +peggy_denom = inj1l5qrquc6kun08asp6dt50zgcxes9ntazyvs9eu +decimals = 8 + +[Aave] +peggy_denom = ibc/49265FCAA6CC20B59652C0B45B2283A260BB19FC183DE95C29CCA8E01F8B004C +decimals = 18 + +[Alaskan Malamute] +peggy_denom = inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 +decimals = 18 + +[Alien Token] +peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/aoi +decimals = 6 + +[Alpha Coin] +peggy_denom = inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u +decimals = 8 + +[Alpha Pro Club] +peggy_denom = inj1q2u8r40uh0ykqrjwszppz6yj2nvst4xvfvks29 +decimals = 8 + +[ApeCoin] +peggy_denom = ibc/8A13F5DA968B4D526E9DC5AE20B584FE62462E80AF06B9D0EA0B0DB35ABBBF27 +decimals = 18 + +[Apots Doge ] +peggy_denom = inj1dgnrks2s53jd5a0qsuhyvryhk4s03f5mxv9khy +decimals = 6 + +[April Fool's Day] +peggy_denom = inj1m9vaf9rm6qfjtq4ymupefkxjtv7vake0z4fc35 +decimals = 6 + +[Aptos Coin (Wormhole)] +peggy_denom = ibc/D807D81AB6C2983C9DCC2E1268051C4195405A030E1999549C562BCB7E1251A5 +decimals = 8 + +[Arbitrum] +peggy_denom = peggy0x912CE59144191C1204E64559FE8253a0e49E6548 +decimals = 18 + +[Arbitrum (legacy)] +peggy_denom = inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +decimals = 8 + +[Arbitrum axlETH] +peggy_denom = ibc/A124994412FAC16975DF2DA42D7AFDB538A1CFCE0E40FB19620BADF6292B0A62 +decimals = 18 + +[Artro] +peggy_denom = factory/inj13r3azv5009e8w3xql5g0tuxug974ps6eed0czz/Artro +decimals = 6 + +[Astar] +peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +decimals = 18 + +[Astro-Injective] +peggy_denom = inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn +decimals = 8 + +[AstroGems] +peggy_denom = inj122y9wxxmpyu2rj5ju30uwgdvk9sj020z2zt7rv +decimals = 8 + +[Astrophile] +peggy_denom = inj1y07h8hugnqnqvrpj9kmjpsva7pj4yjwjjkd0u4 +decimals = 18 + +[Axelar] +peggy_denom = peggy0x3eacbDC6C382ea22b78aCc158581A55aaF4ef3Cc +decimals = 6 + +[Axie Infinity Shard] +peggy_denom = ibc/EB519ECF709F0DB6BA1359F91BA2DDC5A07FB9869E1768D377EFEF9DF33DC4AB +decimals = 18 + +[BABY] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/BABY +decimals = 6 + +[BABY GINGER] +peggy_denom = factory/inj15zruc9fw2qw9sc3pvlup5qmmqsk5pcmck7ylhw/BABYGINGER +decimals = 6 + +[BABY NINJA] +peggy_denom = factory/inj1hs5chngjfhjwc4fsajyr50qfu8tjqsqrj9rf29/baby-ninja +decimals = 6 + +[BABYDEK] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/BABYDEK +decimals = 6 + +[BABYDGNZ] +peggy_denom = inj1tyvchyp04yscelq30q6vzngn9wvmjw446sw786 +decimals = 6 + +[BABYDOGE] +peggy_denom = inj1nk2x5ll6guwt84aagnw82e7ajmlwde6w2zmpdw +decimals = 6 + +[BABYGINGER] +peggy_denom = inj17uyp6dz3uyq40ckkzlgrze2k25zhgvdqa3yh0v +decimals = 6 + +[BABYHACHI] +peggy_denom = factory/inj1hjfm3z53dj4ct5nxef5ghn8hul0y53u7ytv8st/babyhachi +decimals = 6 + +[BABYINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dvflqrkkaxped5cmks92q6vmtzx75cge9gvvap +decimals = 8 + +[BABYIPEPE] +peggy_denom = factory/inj14u2wghxjswct5uznt40kre5ct7a477m2ma5hsm/babyipepe +decimals = 6 + +[BABYKIRA] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/BABYKIRA +decimals = 6 + +[BABYKISHU] +peggy_denom = factory/inj15e7ah9tmmhyd3qafupnwe8uj74nc7gkehkrnuw/babykishu +decimals = 6 + +[BABYNINJA] +peggy_denom = factory/inj12lv4gm863c4pj0utr7zgzp46d6p86krp8stqgp/BABYNINJA +decimals = 6 + +[BABYPANDA] +peggy_denom = factory/inj15e7ah9tmmhyd3qafupnwe8uj74nc7gkehkrnuw/babypanda +decimals = 6 + +[BABYPEPE] +peggy_denom = factory/inj1un9z8767u2r8snaqqcysnm9skxf36dspqx86sy/babypepe +decimals = 6 + +[BABYQUNT] +peggy_denom = factory/inj1xdm6zdjcwu4vy32yp2g2dazwg2ug50w2k7sy9p/BABYQUNT +decimals = 6 + +[BABYROLL] +peggy_denom = inj16rvlt87pmpntkyv3x4zfvgmyxt8ejj9mpcc72m +decimals = 18 + +[BABYSHROOM] +peggy_denom = inj1dch98v88yhksd8j4wsypdua0gk3d9zdmsj7k59 +decimals = 6 + +[BABYSPUUN] +peggy_denom = inj1n73ty9gxej3xk7c0hhktjdq3ppsekwjnhq98p5 +decimals = 6 + +[BAD] +peggy_denom = ibc/C04478BE3CAA4A14EAF4A47967945E92ED2C39E02146E1577991FC5243E974BB +decimals = 6 + +[BADKID] +peggy_denom = ibc/A0C5AD197FECAF6636F589071338DC7ECD6B0809CD3A5AB131EAAA5395E7E5E8 +decimals = 6 + +[BAG] +peggy_denom = inj13dcqczqyynw08m0tds50e0z2dsynf48g4uafac +decimals = 18 + +[BAJE] +peggy_denom = factory/inj10yymeqd0hydqmaq0gn6k6s8795svjq7gt5tmsf/BAJE +decimals = 6 + +[BALLOON] +peggy_denom = inj17p4x63h8gpfd7f6whmmcah6vq6wzzmejvkpqms +decimals = 18 + +[BAMBOO] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/bamboo +decimals = 6 + +[BAND] +peggy_denom = peggy0xBA11D00c5f74255f56a5E366F4F77f5A186d7f55 +decimals = 18 + +[BAPE] +peggy_denom = factory/inj16mnhqpzuj4s4ermuh76uffaq3r6rf8dw5v9rm3/BAPE +decimals = 6 + +[BAR] +peggy_denom = factory/inj1j4qcyfayj64nyzl4lhlacuz62zak5uz5ngc576/BAR +decimals = 6 + +[BARCA] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/barcelona +decimals = 6 + +[BARRY] +peggy_denom = inj1ykpcvay9rty363wtxr9749qgnnj3rlp94r302y +decimals = 18 + +[BASE] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/BASE +decimals = 6 + +[BASTARD] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/BASTARD +decimals = 6 + +[BAT] +peggy_denom = peggy0x0D8775F648430679A709E98d2b0Cb6250d2887EF +decimals = 18 + +[BATMAN] +peggy_denom = inj158jjagrr499yfc6t5kd9c989tx6f7ukrulj280 +decimals = 6 + +[BAYC] +peggy_denom = bayc +decimals = 18 + +[BCA] +peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCA +decimals = 6 + +[BCAT] +peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCAT +decimals = 6 + +[BCC] +peggy_denom = factory/inj1hr4rj6k72emjh9u7l6zg58c0n0daezz68060aq/BCC +decimals = 6 + +[BCUBE] +peggy_denom = peggy0x93C9175E26F57d2888c7Df8B470C9eeA5C0b0A93 +decimals = 18 + +[BEANS] +peggy_denom = inj1j7e95jmqaqgazje8kvuzp6kh2j2pr6n6ffvuq5 +decimals = 8 + +[BEAR] +peggy_denom = factory/inj1jhwwydrfxe33r7ayy7nnrvped84njx97mma56r/BEAR +decimals = 6 + +[BEAST] +peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be +decimals = 6 + +[BECKHAM] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/beckham +decimals = 6 + +[BEEN] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/been +decimals = 6 + +[BELL] +peggy_denom = factory/inj1ht2x2pyj42y4y48tj9n5029w8j9f4sxu0zkwq4/BELL +decimals = 6 + +[BENANCE] +peggy_denom = inj1292223n3vfhrxndvlzsvrrlkkyt7jyeydf77h0 +decimals = 6 + +[BENJAMIN] +peggy_denom = inj1cr970pgvudvgfva60jtxnztgsu5ngm7e80e7vd +decimals = 18 + +[BERB] +peggy_denom = inj1rlyw9tl7e5u9haunh39mh87clvmww5p39dd9kv +decimals = 18 + +[BERLIN] +peggy_denom = inj1atu2677agwrskzxj4a5dn8lq43nhmeyjz5tsfq +decimals = 18 + +[BERNESE] +peggy_denom = ibc/28E915262E40A4CA526D5BFB0BAF67A1C024F8318B779C3379147A6C26D11EA8 +decimals = 6 + +[BICHO] +peggy_denom = inj1hd42hz95w6w3rt5pkeuj783a5mtx8hx28p2eg9 +decimals = 18 + +[BIDEN] +peggy_denom = inj1d2ymlnpvqny9x2qfqykzp8geq3gmg9qrm3qwhe +decimals = 6 + +[BIGSHROOM] +peggy_denom = inj1kld2dd6xa5rs98v7afv3l57m6s30hyj8dcuhh4 +decimals = 6 + +[BIN] +peggy_denom = factory/inj1ax459aj3gkph6z0sxaddk6htzlshqlp5mfwqvx/catinbin +decimals = 6 + +[BINJ] +peggy_denom = factory/inj10q36ygr0pkz7ezajcnjd2f0tat5n737yg6g6d5/bINJ +decimals = 18 + +[BINJANS] +peggy_denom = factory/inj1aj47a2vflavw92yyhn7rpa32f0dazf5cfj59v8/binjans +decimals = 6 + +[BINJE] +peggy_denom = inj10dysh3p4q8nh5zzhsq5j84de5pq6dxahnplt2f +decimals = 6 + +[BIRB] +peggy_denom = inj136zssf58vsk9uge7ulgpw9umerzcuu0kxdu5dj +decimals = 6 + +[BITCOIN] +peggy_denom = factory/inj1aj4yhftluexp75mlfmsm7sfjemrtt3rjkg3q3h/BITCOIN +decimals = 6 + +[BITS] +peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/bits +decimals = 6 + +[BITZ] +peggy_denom = ibc/01A69EE21F6A76CAA8D0DB900AF2789BF665B5B67D89A7D69E7ECF7F513CD0CA +decimals = 6 + +[BJNO] +peggy_denom = inj1jlugmrq0h5l5ndndcq0gyav3flwmulsmdsfh58 +decimals = 18 + +[BLACK] +peggy_denom = factory/inj16eckaf75gcu9uxdglyvmh63k9t0l7chd0qmu85/black +decimals = 6 + +[BLACK PANTHER] +peggy_denom = inj12tkaz9e540zszf5vtlxc0aksywu9rejnwxmv3n +decimals = 18 + +[BLACKHOLE PROTOCOL] +peggy_denom = peggy0xd714d91A169127e11D8FAb3665d72E8b7ef9Dbe2 +decimals = 18 + +[BLD] +peggy_denom = ibc/B7933C59879BFE059942C6F76CAF4B1609D441AD22D54D42DAC00CE7918CAF1F +decimals = 6 + +[BLEND] +peggy_denom = ibc/45C0FE8ACE1C9C8BA38D3D6FDEBDE4F7198A434B6C63ADCEFC3D32D12443BB84 +decimals = 6 + +[BLISS] +peggy_denom = factory/inj15tz959pa5mlghhku2vm5sq45jpp4s0yf23mk6d/BLISS +decimals = 6 + +[BLOCKTOWER] +peggy_denom = inj1cnldf982xlmk5rzxgylvax6vmrlxjlvw7ss5mt +decimals = 8 + +[BLUE] +peggy_denom = factory/inj130nkx4u8p5sa2jl4apqlnnjlej2ymfq0e398w9/BLUE +decimals = 6 + +[BLUE CUB DAO] +peggy_denom = ibc/B692197280D4E62F8D9F8E5C0B697DC4C2C680ED6DE8FFF0368E0552C9215607 +decimals = 6 + +[BLUEINJ] +peggy_denom = inj1aalqnnh24ddn3vd9plnevwnxd03x7sevm77lps +decimals = 8 + +[BLUEINJECTIVE] +peggy_denom = inj1zkm3r90ard692tvrjrhu7vtkzlqpkjkdwwc57s +decimals = 8 + +[BMO] +peggy_denom = inj17fawlptgvptqwwtgxmz0prexrz2nel6zqdn2gd +decimals = 8 + +[BMOS] +peggy_denom = ibc/D9353C3B1407A7F7FE0A5CCB7D06249B57337888C95C6648AEAF2C83F4F3074E +decimals = 6 + +[BMSCWA] +peggy_denom = factory/inj1v888gdj5k9pykjca7kp7jdy6cdalfj667yws54/BabyMiloSillyCoqWifAnalos +decimals = 6 + +[BMW] +peggy_denom = inj1fzqfk93lrmn7pgmnssgqwrlmddnq7w5h3e47pc +decimals = 6 + +[BMX] +peggy_denom = inj12u37kzv3ax6ccja5felud8rtcp68gl69hjun4v +decimals = 18 + +[BNB] +peggy_denom = peggy0xB8c77482e45F1F44dE1745F52C74426C631bDD52 +decimals = 18 + +[BNINJA] +peggy_denom = factory/inj1k7tuhcp7shy4qwkwrg6ckjteucg44qfm79rkmx/BNINJA +decimals = 6 + +[BOB] +peggy_denom = inj1cwaw3cl4wscxadtmydjmwuelqw95w5rukmk47n +decimals = 18 + +[BOBURU] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/boburu +decimals = 6 + +[BODED] +peggy_denom = inj10xtrreumk28cucrtgse232s3gw2yxcclh0wswd +decimals = 6 + +[BODEN] +peggy_denom = boden +decimals = 9 + +[BOME] +peggy_denom = factory/inj1ne284hkg3yltn7aq250lghkqqrywmk2sk9x2yu/BOME +decimals = 6 + +[BONE] +peggy_denom = inj1kpp05gff8xgs0m9k7s2w66vvn53n77t9t6maqr +decimals = 6 + +[BONJA] +peggy_denom = factory/inj18v0e5dj2s726em58sg69sgmrnqmd08q5apgklm/bj +decimals = 6 + +[BONJO] +peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/BONJO +decimals = 6 + +[BONK] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14rry9q6dym3dgcwzq79yay0e9azdz55jr465ch +decimals = 5 + +[BONKINJ] +peggy_denom = inj173f5j4xtmah4kpppxgh8p6armad5cg5e6ay5qh +decimals = 6 + +[BONKJA] +peggy_denom = factory/inj1gc8fjmp9y8kfsy3s6yzucg9q0azcz60tm9hldp/bonkja +decimals = 6 + +[BONSAI] +peggy_denom = factory/inj13jx69l98q0skvwy3n503e0zcrh3wz9dcqxpwxy/bonsai +decimals = 6 + +[BONUS] +peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF +decimals = 8 + +[BOOM] +peggy_denom = inj1xuu84fqdq45wdqj38xt8fhxsazt88d7xumhzrn +decimals = 18 + +[BOOSH] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/boosh +decimals = 6 + +[BOY] +peggy_denom = ibc/84DA08CF29CD08373ABB0E36F4E6E8DC2908EA9A8E529349EBDC08520527EFC2 +decimals = 6 + +[BOYS] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/boys +decimals = 6 + +[BOZO] +peggy_denom = inj1mf5dj5jscuw3z0eykkfccy2rfz7tvugvw2rkly +decimals = 18 + +[BPEPE] +peggy_denom = inj1pel9sz78wy4kphn2k7uwv5f6txuyvtrxn9j6c3 +decimals = 8 + +[BRETT] +peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +decimals = 6 + +[BRNZ] +peggy_denom = ibc/713B768D6B89E4DEEFDBE75390CA2DC234FAB6A016D3FD8D324E08A66BF5070F +decimals = 0 + +[BRO] +peggy_denom = factory/inj1cd4q88qplpve64hzftut2cameknk2rnt45kkq5/BRO +decimals = 6 + +[BRRR] +peggy_denom = inj16veue9c0sz0mp7dnf5znsakqwt7cnjpwz3auau +decimals = 18 + +[BRUCELEE] +peggy_denom = inj1dtww84csxcq2pwkvaanlfk09cer93xzc9kwnzf +decimals = 6 + +[BRZ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk +decimals = 4 + +[BSKT] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 +decimals = 5 + +[BTC] +peggy_denom = btc +decimals = 8 + +[BTCETF] +peggy_denom = inj1gzmkap8g09h70keaph9utxy9ahjvuuhk5tzpw9 +decimals = 18 + +[BUFFON] +peggy_denom = inj16m2tnugwtrdec80fxvuaxgchqcdpzhf2lrftck +decimals = 18 + +[BUGS] +peggy_denom = factory/inj1zzc2wt4xzy9yhxz7y8mzcn3s6zwvajyutgay3c/BUGS +decimals = 6 + +[BUILD] +peggy_denom = inj1z9utpqxm586476kzpk7nn2ukhnydmu8vchhqlu +decimals = 18 + +[BUL] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bul +decimals = 6 + +[BULL] +peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/BULL +decimals = 6 + +[BULLS] +peggy_denom = factory/inj1zq37mfquqgud2uqemqdkyv36gdstkxl27pj5e3/bulls +decimals = 6 + +[BURGE] +peggy_denom = inj1xcmamawydqlnqde7ah3xq7gzye9acwkmc5k5ne +decimals = 18 + +[BUS] +peggy_denom = inj1me9svqmf539hfzrfhw2emm2s579kv73w77u8yz +decimals = 18 + +[BUSD] +peggy_denom = peggy0x4Fabb145d64652a948d72533023f6E7A623C7C53 +decimals = 18 + +[BUSD (BEP-20)] +peggy_denom = ibc/A8F9B4EC630F52C13D715E373A0E7B57B3F8D870B4168DADE0357398712ECC0E +decimals = 18 + +[BWH] +peggy_denom = ibc/9A31315BECC84265BCF32A31E4EB75C3B59ADCF8CCAE3C6EF8D0DF1C4EF829EB +decimals = 6 + +[BYE] +peggy_denom = inj1zfaug0dfg7zmd888thjx2hwuas0vl2ly4euk3r +decimals = 18 + +[Baby Corgi] +peggy_denom = ibc/9AC0F8299A5157831C7DF1AE52F178EFBA8D5E1826D4DD539441E3827FFCB873 +decimals = 6 + +[Baby DOJO Token] +peggy_denom = inj19dtllzcquads0hu3ykda9m58llupksqwekkfnw +decimals = 6 + +[Baby Dog Wif Nunchucks] +peggy_denom = inj1nddcunwpg4cwyl725lvkh9an3s5cradaajuwup +decimals = 8 + +[Baby Ninja] +peggy_denom = factory/inj1h3y27yhly6a87d95937jztc3tupl3nt8fg3lcp/BABYNINJA +decimals = 6 + +[Baby Nonja] +peggy_denom = inj1pchqd64c7uzsgujux6n87djwpf363x8a6jfsay +decimals = 18 + +[BabyBonk] +peggy_denom = inj1kaad0grcw49zql08j4xhxrh8m503qu58wspgdn +decimals = 18 + +[BabyInjective] +peggy_denom = inj1dvflqrkkaxped5cmks92q6vmtzx75cge9gvvap +decimals = 8 + +[Babykira] +peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/$babykira +decimals = 6 + +[Babyroll] +peggy_denom = inj1qd60tuupdtq2ypts6jleq60kw53d06f3gc76j5 +decimals = 18 + +[Baguette] +peggy_denom = inj15a3yppu5h3zktk2hkq8f3ywhfpqqrwft8awyq0 +decimals = 18 + +[Bamboo] +peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/boo +decimals = 6 + +[Base axlETH] +peggy_denom = ibc/FD8134B9853AABCA2B22A942B2BFC5AD59ED84F7E6DFAC4A7D5326E98DA946FB +decimals = 18 + +[Basket] +peggy_denom = inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 +decimals = 5 + +[Benance] +peggy_denom = inj1gn8ss00s3htff0gv6flycgdqhc9xdsmvdpzktd +decimals = 8 + +[BetaDojo] +peggy_denom = inj1p6cj0r9ne63xhu4yr2vhntkzcfvt8gaxt2a5mw +decimals = 6 + +[Binance Coin] +peggy_denom = ibc/AAED29A220506DF2EF39E43B2EE35717636502267FF6E0343B943D70E2DA59EB +decimals = 18 + +[Binance USD] +peggy_denom = ibc/A62F794AAEC56B6828541224D91DA3E21423AB0DC4D21ECB05E4588A07BD934C +decimals = 18 + +[Binu] +peggy_denom = inj1myh9um5cmpghrfnh620cnauxd8sfh4tv2mcznl +decimals = 18 + +[Bird INJ] +peggy_denom = factory/inj125hcdvz9dnhdqal2u8ctr7l0hd8xy9wdgzt8ld/binj +decimals = 6 + +[BitSong] +peggy_denom = peggy0x05079687D35b93538cbd59fe5596380cae9054A9 +decimals = 18 + +[Bitcoin] +peggy_denom = inj1ce249uga9znmc3qk2jzr67v6qxq73pudfxhwqx +decimals = 8 + +[Bitcosmos] +peggy_denom = ibc/E440667C70A0C9A5AD5A8D709731289AFB92301D64D70D0B33D18EF4FDD797FE +decimals = 6 + +[Black] +peggy_denom = inj1nuwasf0jsj3chnvzfddh06ft2fev3f5g447u2f +decimals = 18 + +[BlueInjective] +peggy_denom = inj17qsyspyh44wjch355pr72wzfv9czt5cw3h7vrr +decimals = 8 + +[Bnana] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/banana +decimals = 18 + +[Bonded Crescent] +peggy_denom = ibc/D9E839DE6F40C036592B6CEDB73841EE9A18987BC099DD112762A46AFE72159B +decimals = 6 + +[Bonjo] +peggy_denom = inj19w5lfwk6k9q2d8kxnwsu4962ljnay85f9sgwn6 +decimals = 18 + +[Bonk] +peggy_denom = ibc/C951FBB321708183F5A14811A3D099B3D73457D12E193E2B8429BDDCC6810D5A +decimals = 5 + +[Bonk Injective] +peggy_denom = factory/inj15705jepx03fxl3sntfhdznjnl0mlqwtdvyt32d/bonk +decimals = 18 + +[Bonk on INJ] +peggy_denom = factory/inj147laec3n2gq8gadzg8xthr7653r76jzhavemhh/BONK decimals = 6 -[AGIX] -peggy_denom = inj163fdg2e00gfdx9mjvarlgljuzt4guvx8ghhwml +[BonkToken] +peggy_denom = inj1jzxkr7lzzljdsyq8483jnduvpwtq7ny5x4ch08 decimals = 8 -[AI] -peggy_denom = inj1sw0zn2vfy6wnfg0rht7r80tq3jq4ukjafjud7x +[Boomer] +peggy_denom = inj1ethjlrk28wqklz48ejtqja9yfft8t4mm92m2ga +decimals = 18 + +[Brazilian Digital Token] +peggy_denom = inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk +decimals = 4 + +[Brett] +peggy_denom = inj1zhce7csk22mpwrfk855qhw4u5926u0mjyw4df6 +decimals = 18 + +[Bull] +peggy_denom = inj1j82m0njz2gm0eea0ujmyjdlq2gzvwkvqapxeuw decimals = 8 -[AININJA] -peggy_denom = inj1vun8dfgm6rr9xv40p4tpmd8lcc9cvt3384dv7w +[CAC] +peggy_denom = ibc/97D9F67F798DBB31DAFA9CF4E791E69399E0FC3FC2F2A54066EE666052E23EF6 decimals = 6 -[AINJ] -peggy_denom = inj10k45sksxulzp7avvmt2fud25cmywk6u75pwgd2 -decimals = 8 +[CACTUS] +peggy_denom = inj16ch9sx5c6fa6lnndh7vunrjsf60h67hz988hdg +decimals = 18 -[AJNIN] -peggy_denom = inj1msvvtt2e6rshp0fyqlp7gzceffzgymvwjucwyh +[CAD] +peggy_denom = cad +decimals = 6 + +[CAL] +peggy_denom = inj1a9pvrzmymj7rvdw0cf5ut9hkjsvtg4v8cqae24 decimals = 18 -[AK47] -peggy_denom = factory/inj1y207pve646dtac77v7qehw85heuy92c03t7t07/ak47 +[CANTO] +peggy_denom = ibc/D91A2C4EE7CD86BBAFCE0FA44A60DDD9AFBB7EEB5B2D46C0984DEBCC6FEDFAE8 +decimals = 18 + +[CAPY] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/capybara decimals = 6 -[AKITA] -peggy_denom = factory/inj1z0yv9ljw68eh4pec2r790jw8yal4dt5wnu4wuk/akita +[CARTEL] +peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/cartel decimals = 6 -[ALASKA] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 +[CASINO] +peggy_denom = inj12zqf6p9me86493yzpr9v3kmunvjzv24fg736yd decimals = 18 -[ALCHECN] -peggy_denom = inj1fxmws9tyrfs7ewgkh0ktae3f5pqffd4uudygze -decimals = 6 +[CASSIO] +peggy_denom = inj179m94j3vkvpzurq2zpn0q9uxdfuc4nq0p76h6w +decimals = 8 -[ALE] -peggy_denom = inj1yq0394aplhz94nrthglzsx2c29e8spyrq6u8ah +[CAT] +peggy_denom = inj129hsu2espaf4xn8d2snqyaxrhf0jgl4tzh2weq decimals = 18 -[ALEM] -peggy_denom = ibc/FE5CF6EA14A5A5EF61AFBD8294E7B245DF4523F6F3B38DE8CC65A916BCEA00B4 +[CATCOIN] +peggy_denom = inj1rwhc09dv2c9kg6d63t3qp679jws04p8van3yu8 +decimals = 8 + +[CATINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/catinj decimals = 6 -[ALFAROMEO] -peggy_denom = inj1jvtzkr6cwd4dzeqq4q74g2qj3gp2gvmuar5c0t +[CATNIP] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIPPY decimals = 6 -[ALIEN] -peggy_denom = factory/inj175fuhj3rlyttt255fsc6fwyteealzt67szpvan/ALIEN +[CBG] +peggy_denom = inj19k6fxafkf8q595lvwrh3ejf9fuz9m0jusncmm6 +decimals = 18 + +[CDT] +peggy_denom = ibc/25288BA0C7D146D37373657ECA719B9AADD49DA9E514B4172D08F7C88D56C9EF decimals = 6 -[ALIENWARE] -peggy_denom = inj128hmvp03navfcad7fjdsdnjdaxsp8q8z9av3th +[CEL] +peggy_denom = peggy0xaaAEBE6Fe48E54f431b0C390CfaF0b017d09D42d +decimals = 4 + +[CELL] +peggy_denom = peggy0x26c8AFBBFE1EBaca03C2bB082E69D0476Bffe099 +decimals = 18 + +[CENTER] +peggy_denom = inj1khd6f66tp8dd4f58dzsxa5uu7sy3phamkv2yr8 +decimals = 8 + +[CERBERUS] +peggy_denom = inj1932un3uh05nxy4ej50cfc3se096jd6w3jvl69g decimals = 6 -[ALIGATOR] -peggy_denom = inj1t6uqhmlgpju7265aelawdkvn3xqnq3jv8j60l7 +[CET] +peggy_denom = factory/inj1hst0759zk7c29rktahm0atx7tql5x65jnsc966/CET decimals = 6 -[ALPHA] -peggy_denom = peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B +[CGLP] +peggy_denom = ibc/6A3840A623A809BC76B075D7206302622180D9FA8AEA59067025812B1BC6A1CC decimals = 18 -[ALPHANET] -peggy_denom = inj135fkkvwr9neffh40pgg24as5mwwuuku33n8zzw +[CHAD] +peggy_denom = factory/inj13f6c0hc3l80qa7w80j992wtscslkg8pm65rxua/CHAD +decimals = 6 + +[CHAININJ] +peggy_denom = inj143rjlwt7r28wn89r39wr76umle8spx47z0c05d decimals = 8 -[AMM] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/AMM +[CHAKRA] +peggy_denom = factory/inj13zsd797dnkgpxcrf3zxxjzykzcz55tw7kk5x3y/CHAKRA decimals = 6 -[AMOGUS] -peggy_denom = factory/inj1a47ddtzh8le8ukznc9v3dvqs5w5anwjjvy8lqj/amogus -decimals = 6 +[CHAMP] +peggy_denom = inj1gnde7drvw03ahz84aah0qhkum4vf4vz6mv0us7 +decimals = 8 -[ANALOS] -peggy_denom = inj1zr4fs5xkkf4h99sdalaxyglr3txjuewtyzjvg5 +[CHAMPION] +peggy_denom = inj1rh94naxf7y20qxct44mrlawyhs79d06zmprv70 decimals = 8 -[ANBU] -peggy_denom = factory/inj1aqnupu0z86nyttmpejmgu57vx22wmuz9fdg7ps/ANBU +[CHARM] +peggy_denom = inj1c2e37gwl2q7kvuxyfk5c0qs89rquzmes0nsgjf +decimals = 8 + +[CHEEMS] +peggy_denom = factory/inj1hrjm0jwfey8e4x3ef3pyeq4mpjvc8356lkgh9f/CHEEMS decimals = 6 -[ANDR] -peggy_denom = ibc/61FA42C3F0B0F8768ED2CE380EDD3BE0E4CB7E67688F81F70DE9ECF5F8684E1E +[CHEESE] +peggy_denom = inj1p6v3qxttvh36x7gxpwl9ltnmc6a7cgselpd7ya +decimals = 18 + +[CHELE] +peggy_denom = factory/inj16fsle0ywczyf8h4xfpwntg3mnv7cukd48nnjjp/CHELE decimals = 6 -[ANDRE] -peggy_denom = inj1qtqd73kkp9jdm7tzv3vrjn9038e6lsk929fel8 -decimals = 8 +[CHEN] +peggy_denom = factory/inj196t4n8dg3pzkk5wh7ytjwtl6e3a56u9fj705wr/CHEN +decimals = 6 -[ANDY] -peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/andy +[CHI] +peggy_denom = inj198rrzmcv69xay8xuhalqz2z02egmsyzp08mvkk +decimals = 18 + +[CHICKEN] +peggy_denom = factory/inj1gqeyl6704zr62sk2lsprt54gcwc6y724xvlgq2/CHICKEN decimals = 6 -[ANIME] -peggy_denom = inj1mas82tve60sh3tkh879chgjkeaggxpeydwkl2n +[CHIKU] +peggy_denom = factory/inj1g8s4usdsy7gujf96qma3p8r2a7m02juzfm4neh/CHIKU +decimals = 6 + +[CHINMOY] +peggy_denom = inj1t52r8h56j9ctycqhlkdswhjjn42s6dnc6huwzs decimals = 18 -[ANK] -peggy_denom = inj16lxeq4xcdefptg39p9x78z5hkn0849z9z7xkyt +[CHOCOLATE] +peggy_denom = inj1slny6cqjkag3hgkygpq5nze6newysqpsfy0dxj +decimals = 6 + +[CHONK] +peggy_denom = inj17aze0egvc8hrmgf25kkhlw3720vurz99pdp58q decimals = 18 -[ANONS] -peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/ANONS +[CHOWCHOW] +peggy_denom = inj1syqdgn79wnnlzxd63g2h00rzx90k6s2pltec6w decimals = 6 -[AOT] -peggy_denom = factory/inj1yjeq7tz86a8su0asaxckpa3a9rslfp97vpq3zq/AOT +[CHROME] +peggy_denom = inj1k20q72a4hxt0g20sx3rcnjvhfye6u3k6dhx6nc decimals = 6 -[APC] -peggy_denom = inj150382m6ah6lg3znprdrsggx38xl47fs4rmzy3m +[CHROMIUM] +peggy_denom = inj1plmyzu0l2jku2yw0hnh8x6lw4z5r2rggu6uu05 +decimals = 8 + +[CHUN] +peggy_denom = factory/inj19tjhqehpyq4n05hjlqyd7c5suywf3hcuvetpcr/CHUN +decimals = 9 + +[CHUNGUS] +peggy_denom = factory/inj1khr6lahyjz0wgnwzuu4dk5wz24mjrudz6vgd0z/bigchungus +decimals = 6 + +[CHZ] +peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF decimals = 18 -[APE] -peggy_denom = factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/APE +[CHZlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 + +[CINU] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14pq4ewrxju997x0y7g2ug6cn3lqyp66ygz5x6s +decimals = 8 + +[CIRCUS] +peggy_denom = ibc/AEE5A4EF1B28693C4FF12F046C17197E509030B18F70FE3D74F6C3542BB008AD decimals = 6 -[APEINJ] -peggy_denom = factory/inj1pn6cg7jt5nvmh2rpjxhg95nrcjz0rujv54wkdg/apeinj +[CITY] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/CITY decimals = 6 -[APOLLO] -peggy_denom = ibc/1D10FF873E3C5EC7263A7658CB116F9535EC0794185A8153F2DD662E0FA08CE5 +[CJN] +peggy_denom = inj1eln607626f3j058rfh4xd3m4pd728x2cnxw4al +decimals = 18 + +[CLEO] +peggy_denom = inj1fr66v0vrkh55yg6xfw845q78kd0cnxmu0d5pnq +decimals = 18 + +[CLEVER] +peggy_denom = inj1f6h8cvfsyz450kkcqmy53w0y4qnpj9eylsazww +decimals = 18 + +[CLON] +peggy_denom = ibc/695B1D16DE4D0FD293E6B79451640974080B59AA60942974C1CC906568DED795 decimals = 6 -[APP] -peggy_denom = peggy0xC5d27F27F08D1FD1E3EbBAa50b3442e6c0D50439 +[CNJ] +peggy_denom = inj1w38vdrkemf8s40m5xpqe5fc8hnvwq3d794vc4a decimals = 18 -[APPLE] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/APPLE +[COCA] +peggy_denom = ibc/8C82A729E6D74B03797962FE5E1385D87B1DFD3E0B58CF99E0D5948F30A55093 decimals = 6 -[APSO] -peggy_denom = inj1sqsthjm8fpqc7seaa6lj08k7ja43jsd70rgy09 +[COCK] +peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/COCK decimals = 6 -[APT] -peggy_denom = inj1mrltq7kh35xjkdzvul9ky077khsa5qatc0ylxj +[COCKPIT] +peggy_denom = factory/inj15u2mc2vyh2my4qcuj5wtv27an6lhjrnnydr926/COCKPIT +decimals = 9 + +[COFFEE] +peggy_denom = inj166gumme9j7alwh64uepatjk4sw3axq84ra6u5j decimals = 6 -[AQLA] -peggy_denom = ibc/46B490B10E114ED9CE18FA1C92394F78CAA8A907EC72D66FF881E3B5EDC5E327 +[COFFEIN] +peggy_denom = inj18me8d9xxm340zcgk5eu8ljdantsk8ktxrvkup8 +decimals = 18 + +[COKE] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp decimals = 6 -[ARB] -peggy_denom = ibc/F28C5C931D2673B7A2F06FC74934F7BDC0D2906D2AF40D582ED27D1E5C48D475 +[COMP] +peggy_denom = peggy0xc00e94Cb662C3520282E6f5717214004A7f26888 decimals = 18 -[ARBlegacy] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +[CONK] +peggy_denom = inj18vcz02pukdr2kak6g2p34krgdddan2vlpzmqju decimals = 8 -[ARCH] -peggy_denom = ibc/9C6E75FE14DF8959B7CC6E77398DF825B9815C753BB49D2860E303EA2FD803DD +[CONK2.0] +peggy_denom = inj1zuz0rpg224mrpz2lu6npta34yc48sl7e5sndly +decimals = 8 + +[CONT] +peggy_denom = inj1vzpegrrn6zthj9ka93l9xk3judfx23sn0zl444 decimals = 18 -[ARCHER] -peggy_denom = inj1ype9ps9ep2qukhuuyf4s2emr7qnexkcfa09p34 +[COOK] +peggy_denom = factory/inj1pqpmffc7cdfx7tv9p2347ghgxdaell2xjzxmy6/COOK decimals = 6 -[ARIZO] -peggy_denom = inj1mdgw6dnw7hda2lancr0zgy6retrd2s5m253qud +[COOKIG] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/COOKIG decimals = 6 -[ARKI] -peggy_denom = inj1zhnaq7aunhzp0q6g5nrac9dxe5dg0ws0sqzftv -decimals = 18 - -[ARMANI] -peggy_denom = ibc/0C04597A68991F93CE8C9EF88EA795179CD020695041D00911E5CFF023D415CC +[COOL] +peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/coolcat decimals = 6 -[ARTEMIS] -peggy_denom = inj1yt49wv3up03hnlsfd7yh6dqfdxwxayrk6as6al -decimals = 8 +[COPE] +peggy_denom = inj1lchcdq3rqc2kaupt6fwshd7fyj7p0mpkeknkyw +decimals = 18 -[ARTINJ] -peggy_denom = inj1qgj0lnaq9rxcstjaevvd4q43uy4dk77e6mrza9 -decimals = 6 +[COQ] +peggy_denom = inj1lefh6m9ldqm55ume0j52fhhw6tzmx9pezkqhzp +decimals = 18 -[ARVI] -peggy_denom = inj16ff6zvsaay89w7e5ukvz83f6f9my98s20z5ea3 +[CORE] +peggy_denom = inj1363eddx0m5mlyeg9z9qjyvfyutrekre47kmq34 decimals = 18 -[ARYAN] -peggy_denom = inj16z7ja300985vuvkt975zyvtccu80xmzcfr4upt +[CORGI] +peggy_denom = inj129t9ywsya0tyma00xy3de7q2wnah7hrw7v9gvk decimals = 18 -[ASG] -peggy_denom = ibc/2D40732D27E22D27A2AB79F077F487F27B6F13DB6293040097A71A52FB8AD021 -decimals = 8 +[CORONA] +peggy_denom = inj1md4ejkx70463q3suv68t96kjg8vctnpf3ze2uz +decimals = 18 -[ASH] -peggy_denom = ibc/EED40547772504DF629EFEC08892E689CD14498B1C0AD766CD5075BBBEE3D808 +[COSMO] +peggy_denom = factory/inj1je6n5sr4qtx2lhpldfxndntmgls9hf38ncmcez/COSMO decimals = 6 -[ASI] -peggy_denom = inj1wgd5c8l27w8sac4tdfcxl2zyu5cfurtuxdvfx9 -decimals = 18 +[COSMWASM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex +decimals = 8 -[ASS] -peggy_denom = inj1fj7z77awl6srtmcuux3xgq995uempgx5hethh3 +[COST] +peggy_denom = inj1hlwjvef4g4tdsa5erdnzfzd8ufcw403a6558nm decimals = 18 -[ASSYN] -peggy_denom = factory/inj1qzn0ys7rht689z4p6pq99u6kc92jnkqyj02cur/ASSYN +[COVID] +peggy_denom = inj1ce38ehk3cxa7tzcq2rqmgek9hc3gdldvxvtzqy decimals = 6 -[ASTR] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x -decimals = 18 +[COWBOY] +peggy_denom = inj1dp7uy8sa0sevnj65atsdah0sa6wmwtfczwg08d +decimals = 6 -[ASTRO] -peggy_denom = ibc/063F4461F7317CFF10F50AB044E44932D22AAD84FA7107082744946E6DB7B7A8 +[CP] +peggy_denom = factory/inj1300jzt0tyjg8x4txsfs79l29k556vqqk22c7es/cope decimals = 6 -[ASTROBOT] -peggy_denom = inj153k5xjpqx39jm06gcxvjq5sxl8f7j79n72q9pz -decimals = 18 +[CPINJ] +peggy_denom = factory/inj1qczkutnsy3nmt909xtyjy4rsrkl2q4dm6aq960/coping +decimals = 6 -[ASTROGEMS] -peggy_denom = inj1xvlxqaxw0ef0596d96ecfwpta29y2jc9n5w9s9 -decimals = 8 +[CR7] +peggy_denom = factory/inj1v25y8fcxfznd2jkz2eh5cy2520jpvt3felux66/CR7 +decimals = 6 -[ASTROINJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn -decimals = 8 +[CRAB] +peggy_denom = factory/inj1fx2mj8532ynky2xw0k8tr46t5z8u7cjvpr57tq/crabfu +decimals = 6 -[ASTROLAND] -peggy_denom = inj16q7u3mzp3qmm6vf5a9jfzp46rs2dj68cuktzyw -decimals = 8 +[CRAB APPLE] +peggy_denom = inj1ku7f3v7z3dd9hrp898xs7xnwmmwzw32tkevahk +decimals = 18 -[ASTROLOGY] -peggy_denom = inj1u9th8dxhyrkz3tr2h5s6z2yap2s6e6955jk4yf +[CRASH] +peggy_denom = inj1k3rankglvxjxzsaqrfff4h5ttwcjjh3m4l3pa2 decimals = 8 -[ASTROPAD] -peggy_denom = inj1tvcarn0xz9p9rxrgev5a2qjmrtqtnl4xtu5vsu -decimals = 8 +[CRAZYHORSE] +peggy_denom = ibc/7BE6E83B27AC96A280F40229539A1B4486AA789622255283168D237C41577D3B +decimals = 6 -[ASTROPEPE] -peggy_denom = ibc/03BC83F4E4972621EAE3144FC91AED13AF3541A90A51B690425C95D1E03850D9 +[CRBRUS] +peggy_denom = ibc/F8D4A8A44D8EF57F83D49624C4C89EECB1472D6D2D1242818CDABA6BC2479DA9 decimals = 6 -[ASTROSOL] -peggy_denom = inj12vy3zzany7gtl9l9hdkzgvvr597r2ta48tvylj -decimals = 8 +[CRE] +peggy_denom = ibc/3A6DD3358D9F7ADD18CDE79BA10B400511A5DE4AE2C037D7C9639B52ADAF35C6 +decimals = 6 -[ASTROXMAS] -peggy_denom = inj19q50d6sgc3sv2hcvlfalc5kf2fc576v4nga849 -decimals = 8 +[CRINJ] +peggy_denom = factory/inj172d4lzaurwkmlvjfsz345mjmdc0e3ntsnhavf9/CRINJ +decimals = 6 -[ASUKA] -peggy_denom = inj1c64fwq7xexhh58spf2eer85yz3uvv3y659j5dd +[CRITPO] +peggy_denom = factory/inj1safqtpalmkes3hlyr0zfdr0dw4aaxulh306n67/CRITPO +decimals = 7 + +[CRN] +peggy_denom = inj1wcj4224qpghv94j8lzq8c2m9wa4f2slhqcxm9y decimals = 18 -[ASWC] -peggy_denom = factory/inj10emnhmzncp27szh758nc7tvl3ph9wfxgej5u5v/ASWC +[CROCO] +peggy_denom = factory/inj13j4gwlt2867y38z6e40366h38jtpmele209g6t/CROCO decimals = 6 -[ATOM] -peggy_denom = ibc/8D311D92BCD4E87F145DEB9DDA339416DEF7E13571D92A3521CAB0BF62760FBE +[CROCO_NINJA] +peggy_denom = factory/inj1c0tfeukmrw69076w7nffjqhrswp8vm9rr6t3eh/CROCO decimals = 6 -[ATOM-LUNA-LP] -peggy_denom = ibc/0ED853D2B77215F953F65364EF1CA7D8A2BD7B7E3009196BBA18E884FE3D3576 -decimals = 6 +[CRT] +peggy_denom = inj10qt8pyaenyl2waxaznez6v5dfwn05skd4guugw +decimals = 18 -[ATOM1KLFG] -peggy_denom = ibc/2061C894621F0F53F6FEAE9ABD3841F66D27F0D7368CC67864508BDE6D8C4522 -decimals = 6 +[CRYPB] +peggy_denom = inj1p82fws0lzshx2zg2sx5c5f855cf6wht9uudxg0 +decimals = 18 -[AUTISM] -peggy_denom = factory/inj14lf8xm6fcvlggpa7guxzjqwjmtr24gnvf56hvz/autism +[CRseven] +peggy_denom = inj19jp9v5wqz065nhr4uhty9psztlqeg6th0wrp35 decimals = 6 -[AUUU] -peggy_denom = ibc/4CEF2F778CDA8306B6DE18A3A4C4450BEBC84F27FC49F91F3617A37203FE84B2 -decimals = 6 +[CTAX] +peggy_denom = inj1mwj4p98clpf9aldzcxn7g8ffzrwz65uszesdre +decimals = 18 -[AVAX] -peggy_denom = inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 -decimals = 8 +[CTO] +peggy_denom = inj19kk6ywwu5h0rnz4453gyzt3ymgu739egv954tf +decimals = 18 -[AXL] -peggy_denom = ibc/B68C1D2682A8B69E20BB921E34C6A3A2B6D1E13E3E8C0092E373826F546DEE65 +[CUB] +peggy_denom = ibc/5CB35B165F689DD57F836C6C5ED3AB268493AA5A810740446C4F2141664714F4 decimals = 6 -[AXS] -peggy_denom = peggy0xBB0E17EF65F82Ab018d8EDd776e8DD940327B28b -decimals = 18 +[CUIT] +peggy_denom = factory/inj1zlmrdu0ntnmgjqvj2a4p0uyrg9jw802ld00x7c/CUIT +decimals = 6 -[AZUKI] -peggy_denom = inj1l5qrquc6kun08asp6dt50zgcxes9ntazyvs9eu -decimals = 8 +[CVR] +peggy_denom = peggy0x3C03b4EC9477809072FF9CC9292C9B25d4A8e6c6 +decimals = 18 -[Aave] -peggy_denom = ibc/49265FCAA6CC20B59652C0B45B2283A260BB19FC183DE95C29CCA8E01F8B004C +[CW20] +peggy_denom = inj1c2mjatph5nru36x2kkls0pwpez8jjs7yd23zrl decimals = 18 -[Alaskan Malamute] -peggy_denom = inj1wndunmgj56h5cssn96hhdh49ssclc24rfl9vr4 +[CW20-wrapped inj] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12kq4zh7kckuu0rfpxcr9l6l2x26ajf23uc0w55 decimals = 18 -[Alien Token] -peggy_denom = factory/inj169ed97mcnf8ay6rgvskn95n6tyt46uwvy5qgs0/aoi +[CWIFLUCK] +peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWIFLUCK decimals = 6 -[Alpha Coin] -peggy_denom = inj1zwnsemwrpve3wrrg0njj89w6mt5rmj9ydkc46u -decimals = 8 +[CWL] +peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWL +decimals = 6 -[Alpha Pro Club] -peggy_denom = inj1q2u8r40uh0ykqrjwszppz6yj2nvst4xvfvks29 -decimals = 8 +[CWT] +peggy_denom = factory/inj1j5hqczk6ee2zsuz7kjt5nshxcjg5g69njxe6ny/inj-cttoken +decimals = 18 -[ApeCoin] -peggy_denom = ibc/8A13F5DA968B4D526E9DC5AE20B584FE62462E80AF06B9D0EA0B0DB35ABBBF27 +[Canto] +peggy_denom = ibc/5C0C70B490A3568D40E81884F200716F96FCE8B0A55CB5EE41C1E369E6086CCA decimals = 18 -[Apots Doge ] -peggy_denom = inj1dgnrks2s53jd5a0qsuhyvryhk4s03f5mxv9khy -decimals = 6 +[Cat] +peggy_denom = inj1eerjxzvwklcgvclj9m2pulqsmpentaes8h347x +decimals = 18 -[April Fool's Day] -peggy_denom = inj1m9vaf9rm6qfjtq4ymupefkxjtv7vake0z4fc35 +[Cat WIF luck] +peggy_denom = inj1mqurena8qgf775t28feqefnp63qme7jyupk4kg +decimals = 18 + +[Cat Wif Luck] +peggy_denom = inj19lwxrsr2ke407xw2fdgs80f3rghg2pueqae3vf decimals = 6 -[Aptos Coin (Wormhole)] -peggy_denom = ibc/D807D81AB6C2983C9DCC2E1268051C4195405A030E1999549C562BCB7E1251A5 +[CatInjective] +peggy_denom = inj1p2w55xu2yt55rydrf8l6k79kt3xmjmmsnn3mse decimals = 8 -[Arbitrum] -peggy_denom = peggy0x912CE59144191C1204E64559FE8253a0e49E6548 +[Chainlink] +peggy_denom = ibc/AC447F1D6EDAF817589C5FECECB6CD3B9E9EFFD33C7E16FE8820009F92A2F585 decimals = 18 -[Arbitrum (legacy)] -peggy_denom = inj1d5vz0uzwlpfvgwrwulxg6syy82axa58y4fuszd +[Chb] +peggy_denom = inj1fvzre25nqkakvwmjr8av5jrfs56dk6c8sc6us9 decimals = 8 -[Arbitrum axlETH] -peggy_denom = ibc/A124994412FAC16975DF2DA42D7AFDB538A1CFCE0E40FB19620BADF6292B0A62 -decimals = 18 +[CheeseBalls] +peggy_denom = inj13mjcjrwwjq7x6fanqvur4atd4sxyjz7t6kfhx0 +decimals = 6 + +[Chiliz (legacy)] +peggy_denom = inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +decimals = 8 -[Artro] -peggy_denom = factory/inj13r3azv5009e8w3xql5g0tuxug974ps6eed0czz/Artro +[Chonk] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/Chonk decimals = 6 -[Astar] -peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x +[Chonk The Cat] +peggy_denom = inj1ftq3h2y70hrx5rn5a26489drjau9qel58h3gfr decimals = 18 -[Astro-Injective] -peggy_denom = inj1sdk8sm96c7hkkax0wzxzhde9z5rpu6cr4ld8dn -decimals = 8 +[Circle USD] +peggy_denom = ibc/8F3ED95BF70AEC83B3A557A7F764190B8314A93E9B578DE6A8BDF00D13153708 +decimals = 6 -[AstroGems] -peggy_denom = inj122y9wxxmpyu2rj5ju30uwgdvk9sj020z2zt7rv +[CosmWasm] +peggy_denom = inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex decimals = 8 -[Astrophile] -peggy_denom = inj1y07h8hugnqnqvrpj9kmjpsva7pj4yjwjjkd0u4 +[Cosmic] +peggy_denom = inj19zcnfvv3qazdhgtpnynm0456zdda5yy8nmsw6t decimals = 18 -[Axelar] -peggy_denom = peggy0x3eacbDC6C382ea22b78aCc158581A55aaF4ef3Cc +[Cosmo] +peggy_denom = factory/osmo1ua9rmqtmlyv49yety86ys8uqx3hawfkyjr0g7t/Cosmo decimals = 6 -[Axie Infinity Shard] -peggy_denom = ibc/EB519ECF709F0DB6BA1359F91BA2DDC5A07FB9869E1768D377EFEF9DF33DC4AB -decimals = 18 - -[BABY] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/GINGERDOG +[Cosmos] +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB decimals = 6 -[BABY GINGER] -peggy_denom = factory/inj15zruc9fw2qw9sc3pvlup5qmmqsk5pcmck7ylhw/BABYGINGER +[Crinj Token] +peggy_denom = factory/inj1kgyxepqnymx8hy7nydl65w3ecyut566pl70swj/crinj decimals = 6 -[BABY NINJA] -peggy_denom = factory/inj1hs5chngjfhjwc4fsajyr50qfu8tjqsqrj9rf29/baby-ninja -decimals = 6 +[D.a.r.e] +peggy_denom = inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej +decimals = 18 -[BABYDEK] -peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/BABYDEK +[DAB] +peggy_denom = factory/inj1n8w9wy72cwmec80qpjsfkgl67zft3j3lklg8fg/DAB decimals = 6 -[BABYDGNZ] -peggy_denom = inj1tyvchyp04yscelq30q6vzngn9wvmjw446sw786 -decimals = 6 +[DAI] +peggy_denom = peggy0x6B175474E89094C44Da98b954EedeAC495271d0F +decimals = 18 -[BABYDOGE] -peggy_denom = inj1nk2x5ll6guwt84aagnw82e7ajmlwde6w2zmpdw +[DANJER] +peggy_denom = factory/inj1xzk83u23djtynmz3a3h9k0q454cuhsn3y9jhr3/DANJER decimals = 6 -[BABYGINGER] -peggy_denom = inj17uyp6dz3uyq40ckkzlgrze2k25zhgvdqa3yh0v +[DAOJO] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/daojo decimals = 6 -[BABYHACHI] -peggy_denom = factory/inj1hjfm3z53dj4ct5nxef5ghn8hul0y53u7ytv8st/babyhachi +[DATOSHI] +peggy_denom = inj1rp63ym52lawyuha4wvn8gy33ccqtpj5pu0n2ef +decimals = 18 + +[DBT] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/dbt decimals = 6 -[BABYINJ] -peggy_denom = inj1llatk73a2935vky6nzv78w80ff5v3etqadzv76 -decimals = 8 +[DBTT] +peggy_denom = inj1wwga56n4glj9x7cnuweklepl59hp95g9ysg283 +decimals = 18 -[BABYIPEPE] -peggy_denom = factory/inj14u2wghxjswct5uznt40kre5ct7a477m2ma5hsm/babyipepe +[DDD] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/ddd decimals = 6 -[BABYKIRA] -peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/BABYKIRA +[DDL] +peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDL decimals = 6 -[BABYKISHU] -peggy_denom = factory/inj15e7ah9tmmhyd3qafupnwe8uj74nc7gkehkrnuw/babykishu -decimals = 6 +[DDLTest] +peggy_denom = inj10zhn525tfxf5j34dg5uh5js4fr2plr4yydasxd +decimals = 18 -[BABYNINJA] -peggy_denom = inj16exmkvtzkqgxgl44w6793hzjta78f4zpyv8z9p -decimals = 6 +[DEFI5] +peggy_denom = peggy0xfa6de2697D59E88Ed7Fc4dFE5A33daC43565ea41 +decimals = 18 -[BABYPANDA] -peggy_denom = factory/inj19mznavp32fkmwzdyuute4al2lrjzvy6ym9em3h/babypanda -decimals = 6 +[DEFIKINGS] +peggy_denom = inj18h33x5qcr44feutwr2cgazaalcqwtpez57nutx +decimals = 8 -[BABYPEPE] -peggy_denom = factory/inj1un9z8767u2r8snaqqcysnm9skxf36dspqx86sy/babypepe +[DEGGZ] +peggy_denom = factory/inj1k0ked7w3t3etzun47m00xmx9vr4zglznnsp3y9/DEGGZ +decimals = 9 + +[DEK] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dek decimals = 6 -[BABYQUNT] -peggy_denom = factory/inj1xdm6zdjcwu4vy32yp2g2dazwg2ug50w2k7sy9p/BABYQUNT +[DEK on INJ] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dekinj +decimals = 1 + +[DEPE] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/depe decimals = 6 -[BABYROLL] -peggy_denom = inj16rvlt87pmpntkyv3x4zfvgmyxt8ejj9mpcc72m +[DEXTER] +peggy_denom = inj12y0ucglt3twtwaaklgce3vpc95gxe67lpu2ghc decimals = 18 -[BABYSHROOM] -peggy_denom = inj1dch98v88yhksd8j4wsypdua0gk3d9zdmsj7k59 +[DGNZ] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/DGNZ decimals = 6 -[BABYSPUUN] -peggy_denom = inj1n73ty9gxej3xk7c0hhktjdq3ppsekwjnhq98p5 -decimals = 6 +[DIB] +peggy_denom = inj1nzngv0ch009jyc0mvm5h55d38c32sqp2fjjws9 +decimals = 18 -[BAD] -peggy_denom = ibc/C04478BE3CAA4A14EAF4A47967945E92ED2C39E02146E1577991FC5243E974BB +[DICE] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/DICE decimals = 6 -[BADKID] -peggy_denom = ibc/A0C5AD197FECAF6636F589071338DC7ECD6B0809CD3A5AB131EAAA5395E7E5E8 +[DICES] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/dices decimals = 6 -[BAG] -peggy_denom = ibc/CFD97474BEB91453470ABF422E94B4C55ACF2CBA300B1FE7ED494DB5F5E012B1 +[DICK] +peggy_denom = factory/inj1wqk200kkyh53d5px5zc6v8usq3pluk07r4pxpu/DICK decimals = 6 -[BAJE] -peggy_denom = factory/inj10yymeqd0hydqmaq0gn6k6s8795svjq7gt5tmsf/BAJE +[DIDX] +peggy_denom = factory/inj1w24j0sv9rvv473x6pqfd2cnnxtk6cvrh5ek89e/DIDX decimals = 6 -[BALLOON] -peggy_denom = inj17p4x63h8gpfd7f6whmmcah6vq6wzzmejvkpqms +[DINHEIROS] +peggy_denom = ibc/306269448B7ED8EC0DB6DC30BAEA279A9190E1D583572681749B9C0D44915DAB +decimals = 0 + +[DINO] +peggy_denom = inj1zx9tv9jg98t0fa7u9882gjrtansggmakmwnenm decimals = 18 -[BAMBOO] -peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/bamboo +[DITTO] +peggy_denom = inj1vtg4almersef8pnyh5lptwvcdxnrgqp0zkxafu decimals = 6 -[BAND] -peggy_denom = peggy0xBA11D00c5f74255f56a5E366F4F77f5A186d7f55 -decimals = 18 - -[BAPE] -peggy_denom = factory/inj16mnhqpzuj4s4ermuh76uffaq3r6rf8dw5v9rm3/BAPE +[DNA] +peggy_denom = ibc/AE8E20F37C6A72187633E418169758A6974DD18AB460ABFC74820AAC364D2A13 decimals = 6 -[BAR] -peggy_denom = inj1hnap888nfhv2gnlp4zvjlyq9wmsw6hm3afvhuf +[DOCE] +peggy_denom = inj1xx8qlk3g9g3cyqs409strtxq7fuphzwzd4mqzw decimals = 18 -[BARCA] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/barcelona +[DOGE] +peggy_denom = doge +decimals = 8 + +[DOGECoin] +peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGE decimals = 6 -[BARRY] -peggy_denom = inj1ykpcvay9rty363wtxr9749qgnnj3rlp94r302y -decimals = 18 +[DOGEINJ] +peggy_denom = factory/inj1lm95gdmz7qatcgw933t97rg58wnzz3dpxv7ldk/DOGEINJ +decimals = 6 -[BASE] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/BASE +[DOGEINJCoin] +peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGEINJ decimals = 6 -[BASTARD] -peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/BASTARD +[DOGEKIRA] +peggy_denom = inj1xux4gj0g3u8qmuasz7fsk99c0hgny4wl7hfzqu decimals = 6 -[BAT] -peggy_denom = factory/inj1h75s3ne4vjpp3wtf300uv2xuz7r9lt2xu87jjk/BAT +[DOGENINJA] +peggy_denom = inj1wjv6l090h9wgwr6lc58mj0xphg50mzt8y6dfsy decimals = 6 -[BATMAN] -peggy_denom = inj158jjagrr499yfc6t5kd9c989tx6f7ukrulj280 +[DOGGO] +peggy_denom = factory/inj1a4qjk3ytal0alrq566zy6z7vjv6tgrgg0h7wu9/DOGGO decimals = 6 -[BAYC] -peggy_denom = bayc +[DOGINJBREAD] +peggy_denom = inj1s4srnj2cdjf3cgun57swe2je8u7n3tkm6kz257 decimals = 18 -[BCA] -peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCA +[DOGOFTHUN] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/DOGOFTHUN decimals = 6 -[BCAT] -peggy_denom = factory/inj12ygx3scssu2d9rymtppaf6nks8qg08z9w3tml9/BCAT -decimals = 6 +[DOGWIF] +peggy_denom = inj16ykyeaggxaqzj3x85rjuk3xunky7mg78yd2q32 +decimals = 8 -[BCC] -peggy_denom = factory/inj1hr4rj6k72emjh9u7l6zg58c0n0daezz68060aq/BCC +[DOINJ] +peggy_denom = inj1swqv8e6e8tmyeqwq3rp43pfsr75p8wey7vrh0u +decimals = 8 + +[DOJ] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/doj decimals = 6 -[BCUBE] -peggy_denom = peggy0x93C9175E26F57d2888c7Df8B470C9eeA5C0b0A93 +[DOJO] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 decimals = 18 -[BEANS] -peggy_denom = inj1j7e95jmqaqgazje8kvuzp6kh2j2pr6n6ffvuq5 -decimals = 8 +[DOJO SWAP] +peggy_denom = inj1qzqlurx22acr4peuawyj3y95v9r9sdqqrafwqa +decimals = 18 -[BEAR] -peggy_denom = factory/inj1jhwwydrfxe33r7ayy7nnrvped84njx97mma56r/BEAR +[DOJODOG] +peggy_denom = factory/inj1s0awzzjfr92mu6t6h85jmq6s9f6hxnqwpmy3f7/DOJODOG decimals = 6 -[BEAST] -peggy_denom = peggy0xA4426666addBE8c4985377d36683D17FB40c31Be +[DOJOshroom] +peggy_denom = inj194l9mfrjsthrvv07d648q24pvpfkntetx68e7l decimals = 6 -[BECKHAM] -peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/beckham -decimals = 6 +[DOJSHIB] +peggy_denom = inj17n55k95up6tvf6ajcqs6cjwpty0j3qxxfv05vd +decimals = 18 -[BEEN] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/been +[DOKI] +peggy_denom = ibc/EA7CE127E1CFD7822AD169019CAFDD63D0F5A278DCE974F438099BF16C99FB8B decimals = 6 -[BELL] -peggy_denom = factory/inj1ht2x2pyj42y4y48tj9n5029w8j9f4sxu0zkwq4/BELL +[DON] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/don decimals = 6 -[BENANCE] -peggy_denom = inj1292223n3vfhrxndvlzsvrrlkkyt7jyeydf77h0 +[DONALD TRUMP] +peggy_denom = inj1mdf4myxfhgranmzew5kg39nv5wtljwksm9jyuj +decimals = 18 + +[DONK] +peggy_denom = inj1jargzf3ndsadyznuj7p3yrp5grdxsthxyfp0fj decimals = 6 -[BENJAMIN] -peggy_denom = inj1cr970pgvudvgfva60jtxnztgsu5ngm7e80e7vd +[DONKEY] +peggy_denom = inj1ctczwjzhjjes7vch52anvr9nfhdudq6586kyze decimals = 18 -[BERB] -peggy_denom = inj1rlyw9tl7e5u9haunh39mh87clvmww5p39dd9kv +[DONNA] +peggy_denom = inj17k4lmkjl963pcugn389d070rh0n70f5mtrzrvv decimals = 18 -[BERLIN] -peggy_denom = inj1atu2677agwrskzxj4a5dn8lq43nhmeyjz5tsfq -decimals = 18 +[DONOTBUY] +peggy_denom = inj197p39k7ued8e6r5mnekg47hphap8zcku8nws5y +decimals = 6 -[BERNESE] -peggy_denom = ibc/28E915262E40A4CA526D5BFB0BAF67A1C024F8318B779C3379147A6C26D11EA8 +[DOOMER] +peggy_denom = factory/inj1lqv3a2hxggzall4jekg7lpe6lwqsjevnm9ztnf/doomer decimals = 6 -[BICHO] -peggy_denom = inj1hd42hz95w6w3rt5pkeuj783a5mtx8hx28p2eg9 +[DOPE] +peggy_denom = factory/inj1tphwcsachh92dh5ljcdwexdwgk2lvxansym77k/DOPE +decimals = 0 + +[DORA] +peggy_denom = ibc/BC3AD52E42C6E1D13D2BDCEB497CF5AB9FEE24D804F5563B9E7DCFB825246947 decimals = 18 -[BIDEN] -peggy_denom = inj1d2ymlnpvqny9x2qfqykzp8geq3gmg9qrm3qwhe +[DOT] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1spzwwtr2luljr300ng2gu52zg7wn7j44m92mdf +decimals = 10 + +[DOTRUMP] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/dotrump decimals = 6 -[BIGSHROOM] -peggy_denom = inj1kld2dd6xa5rs98v7afv3l57m6s30hyj8dcuhh4 +[DRACO] +peggy_denom = inj14g9hcmdzlwvafsmrka6gmd22mhz7jd3cm5d8e6 +decimals = 8 + +[DRAGON] +peggy_denom = factory/inj1apk9x267a3qplc6q9a22xsvd2k96g0655xw59m/DRAGON decimals = 6 -[BIN] -peggy_denom = factory/inj1ax459aj3gkph6z0sxaddk6htzlshqlp5mfwqvx/catinbin +[DREAM] +peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dream decimals = 6 -[BINJ] -peggy_denom = inj14nursn4ezeqy9cgxmush6vk2p2wjsrucsl6gc9 +[DRG] +peggy_denom = inj15jg279nugsgqplswynqqfal29tav9va5wzf56t decimals = 18 -[BINJANS] -peggy_denom = factory/inj1aj47a2vflavw92yyhn7rpa32f0dazf5cfj59v8/binjans +[DRIVING] +peggy_denom = inj1ghhdy9mejncsvhwxmvnk5hspkd5fchtrmhu3x2 +decimals = 8 + +[DROGO] +peggy_denom = ibc/565FE65B82C091F8BAD1379FA1B4560C036C07913355ED4BD8D156DA63F43712 decimals = 6 -[BINJE] -peggy_denom = inj1ufew4geh63l45ugk6aett2rdtatjm9xtycjcyd +[DROGON] +peggy_denom = inj1h86egqfpypg8q3jp9t607t0y8ea6fdpv66gx0j decimals = 6 -[BIRB] -peggy_denom = inj136zssf58vsk9uge7ulgpw9umerzcuu0kxdu5dj +[DTEST] +peggy_denom = factory/inj1zn8qlkjautjt3mvr7xwuvpe6eddqt5w3mak5s7/DTEST decimals = 6 -[BITCOIN] -peggy_denom = factory/inj1aj4yhftluexp75mlfmsm7sfjemrtt3rjkg3q3h/BITCOIN +[DTHREE] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/DTHREE decimals = 6 -[BITS] -peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/bits +[DUBAIcoin] +peggy_denom = inj1gsm06ndeq620sp73lu26nz76rqfpy9qtg7xfdw decimals = 6 -[BITZ] -peggy_denom = ibc/01A69EE21F6A76CAA8D0DB900AF2789BF665B5B67D89A7D69E7ECF7F513CD0CA +[DUBDUB] +peggy_denom = inj1nwm43spkusyva27208recgwya2yu2yja934x0n decimals = 6 -[BJNO] -peggy_denom = inj1jlugmrq0h5l5ndndcq0gyav3flwmulsmdsfh58 -decimals = 18 +[DUCKS] +peggy_denom = factory/inj1mtxwccht2hpfn2498jc8u4k7sgrurxt04jzgcn/DUCKS +decimals = 6 -[BLACK] -peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/BLACK +[DUDE] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/DUDE decimals = 6 -[BLACK PANTHER] -peggy_denom = inj12tkaz9e540zszf5vtlxc0aksywu9rejnwxmv3n +[DUEL] +peggy_denom = peggy0x943Af2ece93118B973c95c2F698EE9D15002e604 decimals = 18 -[BLACKHOLE PROTOCOL] -peggy_denom = peggy0xd714d91A169127e11D8FAb3665d72E8b7ef9Dbe2 +[DUMB] +peggy_denom = factory/inj122c9quyv6aq5e2kr6gdcazdxy2eq2u2jgycrly/DUMB +decimals = 6 + +[DUMP BEOPLE] +peggy_denom = inj13d8cpsfc9gxxspdatucvngrvs435zddscapyhk decimals = 18 -[BLD] -peggy_denom = ibc/B7933C59879BFE059942C6F76CAF4B1609D441AD22D54D42DAC00CE7918CAF1F -decimals = 6 +[DUROV] +peggy_denom = inj1y73laasqpykehcf67hh3z7vn899sdmn6vtsg22 +decimals = 18 -[BLEND] -peggy_denom = ibc/45C0FE8ACE1C9C8BA38D3D6FDEBDE4F7198A434B6C63ADCEFC3D32D12443BB84 -decimals = 6 +[DWHPPET] +peggy_denom = inj1rreafnwdwc9mu7rm6sm2nwwjd2yw46h26rzz36 +decimals = 18 -[BLISS] -peggy_denom = factory/inj15tz959pa5mlghhku2vm5sq45jpp4s0yf23mk6d/BLISS +[DWIFLUCK] +peggy_denom = factory/inj1gn54l05v5kqy5zmzk5l6wydzgvhvx2srm7rdkg/DWIFLUCK decimals = 6 -[BLOCKTOWER] -peggy_denom = inj1cnldf982xlmk5rzxgylvax6vmrlxjlvw7ss5mt -decimals = 8 +[DYDX] +peggy_denom = ibc/7B911D87318EB1D6A472E9F08FE93955371DF3E1DFFE851A58F4919450FFE7AA +decimals = 18 -[BLUE] -peggy_denom = factory/inj130nkx4u8p5sa2jl4apqlnnjlej2ymfq0e398w9/BLUE -decimals = 6 +[DYM] +peggy_denom = ibc/346B01430895DC4273D1FAFF470A9CE1155BF6E9F845E625374D019EC9EE796D +decimals = 18 -[BLUE CUB DAO] -peggy_denom = ibc/B692197280D4E62F8D9F8E5C0B697DC4C2C680ED6DE8FFF0368E0552C9215607 -decimals = 6 +[Dai Stablecoin] +peggy_denom = ibc/265ABC4B9F767AF45CAC6FB76E930548D835EDA3E94BC56B70582A55A73D8C90 +decimals = 18 -[BLUEINJ] -peggy_denom = inj1ss3d6gw5xzk5gdt9w4qhp3px62mqygk69uxwyv +[Dai Stablecoin (Wormhole)] +peggy_denom = ibc/293F6074F0D8FF3D8A686F11BCA3DD459C54695B8F205C8867E4917A630634C2 decimals = 8 -[BLUEINJECTIVE] -peggy_denom = inj1zkm3r90ard692tvrjrhu7vtkzlqpkjkdwwc57s -decimals = 8 +[Daisy] +peggy_denom = inj1djnh5pf860722a38lxlxluwaxw6tmycqmzgvhp +decimals = 18 -[BMO] -peggy_denom = inj17fawlptgvptqwwtgxmz0prexrz2nel6zqdn2gd -decimals = 8 +[Daojo] +peggy_denom = inj1dpgkaju5xqpa3vuz6qxqp0vljne044xgycw0d7 +decimals = 18 -[BMOS] -peggy_denom = ibc/D9353C3B1407A7F7FE0A5CCB7D06249B57337888C95C6648AEAF2C83F4F3074E +[DarkDeath] +peggy_denom = factory/inj133nvqdan8c79fhqfkmc3h59v30v4urgwuuejke/DarkDeath decimals = 6 -[BMSCWA] -peggy_denom = factory/inj1v888gdj5k9pykjca7kp7jdy6cdalfj667yws54/BabyMiloSillyCoqWifAnalos +[Degen] +peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/Degen decimals = 6 -[BMW] -peggy_denom = inj1fzqfk93lrmn7pgmnssgqwrlmddnq7w5h3e47pc +[DelPiero] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/delpiero decimals = 6 -[BMX] -peggy_denom = inj12u37kzv3ax6ccja5felud8rtcp68gl69hjun4v -decimals = 18 - -[BNB] -peggy_denom = peggy0xB8c77482e45F1F44dE1745F52C74426C631bDD52 +[Dnd] +peggy_denom = inj1acxjvpu68t2nuw6950606gw2k59qt43zfxrcwq decimals = 18 -[BNINJA] -peggy_denom = factory/inj1k7tuhcp7shy4qwkwrg6ckjteucg44qfm79rkmx/BNINJA -decimals = 6 +[Dog Wif Token ] +peggy_denom = inj1qhu9yxtp0x9gkn0n89hcw8c0wc8nhuke8zgw0d +decimals = 8 -[BOB] -peggy_denom = inj1cwaw3cl4wscxadtmydjmwuelqw95w5rukmk47n +[Doge] +peggy_denom = inj1n4hl6mxv749jkqsrhu23z24e2p3s55de98jypt decimals = 18 -[BOBURU] -peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/boburu -decimals = 6 - -[BODED] -peggy_denom = inj10xtrreumk28cucrtgse232s3gw2yxcclh0wswd -decimals = 6 +[Dogelon Mars] +peggy_denom = peggy0x761D38e5ddf6ccf6Cf7c55759d5210750B5D60F3 +decimals = 18 -[BODEN] -peggy_denom = boden -decimals = 9 +[Doggo] +peggy_denom = inj1gasr3mz9wdw2andhuf5254v9haw2j60zlftmha +decimals = 18 -[BOME] -peggy_denom = factory/inj1ne284hkg3yltn7aq250lghkqqrywmk2sk9x2yu/BOME -decimals = 6 +[Doginbread] +peggy_denom = inj1sx9mflrf6jvnzantd8rlzqh9tahgdyul5hq4pc +decimals = 18 -[BONE] -peggy_denom = inj1kpp05gff8xgs0m9k7s2w66vvn53n77t9t6maqr -decimals = 6 +[Dojo Staked INJ] +peggy_denom = inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 -[BONJA] -peggy_denom = factory/inj18v0e5dj2s726em58sg69sgmrnqmd08q5apgklm/bj -decimals = 6 +[Dojo Token] +peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 +decimals = 18 -[BONJO] -peggy_denom = factory/inj1r35twz3smeeycsn4ugnd3w0l5h2lxe44ptuu4w/BONJO +[Dojo bot] +peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/DOJO decimals = 6 -[BONK] -peggy_denom = factory/inj1zy0r4d9s4zmssym0u46j5vxqatt5k5phfxt6rf/bonk +[Don] +peggy_denom = inj19yv3uvkww6gjda2jn90aayrefjacclsrulr5n2 decimals = 18 -[BONKINJ] -peggy_denom = inj173f5j4xtmah4kpppxgh8p6armad5cg5e6ay5qh -decimals = 6 - -[BONKJA] -peggy_denom = factory/inj1gc8fjmp9y8kfsy3s6yzucg9q0azcz60tm9hldp/bonkja +[DonatelloShurikenLipsInjection2dust] +peggy_denom = factory/inj1ya7ltz2mkj0z4w25lxueh7emz6qhwe33m4knx8/INJECTIV decimals = 6 -[BONSAI] -peggy_denom = factory/inj13jx69l98q0skvwy3n503e0zcrh3wz9dcqxpwxy/bonsai +[Doodle] +peggy_denom = factory/inj1yjhn49auvxjqe2y3hxl9uwwzsjynl4ms0kq6d4/Doodle decimals = 6 -[BONUS] -peggy_denom = ibc/DCF43489B9438BB7E462F1A1AD38C7898DF7F49649F9CC8FEBFC533A1192F3EF +[Dope Token] +peggy_denom = inj1lrewwyn3m2dms6ny7m59x9s5wwcxs5zf5y2w20 decimals = 8 -[BOOM] -peggy_denom = inj1xuu84fqdq45wdqj38xt8fhxsazt88d7xumhzrn -decimals = 18 - -[BOOSH] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/boosh -decimals = 6 +[Dot] +peggy_denom = ibc/B0442E32E21ED4228301A2B1B247D3F3355B73BF288470F9643AAD0CA07DD593 +decimals = 10 -[BOY] -peggy_denom = ibc/84DA08CF29CD08373ABB0E36F4E6E8DC2908EA9A8E529349EBDC08520527EFC2 +[Drachme] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/drachme decimals = 6 -[BOYS] -peggy_denom = factory/inj1q7unmeeqkj8r4m4en50wqlfnptfvgf0wavuah8/BOYS -decimals = 6 +[Dragon Coin] +peggy_denom = inj1ftfc7f0s7ynkr3n7fnv37qpskfu3mu69ethpkq +decimals = 18 -[BOZO] -peggy_denom = inj1mf5dj5jscuw3z0eykkfccy2rfz7tvugvw2rkly +[Drugs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej decimals = 18 -[BPEPE] -peggy_denom = inj1pel9sz78wy4kphn2k7uwv5f6txuyvtrxn9j6c3 -decimals = 8 +[Duel] +peggy_denom = inj1ghackffa8xhf0zehv6n8j3gjzpz532c4h2zkkp +decimals = 18 -[BRETT] -peggy_denom = factory/inj13jjdsa953w03dvecsr43dj5r6a2vzt7n0spncv/brett +[Dwake] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/Dwake decimals = 6 -[BRNZ] -peggy_denom = ibc/713B768D6B89E4DEEFDBE75390CA2DC234FAB6A016D3FD8D324E08A66BF5070F -decimals = 0 - -[BRO] -peggy_denom = factory/inj1cd4q88qplpve64hzftut2cameknk2rnt45kkq5/BRO +[E-SHURIKEN] +peggy_denom = inj1z93hdgsd9pn6eajslmyerask38yugxsaygyyu0 decimals = 6 -[BRRR] -peggy_denom = inj16veue9c0sz0mp7dnf5znsakqwt7cnjpwz3auau -decimals = 18 +[EARS] +peggy_denom = inj1g07rttdqwcy43yx9m20z030uex29sxpcwvvjmf +decimals = 8 -[BRUCELEE] -peggy_denom = inj1dtww84csxcq2pwkvaanlfk09cer93xzc9kwnzf +[EASPORTS] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EASPORTS decimals = 6 -[BRZ] -peggy_denom = peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B -decimals = 4 +[ECOCH] +peggy_denom = factory/inj1tquax9jy4t7lg2uya4yclhlqlh5a75ykha2ewr/EcoChain +decimals = 6 -[BSKT] -peggy_denom = ibc/2138C4EA63EFD757D42F75B90177FE34A9508DC0046DC48844CFF26659AE7A9D -decimals = 5 +[ECPS] +peggy_denom = inj1vzjfp3swqhhjp56w40j4cmekjpmrkq6d3ua7c8 +decimals = 8 -[BTC] -peggy_denom = btc +[EGGMAN] +peggy_denom = inj1hjym72e40g8yf3dd3lah98acmkc6ms5chdxh6g decimals = 8 -[BTCETF] -peggy_denom = inj1gzmkap8g09h70keaph9utxy9ahjvuuhk5tzpw9 +[ELE] +peggy_denom = inj1zyg7gvzzsc0q39vhv5je50r2jcfv2ru506pd7w +decimals = 6 + +[ELEM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 decimals = 18 -[BUFFON] -peggy_denom = inj16m2tnugwtrdec80fxvuaxgchqcdpzhf2lrftck +[ELM] +peggy_denom = inj1uu3dc475nuhz68j3g4s3cpxzdfczpa3k4dcqz7 decimals = 18 -[BUGS] -peggy_denom = factory/inj1zzc2wt4xzy9yhxz7y8mzcn3s6zwvajyutgay3c/BUGS +[ELMNT] +peggy_denom = inj17z53rhx0w6szyhuakgnj9y0khprrp2rmdg0djz decimals = 6 -[BUILD] -peggy_denom = inj1z9utpqxm586476kzpk7nn2ukhnydmu8vchhqlu -decimals = 18 - -[BUL] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bul +[ELON] +peggy_denom = inj10pqutl0av9ltrw9jq8d3wjwjayvz76jhfcfza0 decimals = 6 -[BULL] -peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/BULL +[ELON-GATED-PENIS] +peggy_denom = inj1v0ahzyf4mup6eunf4hswcs9dq3ffea4nqxdhmq decimals = 6 -[BULLS] -peggy_denom = factory/inj1zq37mfquqgud2uqemqdkyv36gdstkxl27pj5e3/bulls +[ELONXMAS] +peggy_denom = inj1nmrve743hvmxzv7e3p37nyjl2tf8fszcqg44ma +decimals = 8 + +[EMP] +peggy_denom = factory/inj1vc6gdrn5ta9h9danl5g0sl3wjwxqfeq6wj2rtm/EMP decimals = 6 -[BURGE] -peggy_denom = inj1xcmamawydqlnqde7ah3xq7gzye9acwkmc5k5ne +[EMP On Injective] +peggy_denom = inj1qm7x53esf29xpd2l8suuxtxgucrcv8fkd52p7t decimals = 18 -[BUS] -peggy_denom = inj1me9svqmf539hfzrfhw2emm2s579kv73w77u8yz +[ENA] +peggy_denom = peggy0x57e114B691Db790C35207b2e685D4A43181e6061 decimals = 18 -[BUSD] -peggy_denom = peggy0x4Fabb145d64652a948d72533023f6E7A623C7C53 +[ENJ] +peggy_denom = peggy0xF629cBd94d3791C9250152BD8dfBDF380E2a3B9c decimals = 18 -[BUSD (BEP-20)] -peggy_denom = ibc/A8F9B4EC630F52C13D715E373A0E7B57B3F8D870B4168DADE0357398712ECC0E +[EPIC] +peggy_denom = inj1ewmqrnxm8a5achem6zqg44w7lut3krls4m5mnu decimals = 18 -[BWH] -peggy_denom = ibc/9A31315BECC84265BCF32A31E4EB75C3B59ADCF8CCAE3C6EF8D0DF1C4EF829EB -decimals = 6 - -[BYE] -peggy_denom = inj1zfaug0dfg7zmd888thjx2hwuas0vl2ly4euk3r +[EPICEIGHT] +peggy_denom = inj19dd2lqy8vpcl3kc9ftz3y7xna6qyevuhq7zxkz decimals = 18 -[Baby Corgi] -peggy_denom = ibc/9AC0F8299A5157831C7DF1AE52F178EFBA8D5E1826D4DD539441E3827FFCB873 -decimals = 6 +[EPICEL] +peggy_denom = inj1hz2e3fasvhhuxywx96g5vu8nnuvak5ca4r7jsk +decimals = 18 -[Baby DOJO Token] -peggy_denom = inj19dtllzcquads0hu3ykda9m58llupksqwekkfnw -decimals = 6 +[EPICFIVE] +peggy_denom = inj1cavzx4eswevydc8hawdy362z3a2nucku8c0lp6 +decimals = 18 -[Baby Dog Wif Nunchucks] -peggy_denom = inj1nddcunwpg4cwyl725lvkh9an3s5cradaajuwup -decimals = 8 +[EPICNINE] +peggy_denom = inj1a6jfnquus2vrfshwvurae9wkefu0k3n8ay6u4r +decimals = 18 -[Baby Ninja] -peggy_denom = factory/inj1h3y27yhly6a87d95937jztc3tupl3nt8fg3lcp/BABYNINJA -decimals = 6 +[EPICONE] +peggy_denom = inj16nenk0jqfcgj8qhfap9n7ldjzke97rw9auxptx +decimals = 18 -[Baby Nonja] -peggy_denom = inj1pchqd64c7uzsgujux6n87djwpf363x8a6jfsay +[EPICSEVEN] +peggy_denom = inj19tval5k0qjgqqkuw0v8g5qz9sautru4jr9rz7e decimals = 18 -[BabyBonk] -peggy_denom = inj1kaad0grcw49zql08j4xhxrh8m503qu58wspgdn +[EPICSIX] +peggy_denom = inj1gyf3358u6juk3xvrrp7vlez9yuk2ek33dhqdau decimals = 18 -[BabyInjective] -peggy_denom = inj1dvflqrkkaxped5cmks92q6vmtzx75cge9gvvap -decimals = 8 +[EPICTE] +peggy_denom = inj1c6mpj4p2dvxdgqq9l0sasz0uzu4gah7k3g03xf +decimals = 18 -[Babykira] -peggy_denom = factory/inj15jeczm4mqwtc9lk4c0cyynndud32mqd4m9xnmu/$babykira -decimals = 6 +[EPICTEN] +peggy_denom = inj1e9t4mhc00s4p0rthuyhpy2tz54nuh552sk5v60 +decimals = 18 -[Babyroll] -peggy_denom = inj1qd60tuupdtq2ypts6jleq60kw53d06f3gc76j5 +[EPICTREE] +peggy_denom = inj1hjt77g9ujsh52jdm388ggx387w9dk4jwe8w5sq decimals = 18 -[Baguette] -peggy_denom = inj15a3yppu5h3zktk2hkq8f3ywhfpqqrwft8awyq0 +[EPICTWO] +peggy_denom = inj1z24n2kmsxkz9l75zm7e90f2l0rfgaazh6usw3h decimals = 18 -[Bamboo] -peggy_denom = factory/inj144nw6ny28mlwuvhfnh7sv4fcmuxnpjx4pksr0j/boo -decimals = 6 +[EPICfour] +peggy_denom = inj14m6t04x80r2f78l26wxz3vragpy892pdmshcat +decimals = 18 -[Base axlETH] -peggy_denom = ibc/FD8134B9853AABCA2B22A942B2BFC5AD59ED84F7E6DFAC4A7D5326E98DA946FB +[ERA] +peggy_denom = peggy0x3e1556B5b65C53Ab7f6956E7272A8ff6C1D0ed7b decimals = 18 -[Basket] -peggy_denom = inj193340xxv49hkug7r65xzc0l40tze44pee4fj94 -decimals = 5 +[ERIC] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/eric +decimals = 6 -[Benance] -peggy_denom = inj1gn8ss00s3htff0gv6flycgdqhc9xdsmvdpzktd -decimals = 8 +[ERIS Amplified SEI] +peggy_denom = ibc/9774771543D917853B9A9D108885C223DFF03ABC7BD39AD2783CA4E1F58CDC6E +decimals = 6 -[BetaDojo] -peggy_denom = inj1p6cj0r9ne63xhu4yr2vhntkzcfvt8gaxt2a5mw +[ESCUDOS] +peggy_denom = ibc/D1546953F51A43131EDB1E80447C823FD0B562C928496808801A57F374357CE5 decimals = 6 -[Binance Coin] -peggy_denom = ibc/AAED29A220506DF2EF39E43B2EE35717636502267FF6E0343B943D70E2DA59EB +[ETF] +peggy_denom = inj1cdfcc6x6fn22wl6gs6axgn48rjve2yhjqt8hv2 decimals = 18 -[Binance USD] -peggy_denom = ibc/A62F794AAEC56B6828541224D91DA3E21423AB0DC4D21ECB05E4588A07BD934C +[ETH] +peggy_denom = eth decimals = 18 -[Binu] -peggy_denom = inj1myh9um5cmpghrfnh620cnauxd8sfh4tv2mcznl +[ETHBTCTrend] +peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 decimals = 18 -[Bird INJ] -peggy_denom = factory/inj125hcdvz9dnhdqal2u8ctr7l0hd8xy9wdgzt8ld/binj +[ETK] +peggy_denom = inj1hzh43wet6vskk0ltfm27dm9lq2jps2r6e4xvz8 +decimals = 18 + +[EUR] +peggy_denom = eur decimals = 6 -[BitSong] -peggy_denom = peggy0x05079687D35b93538cbd59fe5596380cae9054A9 -decimals = 18 +[EURO] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/EURO +decimals = 6 -[Bitcoin] -peggy_denom = inj1ce249uga9znmc3qk2jzr67v6qxq73pudfxhwqx +[EVAI] +peggy_denom = peggy0x50f09629d0afDF40398a3F317cc676cA9132055c decimals = 8 -[Bitcosmos] -peggy_denom = ibc/E440667C70A0C9A5AD5A8D709731289AFB92301D64D70D0B33D18EF4FDD797FE +[EVI] +peggy_denom = inj1mxcj2f8aqv8uflul4ydr7kqv90kprgsrx0mqup +decimals = 18 + +[EVIINDEX] +peggy_denom = eviindex +decimals = 18 + +[EVITCEJNI] +peggy_denom = factory/inj1n8kcnuzsrg9d7guu8c5n4cxcurqyszthy29yhg/EVITCEJNI decimals = 6 -[Black] -peggy_denom = inj1nuwasf0jsj3chnvzfddh06ft2fev3f5g447u2f +[EVL] +peggy_denom = inj1yhrpy3sr475cfn0g856hzpfrgk5jufvpllfakr decimals = 18 -[BlueInjective] -peggy_denom = inj17qsyspyh44wjch355pr72wzfv9czt5cw3h7vrr +[EVMOS] +peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 +decimals = 18 + +[EXOTIC] +peggy_denom = inj1xyf06dyfuldfynqgl9j6yf4vly6fsjr7zny25p decimals = 8 -[Bnana] -peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/banana -decimals = 18 +[EXP] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd +decimals = 8 -[Bonded Crescent] -peggy_denom = ibc/D9E839DE6F40C036592B6CEDB73841EE9A18987BC099DD112762A46AFE72159B +[EYES] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/eyes decimals = 6 -[Bonjo] -peggy_denom = inj19w5lfwk6k9q2d8kxnwsu4962ljnay85f9sgwn6 -decimals = 18 - -[Bonk] -peggy_denom = ibc/C951FBB321708183F5A14811A3D099B3D73457D12E193E2B8429BDDCC6810D5A -decimals = 5 +[Eik] +peggy_denom = inj1a0rphvxxgr56354vqz8jhlzuhwyqs8p4zag2kn +decimals = 18 -[Bonk Injective] -peggy_denom = factory/inj15705jepx03fxl3sntfhdznjnl0mlqwtdvyt32d/bonk +[Elemental Token] +peggy_denom = inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 decimals = 18 -[Bonk on INJ] -peggy_denom = factory/inj147laec3n2gq8gadzg8xthr7653r76jzhavemhh/BONK -decimals = 6 +[Elite] +peggy_denom = inj1rakgrkwx9hs6ye4mt4pcvnhy5zt28dt02u9ws8 +decimals = 18 -[BonkToken] -peggy_denom = inj1jzxkr7lzzljdsyq8483jnduvpwtq7ny5x4ch08 -decimals = 8 +[Enjineer] +peggy_denom = inj1xsc3wp2m654tk62z7y98egtdvd0mqcs7lp4lj0 +decimals = 18 -[Boomer] -peggy_denom = inj1ethjlrk28wqklz48ejtqja9yfft8t4mm92m2ga +[Ethena] +peggy_denom = inj1c68rz4w9csvny5xmq6f87auuhfut5zukngmptz decimals = 18 -[Brazilian Digital Token] -peggy_denom = inj14jesa4q248mfxztfc9zgpswkpa4wx249mya9kk -decimals = 4 +[Ethereum (Arbitrum)] +peggy_denom = ibc/56ADC03A83B6E812C0C30864C8B69CBE502487AD5664D0164F73A1C832D2C7FC +decimals = 18 -[Brett] -peggy_denom = inj1zhce7csk22mpwrfk855qhw4u5926u0mjyw4df6 +[Ethereum (ERC20)] +peggy_denom = ibc/56CD30F5F8344FDDC41733A058F9021581E97DC668BFAC631DC77A414C05451B decimals = 18 -[Bull] -peggy_denom = inj1j82m0njz2gm0eea0ujmyjdlq2gzvwkvqapxeuw +[Explore Exchange] +peggy_denom = inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd decimals = 8 -[CAC] -peggy_denom = ibc/97D9F67F798DBB31DAFA9CF4E791E69399E0FC3FC2F2A54066EE666052E23EF6 +[ExtraVirginOliveInu] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/extravirginoliveinu decimals = 6 -[CACTUS] -peggy_denom = inj16ch9sx5c6fa6lnndh7vunrjsf60h67hz988hdg -decimals = 18 - -[CAD] -peggy_denom = cad +[FABLE] +peggy_denom = ibc/5FE5E50EA0DF6D68C29EDFB7992EB81CD40B6780C33834A8AB3712FB148E1313 decimals = 6 -[CAL] -peggy_denom = inj1a9pvrzmymj7rvdw0cf5ut9hkjsvtg4v8cqae24 -decimals = 18 - -[CANTO] -peggy_denom = ibc/6C55598A43348E41BCE1CE3C9313208CB953A036955869C47C3265A3BE2BB8D4 -decimals = 18 +[FACTORY01] +peggy_denom = inj1q8h6pxj73kv36ehv8dx9d6jd6qnphmr0xydx2h +decimals = 6 -[CAPY] -peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/capybara +[FAITH] +peggy_denom = inj1efjaf4yuz5ehncz0atjxvrmal7eeschauma26q decimals = 6 -[CARTEL] -peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/cartel +[FAMILY] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/FAMILY decimals = 6 -[CASINO] -peggy_denom = inj12zqf6p9me86493yzpr9v3kmunvjzv24fg736yd +[FAP] +peggy_denom = inj1qekjz857yggl23469xjr9rynp6padw54f0hhkh decimals = 18 -[CASSIO] -peggy_denom = inj179m94j3vkvpzurq2zpn0q9uxdfuc4nq0p76h6w +[FAST] +peggy_denom = inj1m8wfsukqzxt6uduymrpkjawvpap3earl4p2xlt decimals = 8 -[CAT] -peggy_denom = inj129hsu2espaf4xn8d2snqyaxrhf0jgl4tzh2weq +[FCS] +peggy_denom = inj1h7smsl8nzjfeszy03cqnjn2yvf629kf3m02fay decimals = 18 -[CATCOIN] -peggy_denom = inj1rwhc09dv2c9kg6d63t3qp679jws04p8van3yu8 -decimals = 8 +[FCUK] +peggy_denom = inj1j3gg49wg40epnsd644s84wrzkcy98k2v50cwvv +decimals = 18 -[CATINJ] -peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/catinj +[FDA] +peggy_denom = inj174zq6m77dqvx4e56uqvjq25t7qq5ukmt2zhysh +decimals = 18 + +[FDAPERP] +peggy_denom = inj1zl5uwywdkgchs54ycp8f84cedz29fhwz0pzvjd +decimals = 18 + +[FDC] +peggy_denom = inj13pff0vsvfhnhcs4fkd609cr2f749rw22hznhar decimals = 6 -[CATNIP] -peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIPPY +[FDC3] +peggy_denom = inj1zmpydq6mlwfj246jk9sc5r7898jgcks9rj87mg decimals = 6 -[CBG] -peggy_denom = inj19k6fxafkf8q595lvwrh3ejf9fuz9m0jusncmm6 -decimals = 18 +[FDC40624A] +peggy_denom = inj1est038f5zfdj7qp3ktmqtygfkef5wj6fdl8nx2 +decimals = 6 -[CDT] -peggy_denom = ibc/25288BA0C7D146D37373657ECA719B9AADD49DA9E514B4172D08F7C88D56C9EF +[FDC40624B] +peggy_denom = inj1gukq56dd9erzmssdxp305g8wjf7ujz0kc46m6e decimals = 6 -[CEL] -peggy_denom = peggy0xaaAEBE6Fe48E54f431b0C390CfaF0b017d09D42d -decimals = 4 +[FDC40624C] +peggy_denom = inj1623nrzk2us368e6ecl7dfe4tdncqykx76ycvuy +decimals = 6 -[CELL] -peggy_denom = peggy0x26c8AFBBFE1EBaca03C2bB082E69D0476Bffe099 -decimals = 18 +[FDC40625A] +peggy_denom = inj1t3zvq2n5rl2r902zmsynaysse2vj0t4c6zfjlv +decimals = 6 -[CENTER] -peggy_denom = inj1khd6f66tp8dd4f58dzsxa5uu7sy3phamkv2yr8 -decimals = 8 +[FDC40625B] +peggy_denom = inj1m4n783st9cvc06emtgl29laypf2980j5j9l3rs +decimals = 6 -[CERBERUS] -peggy_denom = inj1932un3uh05nxy4ej50cfc3se096jd6w3jvl69g +[FDC40625C] +peggy_denom = inj1uac3sy4jv0uu6drk2pcfqmtdue7w0q0urpwgzl decimals = 6 -[CET] -peggy_denom = factory/inj1hst0759zk7c29rktahm0atx7tql5x65jnsc966/CET +[FDC40625D] +peggy_denom = inj1shu8jhwh9g6yxx6gk6hcg89hmqccdwflljcpes decimals = 6 -[CGLP] -peggy_denom = ibc/6A3840A623A809BC76B075D7206302622180D9FA8AEA59067025812B1BC6A1CC +[FDCP40626A] +peggy_denom = inj18ls4r6pw85gk39pyh4pjhln7j6504v0dtk7kxz +decimals = 6 + +[FET] +peggy_denom = ibc/C1D3666F27EA64209584F18BC79648E0C1783BB6EEC04A8060E4A8E9881C841B decimals = 18 -[CHAD] -peggy_denom = inj12e5vzu6a8jqr5dnl4mh04hdskjnx9rw5n86exk +[FIDEN] +peggy_denom = factory/inj1xm8azp82qt9cytzg5guhx8cjrjmrunv97dfdd3/FIDEN decimals = 6 -[CHAININJ] -peggy_denom = inj143rjlwt7r28wn89r39wr76umle8spx47z0c05d -decimals = 8 +[FIFA] +peggy_denom = inj1ma5f4cpyryqukl57k22qr9dyxmmc99pw50fn72 +decimals = 18 -[CHAKRA] -peggy_denom = factory/inj13zsd797dnkgpxcrf3zxxjzykzcz55tw7kk5x3y/CHAKRA +[FIG] +peggy_denom = inj1whqqv3hrqt58laptw90mdhxx7upx40q6s7d0qx +decimals = 18 + +[FINNEON] +peggy_denom = inj1t3lzvya9p4zslzetpzcmc968a9c5jjkdycwlzf decimals = 6 -[CHAMP] -peggy_denom = inj1gnde7drvw03ahz84aah0qhkum4vf4vz6mv0us7 +[FISHY] +peggy_denom = inj178xpd5dxe7dq82dtxpcufelshxxlqmzn0h0r26 decimals = 8 -[CHAMPION] -peggy_denom = inj1rh94naxf7y20qxct44mrlawyhs79d06zmprv70 +[FIVE] +peggy_denom = inj1psx54edreejwmjsdgsad332c60y5lnzqkkudve decimals = 8 -[CHARM] -peggy_denom = inj1c2e37gwl2q7kvuxyfk5c0qs89rquzmes0nsgjf -decimals = 8 +[FIX] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda +decimals = 18 -[CHEEMS] -peggy_denom = factory/inj1mck4g2zd7p057un8l3kfamsyj57w7gymgrdyjw/cheems +[FLOKI] +peggy_denom = factory/inj1g7nvetpqjcugdnjxd27v37m7adm4wf7wphgzq2/FLOKI decimals = 6 -[CHEESE] -peggy_denom = inj1p6v3qxttvh36x7gxpwl9ltnmc6a7cgselpd7ya +[FLUFFY] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z decimals = 18 -[CHELE] -peggy_denom = factory/inj16fsle0ywczyf8h4xfpwntg3mnv7cukd48nnjjp/CHELE -decimals = 6 +[FLUID] +peggy_denom = inj1avj9gwyj5hzxdkpegcr47kmp8k39nrnejn69mh +decimals = 8 -[CHEN] -peggy_denom = factory/inj1s79ssggksqujyrwhq5zwxart33t98mmm2xd8f7/CHEN +[FMLY] +peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/FAMILY decimals = 6 -[CHI] -peggy_denom = inj198rrzmcv69xay8xuhalqz2z02egmsyzp08mvkk +[FOJO] +peggy_denom = inj1n37zp9g8fzdwxca8m7wrp2e7qvrjzfemaxgp8e decimals = 18 -[CHICKEN] -peggy_denom = factory/inj1gqeyl6704zr62sk2lsprt54gcwc6y724xvlgq2/CHICKEN +[FOMO] +peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/FOMO decimals = 6 -[CHIKU] -peggy_denom = factory/inj1g8s4usdsy7gujf96qma3p8r2a7m02juzfm4neh/CHIKU +[FOMOFox] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/FOMOFox decimals = 6 -[CHINMOY] -peggy_denom = inj1t52r8h56j9ctycqhlkdswhjjn42s6dnc6huwzs +[FOO] +peggy_denom = inj1s290d2uew9k2s00zlx9xnxq84dauysc85yhds0 decimals = 18 -[CHOCOLATE] -peggy_denom = inj1slny6cqjkag3hgkygpq5nze6newysqpsfy0dxj +[FOOL] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/FOOL decimals = 6 -[CHONK] -peggy_denom = inj17aze0egvc8hrmgf25kkhlw3720vurz99pdp58q +[FOORK] +peggy_denom = inj1zu6qda7u90c8w28xkru4v56ak05xpfjtwps0vw decimals = 18 -[CHOWCHOW] -peggy_denom = inj1syqdgn79wnnlzxd63g2h00rzx90k6s2pltec6w -decimals = 6 - -[CHROME] -peggy_denom = inj1k20q72a4hxt0g20sx3rcnjvhfye6u3k6dhx6nc -decimals = 6 - -[CHROMIUM] -peggy_denom = inj1plmyzu0l2jku2yw0hnh8x6lw4z5r2rggu6uu05 -decimals = 8 - -[CHUN] -peggy_denom = factory/inj19tjhqehpyq4n05hjlqyd7c5suywf3hcuvetpcr/CHUN -decimals = 9 +[FORZA] +peggy_denom = inj1p0tsq248wyk2vd980csndrtep3rz50ezfvhfrw +decimals = 18 -[CHUNGUS] -peggy_denom = factory/inj1khr6lahyjz0wgnwzuu4dk5wz24mjrudz6vgd0z/bigchungus +[FOTHER] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/FOTHER decimals = 6 -[CHZ] -peggy_denom = peggy0x3506424F91fD33084466F402d5D97f05F8e3b4AF +[FOUR] +peggy_denom = inj1clfx8jgq3636249d0tr3yu26hsp3yqct6lpvcy decimals = 18 -[CHZlegacy] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh -decimals = 8 - -[CINU] -peggy_denom = inj14pq4ewrxju997x0y7g2ug6cn3lqyp66ygz5x6s -decimals = 8 +[FOX] +peggy_denom = inj167naeycu49dhs8wduj5ddtq6zex9cd6hpn4k4w +decimals = 18 -[CIRCUS] -peggy_denom = ibc/AEE5A4EF1B28693C4FF12F046C17197E509030B18F70FE3D74F6C3542BB008AD +[FOXY] +peggy_denom = inj15acrj6ew42jvgl5qz53q7c9g82vf3n98l84s4t decimals = 6 -[CITY] -peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/CITY -decimals = 6 +[FPL] +peggy_denom = inj13yutezdwjkz8xucrt6d564yqr3ava76r6q9vle +decimals = 8 -[CJN] -peggy_denom = inj1eln607626f3j058rfh4xd3m4pd728x2cnxw4al +[FRANKLYN] +peggy_denom = inj1gadcw96ha8fpd6ulgzulsuqj9vjz8dv0s57at8 decimals = 18 -[CLEO] -peggy_denom = inj1fr66v0vrkh55yg6xfw845q78kd0cnxmu0d5pnq +[FRAX] +peggy_denom = ibc/3E5504815B2D69DCC32B1FF54CDAC28D7DA2C445BD29C496A83732DC1D52DB90 decimals = 18 -[CLEVER] -peggy_denom = inj1f6h8cvfsyz450kkcqmy53w0y4qnpj9eylsazww +[FREE] +peggy_denom = inj1rp9tjztx0m5ekcxavq9w27875szf8sm7p0hwpg decimals = 18 -[CLON] -peggy_denom = ibc/695B1D16DE4D0FD293E6B79451640974080B59AA60942974C1CC906568DED795 +[FRINJE] +peggy_denom = factory/inj1mcx5h5wfeqk334u8wx6jv3g520zwy3lh22dyp7/FRINJE +decimals = 10 + +[FRNZ] +peggy_denom = ibc/CDD7374B312BEF9723AAEBDE622206490E112CE2B5F49275683CCCD86C7D4BCE decimals = 6 -[CNJ] -peggy_denom = inj1w38vdrkemf8s40m5xpqe5fc8hnvwq3d794vc4a +[FROG] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj104y5dpcdtga79tczv6rg3rsekx4hasw2k83h5s decimals = 18 -[COCA] -peggy_denom = ibc/8C82A729E6D74B03797962FE5E1385D87B1DFD3E0B58CF99E0D5948F30A55093 +[FROGCOIN] +peggy_denom = inj1dljz0rexnhhxa2vnnfxerg7y0am46kdzltwwgp decimals = 6 -[COCK] -peggy_denom = factory/inj1eucxlpy6c387g5wrn4ee7ppshdzg3rh4t50ahf/COCK +[FROGGY] +peggy_denom = factory/inj1l8pq22awax6r8hamk2v3cgd77w90qtkmynvp8q/FROGGY decimals = 6 -[COCKPIT] -peggy_denom = factory/inj15u2mc2vyh2my4qcuj5wtv27an6lhjrnnydr926/COCKPIT -decimals = 9 - -[COFFEE] -peggy_denom = inj166gumme9j7alwh64uepatjk4sw3axq84ra6u5j +[FROGY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGiY decimals = 6 -[COFFEIN] -peggy_denom = inj18me8d9xxm340zcgk5eu8ljdantsk8ktxrvkup8 +[FTC] +peggy_denom = inj1v092fpcqz0k5pf6zwz7z8v40q2yxa0elfzt2hk decimals = 18 -[COKE] -peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +[FTM] +peggy_denom = peggy0x4E15361FD6b4BB609Fa63C81A2be19d873717870 +decimals = 18 + +[FTUNA] +peggy_denom = inj1yqm9apy8kat8fav2mmm7geshyytdld0al67ks4 decimals = 6 -[COMP] -peggy_denom = peggy0xc00e94Cb662C3520282E6f5717214004A7f26888 -decimals = 18 +[FUCK] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/FUCK +decimals = 6 -[CONK] -peggy_denom = inj18vcz02pukdr2kak6g2p34krgdddan2vlpzmqju -decimals = 8 +[FUD] +peggy_denom = factory/inj1j2r6vr20cnhqz3tumd2lh9w8k8guamze3pdf7t/FUD +decimals = 6 -[CONK2.0] -peggy_denom = inj1zuz0rpg224mrpz2lu6npta34yc48sl7e5sndly +[FUINJ] +peggy_denom = factory/inj1wlwsd6w84ydmsqs5swthm5hw22qm8fxrth5ggx/FUINJ +decimals = 6 + +[FUSION] +peggy_denom = inj1hpczn65hygw4aaaytxe6gvdu8h3245gjz0q2fx decimals = 8 -[CONT] -peggy_denom = inj1vzpegrrn6zthj9ka93l9xk3judfx23sn0zl444 -decimals = 18 +[FUSIONX] +peggy_denom = inj1a5pxsj6f8jggncw4s2cg39p25swgzdjyljw5tf +decimals = 8 -[COOK] -peggy_denom = ibc/C9EC3080B046D49949239E1704522EE8B7BE0A668027028059A7FE7BC20B0976 -decimals = 6 +[FUZION] +peggy_denom = inj1m8hyuja8wmfm0a2l04dgp5ntwkmetkkemw2jcs +decimals = 8 -[COOKIG] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/COOKIG +[FUZN] +peggy_denom = ibc/FE87E1E1BB401EC35CD02A57FE5DEF872FA309C018172C4E7DA07F194EAC6F19 decimals = 6 -[COOL] -peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/coolcat +[FaDaCai] +peggy_denom = inj13n695lr0ps5kpahv7rkd8njh2phw475rta8kw4 decimals = 6 -[COPE] -peggy_denom = inj1lchcdq3rqc2kaupt6fwshd7fyj7p0mpkeknkyw +[Fetch.ai] +peggy_denom = peggy0xaea46a60368a7bd060eec7df8cba43b7ef41ad85 decimals = 18 -[COQ] -peggy_denom = inj1lefh6m9ldqm55ume0j52fhhw6tzmx9pezkqhzp +[FixedFloat] +peggy_denom = inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda decimals = 18 -[CORE] -peggy_denom = inj1363eddx0m5mlyeg9z9qjyvfyutrekre47kmq34 +[Fluffy] +peggy_denom = inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z decimals = 18 -[CORGI] -peggy_denom = inj129t9ywsya0tyma00xy3de7q2wnah7hrw7v9gvk -decimals = 18 +[FollowNinjaBoy_inj] +peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/FollowNinjaBoy_inj +decimals = 6 -[CORONA] -peggy_denom = inj1md4ejkx70463q3suv68t96kjg8vctnpf3ze2uz -decimals = 18 +[Frogy the frog] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIYY +decimals = 6 -[COSMO] -peggy_denom = factory/inj1je6n5sr4qtx2lhpldfxndntmgls9hf38ncmcez/COSMO +[FuckSol] +peggy_denom = factory/inj1na5d9jqhkyckh8gc5uqht75a74jq85gvpycp44/FUCKSOL decimals = 6 -[COSMWASM] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex +[FusionX] +peggy_denom = inj1fghekhpfn2rfds6c466p38ttdm2a70gnzymc86 decimals = 8 -[COST] -peggy_denom = inj1hlwjvef4g4tdsa5erdnzfzd8ufcw403a6558nm +[GAINJA] +peggy_denom = inj1jnwu7u6h00lzanpl8d5qerr77zcj2vd65r2j7e decimals = 18 -[COVID] -peggy_denom = inj1ce38ehk3cxa7tzcq2rqmgek9hc3gdldvxvtzqy +[GALA] +peggy_denom = factory/inj1xtwk60ey0g03s69gfsure0kx8hwwuk24zl0g6l/GALA decimals = 6 -[COWBOY] -peggy_denom = inj1dp7uy8sa0sevnj65atsdah0sa6wmwtfczwg08d +[GALAXY] +peggy_denom = factory/inj10zdjt8ylfln5xr3a2ruf9nwn6d5q2d2r3v6mh8/galaxy decimals = 6 -[CP] -peggy_denom = factory/inj1300jzt0tyjg8x4txsfs79l29k556vqqk22c7es/cope +[GAMBLE] +peggy_denom = factory/inj10g0paz4mx7mq2z8l9vpxz022xshc04g5kw7s43/gamble decimals = 6 -[CPINJ] -peggy_denom = factory/inj1qczkutnsy3nmt909xtyjy4rsrkl2q4dm6aq960/coping +[GAMER] +peggy_denom = inj1gqp2upvl8ftj28amxt90dut76prdpefx3qvpck +decimals = 18 + +[GASH] +peggy_denom = ibc/98C86DE314A044503F35E8C395B745B65E990E12A77A357CBA74F474F860A845 decimals = 6 -[CR7] -peggy_denom = factory/inj1v25y8fcxfznd2jkz2eh5cy2520jpvt3felux66/CR7 +[GASTON] +peggy_denom = factory/inj1sskt2d66eqsan9flcqa9vlt7nvn9hh2dtvp8ua/GASTON decimals = 6 -[CRAB] -peggy_denom = factory/inj1fx2mj8532ynky2xw0k8tr46t5z8u7cjvpr57tq/crabfu +[GBP] +peggy_denom = gbp decimals = 6 -[CRAB APPLE] -peggy_denom = inj1ku7f3v7z3dd9hrp898xs7xnwmmwzw32tkevahk +[GCM] +peggy_denom = inj1p87lprkgg4c465scz5z49a37hf835nzkcpyeej decimals = 18 -[CRASH] -peggy_denom = inj1k3rankglvxjxzsaqrfff4h5ttwcjjh3m4l3pa2 -decimals = 8 - -[CRAZYHORSE] -peggy_denom = ibc/7BE6E83B27AC96A280F40229539A1B4486AA789622255283168D237C41577D3B +[GDUCK] +peggy_denom = factory/inj1fc0ngp72an2x8zxf268xe5avfan5z4g0saz6ns/gduck decimals = 6 -[CRBRUS] -peggy_denom = ibc/F8D4A8A44D8EF57F83D49624C4C89EECB1472D6D2D1242818CDABA6BC2479DA9 +[GEISHA] +peggy_denom = factory/inj1c5uqenss9plc5rjw5kt5dksnlvnvw5tvygxpd8/GEISHA decimals = 6 -[CRE] -peggy_denom = ibc/DDE000907D85FB1F358B3FBB1143452BE13F68E0BEA0DFFD8787095B76EEE0A1 +[GEIST] +peggy_denom = inj1x2lg9j9pwmgnnwmhvq2g6pm6emcx7w02pnjnm6 +decimals = 8 + +[GEM] +peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/gem decimals = 6 -[CRINJ] -peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/crinj +[GEM DAO] +peggy_denom = ibc/8AE86084C0D921352F711EF42CCA7BA4C8238C244FE4CC3E4E995D9782FB0E2B decimals = 6 -[CRITPO] -peggy_denom = factory/inj1safqtpalmkes3hlyr0zfdr0dw4aaxulh306n67/CRITPO -decimals = 7 +[GEMININJ] +peggy_denom = factory/inj14vrd79l2pxvqctawz39qewfh72x62pfjecxsmv/GEMININJ +decimals = 6 -[CRN] -peggy_denom = inj1wcj4224qpghv94j8lzq8c2m9wa4f2slhqcxm9y +[GEMOY] +peggy_denom = inj1j5l0xc2lwqpj2duvllmegxse0dqlx5kgyjehlv decimals = 18 -[CROCO] -peggy_denom = factory/inj1y6zxg76ltrjdx7xppvtrdqlc5ujyhfra8aqr3f/CROCO +[GENJI] +peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/GENJI decimals = 6 -[CROCO_NINJA] -peggy_denom = factory/inj1c0tfeukmrw69076w7nffjqhrswp8vm9rr6t3eh/CROCO -decimals = 6 +[GENZONE] +peggy_denom = inj1zh9924tws4ctzx5zmz06j09nyjs8fw6wupkadr +decimals = 8 -[CRT] -peggy_denom = inj10qt8pyaenyl2waxaznez6v5dfwn05skd4guugw -decimals = 18 +[GEO] +peggy_denom = ibc/8E4953E506CF135A3ACDF6D6556ED1DB4F6A749F3910D2B4A77E2E851C4B2638 +decimals = 6 -[CRYPB] -peggy_denom = inj1p82fws0lzshx2zg2sx5c5f855cf6wht9uudxg0 +[GF] +peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 decimals = 18 -[CRseven] -peggy_denom = inj19jp9v5wqz065nhr4uhty9psztlqeg6th0wrp35 +[GGBOND] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ggbond decimals = 6 -[CTAX] -peggy_denom = inj1mwj4p98clpf9aldzcxn7g8ffzrwz65uszesdre -decimals = 18 +[GGG] +peggy_denom = inj1yrw42rwc56lq7a3rjnfa5nvse9veennne8srdj +decimals = 8 -[CTO] -peggy_denom = inj19kk6ywwu5h0rnz4453gyzt3ymgu739egv954tf -decimals = 18 +[GGS] +peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/GGS +decimals = 6 -[CUB] -peggy_denom = ibc/5CB35B165F689DD57F836C6C5ED3AB268493AA5A810740446C4F2141664714F4 +[GIANT] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/giant decimals = 6 -[CUIT] -peggy_denom = factory/inj1zlmrdu0ntnmgjqvj2a4p0uyrg9jw802ld00x7c/CUIT +[GIFT] +peggy_denom = factory/inj1exks7fvnh9lxzgqejtlvca8t7mw47rks0s0mwa/GIFT decimals = 6 -[CVR] -peggy_denom = peggy0x3C03b4EC9477809072FF9CC9292C9B25d4A8e6c6 -decimals = 18 +[GIGA] +peggy_denom = ibc/36C811A2253AA64B58A9B66C537B89348FE5792A8808AAA343082CBFCAA72278 +decimals = 5 -[CW20] -peggy_denom = inj1c2mjatph5nru36x2kkls0pwpez8jjs7yd23zrl -decimals = 18 +[GINGER] +peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/GINGER +decimals = 6 -[CW20-wrapped inj] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12kq4zh7kckuu0rfpxcr9l6l2x26ajf23uc0w55 +[GINKO] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/ginko +decimals = 6 + +[GIRL] +peggy_denom = inj1zkmp7m0u0hll3k5w5598g4qs75t7j8qqvmjspz decimals = 18 -[CWIFLUCK] -peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWIFLUCK +[GLODIOTOR] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/glodiotor decimals = 6 -[CWL] -peggy_denom = factory/inj1u2fhfn0g8srf2kt3am52wd9dp4zyjvecm86uhj/CWL +[GLTO] +peggy_denom = peggy0xd73175f9eb15eee81745d367ae59309Ca2ceb5e2 decimals = 6 -[CWT] -peggy_denom = factory/inj1j5hqczk6ee2zsuz7kjt5nshxcjg5g69njxe6ny/inj-cttoken -decimals = 18 +[GME] +peggy_denom = ibc/CAA5AB050F6C3DFE878212A37A4A6D3BEA6670F5B9786FFF7EF2D34213025272 +decimals = 8 -[Canto] -peggy_denom = ibc/5C0C70B490A3568D40E81884F200716F96FCE8B0A55CB5EE41C1E369E6086CCA -decimals = 18 +[GMKY] +peggy_denom = factory/inj1s09n0td75x8p20uyt9dw29uz8j46kejchl4nrv/GMKY +decimals = 6 -[Cat] -peggy_denom = inj1eerjxzvwklcgvclj9m2pulqsmpentaes8h347x +[GOD] +peggy_denom = inj1whzt6ct4v3zf28a6h08lpf90pglzw7fdh0d384 decimals = 18 -[Cat WIF luck] -peggy_denom = inj1mqurena8qgf775t28feqefnp63qme7jyupk4kg -decimals = 18 +[GODDARD] +peggy_denom = ibc/3E89FBB226585CF08EB2E3C2625D1D2B0156CCC2233CAB56165125CACCBE731A +decimals = 6 -[Cat Wif Luck] -peggy_denom = inj19lwxrsr2ke407xw2fdgs80f3rghg2pueqae3vf +[GODRD] +peggy_denom = ibc/CABB197E23D81F1D1A4CE56A304488C35830F81AC9647F817313AE657221420D decimals = 6 -[CatInjective] -peggy_denom = inj1p2w55xu2yt55rydrf8l6k79kt3xmjmmsnn3mse +[GODS] +peggy_denom = factory/inj147s5vh6ck67zjtpgd674c7efd47jqck55chw4l/inj-GODS +decimals = 6 + +[GODSTRIKE] +peggy_denom = inj1deejw5k4sxnlxgxnzsy5k2vgc9fzu257ajjcy7 decimals = 8 -[Chainlink] -peggy_denom = ibc/AC447F1D6EDAF817589C5FECECB6CD3B9E9EFFD33C7E16FE8820009F92A2F585 +[GODZILLA] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/GODZILLA +decimals = 6 + +[GOJO] +peggy_denom = factory/inj13qhzj4fr4u7t7gqj5pqy0yts07eu6k6dkjdcsx/gojo +decimals = 6 + +[GOKU] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/goku +decimals = 6 + +[GOLD] +peggy_denom = gold decimals = 18 -[Chb] -peggy_denom = inj1fvzre25nqkakvwmjr8av5jrfs56dk6c8sc6us9 +[GOLDIE] +peggy_denom = factory/inj130ayayz6ls8qpmu699axhlg7ygy8u6thjjk9nc/GOLDIE +decimals = 6 + +[GOLDMAN] +peggy_denom = inj140ypzhrxyt7n3fhrgk866hnha29u5l2pv733d0 decimals = 8 -[CheeseBalls] -peggy_denom = inj1usr473hh8hlff874tvcl4pe6qzsmc08w3k32nd +[GOOSE] +peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/goose decimals = 6 -[Chiliz (legacy)] -peggy_denom = inj1q6kpxy6ar5lkxqudjvryarrrttmakwsvzkvcyh +[GORILLA] +peggy_denom = inj1cef5deszfl232ws7nxjgma4deaydd7e7aj6hyf decimals = 8 -[Chonk] -peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/Chonk +[GPT] +peggy_denom = factory/inj168gnj4lavp3y5w40rg5qhf50tupwhaj3yvhgr0/GPT decimals = 6 -[Chonk The Cat] -peggy_denom = inj1ftq3h2y70hrx5rn5a26489drjau9qel58h3gfr -decimals = 18 +[GRAC] +peggy_denom = ibc/59AA66AA80190D98D3A6C5114AB8249DE16B7EC848552091C7DCCFE33E0C575C +decimals = 6 -[Circle USD] -peggy_denom = ibc/8F3ED95BF70AEC83B3A557A7F764190B8314A93E9B578DE6A8BDF00D13153708 +[GREATDANE] +peggy_denom = inj195vgq0yvykunkccdzvys548p90ejuc639ryhkg decimals = 6 -[CosmWasm] -peggy_denom = inj1yl8z48uwve5wk0j9elxql8c327wy87anccf4ex +[GREEN] +peggy_denom = inj1nlt0jkqfl6f2wlnalyk2wd4g3dq97uj8z0amn0 decimals = 8 -[Cosmic] -peggy_denom = inj19zcnfvv3qazdhgtpnynm0456zdda5yy8nmsw6t -decimals = 18 +[GRENADINE] +peggy_denom = inj1ljquutxnpx3ut24up85e708hjk85hm47skx3xj +decimals = 8 -[Cosmo] -peggy_denom = factory/osmo1ua9rmqtmlyv49yety86ys8uqx3hawfkyjr0g7t/Cosmo +[GRINJ] +peggy_denom = factory/inj174r3j8pm93gfcdu0g36dg6g7u0alygppypa45e/GRINJ decimals = 6 -[Cosmos] -peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +[GROK] +peggy_denom = factory/inj1vgrf5mcvvg9p5c6jajqefn840nq74wjzgkt30z/GROK decimals = 6 -[Crinj Token] -peggy_denom = factory/inj1kgyxepqnymx8hy7nydl65w3ecyut566pl70swj/crinj +[GRONI] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/groni decimals = 6 -[D.a.r.e] -peggy_denom = inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej +[GRT] +peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 decimals = 18 -[DAB] -peggy_denom = factory/inj1n8w9wy72cwmec80qpjsfkgl67zft3j3lklg8fg/DAB -decimals = 6 +[GRUMPY] +peggy_denom = inj16fr4w5q629jdqt0ygknf06yna93ead2pr74gr3 +decimals = 8 -[DAI] -peggy_denom = ibc/433133545CF68587777A01C3EFCF720EFE1B42F14AB2153D349DC4559984F2E8 +[GUGU] +peggy_denom = ibc/B1826CEA5AE790AB7FCAE84344F113F6C42E6AA3A357CAFEAC4A05BB7531927D decimals = 6 -[DANJER] -peggy_denom = factory/inj1xzk83u23djtynmz3a3h9k0q454cuhsn3y9jhr3/DANJER +[GUPPY] +peggy_denom = ibc/F729B93A13133D7390455293338A0CEAAF876D0F180B7C154607989A1617DD45 decimals = 6 -[DAOJO] -peggy_denom = inj1jusxykgkl04rgaam65gmvyyymth9flxjdpdruh -decimals = 9 +[GYEN] +peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 +decimals = 6 -[DATOSHI] -peggy_denom = inj1rp63ym52lawyuha4wvn8gy33ccqtpj5pu0n2ef +[GZZ] +peggy_denom = inj1ec70stm6p3e6u2lmpl5vzan4pdm79vwlfgcdzd decimals = 18 -[DBT] -peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/dbt +[Galaxy] +peggy_denom = inj13n675x36dnettkxkjll82q72zgnvsazn4we7dx decimals = 6 -[DBTT] -peggy_denom = inj1wwga56n4glj9x7cnuweklepl59hp95g9ysg283 +[Gamble Gold] +peggy_denom = inj13a8vmd652mn2e7d8x0w7fdcdt8742j98jxjcx5 decimals = 18 -[DDD] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/ddd +[Game Stop] +peggy_denom = inj1vnj7fynxr5a62maf34vca4fes4k0wrj4le5gae +decimals = 18 + +[Gay] +peggy_denom = inj1pw54fsqmp0ludl6vl5wfe63ddax52z5hlq9jhy +decimals = 18 + +[Geisha] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/geisha decimals = 6 -[DDL] -peggy_denom = factory/inj1put8lfpkwm47tqcl9fgh8grz987mezvrx4arls/DDL +[Genny] +peggy_denom = inj1dpn7mdrxf49audd5ydk5062z08xqgnl4npzfvv decimals = 6 -[DDLTest] -peggy_denom = inj10zhn525tfxf5j34dg5uh5js4fr2plr4yydasxd -decimals = 18 +[GoatInj] +peggy_denom = factory/inj1ua3rm4lsrse2canapg96v8jtg9k9yqzuscu766/GoatInj +decimals = 6 -[DEFI5] -peggy_denom = peggy0xfa6de2697D59E88Ed7Fc4dFE5A33daC43565ea41 -decimals = 18 +[Gorilla] +peggy_denom = factory/inj1wc7a5e50hq9nglgwhc6vs7cnskzedskj2xqv6j/Gorilla +decimals = 6 -[DEFIKINGS] -peggy_denom = inj18h33x5qcr44feutwr2cgazaalcqwtpez57nutx +[GreenMarket] +peggy_denom = inj1wjd2u3wq2dwyr7zlp09squh2xrqjlggy0vlftj decimals = 8 -[DEGGZ] -peggy_denom = inj1uv2arm5gzd35zrxd7ghsslegn0cwpc9jwc0enz +[Greenenergy] +peggy_denom = inj1aqu4y55rg43gk09muvrcel3z45nuxczukhmfut decimals = 18 -[DEK] -peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dek -decimals = 6 +[Grind] +peggy_denom = inj125ry0fhlcha7fpt373kejwf8rq5h3mwewqr0y2 +decimals = 18 -[DEK on INJ] -peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/dekinj -decimals = 1 +[Gryphon Staked Injective] +peggy_denom = inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf +decimals = 18 -[DEPE] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/depe +[H3NSY] +peggy_denom = inj1c22v69304zlaan50gdygmlgeaw56lcphl22n87 +decimals = 8 + +[HABS] +peggy_denom = factory/inj1ddn2cxjx0w4ndvcrq4k0s0pjyzwhfc5jaj6qqv/habs decimals = 6 -[DEXTER] -peggy_denom = inj1nlcg7dgufuytaa2sfxam5hm0l38dyv3uk47kdf -decimals = 18 +[HACHI] +peggy_denom = factory/inj13ze65lwstqrz4qy6vvxx3lglnkkuan436aw45e/HACHI +decimals = 9 -[DGNZ] -peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/DGNZ +[HAIR] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/hair decimals = 6 -[DIB] -peggy_denom = inj1nzngv0ch009jyc0mvm5h55d38c32sqp2fjjws9 +[HAKI] +peggy_denom = factory/inj1lm95gdmz7qatcgw933t97rg58wnzz3dpxv7ldk/YAKUSA +decimals = 6 + +[HAL] +peggy_denom = factory/inj197jczxq905z5ddeemfmhsc077vs4y7xal3wyrm/HALLAS decimals = 18 -[DICE] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/DICE +[HALVING] +peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/HALVING decimals = 6 -[DICES] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/dices +[HAMU] +peggy_denom = factory/inj1t6py7esw8z6jc8c204ag3zjevqlpfx203hqyt2/HAMU decimals = 6 -[DICK] -peggy_denom = factory/inj1wqk200kkyh53d5px5zc6v8usq3pluk07r4pxpu/DICK +[HAMURAI] +peggy_denom = factory/inj1xqf6rk5p5w3zh22xaxck9g2rnksfhpg33gm9xt/hamu decimals = 6 -[DIDX] -peggy_denom = factory/inj1w24j0sv9rvv473x6pqfd2cnnxtk6cvrh5ek89e/DIDX +[HANZO] +peggy_denom = factory/inj1xz4h76wctruu6l0hezq3dhtfkxzv56ztg4l29t/HANZO decimals = 6 -[DINHEIROS] -peggy_denom = ibc/306269448B7ED8EC0DB6DC30BAEA279A9190E1D583572681749B9C0D44915DAB -decimals = 0 - -[DINO] -peggy_denom = inj1zx9tv9jg98t0fa7u9882gjrtansggmakmwnenm -decimals = 18 - -[DITTO] -peggy_denom = inj1vtg4almersef8pnyh5lptwvcdxnrgqp0zkxafu +[HARD] +peggy_denom = ibc/D6C28E07F7343360AC41E15DDD44D79701DDCA2E0C2C41279739C8D4AE5264BC decimals = 6 -[DNA] -peggy_denom = ibc/AE8E20F37C6A72187633E418169758A6974DD18AB460ABFC74820AAC364D2A13 +[HATEQUNT] +peggy_denom = factory/inj1sfaqn28d0nw4q8f2cm9gvhs69ecv5x8jjtk7ul/HATEQUNT decimals = 6 -[DOCE] -peggy_denom = inj1xx8qlk3g9g3cyqs409strtxq7fuphzwzd4mqzw -decimals = 18 - -[DOGE] -peggy_denom = factory/inj1ghcjw8w7a7ettwn97fadhamywvwf7kk3mhkndy/DOGE +[HATTORI] +peggy_denom = factory/inj1h7zackjlzcld6my000mtg3uzuqdv0ly4c9g88p/HATTORI decimals = 6 -[DOGECoin] -peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGE +[HAVA] +peggy_denom = factory/inj1h0ypsdtjfcjynqu3m75z2zwwz5mmrj8rtk2g52/uhava decimals = 6 -[DOGEINJ] -peggy_denom = inj1qaakagef76lgu56uhdc9rdsycdrznf7pjfjt2c -decimals = 6 +[HAVA COIN] +peggy_denom = inj1u759lmx8e6g8f6l2p08qvrekjwcq87dff0ks3n +decimals = 18 -[DOGEINJCoin] -peggy_denom = factory/inj1s0ckch4dlp5eyx7khtqnt9dryd60v6ns4g0yn4/DOGEINJ +[HDRO] +peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro decimals = 6 -[DOGEKIRA] -peggy_denom = inj1xux4gj0g3u8qmuasz7fsk99c0hgny4wl7hfzqu +[HEMULE] +peggy_denom = inj1hqamaawcve5aum0mgupe9z7dh28fy8ghh7qxa7 +decimals = 18 + +[HERB] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/herb decimals = 6 -[DOGENINJA] -peggy_denom = inj1wjv6l090h9wgwr6lc58mj0xphg50mzt8y6dfsy +[HERO] +peggy_denom = inj18mqec04e948rdz07epr9w3j20wje9rpg6flufs decimals = 6 -[DOGGO] -peggy_denom = factory/inj1a4qjk3ytal0alrq566zy6z7vjv6tgrgg0h7wu9/DOGGO +[HEST] +peggy_denom = factory/inj15vj7e40j5cqvxmy8u7h9ud3ustrgeqa98uey96/HEST decimals = 6 -[DOGINJBREAD] -peggy_denom = inj1s4srnj2cdjf3cgun57swe2je8u7n3tkm6kz257 +[HEXA] +peggy_denom = inj13e4hazjnsnapqvd06ngrq5zapw8gegarudzehd +decimals = 8 + +[HGM] +peggy_denom = inj14y8j4je4gs57fgwakakreevx6ultyy7c7rcmk2 decimals = 18 -[DOGOFTHUN] -peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/DOGOFTHUN +[HINJ] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/hinj decimals = 6 -[DOGWIF] -peggy_denom = inj16ykyeaggxaqzj3x85rjuk3xunky7mg78yd2q32 -decimals = 8 +[HOUND] +peggy_denom = factory/inj1nccncwqx5q22lf4uh83dhe89e3f0sh8kljf055/HOUND +decimals = 6 -[DOINJ] -peggy_denom = inj1swqv8e6e8tmyeqwq3rp43pfsr75p8wey7vrh0u -decimals = 8 +[HOUSE] +peggy_denom = factory/inj1rvstpdy3ml3c879yzz8evk37ralz7w4dtydsqp/HOUSE +decimals = 6 -[DOJ] -peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/doj +[HRBE] +peggy_denom = factory/inj1lucykkh3kv3wf6amckf205rg5jl8rprdcq8v83/HRBE decimals = 6 -[DOJO] -peggy_denom = inj1wjh8gnp7a6yfcldnp82s0e4yt7n98xpm363c38 +[HST] +peggy_denom = inj1xhvj4u6xtx3p9kr4pqzl3fdu2vedh3e2y8a79z decimals = 18 -[DOJO SWAP] -peggy_denom = inj1qzqlurx22acr4peuawyj3y95v9r9sdqqrafwqa +[HT] +peggy_denom = peggy0x6f259637dcD74C767781E37Bc6133cd6A68aa161 decimals = 18 -[DOJODOG] -peggy_denom = factory/inj1s0awzzjfr92mu6t6h85jmq6s9f6hxnqwpmy3f7/DOJODOG +[HUAHUA] +peggy_denom = ibc/E7807A46C0B7B44B350DA58F51F278881B863EC4DCA94635DAB39E52C30766CB decimals = 6 -[DOJOshroom] -peggy_denom = inj194l9mfrjsthrvv07d648q24pvpfkntetx68e7l +[HULK] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/HULK decimals = 6 -[DOJSHIB] -peggy_denom = inj17n55k95up6tvf6ajcqs6cjwpty0j3qxxfv05vd +[HUMP] +peggy_denom = inj1v29k9gaw7gnds42mrzqdygdgjh28vx38memy0q decimals = 18 -[DOKI] -peggy_denom = ibc/EA7CE127E1CFD7822AD169019CAFDD63D0F5A278DCE974F438099BF16C99FB8B +[HUOBINJ] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/huobinj decimals = 6 -[DON] -peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/don +[HUSKY] +peggy_denom = factory/inj1467q6d05yz02c2rp5qau95te3p74rqllda4ql7/husky decimals = 6 -[DONALD TRUMP] -peggy_denom = inj1mdf4myxfhgranmzew5kg39nv5wtljwksm9jyuj -decimals = 18 - -[DONK] -peggy_denom = inj1jargzf3ndsadyznuj7p3yrp5grdxsthxyfp0fj -decimals = 6 +[HYDRO] +peggy_denom = inj10r75ap4ztrpwnan8er49dvv4lkjxhgvqflg0f5 +decimals = 8 -[DONKEY] -peggy_denom = inj1ctczwjzhjjes7vch52anvr9nfhdudq6586kyze +[HYDRO WRAPPED INJ] +peggy_denom = inj1r9qgault3k4jyp60d9fkzy62dt09zwg89dn4p6 decimals = 18 -[DONNA] -peggy_denom = inj17k4lmkjl963pcugn389d070rh0n70f5mtrzrvv +[HappyGilmore] +peggy_denom = inj1h5d90rl5hmkp8mtuyc0zpjt00hakldm6wtseew decimals = 18 -[DONOTBUY] -peggy_denom = inj197p39k7ued8e6r5mnekg47hphap8zcku8nws5y -decimals = 6 - -[DOOMER] -peggy_denom = factory/inj1lqv3a2hxggzall4jekg7lpe6lwqsjevnm9ztnf/doomer -decimals = 6 - -[DOPE] -peggy_denom = factory/inj1tphwcsachh92dh5ljcdwexdwgk2lvxansym77k/DOPE -decimals = 0 +[HarryPotterObamaSonicInu] +peggy_denom = inj1y64pkwy0m0jjd825c7amftqe2hmq2wn5ra8ap4 +decimals = 18 -[DORA] -peggy_denom = ibc/BC3AD52E42C6E1D13D2BDCEB497CF5AB9FEE24D804F5563B9E7DCFB825246947 +[Hava Coin] +peggy_denom = inj1fnlfy6r22slr72ryt4wl6uwpg3dd7emrqaq7ne decimals = 18 -[DOT] -peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 -decimals = 10 +[Hellooooo] +peggy_denom = inj1xj7c6r65e8asrrpgm889m8pr7x3ze7va2ypql4 +decimals = 18 -[DRACO] -peggy_denom = inj14g9hcmdzlwvafsmrka6gmd22mhz7jd3cm5d8e6 +[Hero Wars] +peggy_denom = inj1f63rgzp2quzxrgfchqhs6sltzf0sksxtl7wtzn decimals = 8 -[DRAGON] -peggy_denom = factory/inj1mg2pnk0djfmvlrrfucnhsfs4um08mwdue3hp9x/DRAGON +[HeyDay] +peggy_denom = inj1rel4r07gl38pc5xqe2q36ytfczgcrry0c4wuwf decimals = 6 -[DREAM] -peggy_denom = factory/inj1l2kcs4yxsxe0c87qy4ejmvkgegvjf0hkyhqk59/dream -decimals = 6 +[HnH] +peggy_denom = inj1e8r3gxvzu34ufgfwzr6gzv6plq55lg0p95qx5w +decimals = 8 -[DRG] -peggy_denom = inj15jg279nugsgqplswynqqfal29tav9va5wzf56t -decimals = 18 +[Hydro] +peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +decimals = 6 -[DRIVING] -peggy_denom = inj1ghhdy9mejncsvhwxmvnk5hspkd5fchtrmhu3x2 +[Hydro Protocol] +peggy_denom = inj1vkptqdl42csvr5tsh0gwczdxdenqm7xxg9se0z decimals = 8 -[DROGO] -peggy_denom = ibc/565FE65B82C091F8BAD1379FA1B4560C036C07913355ED4BD8D156DA63F43712 -decimals = 6 +[Hydro Wrapped INJ] +peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 -[DROGON] -peggy_denom = inj1h86egqfpypg8q3jp9t607t0y8ea6fdpv66gx0j +[Hydrogen oxide] +peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/h2o decimals = 6 -[DTEST] -peggy_denom = factory/inj1zn8qlkjautjt3mvr7xwuvpe6eddqt5w3mak5s7/DTEST +[IBC] +peggy_denom = ibc/75BD031C1301C554833F205FAFA065178D51AC6100BCE608E6DC2759C2B71715 decimals = 6 -[DTHREE] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/DTHREE +[IBCX] +peggy_denom = ibc/491C92BEEAFE513BABA355275C7AE3AC47AA7FD57285AC1D910CE874D2DC7CA0 decimals = 6 -[DUBAIcoin] -peggy_denom = inj1gsm06ndeq620sp73lu26nz76rqfpy9qtg7xfdw +[IBONK] +peggy_denom = factory/inj14cm9e5n5pjgzvwe5t8zshts2t9x2lxk3zp0js2/ibonk decimals = 6 -[DUBDUB] -peggy_denom = inj1nwm43spkusyva27208recgwya2yu2yja934x0n -decimals = 6 +[IDFI] +peggy_denom = inj13ac29xfk969qmydhq2rwekja6mxgwtdgpeq3dj +decimals = 8 -[DUCKS] -peggy_denom = factory/inj1mtxwccht2hpfn2498jc8u4k7sgrurxt04jzgcn/DUCKS +[IDOGE] +peggy_denom = inj18nuas38jw742ezmk942j4l935lenc6nxd4ypga +decimals = 18 + +[IHOP] +peggy_denom = factory/inj17rpa60xtn3rgzuzltuwgpw2lu3ayulkdjgwaza/IHOP decimals = 6 -[DUDE] -peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/DUDE +[IJ] +peggy_denom = factory/inj1hcymy0z58zxpm3esch2u5mps04a3vq2fup4j29/InjBull decimals = 6 -[DUEL] -peggy_denom = peggy0x943Af2ece93118B973c95c2F698EE9D15002e604 +[IJT] +peggy_denom = inj1tn8vjk2kdsr97nt5w3fhsslk0t8pnue7mf96wd decimals = 18 -[DUMB] -peggy_denom = factory/inj122c9quyv6aq5e2kr6gdcazdxy2eq2u2jgycrly/DUMB +[IKINGS] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/IKINGS decimals = 6 -[DUMP BEOPLE] -peggy_denom = inj13d8cpsfc9gxxspdatucvngrvs435zddscapyhk -decimals = 18 +[INCEL] +peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel +decimals = 6 -[DUROV] -peggy_denom = inj1y73laasqpykehcf67hh3z7vn899sdmn6vtsg22 +[INDUSTRY] +peggy_denom = inj1kkc0l4xnz2eedrtp0pxr4l45cfuyw7tywd5682 decimals = 18 -[DWHPPET] -peggy_denom = inj1rreafnwdwc9mu7rm6sm2nwwjd2yw46h26rzz36 +[INJ] +peggy_denom = inj decimals = 18 -[DWIFLUCK] -peggy_denom = factory/inj1gn54l05v5kqy5zmzk5l6wydzgvhvx2srm7rdkg/DWIFLUCK +[INJ LOUNGE] +peggy_denom = inj1dntqalk5gj6g5u74838lmrym3hslc9v3v9etqg +decimals = 8 + +[INJ TEST] +peggy_denom = factory/inj1gxf874xgdcza4rtkashrc8w2s3ulaxa3c7lmeh/inj-tt decimals = 6 -[DYDX] -peggy_denom = ibc/7B911D87318EB1D6A472E9F08FE93955371DF3E1DFFE851A58F4919450FFE7AA -decimals = 18 +[INJ TO THE MOON] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/MOON +decimals = 6 -[DYM] -peggy_denom = ibc/346B01430895DC4273D1FAFF470A9CE1155BF6E9F845E625374D019EC9EE796D -decimals = 18 +[INJA] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/INJA +decimals = 6 -[Dai Stablecoin] -peggy_denom = ibc/265ABC4B9F767AF45CAC6FB76E930548D835EDA3E94BC56B70582A55A73D8C90 -decimals = 18 +[INJBOT] +peggy_denom = inj1hhxn5p7gkcql23dpmkx6agy308xnklzsg5v5cw +decimals = 8 -[Dai Stablecoin (Wormhole)] -peggy_denom = ibc/293F6074F0D8FF3D8A686F11BCA3DD459C54695B8F205C8867E4917A630634C2 +[INJCEL] +peggy_denom = factory/inj1597pysn2u56ggcckykt2zzjuqkeezy5yxfujtj/INJcel +decimals = 6 + +[INJDAO] +peggy_denom = inj177wz9fpk6xjfrr7ex06sv5ukh0csgfak7x5uaq decimals = 8 -[Daisy] -peggy_denom = inj1djnh5pf860722a38lxlxluwaxw6tmycqmzgvhp -decimals = 18 +[INJDINO] +peggy_denom = inj13fnjq02hwxejdm584v9qhrh66mt4l3j8l3yh6f +decimals = 6 + +[INJDOGE] +peggy_denom = factory/inj13zcns55uycr8lcw8q4gvdqp0jejgknk9whv8uh/INJDOGE +decimals = 6 -[Daojo] -peggy_denom = inj1dpgkaju5xqpa3vuz6qxqp0vljne044xgycw0d7 +[INJDOGOS] +peggy_denom = inj1kl2zc5djmp8nmwsetua8gnmvug2c3dfa3uvy2e decimals = 18 -[DarkDeath] -peggy_denom = factory/inj133nvqdan8c79fhqfkmc3h59v30v4urgwuuejke/DarkDeath +[INJECT] +peggy_denom = factory/inj1j7zt6g03vpmg9p7g7qngvylfxqeuds73utsjnk/INJECT decimals = 6 -[Degen] -peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/Degen +[INJECTIV] +peggy_denom = factory/inj1x04zxeyrjc7ke5nt7ht3v3gkevxdk7rr0fx8qp/INJECTIV decimals = 6 -[DelPiero] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/delpiero +[INJECTIVED] +peggy_denom = inj16ccz3z2usevpyzrarggtqf5fgh8stjsql0rtew decimals = 6 -[Dnd] -peggy_denom = inj1acxjvpu68t2nuw6950606gw2k59qt43zfxrcwq -decimals = 18 +[INJER] +peggy_denom = factory/inj1sjmplasxl9zgj6yh45j3ndskgdhcfcss9djkdn/INJER +decimals = 6 -[Dog Wif Token ] -peggy_denom = inj1qhu9yxtp0x9gkn0n89hcw8c0wc8nhuke8zgw0d -decimals = 8 +[INJERA] +peggy_denom = inj1032h3lllszfld2utcunjvk8knx2c8eedgl7r4y +decimals = 6 -[Doge] -peggy_denom = inj1n4hl6mxv749jkqsrhu23z24e2p3s55de98jypt -decimals = 18 +[INJESUS] +peggy_denom = inj12d7qq0lp656jkrr2d3ez55cr330f3we9c75ml6 +decimals = 8 -[Dogelon Mars] -peggy_denom = peggy0x761D38e5ddf6ccf6Cf7c55759d5210750B5D60F3 -decimals = 18 +[INJEVO] +peggy_denom = inj1f6fxh20pdyuj98c8l2svlky8k7z7hkdztttrd2 +decimals = 8 -[Doggo] -peggy_denom = inj1gasr3mz9wdw2andhuf5254v9haw2j60zlftmha -decimals = 18 +[INJEX] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/INJEX +decimals = 6 -[Doginbread] -peggy_denom = inj1sx9mflrf6jvnzantd8rlzqh9tahgdyul5hq4pc -decimals = 18 +[INJFIRE] +peggy_denom = inj1544nmruy3xc3qqp84cenuzqrdnlyfkprwdfcz5 +decimals = 8 -[Dojo Staked INJ] -peggy_denom = inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 -decimals = 18 +[INJGEN] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/injgen +decimals = 6 -[Dojo Token] -peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 -decimals = 18 +[INJGOAT] +peggy_denom = inj1p9nluxkvuu5y9y7radpfnwemrdty74l74q2ycp +decimals = 6 -[Dojo bot] -peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/DOJO +[INJHACKTIVE] +peggy_denom = factory/inj14cpnzf4mxyxel7le3wp2zxyvwr8g0wukch9865/INJHACKTIVE decimals = 6 -[Don] -peggy_denom = inj19yv3uvkww6gjda2jn90aayrefjacclsrulr5n2 -decimals = 18 +[INJHAT] +peggy_denom = factory/inj1uc7awz4e4kg9dakz5t8w6zzz7r62992ezsr279/injhat +decimals = 6 -[DonatelloShurikenLipsInjection2dust] -peggy_denom = factory/inj1ya7ltz2mkj0z4w25lxueh7emz6qhwe33m4knx8/INJECTIV +[INJI] +peggy_denom = factory/inj1nql734ta2npe48l26kcexk8ysg4s9fnacv9tvv/INJI decimals = 6 -[Doodle] -peggy_denom = factory/inj1yjhn49auvxjqe2y3hxl9uwwzsjynl4ms0kq6d4/Doodle +[INJINU] +peggy_denom = factory/inj1vjppa6h9lf75pt0v6qnxtej4xcl0qevnxzcrvm/INJINU decimals = 6 -[Dope Token] -peggy_denom = inj1lrewwyn3m2dms6ny7m59x9s5wwcxs5zf5y2w20 +[INJM] +peggy_denom = inj1czlt30femafl68uawedg63834vcg5z92u4ld8k +decimals = 18 + +[INJMEME] +peggy_denom = inj179luuhr3ajhsyp92tw73w8d7c60jxzjcy22356 decimals = 8 -[Dot] -peggy_denom = ibc/B0442E32E21ED4228301A2B1B247D3F3355B73BF288470F9643AAD0CA07DD593 -decimals = 10 +[INJMETA] +peggy_denom = inj1m7264u6ytz43uh5hpup7cg78h6a8xus9dnugeh +decimals = 8 -[Drachme] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/drachme +[INJMOON] +peggy_denom = inj12val9c8g0ztttfy8c5amey0adyn0su7x7f27gc +decimals = 8 + +[INJMOOON] +peggy_denom = inj1eu0zlrku7yculmcjep0n3xu3ehvms9pz96ug9e decimals = 6 -[Dragon Coin] -peggy_denom = inj1ftfc7f0s7ynkr3n7fnv37qpskfu3mu69ethpkq -decimals = 18 +[INJNET] +peggy_denom = inj13ew774de6d3qhfm3msmhs9j57le9krrw2ezh3a +decimals = 8 -[Drugs] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19vy83ne9tzta2yqynj8yg7dq9ghca6yqn9hyej -decimals = 18 +[INJOFGOD] +peggy_denom = inj1snaeff6pryn48fnrt6df04wysuq0rk7sg8ulje +decimals = 8 -[Duel] -peggy_denom = inj1ghackffa8xhf0zehv6n8j3gjzpz532c4h2zkkp -decimals = 18 +[INJOY] +peggy_denom = factory/inj10zvhydqqpejrfgvl2m9swcm0dkf9kc3zsj7yr4/injoy +decimals = 6 -[Dwake] -peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/Dwake +[INJPEPE] +peggy_denom = factory/inj15hxjpac22adg3s6znhpc27zx6ufhf6z7fseue2/injpepe decimals = 6 -[E-SHURIKEN] -peggy_denom = inj1z93hdgsd9pn6eajslmyerask38yugxsaygyyu0 +[INJPEPE2] +peggy_denom = factory/inj1jsduylsevrmddn64hdxutcel023eavw44n63z2/INJPEPE2 decimals = 6 -[EARS] -peggy_denom = inj1g07rttdqwcy43yx9m20z030uex29sxpcwvvjmf +[INJPORTAL] +peggy_denom = inj1etyzmggnjdtjazuj3eqqlngvvgu2tqt6vummfh decimals = 8 -[EASPORTS] -peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EASPORTS -decimals = 6 +[INJPREMIUM] +peggy_denom = inj18uw5etyyjqudtaap029u9g5qpxf85kqvtkyhq9 +decimals = 8 -[ECOCH] -peggy_denom = factory/inj1tquax9jy4t7lg2uya4yclhlqlh5a75ykha2ewr/EcoChain +[INJPRO] +peggy_denom = inj15x75x44futqdpx7mp86qc6dcuaqcyvfh0gpxp5 +decimals = 8 + +[INJS] +peggy_denom = factory/inj1yftyfrc720nhrzdep5j70rr8dm9na2thnrl7ut/injs decimals = 6 -[ECPS] -peggy_denom = inj1vzjfp3swqhhjp56w40j4cmekjpmrkq6d3ua7c8 +[INJSANTA] +peggy_denom = inj1qpepg77mysjjqlm9znnmmkynreq9cs2rypwf35 decimals = 8 -[EGGMAN] -peggy_denom = inj1hjym72e40g8yf3dd3lah98acmkc6ms5chdxh6g +[INJSHIB] +peggy_denom = inj1tty2w6sacjpc0ma6mefns27qtudmmp780rxlch decimals = 8 -[ELE] -peggy_denom = inj1zyg7gvzzsc0q39vhv5je50r2jcfv2ru506pd7w -decimals = 6 +[INJSWAP] +peggy_denom = inj1pn5u0rs8qprush2e6re775kyf7jdzk7hrm3gpj +decimals = 8 -[ELEM] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 -decimals = 18 +[INJTOOLS] +peggy_denom = factory/inj105a0fdpnq0wt5zygrhc0th5rlamd982r6ua75r/injtools +decimals = 6 -[ELM] -peggy_denom = inj1uu3dc475nuhz68j3g4s3cpxzdfczpa3k4dcqz7 -decimals = 18 +[INJUNI] +peggy_denom = inj1dz8acarv345mk5uarfef99ecxuhne3vxux606r +decimals = 8 -[ELMNT] -peggy_denom = inj17z53rhx0w6szyhuakgnj9y0khprrp2rmdg0djz +[INJUSSY] +peggy_denom = factory/inj1s9smy53dtqq087usaf02sz984uddndwuj2f0wt/injussy decimals = 6 -[ELON] -peggy_denom = factory/inj1wjtuzkprkc4gdf4r7dlh9gu96yyxml8qpzzy9p/elon +[INJUST] +peggy_denom = factory/inj123hzxzuee7knt0lf7w9grkxtumg4kxszklmps6/INJUST decimals = 6 -[ELON-GATED-PENIS] -peggy_denom = inj1v0ahzyf4mup6eunf4hswcs9dq3ffea4nqxdhmq +[INJUSTICE] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/INJUSTICE decimals = 6 -[ELONXMAS] -peggy_denom = inj1nmrve743hvmxzv7e3p37nyjl2tf8fszcqg44ma +[INJVERSE] +peggy_denom = inj1leqzwmk6xkczjrum5nefcysqt8k6qnmq5v043y decimals = 8 -[EMP] -peggy_denom = factory/inj1vc6gdrn5ta9h9danl5g0sl3wjwxqfeq6wj2rtm/EMP +[INJX] +peggy_denom = factory/inj104h3hchl7ws8lp78zpvrunvsjdwfjc02r5d0fp/injx decimals = 6 -[EMP On Injective] -peggy_denom = inj1qm7x53esf29xpd2l8suuxtxgucrcv8fkd52p7t -decimals = 18 - -[ENA] -peggy_denom = peggy0x57e114B691Db790C35207b2e685D4A43181e6061 -decimals = 18 - -[ENJ] -peggy_denom = peggy0xF629cBd94d3791C9250152BD8dfBDF380E2a3B9c -decimals = 18 - -[EPIC] -peggy_denom = inj1k0f8fqym9t3gz8qq3f72d3x5uk2gx4prs6mld5 -decimals = 18 - -[EPICEIGHT] -peggy_denom = inj19dd2lqy8vpcl3kc9ftz3y7xna6qyevuhq7zxkz -decimals = 18 +[INJXMAS] +peggy_denom = inj1uneeqwr3anam9qknjln6973lewv9k0cjmhj7rj +decimals = 8 -[EPICEL] -peggy_denom = inj1hz2e3fasvhhuxywx96g5vu8nnuvak5ca4r7jsk -decimals = 18 +[INJXSOL] +peggy_denom = inj174p4dt45793vylmt8575cltj6wadtc62nakczq +decimals = 8 -[EPICFIVE] -peggy_denom = inj1cavzx4eswevydc8hawdy362z3a2nucku8c0lp6 -decimals = 18 +[INJXXX] +peggy_denom = inj1pykhnt3l4ekxe6ra5gjc03pgdglavsv34vdjmx +decimals = 8 -[EPICNINE] -peggy_denom = inj1a6jfnquus2vrfshwvurae9wkefu0k3n8ay6u4r +[INJbsc] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 decimals = 18 -[EPICONE] -peggy_denom = inj16nenk0jqfcgj8qhfap9n7ldjzke97rw9auxptx +[INJet] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw decimals = 18 -[EPICSEVEN] -peggy_denom = inj19tval5k0qjgqqkuw0v8g5qz9sautru4jr9rz7e -decimals = 18 +[INJjP] +peggy_denom = inj1xwr2fzkakfpx5afthuudhs90594kr2ka9wwldl +decimals = 8 -[EPICSIX] -peggy_denom = inj1gyf3358u6juk3xvrrp7vlez9yuk2ek33dhqdau +[INJusd] +peggy_denom = inj1qchqhwkzzws94rpfe22qr2v5cv529t93xgrdfv decimals = 18 -[EPICTE] -peggy_denom = inj1c6mpj4p2dvxdgqq9l0sasz0uzu4gah7k3g03xf +[INUJ] +peggy_denom = inj13jhpsn63j6p693ffnfag3efadm9ds5dqqpuml9 decimals = 18 -[EPICTEN] -peggy_denom = inj1e9t4mhc00s4p0rthuyhpy2tz54nuh552sk5v60 +[INUWIFHAT] +peggy_denom = inj1xtrzl67q5rkdrgcauljpwzwpt7pgs3jm32zcaz decimals = 18 -[EPICTREE] -peggy_denom = inj1hjt77g9ujsh52jdm388ggx387w9dk4jwe8w5sq +[IOA] +peggy_denom = inj1xwkqem29z2faqhjgr6jnpl7n62f2wy4nme8v77 decimals = 18 -[EPICTWO] -peggy_denom = inj1z24n2kmsxkz9l75zm7e90f2l0rfgaazh6usw3h -decimals = 18 +[ION] +peggy_denom = ibc/1B2D7E4261A7E2130E8E3506058E3081D3154998413F0DB2F82B04035B3FE676 +decimals = 6 -[EPICfour] -peggy_denom = inj14m6t04x80r2f78l26wxz3vragpy892pdmshcat +[IOTX] +peggy_denom = peggy0x6fB3e0A217407EFFf7Ca062D46c26E5d60a14d69 decimals = 18 -[ERA] -peggy_denom = peggy0x3e1556B5b65C53Ab7f6956E7272A8ff6C1D0ed7b -decimals = 18 +[IPDAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipdai +decimals = 6 -[ERIC] -peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/eric +[IPEPE] +peggy_denom = factory/inj1td7t8spd4k6uev6uunu40qvrrcwhr756d5qw59/ipepe decimals = 6 -[ERIS Amplified SEI] -peggy_denom = ibc/9774771543D917853B9A9D108885C223DFF03ABC7BD39AD2783CA4E1F58CDC6E +[IPEPER] +peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/IPEPER decimals = 6 -[ESCUDOS] -peggy_denom = ibc/D1546953F51A43131EDB1E80447C823FD0B562C928496808801A57F374357CE5 +[IPandaAI] +peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipandaai decimals = 6 -[ETF] -peggy_denom = inj1cdfcc6x6fn22wl6gs6axgn48rjve2yhjqt8hv2 -decimals = 18 +[ISILLY] +peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/iSILLY +decimals = 6 -[ETH] -peggy_denom = factory/inj1a0n3xm83w6d0gzheffkve30z8wpz6xq8zdf48r/ETH +[ITO] +peggy_denom = ibc/E7140919F6B70594F89401B574DC198D206D923964184A9F79B39074301EB04F decimals = 6 -[ETHBTCTrend] -peggy_denom = peggy0x6b7f87279982d919Bbf85182DDeAB179B366D8f2 +[ITSC] +peggy_denom = inj1r63ncppq6shw6z6pfrlflvxm6ysjm6ucx7ddnh decimals = 18 -[ETK] -peggy_denom = inj1hzh43wet6vskk0ltfm27dm9lq2jps2r6e4xvz8 +[IUSD] +peggy_denom = factory/inj1l7u9lv8dfqkjnc7antm5lk7lmskh8zldh9yg05/iUSD decimals = 18 -[EUR] -peggy_denom = eur +[IWH] +peggy_denom = factory/inj1sgnkljwsekkf36p4lgd7v9qa0p66rj64xa756j/IWH decimals = 6 -[EURO] -peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/EURO -decimals = 6 +[IXB] +peggy_denom = inj1p0tvxzfhht5ychd6vj8rqhm0u7g5zxl6prrzpk +decimals = 8 -[EVAI] -peggy_denom = peggy0x50f09629d0afDF40398a3F317cc676cA9132055c +[Imol] +peggy_denom = factory/inj1g055dn0qmm9qyrnuaryffqe3hu8qja0qnslx87/Mol7 +decimals = 0 + +[InjBots] +peggy_denom = factory/inj1qfdgzwy6ppn4nq5s234smhhp9rt8z2yvjl2v49/InjBots +decimals = 18 + +[InjCroc] +peggy_denom = inj1dcl8q3yul8hu3htwxp8jf5ar5nqem62twjl0ga +decimals = 18 + +[InjDoge] +peggy_denom = inj1hlg3pr7mtvzcczq0se4xygscmm2c99rrndh4gv decimals = 8 -[EVI] -peggy_denom = inj1mxcj2f8aqv8uflul4ydr7kqv90kprgsrx0mqup +[InjDragon] +peggy_denom = inj1gkf6h3jwsxayy068uuf6ey55h29vjd5x45pg9g decimals = 18 -[EVIINDEX] -peggy_denom = eviindex +[InjPepe] +peggy_denom = inj19xa3v0nwvdghpj4v2lzf64n70yx7wlqvaxcejn +decimals = 8 + +[InjXsolana] +peggy_denom = inj1u82h7d8l47q3kzwvkm2mgzrskk5au4lrkntkjn +decimals = 8 + +[Inject] +peggy_denom = inj1tn88veylex4f4tu7clpkyneahpmf7nqqmvquuw decimals = 18 -[EVITCEJNI] -peggy_denom = factory/inj1n8kcnuzsrg9d7guu8c5n4cxcurqyszthy29yhg/EVITCEJNI +[InjectDOGE] +peggy_denom = factory/inj1nf43yjjx7sjc3eulffgfyxqhcraywwgrnqmqjc/INJDOGE decimals = 6 -[EVL] -peggy_denom = inj1yhrpy3sr475cfn0g856hzpfrgk5jufvpllfakr +[Injection] +peggy_denom = inj1e8lv55d2nkjss7jtuht9m46cmjd83e39rppzkv +decimals = 6 + +[Injection ] +peggy_denom = inj15sls6g6crwhax7uw704fewmktg6d64h8p46dqy decimals = 18 -[EVMOS] -peggy_denom = ibc/16618B7F7AC551F48C057A13F4CA5503693FBFF507719A85BC6876B8BD75F821 +[Injective] +peggy_denom = inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw decimals = 18 -[EXOTIC] -peggy_denom = inj1xyf06dyfuldfynqgl9j6yf4vly6fsjr7zny25p +[Injective City] +peggy_denom = factory/inj1xzl47mx87r7sx8e6cz9d3q257xtp9fue3dx073/CITY +decimals = 6 + +[Injective Genesis] +peggy_denom = inj19gm2tefdz5lpx49veyqe3dhtqqkwmtyswv60ux decimals = 8 -[EXP] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd +[Injective Inu] +peggy_denom = inj1pv567vvmkv2udn6llcnmnww78erjln35ut05kc decimals = 8 -[EYES] -peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/eyes +[Injective Memes] +peggy_denom = inj1zq5mry9y76s5w7rd6eaf8kx3ak3mlssqkpzerp +decimals = 8 + +[Injective Moon] +peggy_denom = inj1tu45dzd54ugqc9fdwmce8vcpeyels45rllx4tt +decimals = 8 + +[Injective Panda] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/bamboo decimals = 6 -[Eik] -peggy_denom = inj1a0rphvxxgr56354vqz8jhlzuhwyqs8p4zag2kn +[Injective Protocol] +peggy_denom = peggy0x7C7aB80590708cD1B7cf15fE602301FE52BB1d18 decimals = 18 -[Elemental Token] -peggy_denom = inj1kxwmyuns9z36dd0luggj7wyzetqyfz8cuhdvm2 -decimals = 18 +[Injective Snowy] +peggy_denom = inj17hsx7q99utdthm9l6c6nvm2j8a92dr489car5x +decimals = 8 -[Elite] -peggy_denom = inj1rakgrkwx9hs6ye4mt4pcvnhy5zt28dt02u9ws8 -decimals = 18 +[Injective-X] +peggy_denom = inj1uk9ac7qsjxqruva3tavqsu6mfvldu2zdws4cg2 +decimals = 8 -[Enjineer] -peggy_denom = inj1xsc3wp2m654tk62z7y98egtdvd0mqcs7lp4lj0 +[InjectivePEPE] +peggy_denom = inj18y9v9w55v6dsp6nuk6gnjcvegf7ndtmqh9p9z4 decimals = 18 -[Ethena] -peggy_denom = inj1c68rz4w9csvny5xmq6f87auuhfut5zukngmptz -decimals = 18 +[InjectiveSwap] +peggy_denom = inj1t0dfz5gqfrq6exqn0sgyz4pen4lxchfka3udn4 +decimals = 6 -[Ethereum (Arbitrum)] -peggy_denom = ibc/56ADC03A83B6E812C0C30864C8B69CBE502487AD5664D0164F73A1C832D2C7FC -decimals = 18 +[InjectiveToMoon] +peggy_denom = inj1jwms7tyq6fcr0gfzdu8q5qh906a8f44wws9pyn +decimals = 8 -[Ethereum (ERC20)] -peggy_denom = ibc/56CD30F5F8344FDDC41733A058F9021581E97DC668BFAC631DC77A414C05451B +[Injera] +peggy_denom = inj1fqn5wr483v6kvd3cs6sxdcmq4arcsjla5e5gkh decimals = 18 -[Explore Exchange] -peggy_denom = inj10ktwcqd5n4k6278jegrc0u08fudf8r00vdsjwd -decimals = 8 +[Injera Gem] +peggy_denom = peggy0x7872f1B5A8b66BF3c94146D4C95dEbB6c0997c7B +decimals = 18 -[ExtraVirginOliveInu] -peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/extravirginoliveinu +[Internet Explorer] +peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/ninjb decimals = 6 -[FABLE] -peggy_denom = ibc/5FE5E50EA0DF6D68C29EDFB7992EB81CD40B6780C33834A8AB3712FB148E1313 +[Inu] +peggy_denom = factory/inj1z0my390aysyk276lazp4h6c8c49ndnm8splv7n/Inu decimals = 6 -[FACTORY01] -peggy_denom = inj1q8h6pxj73kv36ehv8dx9d6jd6qnphmr0xydx2h -decimals = 6 +[Inv] +peggy_denom = inj1ajzrh9zffh0j4ktjczcjgp87v0vf59nhyvye9v +decimals = 18 -[FAITH] -peggy_denom = inj1efjaf4yuz5ehncz0atjxvrmal7eeschauma26q +[Inzor] +peggy_denom = factory/inj1j7ap5xxp42urr4shkt0zvm0jtfahlrn5muy99a/Inzor decimals = 6 -[FAMILY] -peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/FAMILY +[JAKE] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/JAKE decimals = 6 -[FAP] -peggy_denom = inj1qekjz857yggl23469xjr9rynp6padw54f0hhkh +[JAPAN] +peggy_denom = factory/inj13vtsydqxwya3mpmnqa20lhjg4uhg8pp42wvl7t/japan decimals = 18 -[FAST] -peggy_denom = inj1m8wfsukqzxt6uduymrpkjawvpap3earl4p2xlt -decimals = 8 - -[FCS] -peggy_denom = inj1h7smsl8nzjfeszy03cqnjn2yvf629kf3m02fay -decimals = 18 +[JCLUB] +peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/JCLUB +decimals = 6 -[FCUK] -peggy_denom = inj1j3gg49wg40epnsd644s84wrzkcy98k2v50cwvv +[JEDI] +peggy_denom = inj1ejfu0rrx4ypfehpms8qzlwvyqs3p6c0tk2y7w7 decimals = 18 -[FDA] -peggy_denom = inj174zq6m77dqvx4e56uqvjq25t7qq5ukmt2zhysh +[JEET] +peggy_denom = inj1sjff8grguxkzp2wft4xnvsmrksera5l5hhr2nt decimals = 18 -[FDAPERP] -peggy_denom = inj1zl5uwywdkgchs54ycp8f84cedz29fhwz0pzvjd -decimals = 18 +[JEETERS] +peggy_denom = factory/inj1jxj9u5y02w4veajmke39jnzmymy5538n420l9z/jeeters +decimals = 6 -[FDC] -peggy_denom = inj1h9tu7ul5pyu2fl2qwpsyvshhqt2g4xqaqxm89z +[JEFF] +peggy_denom = factory/inj10twe630w3tpqvxmeyl5ye99vfv4rmy92jd9was/JEFF decimals = 6 -[FDC3] -peggy_denom = inj1zmpydq6mlwfj246jk9sc5r7898jgcks9rj87mg +[JEJU] +peggy_denom = factory/inj1ymsgskf2467d6q7hwkms9uqsq3h35ng7mj6qs2/jeju decimals = 6 -[FDC40624A] -peggy_denom = inj1est038f5zfdj7qp3ktmqtygfkef5wj6fdl8nx2 +[JELLY] +peggy_denom = factory/inj13ez8llxz7smjgflrgqegwnj258tfs978c0ccz8/JELLY decimals = 6 -[FDC40624B] -peggy_denom = inj1gukq56dd9erzmssdxp305g8wjf7ujz0kc46m6e +[JESUS] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/JESUS decimals = 6 -[FDC40624C] -peggy_denom = inj1623nrzk2us368e6ecl7dfe4tdncqykx76ycvuy +[JESUSINJ] +peggy_denom = inj13tnc70qhxuhc2efyvadc35rgq8uxeztl4ajvkf +decimals = 8 + +[JIMMY] +peggy_denom = ibc/BE0CC03465ABE696C3AE57F6FE166721DF79405DFC4F4E3DC09B50FACABB8888 decimals = 6 -[FDC40625A] -peggy_denom = inj1t3zvq2n5rl2r902zmsynaysse2vj0t4c6zfjlv +[JINJA] +peggy_denom = factory/inj1kr66vwdpxmcgqgw30t6duhtmfdpcvlkljgn5f7/JINJA decimals = 6 -[FDC40625B] -peggy_denom = inj1m4n783st9cvc06emtgl29laypf2980j5j9l3rs +[JINJAO] +peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/JINJAO decimals = 6 -[FDC40625C] -peggy_denom = inj1uac3sy4jv0uu6drk2pcfqmtdue7w0q0urpwgzl +[JINX] +peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/JINX decimals = 6 -[FDC40625D] -peggy_denom = inj1shu8jhwh9g6yxx6gk6hcg89hmqccdwflljcpes +[JIT] +peggy_denom = factory/inj1d3nq64h56hvjvdqatk9e4p26z5y4g4l6uf2a7w/JIT +decimals = 18 + +[JITSU] +peggy_denom = inj1gjujeawsmwel2d5p78pxmvytert726sejn8ff3 decimals = 6 -[FDCP40626A] -peggy_denom = inj18ls4r6pw85gk39pyh4pjhln7j6504v0dtk7kxz +[JITZ] +peggy_denom = inj1cuxse2aaggs6dqgq7ek8nkxzsnyxljpy9sylyf decimals = 6 -[FET] -peggy_denom = inj1ap9u5fa47yhgs4xv4dcnzn08qvlcpqn0dt59sy -decimals = 18 +[JNI] +peggy_denom = factory/inj140ddmtvnfytfy4htnqk06um3dmq5l79rl3wlgy/jni +decimals = 6 -[FIDEN] -peggy_denom = factory/inj1xm8azp82qt9cytzg5guhx8cjrjmrunv97dfdd3/FIDEN +[JOHNXINA] +peggy_denom = inj1xxqe7t8gp5pexe0qtlh67x0peqs2psctn59h24 decimals = 6 -[FIFA] -peggy_denom = inj1ma5f4cpyryqukl57k22qr9dyxmmc99pw50fn72 -decimals = 18 +[JOKER] +peggy_denom = inj1q4amkjwefyh60nhtvtzhsmpz3mukc0fmpt6vd0 +decimals = 8 -[FIG] -peggy_denom = inj1whqqv3hrqt58laptw90mdhxx7upx40q6s7d0qx +[JPE] +peggy_denom = inj1s8e7sn0f0sgtcj9jnpqnaut3tlh7z720dsxnn7 decimals = 18 -[FINNEON] -peggy_denom = inj1t3lzvya9p4zslzetpzcmc968a9c5jjkdycwlzf +[JPY] +peggy_denom = jpy decimals = 6 -[FISHY] -peggy_denom = inj178xpd5dxe7dq82dtxpcufelshxxlqmzn0h0r26 -decimals = 8 +[JSON] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/json +decimals = 6 -[FIVE] -peggy_denom = inj1wltxzzuvl9tz8jrawcw756wcawcjt4l4cmsjru +[JSR] +peggy_denom = inj1hdc2qk2epr5fehdjkquz3s4pa0u4alyrd7ews9 decimals = 18 -[FIX] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda +[JTEST] +peggy_denom = inj1vvekjsupcth0g2w0tkp6347xxzk5cpx87hwqdm decimals = 18 -[FLOKI] -peggy_denom = factory/inj1g7nvetpqjcugdnjxd27v37m7adm4wf7wphgzq2/FLOKI -decimals = 6 - -[FLUFFY] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z +[JUDO] +peggy_denom = inj16ukv8g2jcmml7gykxn5ws8ykhxjkugl4zhft5h decimals = 18 -[FLUID] -peggy_denom = inj1avj9gwyj5hzxdkpegcr47kmp8k39nrnejn69mh -decimals = 8 +[JUKI] +peggy_denom = inj1nj2d93q2ktlxrju2uwyevmwcatwcumuejrplxz +decimals = 18 -[FMLY] -peggy_denom = factory/inj1ku7eqpwpgjgt9ch07gqhvxev5pn2p2upzf72rm/FAMILY +[JUMONG] +peggy_denom = inj1w9vzzh7y5y90j69j774trp6z0qfh8r4q4yc3yc decimals = 6 -[FOJO] -peggy_denom = inj1n37zp9g8fzdwxca8m7wrp2e7qvrjzfemaxgp8e -decimals = 18 - -[FOMO] -peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/FOMO +[JUNO] +peggy_denom = ibc/D50E26996253EBAA8C684B9CD653FE2F7665D7BDDCA3D48D5E1378CF6334F211 decimals = 6 -[FOMOFox] -peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/FOMOFox +[JUP] +peggy_denom = jup decimals = 6 -[FOO] -peggy_denom = inj1svrvyqm8uu6u4xnkz6tva207pztglcjylxe367 +[JUSSY] +peggy_denom = inj1qydw0aj2gwv27zkrp7xulrg43kx88rv27ymw6m decimals = 18 -[FOOL] -peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/FOOL +[JUTSU] +peggy_denom = inj1a7h4n3kd0nkn2hl7n22sgf4c5dj3uyvcue2gla decimals = 6 -[FOORK] -peggy_denom = inj1zu6qda7u90c8w28xkru4v56ak05xpfjtwps0vw -decimals = 18 - -[FORZA] -peggy_denom = inj1p0tsq248wyk2vd980csndrtep3rz50ezfvhfrw +[Jay] +peggy_denom = inj1qt007zcu57qd4nq9u7g5ffgeyyqkx2h4qfzmn4 decimals = 18 -[FOTHER] -peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/FOTHER -decimals = 6 - -[FOUR] -peggy_denom = inj1clfx8jgq3636249d0tr3yu26hsp3yqct6lpvcy +[Jenner] +peggy_denom = inj1yjecs8uklzruxphv447l7urdnlguwynm5f45z7 decimals = 18 -[FOX] -peggy_denom = inj167naeycu49dhs8wduj5ddtq6zex9cd6hpn4k4w +[Joe] +peggy_denom = inj14jgu6cs42decuqdfwfz2j462n8lrwhs2d5qdsy decimals = 18 -[FOXY] -peggy_denom = inj15acrj6ew42jvgl5qz53q7c9g82vf3n98l84s4t +[Joe Boden] +peggy_denom = factory/inj1wnrxrkj59t6jeg3jxzhkc0efr2y24y6knvsnmp/boden decimals = 6 -[FPL] -peggy_denom = inj13yutezdwjkz8xucrt6d564yqr3ava76r6q9vle +[KADO] +peggy_denom = inj1608auvvlrz9gf3hxkpkjf90vwwgfyxfxth83g6 decimals = 8 -[FRANKLYN] -peggy_denom = inj1gadcw96ha8fpd6ulgzulsuqj9vjz8dv0s57at8 -decimals = 18 - -[FRAX] -peggy_denom = ibc/3E5504815B2D69DCC32B1FF54CDAC28D7DA2C445BD29C496A83732DC1D52DB90 +[KAGE] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 decimals = 18 -[FREE] -peggy_denom = inj1rp9tjztx0m5ekcxavq9w27875szf8sm7p0hwpg -decimals = 18 +[KAGECoin] +peggy_denom = factory/inj1jqu8w2qqlc79aewc74r5ts7hl85ksjk4ud7jm8/KAGE +decimals = 6 -[FRINJE] -peggy_denom = factory/inj1mcx5h5wfeqk334u8wx6jv3g520zwy3lh22dyp7/FRINJE -decimals = 10 +[KAI] +peggy_denom = factory/inj1kdvaxn5373fm4g8xxqhq08jefjhmefqjn475dc/KAI +decimals = 6 -[FRNZ] -peggy_denom = ibc/CDD7374B312BEF9723AAEBDE622206490E112CE2B5F49275683CCCD86C7D4BCE +[KAKAPO] +peggy_denom = factory/inj14ykszmwjjsu9s6aakqc02nh3t32h9m7rnz7qd4/KAKAPO decimals = 6 -[FROG] -peggy_denom = inj104y5dpcdtga79tczv6rg3rsekx4hasw2k83h5s +[KANGAL] +peggy_denom = inj1aq9f75yaq9rwewh38r0ffdf4eqt4mlfktef0q2 decimals = 18 -[FROGCOIN] -peggy_denom = inj1dljz0rexnhhxa2vnnfxerg7y0am46kdzltwwgp +[KARATE] +peggy_denom = factory/inj1898t0vtmul3tcn3t0v8qe3pat47ca937jkpezv/karate decimals = 6 -[FROGGY] -peggy_denom = factory/inj1l8pq22awax6r8hamk2v3cgd77w90qtkmynvp8q/FROGGY +[KARMA] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karma decimals = 6 -[FROGY] -peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGiY +[KASA] +peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/kasa decimals = 6 -[FTC] -peggy_denom = inj1v092fpcqz0k5pf6zwz7z8v40q2yxa0elfzt2hk -decimals = 18 - -[FTM] -peggy_denom = peggy0x4E15361FD6b4BB609Fa63C81A2be19d873717870 -decimals = 18 - -[FTUNA] -peggy_denom = inj1yqm9apy8kat8fav2mmm7geshyytdld0al67ks4 +[KAT] +peggy_denom = factory/inj1ms8lr6y6qf2nsffshfmusr8amth5y5wnrjrzur/KAT decimals = 6 -[FUCK] -peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/FUCK +[KATANA] +peggy_denom = factory/inj1vwn4x08hlactxj3y3kuqddafs2hhqzapruwt87/katana decimals = 6 -[FUD] -peggy_denom = factory/inj1j2r6vr20cnhqz3tumd2lh9w8k8guamze3pdf7t/FUD +[KATI] +peggy_denom = factory/inj1gueqq3xdek4q5uyh8jp5xnm0ah33elanvgc524/KATI decimals = 6 -[FUINJ] -peggy_denom = factory/inj1wlwsd6w84ydmsqs5swthm5hw22qm8fxrth5ggx/FUINJ +[KATO] +peggy_denom = factory/inj18dsv2pywequv9c7t5s4kaayg9440hwhht6kkvx/KATO decimals = 6 -[FUSION] -peggy_denom = inj1hpczn65hygw4aaaytxe6gvdu8h3245gjz0q2fx -decimals = 8 - -[FUSIONX] -peggy_denom = inj1a5pxsj6f8jggncw4s2cg39p25swgzdjyljw5tf -decimals = 8 +[KAVA] +peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +decimals = 6 -[FUZION] -peggy_denom = inj1m8hyuja8wmfm0a2l04dgp5ntwkmetkkemw2jcs -decimals = 8 +[KAVAverified] +peggy_denom = inj1t307cfqzqkm4jwqdtcwmvdrfvrz232sffatgva +decimals = 18 -[FUZN] -peggy_denom = ibc/FE87E1E1BB401EC35CD02A57FE5DEF872FA309C018172C4E7DA07F194EAC6F19 +[KAZE BOT] +peggy_denom = factory/inj1q42vrh9rhdnr20eq9ju9lymsxaqxcjpuqgd2cg/KBT decimals = 6 -[FaDaCai] -peggy_denom = inj1yevjg9fdp7px757d6g3j2dkpzmeczturx3vpme +[KET] +peggy_denom = factory/inj1y3tkh4dph28gf2fprxy98sg7w5s7e6ymnrvwgv/KET decimals = 6 -[Fetch.ai] -peggy_denom = peggy0xaea46a60368a7bd060eec7df8cba43b7ef41ad85 -decimals = 18 +[KETCHUP] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/KETCHUP +decimals = 6 -[FixedFloat] -peggy_denom = inj1xpvxfn66l8aslcc8qgr7jc5rp638ampdnsfqda -decimals = 18 +[KGM] +peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/KGM +decimals = 6 -[Fluffy] -peggy_denom = inj1hfk4z29f5cv73gxpdydedhkq0yspqc5ymeze9z -decimals = 18 +[KIBA] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/KIBA +decimals = 6 -[FollowNinjaBoy_inj] -peggy_denom = factory/inj1sn6u0472ds6v8x2x482gqqc36g0lz28uhq660v/FollowNinjaBoy_inj +[KIDZ] +peggy_denom = factory/inj1f502ktya5h69hxs9acvf3j3d6ygepgxxh2w40u/kidz decimals = 6 -[Frogy the frog] -peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIYY +[KIKI] +peggy_denom = factory/inj1yc9tdwkff6fdhseshk2qe4737hysf3dv0jkq35/kiki decimals = 6 -[FuckSol] -peggy_denom = factory/inj1na5d9jqhkyckh8gc5uqht75a74jq85gvpycp44/FUCKSOL +[KIMJ] +peggy_denom = factory/inj137z9mjeja534w789fnl4y7afphn6qq7qvwhd8y/KIMJ decimals = 6 -[FusionX] -peggy_denom = inj1fghekhpfn2rfds6c466p38ttdm2a70gnzymc86 +[KINGELON] +peggy_denom = inj195vkuzpy64f6r7mra4m5aqgtj4ldnk2qs0zx8n decimals = 8 -[GAINJA] -peggy_denom = inj1jnwu7u6h00lzanpl8d5qerr77zcj2vd65r2j7e -decimals = 18 +[KINGFUSION] +peggy_denom = inj1mnzwm6fvkruendv8r63vzlw72yv7fvtngkkzs9 +decimals = 8 -[GALA] -peggy_denom = factory/inj1xtwk60ey0g03s69gfsure0kx8hwwuk24zl0g6l/GALA -decimals = 6 +[KINGINJ] +peggy_denom = inj1a3ec88sxlnu3ntdjk79skr58uetrvxcm4puhth +decimals = 8 -[GALAXY] -peggy_denom = factory/inj10zdjt8ylfln5xr3a2ruf9nwn6d5q2d2r3v6mh8/galaxy +[KINGS] +peggy_denom = factory/inj1pqxpkmczds78hz8cacyvrht65ey58e5yg99zh7/kings decimals = 6 -[GAMBLE] -peggy_denom = factory/inj10g0paz4mx7mq2z8l9vpxz022xshc04g5kw7s43/gamble +[KINJ] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/kinj decimals = 6 -[GAMER] -peggy_denom = inj1h8l2xcn4h9v0m67qem8x7rmf2akjwc34tjmm7a -decimals = 18 - -[GASH] -peggy_denom = ibc/98C86DE314A044503F35E8C395B745B65E990E12A77A357CBA74F474F860A845 +[KINJA] +peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/Kinja decimals = 6 -[GASTON] -peggy_denom = factory/inj1sskt2d66eqsan9flcqa9vlt7nvn9hh2dtvp8ua/GASTON +[KIRA] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA decimals = 6 -[GBP] -peggy_denom = gbp +[KIRAINU] +peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/KIRAINU decimals = 6 -[GCM] -peggy_denom = inj1p87lprkgg4c465scz5z49a37hf835nzkcpyeej +[KISH] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH decimals = 18 -[GDUCK] -peggy_denom = factory/inj1fc0ngp72an2x8zxf268xe5avfan5z4g0saz6ns/gduck +[KISH6] +peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH6 decimals = 6 -[GEISHA] -peggy_denom = factory/inj1h2dqvlca2lay8amfk5fgvateslp3h0sgf8wmmp/geisha +[KISHU] +peggy_denom = factory/inj1putkaddmnnwjw096tfn7rfyl7jq447y74vmqzt/kishu decimals = 6 -[GEIST] -peggy_denom = inj1x2lg9j9pwmgnnwmhvq2g6pm6emcx7w02pnjnm6 +[KLAUS] +peggy_denom = inj1yjgk5ywd0mhczx3shvreajtg2ag9l3d56us0f8 decimals = 8 -[GEM] -peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/gem +[KMT] +peggy_denom = factory/inj1av2965j0asg5qwyccm8ycz3qk0eya4873dkp3u/kermit decimals = 6 -[GEM DAO] -peggy_denom = ibc/8AE86084C0D921352F711EF42CCA7BA4C8238C244FE4CC3E4E995D9782FB0E2B +[KNIGHT] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/knight decimals = 6 -[GEMININJ] -peggy_denom = factory/inj14vrd79l2pxvqctawz39qewfh72x62pfjecxsmv/GEMININJ +[KOGA] +peggy_denom = factory/inj1npvrye90c9j7vfv8ldh9apt8t3a9mv9lsv52yd/KOGA decimals = 6 -[GEMOY] -peggy_denom = inj1j5l0xc2lwqpj2duvllmegxse0dqlx5kgyjehlv +[KOOG] +peggy_denom = inj1dkpmkm7j8t2dh5zqp04xnjlhljmejss3edz3wp decimals = 18 -[GENJI] -peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/GENJI +[KPEPE] +peggy_denom = pepe +decimals = 18 + +[KRINJ] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/KRINJ decimals = 6 -[GENZONE] -peggy_denom = inj1zh9924tws4ctzx5zmz06j09nyjs8fw6wupkadr +[KRIPDRAGON] +peggy_denom = inj12txuqr77qknte82pv5uaz8fpg0rsvssjr2n6jj decimals = 8 -[GEO] -peggy_denom = ibc/8E4953E506CF135A3ACDF6D6556ED1DB4F6A749F3910D2B4A77E2E851C4B2638 -decimals = 6 +[KROPA] +peggy_denom = inj1smlveclt2dakmxx36zla343qyznscaxsyza3gh +decimals = 18 -[GF] -peggy_denom = peggy0xAaEf88cEa01475125522e117BFe45cF32044E238 +[KROPPA] +peggy_denom = inj15x62fd9yy0d8lll00k3h66d3terjn79e29l60p decimals = 18 -[GGBOND] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ggbond +[KRYSY] +peggy_denom = inj1jxcn5t8tmnw26r6fa27m76cw0a7zrzhyenf4c5 decimals = 6 -[GGG] -peggy_denom = inj1yrw42rwc56lq7a3rjnfa5nvse9veennne8srdj -decimals = 8 - -[GGS] -peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/GGS +[KSO] +peggy_denom = factory/inj1waemxur3hdu8gavxrymn6axduxe8ful3rm4qcm/koskesh decimals = 6 -[GIANT] -peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/giant +[KTN] +peggy_denom = inj18kem7dt3tpjp2mx8khujnuuhevqg4exjcd7dnm +decimals = 18 + +[KU9] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/KU9 decimals = 6 -[GIFT] -peggy_denom = factory/inj1exks7fvnh9lxzgqejtlvca8t7mw47rks0s0mwa/GIFT +[KUJI] +peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 decimals = 6 -[GIGA] -peggy_denom = ibc/36C811A2253AA64B58A9B66C537B89348FE5792A8808AAA343082CBFCAA72278 -decimals = 5 +[KUNAI] +peggy_denom = inj12ntgeddvyzt2vnmy2h8chz080n274df7vvr0ru +decimals = 8 -[GINGER] -peggy_denom = factory/inj172ccd0gddgz203e4pf86ype7zjx573tn8g0df9/GINGER -decimals = 6 +[Kage] +peggy_denom = inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +decimals = 18 -[GINKO] -peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/ginko +[Karma] +peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karmainj decimals = 6 -[GIRL] -peggy_denom = inj1zkmp7m0u0hll3k5w5598g4qs75t7j8qqvmjspz -decimals = 18 +[Katana] +peggy_denom = inj1tj4l2qmvw22nquwqkr34v83llyzu97l65zjqsf +decimals = 6 -[GLODIOTOR] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/glodiotor +[Kaz] +peggy_denom = inj1vweya4us4npaa5xdf026sel0r4qazdvzx6v0v4 decimals = 6 -[GLTO] -peggy_denom = peggy0xd73175f9eb15eee81745d367ae59309Ca2ceb5e2 +[King] +peggy_denom = factory/inj156zqdswjfcttc8hrvwd5z3nv5n53l5xg9mqvht/King decimals = 6 -[GME] -peggy_denom = ibc/CAA5AB050F6C3DFE878212A37A4A6D3BEA6670F5B9786FFF7EF2D34213025272 +[KingFusion] +peggy_denom = inj1ynehe0s2kh9fqp5tka99f8wj2xgsha74h3cmtu decimals = 8 -[GMKY] -peggy_denom = factory/inj1s09n0td75x8p20uyt9dw29uz8j46kejchl4nrv/GMKY +[KiraWifHat] +peggy_denom = factory/inj1kujwsrwlqa7yj9545r9tfmrlqcknlmwm3rqe0q/KiraWifHat decimals = 6 -[GOD] -peggy_denom = inj1whzt6ct4v3zf28a6h08lpf90pglzw7fdh0d384 +[Kitty] +peggy_denom = inj1pfmvtdxhl2l5e245nsfwwl78sfx090asmxnmsw decimals = 18 -[GODDARD] -peggy_denom = ibc/3E89FBB226585CF08EB2E3C2625D1D2B0156CCC2233CAB56165125CACCBE731A -decimals = 6 - -[GODRD] -peggy_denom = ibc/CABB197E23D81F1D1A4CE56A304488C35830F81AC9647F817313AE657221420D -decimals = 6 +[Klaus Project] +peggy_denom = inj1zgurc2nd5awcxmpq7q6zgh9elnxg0z9g5yn4k3 +decimals = 8 -[GODS] -peggy_denom = factory/inj1vug68m8evczhxm26hfe7tetycsfnmm92mr6aaj/GODS -decimals = 6 +[Knight] +peggy_denom = inj1tvxfut7uayypz2ywm92dkvhm7pdjcs85khsenj +decimals = 18 -[GODSTRIKE] -peggy_denom = inj1deejw5k4sxnlxgxnzsy5k2vgc9fzu257ajjcy7 -decimals = 8 +[Koga] +peggy_denom = inj1npvknmdjsk7s35gmemwalxlq4dd38p68mywgvv +decimals = 18 -[GODZILLA] -peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/GODZILLA +[Kuso] +peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/Kuso decimals = 6 -[GOJO] -peggy_denom = factory/inj13qhzj4fr4u7t7gqj5pqy0yts07eu6k6dkjdcsx/gojo +[LAB] +peggy_denom = ibc/4BFC760786BE40F8C10AA8777D68C6BEFE9C95A881AD29AF1462194018AB7C0C decimals = 6 -[GOKU] -peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/goku +[LABS] +peggy_denom = factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/labs decimals = 6 -[GOLD] -peggy_denom = gold -decimals = 18 - -[GOLDIE] -peggy_denom = factory/inj130ayayz6ls8qpmu699axhlg7ygy8u6thjjk9nc/GOLDIE +[LADS] +peggy_denom = ibc/5631EB07DC39253B07E35FC9EA7CFB652F63A459A6B2140300EB4C253F1E06A2 decimals = 6 -[GOLDMAN] -peggy_denom = inj140ypzhrxyt7n3fhrgk866hnha29u5l2pv733d0 -decimals = 8 +[LALA] +peggy_denom = inj156wqs2alkgmspj8shjje56ajgneqtjfk20w9n6 +decimals = 18 -[GOOSE] -peggy_denom = factory/inj12tl0d8a739t8pun23mzldhan26ndqllyt6d67p/goose +[LAMA] +peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/LAMA decimals = 6 -[GORILLA] -peggy_denom = inj1cef5deszfl232ws7nxjgma4deaydd7e7aj6hyf -decimals = 8 - -[GPT] -peggy_denom = factory/inj168gnj4lavp3y5w40rg5qhf50tupwhaj3yvhgr0/GPT -decimals = 6 +[LAMBO] +peggy_denom = peggy0x3d2b66BC4f9D6388BD2d97B95b565BE1686aEfB3 +decimals = 18 -[GRAC] -peggy_denom = ibc/59AA66AA80190D98D3A6C5114AB8249DE16B7EC848552091C7DCCFE33E0C575C +[LAMBOPEPE] +peggy_denom = factory/inj1rge0wzk9hn8qgwz77m9zcznahrp5s322fa6lhu/LAMBO decimals = 6 -[GREATDANE] -peggy_denom = inj195vgq0yvykunkccdzvys548p90ejuc639ryhkg -decimals = 6 +[LAVA] +peggy_denom = inj1jrykfhmfcy4eh8t3yw6ru3ypef39s3dsu46th7 +decimals = 18 -[GREEN] -peggy_denom = inj1nlt0jkqfl6f2wlnalyk2wd4g3dq97uj8z0amn0 +[LBFS] +peggy_denom = inj18ssfe746a42me2j02casptrs0y2z5yak06cy4w decimals = 8 -[GRENADINE] -peggy_denom = inj1ljquutxnpx3ut24up85e708hjk85hm47skx3xj +[LDO] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy decimals = 8 -[GRINJ] -peggy_denom = factory/inj1h3h0yjxlchmydvsjpazcfyhp57lajdurznpeh0/grinj +[LEGE] +peggy_denom = inj122gwdl0xl6908uhdgql2ftrezsy2ru2gme8mhc +decimals = 18 + +[LENARD] +peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/LENARD decimals = 6 -[GROK] -peggy_denom = inj1shlkety7fs0n7l2lxz3pyg6hr0j6dkcdvgvjch -decimals = 8 +[LEO] +peggy_denom = factory/inj1f0gj22j0vep9jt48tnt2mg97c8ysgyxllhvp68/LEO +decimals = 9 -[GRONI] -peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/groni +[LESS] +peggy_denom = inj105ke2sw329yl64m4273js3vxfxvq2kdqtz0s63 +decimals = 18 + +[LEVERKUSEN] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/LEVERKUSEN decimals = 6 -[GRT] -peggy_denom = peggy0xc944E90C64B2c07662A292be6244BDf05Cda44a7 +[LFR] +peggy_denom = inj176pze4mvaw2kv72sam0fwt3vn08axlj08e46ac decimals = 18 -[GRUMPY] -peggy_denom = inj16fr4w5q629jdqt0ygknf06yna93ead2pr74gr3 -decimals = 8 +[LFROG] +peggy_denom = inj1vhw7xadr0366hjnvet8tnpgt898vkm47faycar +decimals = 18 -[GUGU] -peggy_denom = ibc/B1826CEA5AE790AB7FCAE84344F113F6C42E6AA3A357CAFEAC4A05BB7531927D -decimals = 6 +[LFrog] +peggy_denom = factory/inj1wu2kfkmrvfr34keemcmjh9zups72r5skygltrg/LFrog +decimals = 11 -[GUPPY] -peggy_denom = ibc/F729B93A13133D7390455293338A0CEAAF876D0F180B7C154607989A1617DD45 -decimals = 6 +[LIBE] +peggy_denom = inj1y7cqd6x50ezv8xrgqx0lnqf4p747nyqq533ma3 +decimals = 18 -[GYEN] -peggy_denom = peggy0xC08512927D12348F6620a698105e1BAac6EcD911 +[LIGMA] +peggy_denom = inj17mhem35tyszwpyfh6s0sr4l5p7wkj0knja9ck3 decimals = 6 -[GZZ] -peggy_denom = inj1ec70stm6p3e6u2lmpl5vzan4pdm79vwlfgcdzd +[LINK] +peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA decimals = 18 -[Galaxy] -peggy_denom = inj13n675x36dnettkxkjll82q72zgnvsazn4we7dx +[LIO] +peggy_denom = factory/inj1p2nh5tx9j27eqwxvr6aj9sasttff6200tpq24k/LIO decimals = 6 -[Gamble Gold] -peggy_denom = inj13a8vmd652mn2e7d8x0w7fdcdt8742j98jxjcx5 -decimals = 18 +[LIOR] +peggy_denom = factory/inj1cjus5ragdkvpmt627fw7wkj2ydsra9s0vap4zx/LIOR +decimals = 6 -[Game Stop] -peggy_denom = inj1vnj7fynxr5a62maf34vca4fes4k0wrj4le5gae +[LMAO] +peggy_denom = inj12d6gr7ky3nfwmsw8y455aryxc95f37dj9hnpuq decimals = 18 -[Gay] -peggy_denom = inj1pw54fsqmp0ludl6vl5wfe63ddax52z5hlq9jhy +[LMEOW] +peggy_denom = inj1wu77ndd9t2yehansltt7wkhhqfjcsah0z4jvlf decimals = 18 -[Geisha] -peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/geisha +[LNC] +peggy_denom = inj18epz5afrhu0zehdlj0mp8cfmv3vtusq6fd6ufw decimals = 6 -[Genny] -peggy_denom = inj1dpn7mdrxf49audd5ydk5062z08xqgnl4npzfvv +[LOCAL] +peggy_denom = factory/kujira1swkuyt08z74n5jl7zr6hx0ru5sa2yev5v896p6/local decimals = 6 -[GoatInj] -peggy_denom = factory/inj1ua3rm4lsrse2canapg96v8jtg9k9yqzuscu766/GoatInj +[LOL] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/LOL decimals = 6 -[Gorilla] -peggy_denom = factory/inj1wc7a5e50hq9nglgwhc6vs7cnskzedskj2xqv6j/Gorilla +[LONG] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/long decimals = 6 -[GreenMarket] -peggy_denom = inj1wjd2u3wq2dwyr7zlp09squh2xrqjlggy0vlftj -decimals = 8 - -[Greenenergy] -peggy_denom = inj1aqu4y55rg43gk09muvrcel3z45nuxczukhmfut -decimals = 18 - -[Grind] -peggy_denom = inj125ry0fhlcha7fpt373kejwf8rq5h3mwewqr0y2 +[LOOL] +peggy_denom = inj10wuysemk8ptnnt2n4my8qsalgkmw6yxe8wthu2 decimals = 18 -[Gryphon Staked Injective] -peggy_denom = inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf -decimals = 18 +[LORD] +peggy_denom = inj1flek07wkz73a7ptxutumr4u5fukt6th4fwy9zn +decimals = 6 -[H3NSY] -peggy_denom = inj1c22v69304zlaan50gdygmlgeaw56lcphl22n87 +[LOST] +peggy_denom = inj150rlxjvk2trcm59mpwyg7hkkq8sfmdtu0tj873 decimals = 8 -[HABS] -peggy_denom = factory/inj1ddn2cxjx0w4ndvcrq4k0s0pjyzwhfc5jaj6qqv/habs +[LOTUS] +peggy_denom = inj1luz09rzlytzdqnyp2n0cqevdxkf9u780uvsew5 decimals = 6 -[HACHI] -peggy_denom = factory/inj13ze65lwstqrz4qy6vvxx3lglnkkuan436aw45e/HACHI -decimals = 9 +[LOXA] +peggy_denom = inj175ut0y843p0kc4secgplsrs609uwaq3d93tp0x +decimals = 8 -[HAIR] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/hair +[LP AKT-MNTA] +peggy_denom = ibc/D128AB965B69D44D80AFD886D8A252C10D6B0B792B3AEA7833C7A1F95BA4BCF8 decimals = 6 -[HAKI] -peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/haki +[LP ARB-MNTA] +peggy_denom = ibc/A7BBB8697F21D2CE19732D6CCE137E00B78CE83B5F38AC5E7FB163D7E77C1325 decimals = 6 -[HAL] -peggy_denom = factory/inj197jczxq905z5ddeemfmhsc077vs4y7xal3wyrm/HALLAS -decimals = 18 - -[HALVING] -peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/HALVING +[LP ATOM-MNTA] +peggy_denom = ibc/67E901393C5DE5F1D26A0DBC86F352EA9CEBC6F5A1791ADAB33AB557136CD4D0 decimals = 6 -[HAMU] -peggy_denom = factory/inj1t6py7esw8z6jc8c204ag3zjevqlpfx203hqyt2/HAMU +[LP AXL-MNTA] +peggy_denom = ibc/F829D655E96C070395E364658EFB2EC4B93906D44A6C1AE6A2A8821FCB7BA4B8 decimals = 6 -[HAMURAI] -peggy_denom = factory/inj1xqf6rk5p5w3zh22xaxck9g2rnksfhpg33gm9xt/hamu +[LP CHEQ-MNTA] +peggy_denom = ibc/454555FFF0452DD86BC65DDE0158300132DE275CB22183ECE357EA07EBA18528 decimals = 6 -[HANZO] -peggy_denom = factory/inj1xz4h76wctruu6l0hezq3dhtfkxzv56ztg4l29t/HANZO +[LP DOT.axl-MNTA] +peggy_denom = ibc/E9BC2E73393C6C1AD36B04109F5C20CC1CDC4BCB913C8038993C8F68A0CD8474 decimals = 6 -[HARD] -peggy_denom = ibc/D6C28E07F7343360AC41E15DDD44D79701DDCA2E0C2C41279739C8D4AE5264BC +[LP DYDX-MNTA] +peggy_denom = ibc/0FC1BAA3BF09FA73946A6412088FCED87D1D2368F30BDC771FB5FF6EAE0EB5E9 decimals = 6 -[HATEQUNT] -peggy_denom = factory/inj1sfaqn28d0nw4q8f2cm9gvhs69ecv5x8jjtk7ul/HATEQUNT +[LP DYM-MNTA] +peggy_denom = ibc/CC151284BE8E76C67E78ADAE3892C0D9084F0C802CC1EC44BFBE91EE695206E8 decimals = 6 -[HATTORI] -peggy_denom = factory/inj1h7zackjlzcld6my000mtg3uzuqdv0ly4c9g88p/HATTORI +[LP FUZN-MNTA] +peggy_denom = ibc/A064F58ADEAA6DF2AE8006787DFF5E1F144FECF79F880F0140CB38800C295AC2 decimals = 6 -[HAVA] -peggy_denom = factory/inj1h0ypsdtjfcjynqu3m75z2zwwz5mmrj8rtk2g52/uhava +[LP INJ-MNTA] +peggy_denom = ibc/4229FC85617819AFFE8543D646BE8A41CD9F8257985A198E0DF09E54F23EC6D3 decimals = 6 -[HAVA COIN] -peggy_denom = inj1u759lmx8e6g8f6l2p08qvrekjwcq87dff0ks3n -decimals = 18 - -[HDRO] -peggy_denom = factory/inj1etz0laas6h7vemg3qtd67jpr6lh8v7xz7gfzqw/hdro +[LP LINK.axl-MNTA] +peggy_denom = ibc/BA3A7ACF9AEF1F3D1973ED4406EB35CF2DCB9B545D71A7F06B27A7EA918F8396 decimals = 6 -[HEMULE] -peggy_denom = inj1hqamaawcve5aum0mgupe9z7dh28fy8ghh7qxa7 -decimals = 18 - -[HERB] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/herb +[LP MNTA-KUJI] +peggy_denom = ibc/AE8EDE6CB769E0EAB809204D5E770F5DF03BC35D3E5977272E6CE5147229F938 decimals = 6 -[HERO] -peggy_denom = inj18mqec04e948rdz07epr9w3j20wje9rpg6flufs +[LP NTRN-MNTA] +peggy_denom = ibc/77011B441A8655A392E5B6DA8AE4ADFB0D3DF3E26B069803D64B89208EC8C07E decimals = 6 -[HEST] -peggy_denom = factory/inj15vj7e40j5cqvxmy8u7h9ud3ustrgeqa98uey96/HEST +[LP OSMO-MNTA] +peggy_denom = ibc/CF0564CF0C15332430432E8D7C417521004EBB2EA4CB922C577BA751A64B6599 decimals = 6 -[HEXA] -peggy_denom = inj13e4hazjnsnapqvd06ngrq5zapw8gegarudzehd -decimals = 8 - -[HGM] -peggy_denom = inj14y8j4je4gs57fgwakakreevx6ultyy7c7rcmk2 -decimals = 18 - -[HINJ] -peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/hinj +[LP PAXG.grv-MNTA] +peggy_denom = ibc/8C1E93AB13F5FC3E907751DA5BE4C7518E930A4C9F441523E608323C1CA35F6B decimals = 6 -[HOUND] -peggy_denom = factory/inj1nccncwqx5q22lf4uh83dhe89e3f0sh8kljf055/HOUND +[LP SCRT-MNTA] +peggy_denom = ibc/9FE7DE3797BC1F75E8CBE30B16CE84A3835B8A280E7E7780CE2C86C244F6253C decimals = 6 -[HOUSE] -peggy_denom = factory/inj1rvstpdy3ml3c879yzz8evk37ralz7w4dtydsqp/HOUSE +[LP SHD-MNTA] +peggy_denom = ibc/B512CFCA199DCBDF098824846D2D78E1E04EBA6A5091A99472236B69B24C979E decimals = 6 -[HRBE] -peggy_denom = factory/inj1lucykkh3kv3wf6amckf205rg5jl8rprdcq8v83/HRBE +[LP SOL.wh-MNTA] +peggy_denom = ibc/D765CDBB85910E131773AF7072439F9C382DF0B894D2209E09D2EEFE0298EADC decimals = 6 -[HST] -peggy_denom = inj1xhvj4u6xtx3p9kr4pqzl3fdu2vedh3e2y8a79z -decimals = 18 - -[HT] -peggy_denom = peggy0x6f259637dcD74C767781E37Bc6133cd6A68aa161 -decimals = 18 - -[HUAHUA] -peggy_denom = ibc/9D9B59CA222E54842555DBD81B22EEABE61796D4C6EC8AB47A97C388333AC340 +[LP SOMM-MNTA] +peggy_denom = ibc/457CF9F4112FB7E765A83A1F93DE93246C1E0D5A1C83F9A909B5890A172AAC34 decimals = 6 -[HULK] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/HULK +[LP STARS-MNTA] +peggy_denom = ibc/B6B6EB8527A6EE9040DBE926D378EC23CB231AC8680AF75372DBF6B7B64625A7 decimals = 6 -[HUMP] -peggy_denom = inj1v29k9gaw7gnds42mrzqdygdgjh28vx38memy0q -decimals = 18 - -[HUOBINJ] -peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/huobinj +[LP TIA-MNTA] +peggy_denom = ibc/59F96C9AAFC26E872D534D483EF8648305AD440EF2E9A506F061BADFC378CE13 decimals = 6 -[HUSKY] -peggy_denom = factory/inj1467q6d05yz02c2rp5qau95te3p74rqllda4ql7/husky +[LP UNI.axl-MNTA] +peggy_denom = ibc/4E4B25966A3CF92B796F5F5D1A70A375F32D8EF4C7E49DEC1C38441B7CA8C7CA decimals = 6 -[HYDRO] -peggy_denom = inj10r75ap4ztrpwnan8er49dvv4lkjxhgvqflg0f5 -decimals = 8 - -[HYDRO WRAPPED INJ] -peggy_denom = inj1r9qgault3k4jyp60d9fkzy62dt09zwg89dn4p6 -decimals = 18 +[LP WHALE-MNTA] +peggy_denom = ibc/89E80D95AF2FD42A47E9746F7CFF32F3B56FE3E113B81241A6A818C8B3221C17 +decimals = 6 -[HappyGilmore] -peggy_denom = inj1h5d90rl5hmkp8mtuyc0zpjt00hakldm6wtseew -decimals = 18 +[LP ampMNTA-MNTA] +peggy_denom = ibc/8545604BFCCC408B753EB0840FF131CB34B9ED1283A9BD551F68C324B53FEF0C +decimals = 6 -[HarryPotterObamaSonicInu] -peggy_denom = inj1y64pkwy0m0jjd825c7amftqe2hmq2wn5ra8ap4 -decimals = 18 +[LP qcMNTA-MNTA] +peggy_denom = ibc/23ADD2AC1D22776CE8CB37FB446E552B9AE5532B76008ADF73F75222A6ACFE19 +decimals = 6 -[Hava Coin] -peggy_denom = inj1fnlfy6r22slr72ryt4wl6uwpg3dd7emrqaq7ne -decimals = 18 +[LP stOSMO-OSMO] +peggy_denom = ibc/20D8F1713F8DF3B990E23E205F1CCD99492390558022FF3FE60B1FAFCF955689 +decimals = 6 -[Hellooooo] -peggy_denom = inj1xj7c6r65e8asrrpgm889m8pr7x3ze7va2ypql4 -decimals = 18 +[LP wAVAX.axl-MNTA] +peggy_denom = ibc/57CC0316BFD206E1A8953DD6EC629F1556998EB9454152F21D51EFB5A35851EF +decimals = 6 -[Hero Wars] -peggy_denom = inj1f63rgzp2quzxrgfchqhs6sltzf0sksxtl7wtzn -decimals = 8 +[LP wBNB.axl-MNTA] +peggy_denom = ibc/2961FC233B605E5D179611D7D5C88E89DD3717081B5D06469FF27DFE83AF9BEB +decimals = 6 -[HeyDay] -peggy_denom = inj1rel4r07gl38pc5xqe2q36ytfczgcrry0c4wuwf +[LP wBTC.axl-MNTA] +peggy_denom = ibc/B73EDDE38FFE4C5782B5C6108F4977B8B4A0C13AA9EBABEBCCFC049ED5CC0968 decimals = 6 -[HnH] -peggy_denom = inj1e8r3gxvzu34ufgfwzr6gzv6plq55lg0p95qx5w -decimals = 8 +[LP wETH.axl-MNTA] +peggy_denom = ibc/83DDCD6991A94C4ED287A029243527A14A86D4A62FB69BBEC51FB9B0156C6683 +decimals = 6 -[Hydro] -peggy_denom = factory/inj1pk7jhvjj2lufcghmvr7gl49dzwkk3xj0uqkwfk/hdro +[LP wETH.axl-USK] +peggy_denom = ibc/6E2B993CA402C047E232E4722D1CE0C73DBD47CBBE465E16F6E3732D27F37649 decimals = 6 -[Hydro Protocol] -peggy_denom = inj1vkptqdl42csvr5tsh0gwczdxdenqm7xxg9se0z -decimals = 8 +[LP wFTM.axl-MNTA] +peggy_denom = ibc/EBF34B929B7744BD0C97ECF6F8B8331E2BCA464F1E5EA702B6B40ED2F55433BD +decimals = 6 -[Hydro Wrapped INJ] -peggy_denom = inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc -decimals = 18 +[LP wMATIC.axl-MNTA] +peggy_denom = ibc/942AA5D504B03747AF67B19A874D4E47DAD307E455AEB34E3A4A2ECF7B9D64C8 +decimals = 6 -[Hydrogen oxide] -peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/h2o +[LP wTAO.grv-MNTA] +peggy_denom = ibc/51BB7FAEEDCFC7782519C8A6FB0D7168609B2450B56FED6883ABD742AEED8CC4 decimals = 6 -[IBC] -peggy_denom = ibc/75BD031C1301C554833F205FAFA065178D51AC6100BCE608E6DC2759C2B71715 +[LP wstETH.axl-MNTA] +peggy_denom = ibc/BAB4B518D0972626B854BE5139FCAD7F1113E3787BC13013CB6A370298EFE0C1 decimals = 6 -[IBCX] -peggy_denom = ibc/491C92BEEAFE513BABA355275C7AE3AC47AA7FD57285AC1D910CE874D2DC7CA0 +[LP wstETH.axl-wETH.axl] +peggy_denom = ibc/CEECB0B01EC9BF90822BCA6A1D6D2BF4DC6291BD0C947BEE512BD4639045EAD1 decimals = 6 -[IBONK] -peggy_denom = factory/inj14cm9e5n5pjgzvwe5t8zshts2t9x2lxk3zp0js2/ibonk +[LP yieldETH.axl-MNTA] +peggy_denom = ibc/D410037544911319AB9F3BF0C375598AAD69A7555A5B23158484DFFC10651316 decimals = 6 -[IDFI] -peggy_denom = inj13ac29xfk969qmydhq2rwekja6mxgwtdgpeq3dj +[LRDSVN] +peggy_denom = inj1xcrrweel03eu2fzlvmllhy52wdv25wvejn24dr decimals = 8 -[IDOGE] -peggy_denom = inj18nuas38jw742ezmk942j4l935lenc6nxd4ypga -decimals = 18 - -[IHOP] -peggy_denom = factory/inj17rpa60xtn3rgzuzltuwgpw2lu3ayulkdjgwaza/IHOP -decimals = 6 - -[IJ] -peggy_denom = factory/inj1hcymy0z58zxpm3esch2u5mps04a3vq2fup4j29/InjBull +[LUCK] +peggy_denom = factory/inj13f6c0hc3l80qa7w80j992wtscslkg8pm65rxua/LUCK decimals = 6 -[IJT] -peggy_denom = inj1tn8vjk2kdsr97nt5w3fhsslk0t8pnue7mf96wd +[LUCKY] +peggy_denom = inj1v8vkngk2pn2sye2zduy77lfdeaqq9cd924f5le decimals = 18 -[IKINGS] -peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/IKINGS -decimals = 6 - -[INCEL] -peggy_denom = factory/inj17g4j3geupy762u0wrewqwprvtzar7k5et2zqsh/incel +[LUFFY] +peggy_denom = inj1yzz7pvx7e98u3xv4uz0tkqrm6uj684j9lvv0z4 decimals = 6 -[INDUSTRY] -peggy_denom = inj1kkc0l4xnz2eedrtp0pxr4l45cfuyw7tywd5682 -decimals = 18 - -[INJ] -peggy_denom = inj134pxgsexyt782qp3kvxf8nf9xl0q7dfdxk5tws +[LUIGI] +peggy_denom = inj1h8yjr8ely8q8r8rlvs2zx0pmty70ajy4ud6l0y decimals = 18 -[INJ LOUNGE] -peggy_denom = inj1dntqalk5gj6g5u74838lmrym3hslc9v3v9etqg -decimals = 8 - -[INJ TEST] -peggy_denom = factory/inj1gxf874xgdcza4rtkashrc8w2s3ulaxa3c7lmeh/inj-tt +[LUKE] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/luke decimals = 6 -[INJ TO THE MOON] -peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/MOON +[LUM] +peggy_denom = ibc/2C58CBDF1C96FAD7E6B1C5EC0A484E9BD9A27E126E36AFBDD7E45F0EA17F3640 decimals = 6 -[INJA] -peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/INJA +[LUNA] +peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 decimals = 6 -[INJBOT] -peggy_denom = inj1hhxn5p7gkcql23dpmkx6agy308xnklzsg5v5cw -decimals = 8 +[LUNA-USDC-LP] +peggy_denom = ibc/CBC3DCBC6559DB851F487B6A41C547A2D75DB0C54A143DDF39C04250E50DA888 +decimals = 6 -[INJCEL] -peggy_denom = factory/inj1597pysn2u56ggcckykt2zzjuqkeezy5yxfujtj/INJcel +[LUNA-USDT-LP] +peggy_denom = ibc/E06B8ECC4B080937AFD0AD0308C4E9354AB169C297F45E087D6057F0010E502D decimals = 6 -[INJDAO] -peggy_denom = inj177wz9fpk6xjfrr7ex06sv5ukh0csgfak7x5uaq +[LUNAR] +peggy_denom = inj1hpu5e5620hvd7hf3t4t4em96cx9t58yefcr3uu decimals = 8 -[INJDINO] -peggy_denom = inj13fnjq02hwxejdm584v9qhrh66mt4l3j8l3yh6f -decimals = 6 - -[INJDOGE] -peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/INJDOGE +[LVN] +peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 decimals = 6 -[INJDOGOS] -peggy_denom = inj1kl2zc5djmp8nmwsetua8gnmvug2c3dfa3uvy2e +[LYM] +peggy_denom = peggy0xc690F7C7FcfFA6a82b79faB7508c466FEfdfc8c5 decimals = 18 -[INJECT] -peggy_denom = factory/inj1j7zt6g03vpmg9p7g7qngvylfxqeuds73utsjnk/INJECT +[Leapwifhat] +peggy_denom = factory/inj10xsan7m2gwhwjm9hrr74ej77lx8qaxk9cl7rfw/Leapwifhat decimals = 6 -[INJECTIV] -peggy_denom = factory/inj1x04zxeyrjc7ke5nt7ht3v3gkevxdk7rr0fx8qp/INJECTIV +[Leia] +peggy_denom = inj1vm24dp02njzgd35srtlfqkuvxz40dysyx7lgfl decimals = 6 -[INJECTIVED] -peggy_denom = inj16ccz3z2usevpyzrarggtqf5fgh8stjsql0rtew +[Lenz] +peggy_denom = factory/inj19xadglv3eaaavaeur5553hjj99c3vtkajhj4r6/Lenz decimals = 6 -[INJER] -peggy_denom = factory/inj1sjmplasxl9zgj6yh45j3ndskgdhcfcss9djkdn/INJER -decimals = 6 +[Leo] +peggy_denom = inj1xnqaq553d5awhzr68p5vkenrj64ueqpfzjjp0f +decimals = 18 -[INJERA] -peggy_denom = inj1032h3lllszfld2utcunjvk8knx2c8eedgl7r4y -decimals = 6 +[Leonardo] +peggy_denom = inj1yndh0j4dpnjuqaap7u6csta2krvhqddjwd3p9w +decimals = 18 -[INJESUS] -peggy_denom = inj12d7qq0lp656jkrr2d3ez55cr330f3we9c75ml6 +[Lido DAO Token] +peggy_denom = inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy decimals = 8 -[INJEVO] -peggy_denom = inj1f6fxh20pdyuj98c8l2svlky8k7z7hkdztttrd2 +[Lido Staked Ether] +peggy_denom = ibc/FB1B967C690FEA7E9AD7CF76AE2255169D4EA2937D6694B2C0E61A370F76D9FB +decimals = 18 + +[Lost Paradise AI] +peggy_denom = inj1wf0d0ynpfcmpcq8h9evv2z4p0stc73x3skj96r decimals = 8 -[INJEX] -peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/INJEX +[Luigi] +peggy_denom = inj1vrz0yfrlxe6mqaadmeup8g6nhhzmg7hwpfr6kz +decimals = 18 + +[Luna] +peggy_denom = ibc/0DDC992F19041FC1D499CCA1486721479EBAA7270604E15EDDFABA89D1E772E5 decimals = 6 -[INJFIRE] -peggy_denom = inj1544nmruy3xc3qqp84cenuzqrdnlyfkprwdfcz5 -decimals = 8 +[MAD] +peggy_denom = inj1u97mcn0sx00hnksfc9775gh5vtjhn4my340t0j +decimals = 18 -[INJGEN] -peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/injgen +[MADDOG] +peggy_denom = inj1y942sn0su2wxzh65xnd6h6fplajm04zl8fh0xy decimals = 6 -[INJGOAT] -peggy_denom = inj1p9nluxkvuu5y9y7radpfnwemrdty74l74q2ycp +[MAFIAz] +peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/MAFIAz decimals = 6 -[INJHACKTIVE] -peggy_denom = factory/inj14cpnzf4mxyxel7le3wp2zxyvwr8g0wukch9865/INJHACKTIVE +[MAGA] +peggy_denom = peggy0x576e2BeD8F7b46D34016198911Cdf9886f78bea7 +decimals = 9 + +[MAI] +peggy_denom = inj1wd3vgvjur8du5zxktj4v4xvny4n8skjezadpp2 +decimals = 8 + +[MAKI] +peggy_denom = factory/inj1l0pnjpc2y8f0wlua025g5verjuvnyjyq39x9q0/MAKI decimals = 6 -[INJHAT] -peggy_denom = factory/inj1uc7awz4e4kg9dakz5t8w6zzz7r62992ezsr279/injhat +[MAMA] +peggy_denom = inj1ayukjh6wufyuymv6ehl2cmjjpvrqjf5m75ty90 decimals = 6 -[INJI] -peggy_denom = factory/inj1nql734ta2npe48l26kcexk8ysg4s9fnacv9tvv/INJI +[MAMBA] +peggy_denom = factory/inj18z5cm702ylpqz8j6gznalcw69wp4m7fsdjhnfq/mamba decimals = 6 -[INJINU] -peggy_denom = inj1ykfurk0jsxcz6hp9tqm8vn2p5k0hn76y6uans6 +[MANEKI] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/MANEKI decimals = 6 -[INJM] -peggy_denom = inj1czlt30femafl68uawedg63834vcg5z92u4ld8k +[MANTAINJ] +peggy_denom = inj14mf5jzda45w25d2w20z5t2ee9a47wh2tqh6ndg +decimals = 8 + +[MANTIS] +peggy_denom = inj1s6hmmyy9f2k37qqw2pryufg4arqxegurddkdp9 +decimals = 6 + +[MARA] +peggy_denom = inj1kaqrfnqy59dm6rf7skn8j05fdmdya9af0g56we decimals = 18 -[INJMEME] -peggy_denom = inj179luuhr3ajhsyp92tw73w8d7c60jxzjcy22356 -decimals = 8 +[MARB] +peggy_denom = inj1up4k6vxrq4nhzvp5ssksqejk3e26q2jfvngjlj +decimals = 18 -[INJMETA] -peggy_denom = inj1m7264u6ytz43uh5hpup7cg78h6a8xus9dnugeh -decimals = 8 +[MARC] +peggy_denom = inj1xg8d0nf0f9075zj3h5p4hku8r6ahtssxs4sq5q +decimals = 18 -[INJMOON] -peggy_denom = inj12val9c8g0ztttfy8c5amey0adyn0su7x7f27gc -decimals = 8 +[MARD] +peggy_denom = inj177n6een54mcs8sg3hgdruumky308ehgkp9mghr +decimals = 18 -[INJMOOON] -peggy_denom = inj1eu0zlrku7yculmcjep0n3xu3ehvms9pz96ug9e -decimals = 6 +[MARE] +peggy_denom = inj1k4ytnwu0luen8vyvahqmusxmt362r8xw3mmu55 +decimals = 18 -[INJNET] -peggy_denom = inj13ew774de6d3qhfm3msmhs9j57le9krrw2ezh3a -decimals = 8 +[MARF] +peggy_denom = inj1phkfvvrzqtsq6ajklt0vsha78jsl3kg6wcd68m +decimals = 18 -[INJOFGOD] -peggy_denom = inj1snaeff6pryn48fnrt6df04wysuq0rk7sg8ulje -decimals = 8 +[MARG] +peggy_denom = inj14qypf8qd0zw3t7405n4rj86whxhyqnvacl8c9n +decimals = 18 -[INJOY] -peggy_denom = factory/inj1qdepvfux04s8pqvzs4leam4pgl46wy0fx37eyt/injoy -decimals = 9 +[MARH] +peggy_denom = inj1sarc5fq8rlqxl9q3y6f6u5qnzumsqdn6vvvgyh +decimals = 18 -[INJPEPE] -peggy_denom = inj1395ty2rphfvxa6jdwxugk3qrk8h49wn245afcr -decimals = 6 +[MARI] +peggy_denom = inj1x5wvc0k7xht6jyh04vj2dtstcrv68lps4r58d5 +decimals = 18 -[INJPEPE2] -peggy_denom = factory/inj1jsduylsevrmddn64hdxutcel023eavw44n63z2/INJPEPE2 -decimals = 6 +[MARJ] +peggy_denom = inj1sdxdvnn6g2c7qwfts55w4043x8qzdzrku0qp3z +decimals = 18 -[INJPORTAL] -peggy_denom = inj1etyzmggnjdtjazuj3eqqlngvvgu2tqt6vummfh -decimals = 8 +[MARK] +peggy_denom = inj1mnv033jcerdf4d3xw2kfreakahtuf0ue3xgr3u +decimals = 18 -[INJPREMIUM] -peggy_denom = inj18uw5etyyjqudtaap029u9g5qpxf85kqvtkyhq9 -decimals = 8 +[MARM] +peggy_denom = inj1qls0sp552zw55df5klhv98zjueagtn6ugq292f +decimals = 18 -[INJPRO] -peggy_denom = inj15x75x44futqdpx7mp86qc6dcuaqcyvfh0gpxp5 +[MARN] +peggy_denom = inj1q4swwrf6kvut57k8hpul7ef39vr5ka3h74dcwj +decimals = 18 + +[MARS] +peggy_denom = inj1h28xpjed0xtjwe558gr2nx7nsfx2p6sey6zduc decimals = 8 -[INJS] -peggy_denom = factory/inj1yftyfrc720nhrzdep5j70rr8dm9na2thnrl7ut/injs +[MASK] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/mask +decimals = 6 + +[MASTER] +peggy_denom = inj1at4cjadsrags6c65g4vmtnwzw93pv55kky796l decimals = 6 -[INJSANTA] -peggy_denom = inj1ur3qac37axxmuqpsegr7cts77t78jyupucpua3 -decimals = 8 +[MATIC] +peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +decimals = 18 -[INJSHIB] -peggy_denom = inj1tty2w6sacjpc0ma6mefns27qtudmmp780rxlch +[MATR1X] +peggy_denom = inj1367pnje9e8myaw04av6j2n5z7827407k4sa4m8 decimals = 8 -[INJSWAP] -peggy_denom = inj1pn5u0rs8qprush2e6re775kyf7jdzk7hrm3gpj +[MATR1X AI] +peggy_denom = inj18d3wkfajxh7t9cq280ggrksrchj0ymjf7cxwcf decimals = 8 -[INJTOOLS] -peggy_denom = factory/inj105a0fdpnq0wt5zygrhc0th5rlamd982r6ua75r/injtools +[MAX] +peggy_denom = factory/inj164jk46xjwsn6x4rzu6sfuvtlzy2nza0nxfj0nz/MAX decimals = 6 -[INJUNI] -peggy_denom = inj1dz8acarv345mk5uarfef99ecxuhne3vxux606r -decimals = 8 +[MAXH] +peggy_denom = inj1h97mmp9v36ljlmhllyqas0srsfsaq2ppq4dhez +decimals = 18 -[INJUSSY] -peggy_denom = inj1vt2sgyzrna5uj6yetju8k0fjex4g8t7fr3w0vc +[MAXI] +peggy_denom = factory/inj1jtx66k3adkjkrhuqypkt2ld7equf3whcmj2lde/MAXI decimals = 6 -[INJUST] -peggy_denom = inj1j9ld52dpgzyc6j42fv5ggk2xkzukm4tjun6449 +[MBERB] +peggy_denom = inj1d6wle0ugcg2u3hcl9unkuz7usdvhv6tx44l9qn decimals = 6 -[INJUSTICE] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/INJUSTICE +[MBRN] +peggy_denom = ibc/7AF90EDF6F5328C6C33B03DB7E33445708A46FF006932472D00D5076F5504B67 decimals = 6 -[INJVERSE] -peggy_denom = inj1leqzwmk6xkczjrum5nefcysqt8k6qnmq5v043y -decimals = 8 +[MC01] +peggy_denom = ibc/7F8D9BCCF7063FD843B5C052358466691FBEB29F75FA496A5174340B51EDA568 +decimals = 6 -[INJX] -peggy_denom = factory/inj104h3hchl7ws8lp78zpvrunvsjdwfjc02r5d0fp/injx +[MDRA] +peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA +decimals = 18 + +[MEAT] +peggy_denom = inj1naxd5z6h78khd90nmfguxht55eecvttus8vfuh decimals = 6 -[INJXMAS] -peggy_denom = inj1uneeqwr3anam9qknjln6973lewv9k0cjmhj7rj -decimals = 8 +[MEHTER] +peggy_denom = factory/inj1tscuvmskt4fxvqurh0aueg57x4vja683z79q4u/MEHTER +decimals = 6 -[INJXSOL] -peggy_denom = inj174p4dt45793vylmt8575cltj6wadtc62nakczq +[MEME] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12dag0a67uxcvs5x730lpq0pdsatgmx8ktqeafl decimals = 8 -[INJXXX] -peggy_denom = inj1pykhnt3l4ekxe6ra5gjc03pgdglavsv34vdjmx +[MEMEAI] +peggy_denom = inj1ps72fm7jpvnp3n0ysmjcece6rje9yp7dg8ep5j decimals = 8 -[INJbsc] -peggy_denom = inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 +[MEMEME] +peggy_denom = peggy0x1A963Df363D01EEBB2816b366d61C917F20e1EbE decimals = 18 -[INJet] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw -decimals = 18 +[MEMT] +peggy_denom = factory/inj1vust6dc470q02c35vh8z4qz22ddr0zv35pxaxe/MEMEMINT +decimals = 6 -[INJjP] -peggy_denom = inj1xwr2fzkakfpx5afthuudhs90594kr2ka9wwldl -decimals = 8 +[MEOW] +peggy_denom = factory/inj13wngn7gt8mt2k66x3ykp9tvfk5x89ajwd7yrtr/meow +decimals = 6 -[INJusd] -peggy_denom = inj1qchqhwkzzws94rpfe22qr2v5cv529t93xgrdfv -decimals = 18 +[MESSI] +peggy_denom = inj1upun866849c4kh4yddzkd7s88sxhvn3ldllqjq +decimals = 6 -[INUJ] -peggy_denom = inj13jhpsn63j6p693ffnfag3efadm9ds5dqqpuml9 -decimals = 18 +[META] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/meta +decimals = 6 -[INUWIFHAT] -peggy_denom = inj1xtrzl67q5rkdrgcauljpwzwpt7pgs3jm32zcaz -decimals = 18 +[METAOASIS] +peggy_denom = inj1303k783m2ukvgn8n4a2u5jvm25ffqe97236rx2 +decimals = 8 -[IOA] -peggy_denom = inj1xwkqem29z2faqhjgr6jnpl7n62f2wy4nme8v77 -decimals = 18 +[METAWORLD] +peggy_denom = inj1lafjpyp045430pgddc8wkkg23uxz3gjlsaf4t3 +decimals = 8 -[ION] -peggy_denom = ibc/1B2D7E4261A7E2130E8E3506058E3081D3154998413F0DB2F82B04035B3FE676 +[MEW] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/mew decimals = 6 -[IOTX] -peggy_denom = peggy0x6fB3e0A217407EFFf7Ca062D46c26E5d60a14d69 -decimals = 18 - -[IPDAI] -peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipdai +[MIB] +peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/MIB decimals = 6 -[IPEPE] -peggy_denom = factory/inj1td7t8spd4k6uev6uunu40qvrrcwhr756d5qw59/ipepe +[MICE] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/MICE decimals = 6 -[IPEPER] -peggy_denom = factory/inj1fdqalekg73v06gvzch0zu74ealp35g3y00shmz/IPEPER +[MICHAEL] +peggy_denom = factory/inj1hem3hs6fsugvx65ry43hpcth55snyy8x4c5s89/MICHAEL decimals = 6 -[IPandaAI] -peggy_denom = factory/inj1y3g4wpgnc4s28gd9ure3vwm9cmvmdphml6mtul/ipandaai +[MICRO] +peggy_denom = inj1jnn7uf83lpl9ug5y6d9pxes9v7vqphd379rfeh decimals = 6 -[ISILLY] -peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/iSILLY +[MIGMIG] +peggy_denom = inj1vl8swymtge55tncm8j6f02yemxqueaj7n5atkv decimals = 6 -[ITO] -peggy_denom = ibc/E7140919F6B70594F89401B574DC198D206D923964184A9F79B39074301EB04F +[MILA] +peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/MILA decimals = 6 -[ITSC] -peggy_denom = inj1r63ncppq6shw6z6pfrlflvxm6ysjm6ucx7ddnh -decimals = 18 - -[IUSD] -peggy_denom = factory/inj1l7u9lv8dfqkjnc7antm5lk7lmskh8zldh9yg05/iUSD +[MILF] +peggy_denom = inj1mlahaecngtx3f5l4k6mq882h9r2fhhplsatgur decimals = 18 -[IWH] -peggy_denom = factory/inj1sgnkljwsekkf36p4lgd7v9qa0p66rj64xa756j/IWH +[MILFQUNT] +peggy_denom = factory/inj164mk88yzadt26tzvjkpc4sl2v06xgqnn0hj296/MILFQUNT decimals = 6 -[IXB] -peggy_denom = inj1p0tvxzfhht5ychd6vj8rqhm0u7g5zxl6prrzpk -decimals = 8 - -[Imol] -peggy_denom = factory/inj1g055dn0qmm9qyrnuaryffqe3hu8qja0qnslx87/Mol7 -decimals = 0 - -[InjBots] -peggy_denom = factory/inj1qfdgzwy6ppn4nq5s234smhhp9rt8z2yvjl2v49/InjBots -decimals = 18 - -[InjCroc] -peggy_denom = inj1dcl8q3yul8hu3htwxp8jf5ar5nqem62twjl0ga -decimals = 18 - -[InjDoge] -peggy_denom = inj1hlg3pr7mtvzcczq0se4xygscmm2c99rrndh4gv -decimals = 8 +[MILK] +peggy_denom = factory/inj1fpl63h7at2epr55yn5svmqkq4fkye32vmxq8ry/MILK +decimals = 6 -[InjDragon] -peggy_denom = inj1gkf6h3jwsxayy068uuf6ey55h29vjd5x45pg9g +[MINIDOG] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1shzx0tx7x74ew6ewjdhvw2l3a828tfaggk5lj3 decimals = 18 -[InjPepe] -peggy_denom = inj19xa3v0nwvdghpj4v2lzf64n70yx7wlqvaxcejn -decimals = 8 - -[InjXsolana] -peggy_denom = inj1u82h7d8l47q3kzwvkm2mgzrskk5au4lrkntkjn -decimals = 8 +[MINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/minj +decimals = 6 -[Inject] -peggy_denom = inj1tn88veylex4f4tu7clpkyneahpmf7nqqmvquuw -decimals = 18 +[MIRZA] +peggy_denom = factory/inj1m6mqdp030nj6n7pa9n03y0zrkczajm96rcn7ye/MIRZA +decimals = 6 -[InjectDOGE] -peggy_denom = factory/inj1nf43yjjx7sjc3eulffgfyxqhcraywwgrnqmqjc/INJDOGE +[MITHU] +peggy_denom = inj1uh3nt2d0q69hwsgge4z38rm2vg9h7hugdnf5wx decimals = 6 -[Injection] -peggy_denom = inj1e8lv55d2nkjss7jtuht9m46cmjd83e39rppzkv +[MIYOYO] +peggy_denom = factory/inj1xuds68kdmuhextjew8zlt73g5ku7aj0g7tlyjr/miyoyo decimals = 6 -[Injection ] -peggy_denom = inj15sls6g6crwhax7uw704fewmktg6d64h8p46dqy +[MKEY] +peggy_denom = inj1jqqysx5j8uef2kyd32aczp3fktl46aqh7jckd5 decimals = 18 -[Injective] -peggy_denom = inj1v8gg4wzfauwf9l7895t0eyrrkwe65vh5n7dqmw +[MKR] +peggy_denom = ibc/E8C65EFAB7804152191B8311F61877A36779277E316883D8812D3CBEFC79AE4F decimals = 18 -[Injective City] -peggy_denom = factory/inj1xzl47mx87r7sx8e6cz9d3q257xtp9fue3dx073/CITY -decimals = 6 - -[Injective Genesis] -peggy_denom = inj19gm2tefdz5lpx49veyqe3dhtqqkwmtyswv60ux -decimals = 8 - -[Injective Inu] -peggy_denom = inj1pv567vvmkv2udn6llcnmnww78erjln35ut05kc -decimals = 8 - -[Injective Memes] -peggy_denom = inj1zq5mry9y76s5w7rd6eaf8kx3ak3mlssqkpzerp -decimals = 8 - -[Injective Moon] -peggy_denom = inj1tu45dzd54ugqc9fdwmce8vcpeyels45rllx4tt -decimals = 8 +[MNC] +peggy_denom = inj1fr693adew9nnl64ez2mmp46smgn48c9vq2gv6t +decimals = 18 -[Injective Panda] -peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/bamboo -decimals = 6 +[MNINJA] +peggy_denom = inj1cv3dxtjpngy029k5j0mmsye3qrg0uh979ur920 +decimals = 18 -[Injective Protocol] -peggy_denom = peggy0x7C7aB80590708cD1B7cf15fE602301FE52BB1d18 +[MNP] +peggy_denom = inj1s02f4aygftq6yhpev9dmnzp8889g5h3juhd5re decimals = 18 -[Injective Snowy] -peggy_denom = inj17hsx7q99utdthm9l6c6nvm2j8a92dr489car5x -decimals = 8 +[MNTA] +peggy_denom = ibc/A4495880A4A2E3C242F63C710F447BAE072E1A4C2A22F1851E0BB7ABDD26B43D +decimals = 6 -[Injective-X] -peggy_denom = inj1uk9ac7qsjxqruva3tavqsu6mfvldu2zdws4cg2 -decimals = 8 +[MOAR] +peggy_denom = ibc/D37C63726080331AF3713AA59B8FFD409ABD44F5FDB4685E5F3AB43D40108F6F +decimals = 6 -[InjectivePEPE] -peggy_denom = inj18y9v9w55v6dsp6nuk6gnjcvegf7ndtmqh9p9z4 -decimals = 18 +[MOBX] +peggy_denom = ibc/D80D1912495833112073348F460F603B496092385558F836D574F86825B031B4 +decimals = 9 -[InjectiveSwap] -peggy_denom = inj1t0dfz5gqfrq6exqn0sgyz4pen4lxchfka3udn4 +[MOGD] +peggy_denom = inj1yycep5ey53zh2388k6m2jmy4s4qaaurmjhcatj decimals = 6 -[InjectiveToMoon] -peggy_denom = inj1jwms7tyq6fcr0gfzdu8q5qh906a8f44wws9pyn -decimals = 8 - -[Injera] -peggy_denom = inj1fqn5wr483v6kvd3cs6sxdcmq4arcsjla5e5gkh +[MOJO] +peggy_denom = inj14ttljn98g36yp6s9qn59y3xsgej69t53ja2m3n decimals = 18 -[Injera Gem] -peggy_denom = peggy0x7872f1B5A8b66BF3c94146D4C95dEbB6c0997c7B -decimals = 18 +[MOL] +peggy_denom = factory/inj1fnpmp99kclt00kst3ht8g0g44erxr5wx6fem9x/MOL +decimals = 6 -[Internet Explorer] -peggy_denom = factory/inj1zhevrrwywg3az9ulxd9u233eyy4m2mmr6vegsg/ninjb +[MOM] +peggy_denom = inj17p7q5jrc6y00akcjjwu32j8kmjkaj8f0mjfn9p decimals = 6 -[Inu] -peggy_denom = factory/inj1z0my390aysyk276lazp4h6c8c49ndnm8splv7n/Inu +[MOMO] +peggy_denom = factory/inj12kja5s3dngydnhmdm69v776mkfrf7nuzclwzc4/MOMO decimals = 6 -[Inv] -peggy_denom = inj1ajzrh9zffh0j4ktjczcjgp87v0vf59nhyvye9v +[MONKEY] +peggy_denom = factory/inj1v88cetqty588vkc5anxnm3zjcj2dmf4dwpdxry/monkey +decimals = 6 + +[MONKS] +peggy_denom = inj1fy4hd7gqtdzp6j84v9phacm3f998382yz37rjd decimals = 18 -[Inzor] -peggy_denom = factory/inj1j7ap5xxp42urr4shkt0zvm0jtfahlrn5muy99a/Inzor +[MOO] +peggy_denom = factory/inj10tj05gfpxgnmpr4q7rhxthuknc6csatrp0uxff/moo decimals = 6 -[JAKE] -peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/JAKE +[MOON] +peggy_denom = factory/inj1d2gl87f9ldwemvhm8rskqzuqprrsvc5fr5nllc/MOON decimals = 6 -[JAPAN] -peggy_denom = factory/inj13vtsydqxwya3mpmnqa20lhjg4uhg8pp42wvl7t/japan +[MOONIFY] +peggy_denom = factory/inj1ktq0gf7altpsf0l2qzql4sfs0vc0ru75cnj3a6/moonify +decimals = 6 + +[MOONTRADE] +peggy_denom = inj19fzjd8rungrlmkujr85v0v7u7xm2aygxsl03cy +decimals = 8 + +[MOR] +peggy_denom = inj13vyz379revr8w4p2a59ethm53z6grtw6cvljlt +decimals = 8 + +[MORKIE] +peggy_denom = inj1k30vrj8q6x6nfyn6gpkxt633v3u2cwncpxflaa decimals = 18 -[JCLUB] -peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/JCLUB +[MOTHER] +peggy_denom = ibc/984E90A8E0265B9804B7345C7542BF9B3046978AE5557B4AABADDFE605CACABE decimals = 6 -[JEDI] -peggy_denom = inj1vhsam3xn26fq6lpfpnsnrrg66tjfxts8p7hrrf -decimals = 6 +[MOX] +peggy_denom = inj1w86sch2d2zmpw0vaj5sn2hdy6evlvqy5kx3mf0 +decimals = 18 -[JEET] -peggy_denom = inj1sjff8grguxkzp2wft4xnvsmrksera5l5hhr2nt +[MPEPE] +peggy_denom = mpepe decimals = 18 -[JEETERS] -peggy_denom = factory/inj1jxj9u5y02w4veajmke39jnzmymy5538n420l9z/jeeters -decimals = 6 +[MRKO] +peggy_denom = inj10wufg9exwgr8qgehee9q8m8pk25c62wwul4xjx +decimals = 8 -[JEFF] -peggy_denom = factory/inj10twe630w3tpqvxmeyl5ye99vfv4rmy92jd9was/JEFF +[MRZ] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/mirza decimals = 6 -[JEJU] -peggy_denom = factory/inj1ymsgskf2467d6q7hwkms9uqsq3h35ng7mj6qs2/jeju -decimals = 6 +[MT] +peggy_denom = inj1exeh9j6acv6375mv9rhwtzp4qhfne5hajncllk +decimals = 8 -[JELLY] -peggy_denom = factory/inj13ez8llxz7smjgflrgqegwnj258tfs978c0ccz8/JELLY +[MUBI] +peggy_denom = factory/inj1fzhwjv2kjv7xr2h4phue5yqsjawjypcamcpl5a/mubi decimals = 6 -[JESUS] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/JESUS +[MUSHROOM] +peggy_denom = inj1wchqefgxuupymlumlzw2n42c6y4ttjk9a9nedq decimals = 6 -[JESUSINJ] -peggy_denom = inj13tnc70qhxuhc2efyvadc35rgq8uxeztl4ajvkf +[MUSK] +peggy_denom = inj1em3kmw6dmef39t7gs8v9atsvzkprdr03k5h5ej decimals = 8 -[JIMMY] -peggy_denom = ibc/BE0CC03465ABE696C3AE57F6FE166721DF79405DFC4F4E3DC09B50FACABB8888 +[MYRK] +peggy_denom = ibc/48D1DA9AA68C949E27BAB39B409681292035ABF63EAB663017C7BEF98A3D118E decimals = 6 -[JINJA] -peggy_denom = factory/inj1kr66vwdpxmcgqgw30t6duhtmfdpcvlkljgn5f7/JINJA -decimals = 6 +[MYSTERYBOX1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/MYSTERYBOX1 +decimals = 0 -[JINJAO] -peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/LILKRYSTAL +[MacTRUMP] +peggy_denom = inj10gsw06ee0ppy7ltqeqhagle35h0pnue9nnsetg decimals = 6 -[JINX] -peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/JINX +[Maga] +peggy_denom = inj1wey50ukykccy8h6uaacln8naz5aahhsy09h4x0 decimals = 6 -[JIT] -peggy_denom = factory/inj1d3nq64h56hvjvdqatk9e4p26z5y4g4l6uf2a7w/JIT +[Mak] +peggy_denom = inj1vpks54yg6kwtsmt9r2psclcp0gmkgma3c3rvmg decimals = 18 -[JITSU] -peggy_denom = inj1gjujeawsmwel2d5p78pxmvytert726sejn8ff3 -decimals = 6 +[MantaInj] +peggy_denom = inj1qzc2djpnpg9n5jjcjzayl0dn4gjvft77yfau52 +decimals = 8 -[JITZ] -peggy_denom = inj1cuxse2aaggs6dqgq7ek8nkxzsnyxljpy9sylyf +[Mark] +peggy_denom = factory/inj1uw9z3drc0ea680e4wk60lmymstx892nta7ycyt/MARK decimals = 6 -[JNI] -peggy_denom = factory/inj140ddmtvnfytfy4htnqk06um3dmq5l79rl3wlgy/jni +[Marshmello] +peggy_denom = inj1aw5t8shvcesdrh47xfyy9x9j0vzkhxuadzv6dw decimals = 6 -[JOHNXINA] -peggy_denom = inj1xxqe7t8gp5pexe0qtlh67x0peqs2psctn59h24 +[MartialArts] +peggy_denom = factory/inj1tjspc227y7ck52hppnpxrmhfj3kd2pw3frjw8v/MartialArts decimals = 6 -[JOKER] -peggy_denom = inj1q4amkjwefyh60nhtvtzhsmpz3mukc0fmpt6vd0 +[Matr1x AI] +peggy_denom = inj1gu7vdyclf2fjf9jlr6dhzf34kcxchjavevuktl decimals = 8 -[JPE] -peggy_denom = inj1s8e7sn0f0sgtcj9jnpqnaut3tlh7z720dsxnn7 -decimals = 18 - -[JPY] -peggy_denom = jpy +[MelonMask] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/melonmask decimals = 6 -[JSON] -peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/json +[Meme] +peggy_denom = factory/inj1c72uunyxvpwfe77myy7jhhjtkqdk3csum846x4/Meme +decimals = 4 + +[MemeCoin] +peggy_denom = inj12dag0a67uxcvs5x730lpq0pdsatgmx8ktqeafl +decimals = 8 + +[Men In Black] +peggy_denom = factory/inj1q3xa3r638hmpu2mywg5r0w8a3pz2u5l9n7x4q2/MeninblackINJ decimals = 6 -[JSR] -peggy_denom = inj1hdc2qk2epr5fehdjkquz3s4pa0u4alyrd7ews9 +[Messi] +peggy_denom = inj1lvq52czuxncydg3f9z430glfysk4yru6p4apfr decimals = 18 -[JTEST] -peggy_denom = inj1vvekjsupcth0g2w0tkp6347xxzk5cpx87hwqdm -decimals = 18 +[MetaOasis] +peggy_denom = inj1uk7dm0ws0eum6rqqfvu8d2s5vrwkr9y2p7vtxh +decimals = 8 -[JUDO] -peggy_denom = inj16ukv8g2jcmml7gykxn5ws8ykhxjkugl4zhft5h -decimals = 18 +[MetaPX] +peggy_denom = inj1dntprsalugnudg7n38303l3l577sxkxc6q7qt5 +decimals = 8 -[JUKI] -peggy_denom = inj1nj2d93q2ktlxrju2uwyevmwcatwcumuejrplxz -decimals = 18 +[Metti] +peggy_denom = inj1lgnrkj6lkrckyx23jkchdyuy62fj4773vjp3jf +decimals = 8 -[JUMONG] -peggy_denom = inj1w9vzzh7y5y90j69j774trp6z0qfh8r4q4yc3yc -decimals = 6 +[Mew Cat] +peggy_denom = inj12pykmszt7g2l5h2q9h8vfk0w6aq2nj8waaqs7d +decimals = 8 -[JUNO] -peggy_denom = ibc/D50E26996253EBAA8C684B9CD653FE2F7665D7BDDCA3D48D5E1378CF6334F211 +[Minions] +peggy_denom = inj1wezquktplhkx9gheczc95gh98xemuxqv4mtc84 decimals = 6 -[JUP] -peggy_denom = jup +[MitoTutorial] +peggy_denom = factory/inj1m3ea9vs5scly8c5rm6l3zypknfckcc3xzu8u5v/Test decimals = 6 -[JUSSY] -peggy_denom = inj1qydw0aj2gwv27zkrp7xulrg43kx88rv27ymw6m +[Money] +peggy_denom = inj108rxfpdh8q0pyrnnp286ftj6jctwtajjeur773 decimals = 18 -[JUTSU] -peggy_denom = inj1aj27yjf5cg6aaccj0xxdpep9h5kymtmu3ccz9h +[Monks] +peggy_denom = factory/inj148sjw9h9n3n8gjw37reetwdlc7v4hfhl8r7vv3/Monks decimals = 6 -[Jay] -peggy_denom = inj1qt007zcu57qd4nq9u7g5ffgeyyqkx2h4qfzmn4 +[Moon] +peggy_denom = inj143ccar58qxmwgxr0zcp32759z5nsvseyr2gm7c decimals = 18 -[Jenner] -peggy_denom = inj1yjecs8uklzruxphv447l7urdnlguwynm5f45z7 +[Moon ] +peggy_denom = inj1e3gqdkr2v7ld6m3620lgddfcarretrca0e7gn5 decimals = 18 -[Joe] -peggy_denom = inj14jgu6cs42decuqdfwfz2j462n8lrwhs2d5qdsy -decimals = 18 +[Moonlana] +peggy_denom = inj1trg4pfcu07ft2dhd9mljp9s8pajxeclzq5cnuw +decimals = 8 -[Joe Boden] -peggy_denom = factory/inj1wnrxrkj59t6jeg3jxzhkc0efr2y24y6knvsnmp/boden +[Morc] +peggy_denom = inj1vnwc3n4z2rewaetwwxz9lz46qncwayvhytpddl +decimals = 8 + +[MrT] +peggy_denom = inj1hrhfzv3dfzugfymf7xw37t0erp32f2wkcx3r74 decimals = 6 -[KADO] -peggy_denom = inj1608auvvlrz9gf3hxkpkjf90vwwgfyxfxth83g6 -decimals = 8 +[Multichain USDC] +peggy_denom = ibc/610D4A1B3F3198C35C09E9AF7C8FB81707912463357C9398B02C7F13049678A8 +decimals = 6 -[KAGE] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +[MySymbol] +peggy_denom = inj1t6hampk8u4hsrxwt2ncw6xx5xryansh9mg94mp decimals = 18 -[KAGECoin] -peggy_denom = factory/inj1jqu8w2qqlc79aewc74r5ts7hl85ksjk4ud7jm8/KAGE -decimals = 6 +[MyTokenOne] +peggy_denom = inj13m7h8rdfvr0hwvzzvufwe2sghlfd6e45rz0txa +decimals = 18 -[KAI] -peggy_denom = factory/inj1kdvaxn5373fm4g8xxqhq08jefjhmefqjn475dc/KAI +[MyTokenZero] +peggy_denom = inj1kzk2h0g6glmlwamvmzq5jekshshkdez6dnqemf +decimals = 18 + +[NAKI] +peggy_denom = factory/inj10lauc4jvzyacjtyk7tp3mmwtep0pjnencdsnuc/NAKI decimals = 6 -[KAKAPO] -peggy_denom = factory/inj14ykszmwjjsu9s6aakqc02nh3t32h9m7rnz7qd4/KAKAPO +[NAMI] +peggy_denom = ibc/B82AA4A3CB90BA24FACE9F9997B75359EC72788B8D82451DCC93986CB450B953 +decimals = 6 + +[NARUTO] +peggy_denom = factory/inj16x0d8udzf2z2kjkdlr9ehdt7mawn9cckzt927t/naruto decimals = 6 -[KANGAL] -peggy_denom = inj1aq9f75yaq9rwewh38r0ffdf4eqt4mlfktef0q2 +[NAWU] +peggy_denom = inj1y5qs5nm0q5qz62lxkeq5q9hpkh050pfn2j6mh4 decimals = 18 -[KARATE] -peggy_denom = factory/inj1898t0vtmul3tcn3t0v8qe3pat47ca937jkpezv/karate +[NBD] +peggy_denom = factory/inj1ckw2dxkwp7ruef943x50ywupsmxx9wv8ahdzkt/NBD decimals = 6 -[KARMA] -peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karma +[NBLA] +peggy_denom = factory/inj1d0zfq42409a5mhdagjutl8u6u9rgcm4h8zfmfq/nbla decimals = 6 -[KASA] -peggy_denom = factory/inj183lz632dna57ayuf6unqph5d0v2u655h2jzzyy/kasa +[NBOY] +peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/NBOY decimals = 6 -[KAT] -peggy_denom = factory/inj1ms8lr6y6qf2nsffshfmusr8amth5y5wnrjrzur/KAT +[NBZ] +peggy_denom = ibc/1011E4D6D4800DA9B8F21D7C207C0B0C18E54E614A8576037F066B775210709D decimals = 6 -[KATANA] -peggy_denom = inj1j36ddpvef5jgmp4ngy6kl0r45c2tftu4qjuke8 -decimals = 6 +[NBZAIRDROP] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZAIRDROP +decimals = 0 -[KATI] -peggy_denom = factory/inj1gueqq3xdek4q5uyh8jp5xnm0ah33elanvgc524/KATI -decimals = 6 +[NBZPROMO1] +peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZPROMO1 +decimals = 0 -[KATO] -peggy_denom = factory/inj18dsv2pywequv9c7t5s4kaayg9440hwhht6kkvx/KATO +[NCACTE] +peggy_denom = factory/inj1zpgcfma4ynpte8lwfxqfszddf4nveq95prqyht/NCACTE decimals = 6 -[KAVA] -peggy_denom = ibc/57AA1A70A4BC9769C525EBF6386F7A21536E04A79D62E1981EFCEF9428EBB205 +[NCH] +peggy_denom = inj1d8pmcxk2grd62pwcy4q58l2vqh98vwkjx9nsvm +decimals = 8 + +[NCOQ] +peggy_denom = factory/inj13gc6rhwe73hf7kz2fwpall9h73ft635yss7tas/NCOQ decimals = 6 -[KAVAverified] -peggy_denom = inj1t307cfqzqkm4jwqdtcwmvdrfvrz232sffatgva +[NEO] +peggy_denom = inj12hnvz0xs4mnaqh0vt9suwf8puxzd7he0mukgnu +decimals = 8 + +[NEOK] +peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 decimals = 18 -[KAZE BOT] -peggy_denom = factory/inj1q42vrh9rhdnr20eq9ju9lymsxaqxcjpuqgd2cg/KZB -decimals = 6 +[NEPT] +peggy_denom = inj1464m9k0njt596t88chlp3nqg73j2fzd7t6kvac +decimals = 18 -[KET] -peggy_denom = factory/inj1y3tkh4dph28gf2fprxy98sg7w5s7e6ymnrvwgv/KET -decimals = 6 +[NETZ] +peggy_denom = inj1dg27j0agxx8prrrzj5y8hkw0tccgwfuwzr3h50 +decimals = 8 -[KETCHUP] -peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/KETCHUP -decimals = 6 +[NEURA] +peggy_denom = peggy0x3D1C949a761C11E4CC50c3aE6BdB0F24fD7A39DA +decimals = 18 -[KGM] -peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/KGM +[NEURAL] +peggy_denom = factory/inj1esryrafqyqmtm50wz7fsumvq0xevx0q0a9u7um/NEURAL decimals = 6 -[KIBA] -peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/KIBA -decimals = 6 +[NEWF] +peggy_denom = inj1uhqyzzmjq2czlsejqjg8gpc00gm5llw54gr806 +decimals = 18 -[KIDZ] -peggy_denom = factory/inj1f502ktya5h69hxs9acvf3j3d6ygepgxxh2w40u/kidz +[NEWS] +peggy_denom = factory/inj1uw4cjg4nw20zy0y8z8kyug7hum48tt8ytljv50/NEWS decimals = 6 -[KIKI] -peggy_denom = factory/inj1yc9tdwkff6fdhseshk2qe4737hysf3dv0jkq35/kiki +[NEWSHROOM] +peggy_denom = inj1e0957khyf2l5knwtdnzjr6t4d0x496fyz6fwja decimals = 6 -[KIMJ] -peggy_denom = factory/inj137z9mjeja534w789fnl4y7afphn6qq7qvwhd8y/KIMJ -decimals = 6 +[NEWT] +peggy_denom = inj1k4gxlzrqvmttwzt2el9fltnzcdtcywutxqnahw +decimals = 18 -[KINGELON] -peggy_denom = inj195vkuzpy64f6r7mra4m5aqgtj4ldnk2qs0zx8n +[NEWTON] +peggy_denom = inj14a7q9frkgtvn53xldccsvmz8lr5u6qffu7jmmx decimals = 8 -[KINGFUSION] -peggy_denom = inj1mnzwm6fvkruendv8r63vzlw72yv7fvtngkkzs9 +[NEWYEARINJ] +peggy_denom = inj1980cshwxa5mnptp6vzngha6h2qe556anm4zjtt decimals = 8 -[KINGINJ] -peggy_denom = inj1a3ec88sxlnu3ntdjk79skr58uetrvxcm4puhth -decimals = 8 +[NEXO] +peggy_denom = peggy0xB62132e35a6c13ee1EE0f84dC5d40bad8d815206 +decimals = 18 -[KINGS] -peggy_denom = factory/inj1pqxpkmczds78hz8cacyvrht65ey58e5yg99zh7/kings +[NEYMAR] +peggy_denom = inj1s2ealpaglaz24fucgjlmtrwq0esagd0yq0f5w5 decimals = 6 -[KINJ] -peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/kinj +[NFA] +peggy_denom = factory/inj1c5gk9y20ptuyjlul0w86dsxhfttpjgajhvf9lh/NFA decimals = 6 -[KINJA] -peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/Kinja +[NFCTV] +peggy_denom = factory/inj14mn4n0lh52vxttlg5a4nx58pnvc2ntfnt44y4j/NFCTV decimals = 6 -[KIRA] -peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/KIRA +[NFT] +peggy_denom = factory/inj1zchn2chqyv0cqfva8asg4lx58pxxhmhhhgx3t5/NFT decimals = 6 -[KIRAINU] -peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/KIRAINU +[NI] +peggy_denom = factory/inj1kzaaapa8ux4z4lh8stm6vv9c5ykhtwl84zxrtl/ni decimals = 6 -[KISH] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH +[NICO] +peggy_denom = ibc/EED3F204DCABACBEB858B0A56017070283098A81DEB49F1F9D6702309AA7F7DE decimals = 18 -[KISH6] -peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/KISH6 -decimals = 6 - -[KISHU] -peggy_denom = factory/inj1putkaddmnnwjw096tfn7rfyl7jq447y74vmqzt/kishu +[NIF] +peggy_denom = factory/inj1pnwrzhnjfncxgf4jkv3zadf542tpfc3xx3x4xw/NIF decimals = 6 -[KLAUS] -peggy_denom = inj1yjgk5ywd0mhczx3shvreajtg2ag9l3d56us0f8 -decimals = 8 - -[KMT] -peggy_denom = factory/inj1av2965j0asg5qwyccm8ycz3qk0eya4873dkp3u/kermit +[NIGGA] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/nigga decimals = 6 -[KNIGHT] -peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/knight -decimals = 6 +[NIJIO] +peggy_denom = inj1lwgzxuv0wkz86906dfssuwgmhld8705tzcfhml +decimals = 18 -[KOGA] -peggy_denom = factory/inj1npvrye90c9j7vfv8ldh9apt8t3a9mv9lsv52yd/KOGA -decimals = 6 +[NIKE] +peggy_denom = inj1e2ee7hk8em3kxqxc0uuupzpzvrcda85s3lx37h +decimals = 18 -[KOOG] -peggy_denom = inj1dkpmkm7j8t2dh5zqp04xnjlhljmejss3edz3wp +[NIM] +peggy_denom = ibc/C1BA2AC55B969517F1FCCFC47779EC83C901BE2FC3E1AFC8A59681481C74C399 decimals = 18 -[KPEPE] -peggy_denom = pepe +[NIN] +peggy_denom = inj1d0z43f50a950e2vdzrlu7w8yeyy0rp5pdey43v decimals = 18 -[KRINJ] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/KRINJ +[NINISHROOM] +peggy_denom = inj1vlgszdzq75lh56t5nqvxz28u0d9ftyve6pglxr decimals = 6 -[KRIPDRAGON] -peggy_denom = inj12txuqr77qknte82pv5uaz8fpg0rsvssjr2n6jj -decimals = 8 +[NINJ] +peggy_denom = factory/inj13m5k0v69lrrng4y3h5895dlkr6zcp272jmhrve/Ninjutsu +decimals = 6 -[KROPA] -peggy_denom = inj1smlveclt2dakmxx36zla343qyznscaxsyza3gh -decimals = 18 +[NINJA] +peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +decimals = 6 -[KROPPA] -peggy_denom = inj15x62fd9yy0d8lll00k3h66d3terjn79e29l60p +[NINJA MEME] +peggy_denom = inj1dypt8q7gc97vfqe37snleawaz2gp7hquxkvh34 decimals = 18 -[KRYSY] -peggy_denom = inj1jxcn5t8tmnw26r6fa27m76cw0a7zrzhyenf4c5 +[NINJA WIF HAT] +peggy_denom = inj1pj40tpv7algd067muqukfer37swt7esymxx2ww decimals = 6 -[KSO] -peggy_denom = factory/inj1waemxur3hdu8gavxrymn6axduxe8ful3rm4qcm/koskesh +[NINJAGO] +peggy_denom = factory/inj19025raqd5rquku4ha42age7c6r7ws9jg6hrulx/NINJAGO decimals = 6 -[KTN] -peggy_denom = inj18kem7dt3tpjp2mx8khujnuuhevqg4exjcd7dnm -decimals = 18 - -[KU9] -peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/KU9 +[NINJAMOON] +peggy_denom = inj1etlxd0j3u83d8jqhwwu3krp0t4chrvk9tzh75e decimals = 6 -[KUJI] -peggy_denom = ibc/9A115B56E769B92621FFF90567E2D60EFD146E86E867491DB69EEDA9ADC36204 +[NINJANGROK] +peggy_denom = inj17006r28luxtfaf7hn3jd76pjn7l49lv9le3983 decimals = 6 -[KUNAI] -peggy_denom = inj12ntgeddvyzt2vnmy2h8chz080n274df7vvr0ru -decimals = 8 +[NINJAPE] +peggy_denom = factory/inj13sdyzwu7l4kwcjkyuyepxufjxtk2u59xkksp69/NINJAPE +decimals = 6 -[Kage] -peggy_denom = inj1l49685vnk88zfw2egf6v65se7trw2497wsqk65 +[NINJAPEPE] +peggy_denom = inj1jhufny7g2wjv4yjh5za97jauemwmecflvuguty decimals = 18 -[Karma] -peggy_denom = factory/inj1d4ld9w7mf8wjyv5y7fnhpate07fguv3s3tmngm/karmainj +[NINJAS] +peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/NINJAS decimals = 6 -[Katana] -peggy_denom = inj1tj4l2qmvw22nquwqkr34v83llyzu97l65zjqsf +[NINJASAMURAI] +peggy_denom = inj1kfr9r9vvflgyka50yykjm9l02wsazl958jffl2 decimals = 6 -[Kaz] -peggy_denom = inj1vweya4us4npaa5xdf026sel0r4qazdvzx6v0v4 +[NINJATRUMP] +peggy_denom = factory/inj1f95tm7382nhj42e48s427nevh3rkj64xe7da5z/NINJATRUMP decimals = 6 -[King] -peggy_denom = factory/inj156zqdswjfcttc8hrvwd5z3nv5n53l5xg9mqvht/King +[NINJAWIFHAT] +peggy_denom = factory/inj1xukaxxx4yuaz6xys5dpuhe60un7ct9umju5ash/NWIF decimals = 6 -[KingFusion] -peggy_denom = inj1ynehe0s2kh9fqp5tka99f8wj2xgsha74h3cmtu -decimals = 8 - -[KiraWifHat] -peggy_denom = factory/inj1rrg35k5g58vunyze4tqvqhef2fgrurkpxxdr43/KiraWifHat +[NINJB] +peggy_denom = factory/inj1ezzzfm2exjz57hxuc65sl8s3d5y6ee0kxvu67n/ninjb decimals = 6 -[Kitty] -peggy_denom = inj1pfmvtdxhl2l5e245nsfwwl78sfx090asmxnmsw -decimals = 18 - -[Klaus Project] -peggy_denom = inj1zgurc2nd5awcxmpq7q6zgh9elnxg0z9g5yn4k3 -decimals = 8 - -[Knight] -peggy_denom = inj1tvxfut7uayypz2ywm92dkvhm7pdjcs85khsenj -decimals = 18 - -[Koga] -peggy_denom = inj1npvknmdjsk7s35gmemwalxlq4dd38p68mywgvv +[NINJT] +peggy_denom = inj1tp3cszqlqa7e08zcm78r4j0kqkvaccayhx97qh decimals = 18 -[Kuso] -peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/Kuso +[NINPO] +peggy_denom = inj1sudjgsyhufqu95yp7rqad3g78ws8g6htf32h88 decimals = 6 -[LAB] -peggy_denom = ibc/4BFC760786BE40F8C10AA8777D68C6BEFE9C95A881AD29AF1462194018AB7C0C +[NINU] +peggy_denom = inj14057e7c29klms2fzgjsm5s6serwwpeswxry6tk decimals = 6 -[LABS] -peggy_denom = factory/inj1eutzkvh4gf5vvmxusdwl2t6gprux67d4acwc0p/labs +[NINZA] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/NINZA decimals = 6 -[LADS] -peggy_denom = ibc/5631EB07DC39253B07E35FC9EA7CFB652F63A459A6B2140300EB4C253F1E06A2 -decimals = 6 +[NITROID] +peggy_denom = inj1f7srklvw4cf6net8flmes4mz5xl53mcv3gs8j9 +decimals = 8 -[LALA] -peggy_denom = inj156wqs2alkgmspj8shjje56ajgneqtjfk20w9n6 +[NJO] +peggy_denom = inj1c8jk5qh2lhmvqs33z4y0l84trdu7zhgtd3aqrd decimals = 18 -[LAMA] -peggy_denom = factory/inj18lh8zx4hx0pyksyu74srktv4vgxskkkafknggl/LAMA -decimals = 6 - -[LAMBO] -peggy_denom = peggy0x3d2b66BC4f9D6388BD2d97B95b565BE1686aEfB3 +[NLB] +peggy_denom = inj10s6mwhlv44sf03d5lfk4ntmplsujgftu587rzq decimals = 18 -[LAMBOPEPE] -peggy_denom = factory/inj1rge0wzk9hn8qgwz77m9zcznahrp5s322fa6lhu/LAMBO -decimals = 6 +[NLBZ] +peggy_denom = inj1qfmf6gmpsna8a3k6da2zcf7ha3tvf2wdep6cky +decimals = 18 -[LAVA] -peggy_denom = inj1jrykfhmfcy4eh8t3yw6ru3ypef39s3dsu46th7 +[NLBZZ] +peggy_denom = inj1rn2yv784zf90yyq834n7juwgeurjxly8xfkh9d decimals = 18 -[LBFS] -peggy_denom = inj18ssfe746a42me2j02casptrs0y2z5yak06cy4w -decimals = 8 +[NLC] +peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 +decimals = 6 -[LDO] -peggy_denom = peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32 +[NLT] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/NLT decimals = 18 -[LEGE] -peggy_denom = inj122gwdl0xl6908uhdgql2ftrezsy2ru2gme8mhc +[NNJG] +peggy_denom = inj1e8eqle6queaywa8w2ns0u9m7tldz9vv44s28p2 decimals = 18 -[LENARD] -peggy_denom = factory/inj1p2rmxvzhctu4z22sxcsry874sekvjdhl7k8rys/LENARD +[NOBI] +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/nobi decimals = 6 -[LEO] -peggy_denom = factory/inj1f0gj22j0vep9jt48tnt2mg97c8ysgyxllhvp68/LEO -decimals = 9 +[NOBITCHES] +peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/nobitches +decimals = 6 -[LESS] -peggy_denom = inj105ke2sw329yl64m4273js3vxfxvq2kdqtz0s63 +[NOGGA] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/NOGGA +decimals = 6 + +[NOIA] +peggy_denom = peggy0xa8c8CfB141A3bB59FEA1E2ea6B79b5ECBCD7b6ca decimals = 18 -[LEVERKUSEN] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/LEVERKUSEN +[NOIS] +peggy_denom = ibc/DD9182E8E2B13C89D6B4707C7B43E8DB6193F9FF486AFA0E6CF86B427B0D231A decimals = 6 -[LFR] -peggy_denom = inj176pze4mvaw2kv72sam0fwt3vn08axlj08e46ac +[NONE] +peggy_denom = peggy0x903ff0ba636E32De1767A4B5eEb55c155763D8B7 decimals = 18 -[LFROG] -peggy_denom = inj1vhw7xadr0366hjnvet8tnpgt898vkm47faycar +[NONJA] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck decimals = 18 -[LFrog] -peggy_denom = factory/inj1wu2kfkmrvfr34keemcmjh9zups72r5skygltrg/LFrog -decimals = 11 - -[LIBE] -peggy_denom = inj1y7cqd6x50ezv8xrgqx0lnqf4p747nyqq533ma3 +[NORUG] +peggy_denom = inj1vh38phzhnytvwepqv57jj3d7q2gerf8627dje3 decimals = 18 -[LIGMA] -peggy_denom = inj17mhem35tyszwpyfh6s0sr4l5p7wkj0knja9ck3 +[NOVA] +peggy_denom = inj1dqcyzn9p48f0dh9xh3wxqv3hs5y3lhqr43ecs0 +decimals = 8 + +[NPEPE] +peggy_denom = factory/inj1ga982yy0wumrlt4nnj79wcgmw7mzvw6jcyecl0/NPEPE decimals = 6 -[LINK] -peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA -decimals = 18 +[NSTK] +peggy_denom = ibc/35366063B530778DC37A16AAED4DDC14C0DCA161FBF55B5B69F5171FEE19BF93 +decimals = 6 -[LIO] -peggy_denom = factory/inj1p2nh5tx9j27eqwxvr6aj9sasttff6200tpq24k/LIO +[NTRL] +peggy_denom = ibc/4D228A037CE6EDD54034D9656AE5850BDE871EF71D6DD290E8EC81603AD40899 decimals = 6 -[LIOR] -peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/DINO +[NTRN] +peggy_denom = ibc/6488808F32B07F6E8DCE7B700B92D9F7287D0FA1D0F76A25B11276E09DB0E626 decimals = 6 -[LMAO] -peggy_denom = inj1yd07kujagk0t6rlj0zca2xsm6qpekv8mmwqknv -decimals = 18 +[NTRUMP] +peggy_denom = inj16dv3vfngtaqfsvd07436f6v4tgzxu90f0hq0lz +decimals = 6 -[LMEOW] -peggy_denom = inj1wu77ndd9t2yehansltt7wkhhqfjcsah0z4jvlf +[NTY] +peggy_denom = inj1zzfltckwxs7tlsudadul960w7rdfjemlrehmrd decimals = 18 -[LNC] -peggy_denom = inj18epz5afrhu0zehdlj0mp8cfmv3vtusq6fd6ufw -decimals = 6 - -[LOCAL] -peggy_denom = ibc/FECCDCFA89278B117C76A11A946A7991A68E5DD12DED6EB938ADC1B1286AC591 +[NUDES] +peggy_denom = factory/inj1dla04adlxke6t4lvt20xdxc9jh3ed609dewter/NUDES decimals = 6 -[LOL] -peggy_denom = inj1kjfeuqtp56newrdye4d5rczfkwe4dg3llc0kc9 +[NUIT] +peggy_denom = inj1kxntfyzsqpug6gea7ha4pvmt44cpvmtma2mdkl decimals = 18 -[LONG] -peggy_denom = inj10yr5mmvxez3h0xzrpaa89my99qlv3u2rmzg0ge -decimals = 8 +[NUN] +peggy_denom = inj15sgutwwu0ha5dfs5zwk4ctjz8hjmkc3tgzvjgf +decimals = 18 -[LOOL] -peggy_denom = inj12xn584cdkhnz2nn08xz4yrwxscxa8tr2fuxwam +[NUNCHAKU] +peggy_denom = inj12q6sut4npwhnvjedht574tmz9vfrdqavwq7ufw decimals = 18 -[LORD] -peggy_denom = inj1flek07wkz73a7ptxutumr4u5fukt6th4fwy9zn +[NWIF] +peggy_denom = factory/inj10l4tnj73fl3wferljef802t63n9el49ppnv6a8/nwif decimals = 6 -[LOST] -peggy_denom = inj150rlxjvk2trcm59mpwyg7hkkq8sfmdtu0tj873 -decimals = 8 - -[LOTUS] -peggy_denom = inj1luz09rzlytzdqnyp2n0cqevdxkf9u780uvsew5 +[NWJNS] +peggy_denom = inj1slwarzmdgzwulzwzlr2fe87k7qajd59hggvcha decimals = 6 -[LOXA] -peggy_denom = inj175ut0y843p0kc4secgplsrs609uwaq3d93tp0x -decimals = 8 - -[LP AKT-MNTA] -peggy_denom = ibc/D128AB965B69D44D80AFD886D8A252C10D6B0B792B3AEA7833C7A1F95BA4BCF8 +[NYAN] +peggy_denom = factory/inj1lttm52qk6hs43vqak5qyk4hl4fzu2snq2gmg0c/nyan decimals = 6 -[LP ARB-MNTA] -peggy_denom = ibc/A7BBB8697F21D2CE19732D6CCE137E00B78CE83B5F38AC5E7FB163D7E77C1325 +[NYX] +peggy_denom = factory/inj1fnq8xx5hye89jvhmkqycj7luyy08f3tudus0cd/nyx decimals = 6 -[LP ATOM-MNTA] -peggy_denom = ibc/67E901393C5DE5F1D26A0DBC86F352EA9CEBC6F5A1791ADAB33AB557136CD4D0 +[Naruto] +peggy_denom = factory/inj1j53ejjhlya29m4w8l9sxa7pxxyhjplrz4xsjqw/naruto decimals = 6 -[LP AXL-MNTA] -peggy_denom = ibc/F829D655E96C070395E364658EFB2EC4B93906D44A6C1AE6A2A8821FCB7BA4B8 +[Naruto Token] +peggy_denom = factory/inj1gwkdx7lkpvq2ewpv29ptxdy9r95vh648nm8mp0/naruto decimals = 6 -[LP CHEQ-MNTA] -peggy_denom = ibc/454555FFF0452DD86BC65DDE0158300132DE275CB22183ECE357EA07EBA18528 +[Neptune Receipt ATOM] +peggy_denom = inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 decimals = 6 -[LP DOT.axl-MNTA] -peggy_denom = ibc/E9BC2E73393C6C1AD36B04109F5C20CC1CDC4BCB913C8038993C8F68A0CD8474 -decimals = 6 +[Neptune Receipt INJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 -[LP DYDX-MNTA] -peggy_denom = ibc/0FC1BAA3BF09FA73946A6412088FCED87D1D2368F30BDC771FB5FF6EAE0EB5E9 +[Neptune Receipt USDT] +peggy_denom = inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s decimals = 6 -[LP DYM-MNTA] -peggy_denom = ibc/CC151284BE8E76C67E78ADAE3892C0D9084F0C802CC1EC44BFBE91EE695206E8 +[Newt] +peggy_denom = ibc/B0A75E6F4606C844C05ED9E08335AFC50E814F210C03CABAD31562F606C69C46 decimals = 6 -[LP FUZN-MNTA] -peggy_denom = ibc/A064F58ADEAA6DF2AE8006787DFF5E1F144FECF79F880F0140CB38800C295AC2 +[Nil] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/Nil decimals = 6 -[LP INJ-MNTA] -peggy_denom = ibc/4229FC85617819AFFE8543D646BE8A41CD9F8257985A198E0DF09E54F23EC6D3 +[NinjAI] +peggy_denom = factory/inj15we00jwlnd2ahpse0xfpswk8h296p80esn2wsx/NinjAI decimals = 6 -[LP LINK.axl-MNTA] -peggy_denom = ibc/BA3A7ACF9AEF1F3D1973ED4406EB35CF2DCB9B545D71A7F06B27A7EA918F8396 +[Ninja] +peggy_denom = factory/inj1p0w30l464lxl8afxqfda5zxeeypnvdtx4yjc30/Ninja decimals = 6 -[LP MNTA-KUJI] -peggy_denom = ibc/AE8EDE6CB769E0EAB809204D5E770F5DF03BC35D3E5977272E6CE5147229F938 +[Ninja Labs Coin] +peggy_denom = factory/inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4/NLC decimals = 6 -[LP NTRN-MNTA] -peggy_denom = ibc/77011B441A8655A392E5B6DA8AE4ADFB0D3DF3E26B069803D64B89208EC8C07E +[Ninja Swap] +peggy_denom = inj1lzdvr2d257lazc2824xqlpnn4q50vuyhnndqhv +decimals = 8 + +[NinjaBoy] +peggy_denom = inj1vz8h0tlxt5qv3hegqlajzn4egd8fxy3mty2w0h decimals = 6 -[LP OSMO-MNTA] -peggy_denom = ibc/CF0564CF0C15332430432E8D7C417521004EBB2EA4CB922C577BA751A64B6599 +[NinjaCoq] +peggy_denom = inj1aapaljp62znaxy0s2huc6ka7cx7zksqtq8xnar decimals = 6 -[LP PAXG.grv-MNTA] -peggy_denom = ibc/8C1E93AB13F5FC3E907751DA5BE4C7518E930A4C9F441523E608323C1CA35F6B +[NinjaWifHat] +peggy_denom = inj1gmch7h49qwvnn05d3nj2rzqw4l7f0y8s4g2gpf decimals = 6 -[LP SCRT-MNTA] -peggy_denom = ibc/9FE7DE3797BC1F75E8CBE30B16CE84A3835B8A280E7E7780CE2C86C244F6253C +[Nlc] +peggy_denom = inj17uhjy4u4aqhtwdn3mfc4w60dnaa6usg30ppr4x +decimals = 18 + +[NoobDev] +peggy_denom = inj1qzlkvt3vwyd6hjam70zmr3sg2ww00l953hka0d decimals = 6 -[LP SHD-MNTA] -peggy_denom = ibc/B512CFCA199DCBDF098824846D2D78E1E04EBA6A5091A99472236B69B24C979E +[O9W] +peggy_denom = ibc/AA206C13A2AD46401BD1E8E65F96EC9BF86051A8156A92DD08BEF70381D39CE2 decimals = 6 -[LP SOL.wh-MNTA] -peggy_denom = ibc/D765CDBB85910E131773AF7072439F9C382DF0B894D2209E09D2EEFE0298EADC +[OBEMA] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/obema decimals = 6 -[LP SOMM-MNTA] -peggy_denom = ibc/457CF9F4112FB7E765A83A1F93DE93246C1E0D5A1C83F9A909B5890A172AAC34 +[OCEAN] +peggy_denom = peggy0x967da4048cD07aB37855c090aAF366e4ce1b9F48 +decimals = 18 + +[OCHO] +peggy_denom = inj1ltzx4qjtgmjyglf3nnhae0qxaxezkraqdhtgcn +decimals = 8 + +[ODIN] +peggy_denom = ibc/6ED95AEFA5D9A6F9EF9CDD05FED7D7C9D7F42D9892E7236EB9B251CE9E999701 decimals = 6 -[LP STARS-MNTA] -peggy_denom = ibc/B6B6EB8527A6EE9040DBE926D378EC23CB231AC8680AF75372DBF6B7B64625A7 +[OIN] +peggy_denom = ibc/09A596CF997F575F2D1E150DFECD7AAE4B44B119F4E45E0A2532EEBD1F8795FE decimals = 6 -[LP TIA-MNTA] -peggy_denom = ibc/59F96C9AAFC26E872D534D483EF8648305AD440EF2E9A506F061BADFC378CE13 +[OIN STORE OF VALUE] +peggy_denom = ibc/486A0C3A5D9F8389FE01CF2656DF03DB119BC71C4164212F3541DD538A968B66 decimals = 6 -[LP UNI.axl-MNTA] -peggy_denom = ibc/4E4B25966A3CF92B796F5F5D1A70A375F32D8EF4C7E49DEC1C38441B7CA8C7CA -decimals = 6 +[OJO] +peggy_denom = inj1hg5ag8w3kwdn5hedn3mejujayvcy2gknn39rnl +decimals = 18 -[LP WHALE-MNTA] -peggy_denom = ibc/89E80D95AF2FD42A47E9746F7CFF32F3B56FE3E113B81241A6A818C8B3221C17 +[OMG] +peggy_denom = inj14wpqhfcd4q6424vskcv8xch4s0chc8cs82v4qp decimals = 6 -[LP ampMNTA-MNTA] -peggy_denom = ibc/8545604BFCCC408B753EB0840FF131CB34B9ED1283A9BD551F68C324B53FEF0C -decimals = 6 +[OMI] +peggy_denom = peggy0xeD35af169aF46a02eE13b9d79Eb57d6D68C1749e +decimals = 18 -[LP qcMNTA-MNTA] -peggy_denom = ibc/23ADD2AC1D22776CE8CB37FB446E552B9AE5532B76008ADF73F75222A6ACFE19 -decimals = 6 +[OMNI] +peggy_denom = peggy0x36E66fbBce51e4cD5bd3C62B637Eb411b18949D4 +decimals = 18 -[LP stOSMO-OSMO] -peggy_denom = ibc/20D8F1713F8DF3B990E23E205F1CCD99492390558022FF3FE60B1FAFCF955689 -decimals = 6 +[OMT] +peggy_denom = inj1tctqgl6y4mm7qlr0x2xmwanjwa0g8nfsfykap6 +decimals = 18 -[LP wAVAX.axl-MNTA] -peggy_denom = ibc/57CC0316BFD206E1A8953DD6EC629F1556998EB9454152F21D51EFB5A35851EF -decimals = 6 +[ONE] +peggy_denom = inj1wu086fnygcr0sgytmt6pk8lsnqr9uev3dj700v +decimals = 18 -[LP wBNB.axl-MNTA] -peggy_denom = ibc/2961FC233B605E5D179611D7D5C88E89DD3717081B5D06469FF27DFE83AF9BEB -decimals = 6 +[ONETOONE] +peggy_denom = inj1y346c6cjj0kxpcwj5gq88la9qsp88rzlw3pg98 +decimals = 18 -[LP wBTC.axl-MNTA] -peggy_denom = ibc/B73EDDE38FFE4C5782B5C6108F4977B8B4A0C13AA9EBABEBCCFC049ED5CC0968 -decimals = 6 +[ONI] +peggy_denom = inj1aexws9pf9g0h3032fvdmxd3a9l2u9ex9aklugs +decimals = 18 -[LP wETH.axl-MNTA] -peggy_denom = ibc/83DDCD6991A94C4ED287A029243527A14A86D4A62FB69BBEC51FB9B0156C6683 +[ONP] +peggy_denom = inj15wvxl4xq4zrx37kvh6tsqyqysukws46reywy06 +decimals = 18 + +[ONTON] +peggy_denom = inj1a3hxfatcu7yfz0ufp233m3q2egu8al2tesu4k5 decimals = 6 -[LP wETH.axl-USK] -peggy_denom = ibc/6E2B993CA402C047E232E4722D1CE0C73DBD47CBBE465E16F6E3732D27F37649 +[OOZARU] +peggy_denom = ibc/9E161F95E105436E3DB9AFD49D9C8C4C386461271A46DBA1AB2EDF6EC9364D62 decimals = 6 -[LP wFTM.axl-MNTA] -peggy_denom = ibc/EBF34B929B7744BD0C97ECF6F8B8331E2BCA464F1E5EA702B6B40ED2F55433BD +[OP] +peggy_denom = op +decimals = 18 + +[OPHIR] +peggy_denom = ibc/19DEC3C890D19A782A3CD0C62EA8F2F8CC09D0C9AAA8045263F40526088FEEDB decimals = 6 -[LP wMATIC.axl-MNTA] -peggy_denom = ibc/942AA5D504B03747AF67B19A874D4E47DAD307E455AEB34E3A4A2ECF7B9D64C8 +[ORAI] +peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 decimals = 6 -[LP wTAO.grv-MNTA] -peggy_denom = ibc/51BB7FAEEDCFC7782519C8A6FB0D7168609B2450B56FED6883ABD742AEED8CC4 +[ORN] +peggy_denom = peggy0x0258F474786DdFd37ABCE6df6BBb1Dd5dfC4434a +decimals = 8 + +[ORNE] +peggy_denom = ibc/3D99439444ACDEE71DBC4A774E49DB74B58846CCE31B9A868A7A61E4C14D321E decimals = 6 -[LP wstETH.axl-MNTA] -peggy_denom = ibc/BAB4B518D0972626B854BE5139FCAD7F1113E3787BC13013CB6A370298EFE0C1 +[OSMO] +peggy_denom = ibc/92E0120F15D037353CFB73C14651FC8930ADC05B93100FD7754D3A689E53B333 decimals = 6 -[LP wstETH.axl-wETH.axl] -peggy_denom = ibc/CEECB0B01EC9BF90822BCA6A1D6D2BF4DC6291BD0C947BEE512BD4639045EAD1 +[OUTIES] +peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/OUTIES decimals = 6 -[LP yieldETH.axl-MNTA] -peggy_denom = ibc/D410037544911319AB9F3BF0C375598AAD69A7555A5B23158484DFFC10651316 +[OUTLINES] +peggy_denom = inj1zutqugjm9nfz4tx6rv5zzj77ts4ert0umnqsjm decimals = 6 -[LRDSVN] -peggy_denom = inj1xcrrweel03eu2fzlvmllhy52wdv25wvejn24dr -decimals = 8 +[OX] +peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f +decimals = 18 -[LUCK] -peggy_denom = factory/inj13f6c0hc3l80qa7w80j992wtscslkg8pm65rxua/LUCK -decimals = 6 +[Ocean Protocol] +peggy_denom = inj1cxnqp39cn972gn2qaw2qc7hrryaa52chx7lnpk +decimals = 18 -[LUCKY] -peggy_denom = inj1v8vkngk2pn2sye2zduy77lfdeaqq9cd924f5le +[OjoD] +peggy_denom = inj1ku6t0pgaejg2ykmyzvfwd2qulx5gjjsae23kgm decimals = 18 -[LUFFY] -peggy_denom = inj1yzz7pvx7e98u3xv4uz0tkqrm6uj684j9lvv0z4 +[Omni Cat] +peggy_denom = factory/inj1vzmmdd2prja64hs4n2vk8n4dr8luk6522wdrgk/OMNI decimals = 6 -[LUIGI] -peggy_denom = inj1h8yjr8ely8q8r8rlvs2zx0pmty70ajy4ud6l0y +[OmniCat] +peggy_denom = inj188rmn0k9hzdy35ue7nt5lvyd9g9ldnm0v9neyz +decimals = 8 + +[Onj] +peggy_denom = inj1p9kk998d6rapzmfhjdp4ee7r5n4f2klu7xf8td +decimals = 8 + +[Open Exchange Token] +peggy_denom = ibc/3DC896EFF521814E914264A691D9D462A7108E96E53DE135FC4D91A370F4CD77 decimals = 18 -[LUKE] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/luke -decimals = 6 +[Oraichain] +peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 +decimals = 18 -[LUM] -peggy_denom = ibc/2C58CBDF1C96FAD7E6B1C5EC0A484E9BD9A27E126E36AFBDD7E45F0EA17F3640 -decimals = 6 +[Orcat] +peggy_denom = inj1ldp0pssszyguhhey5dufagdwc5ara09fnlq8ms +decimals = 18 -[LUNA] -peggy_denom = ibc/B8AF5D92165F35AB31F3FC7C7B444B9D240760FA5D406C49D24862BD0284E395 +[PAMBI] +peggy_denom = factory/inj1wa976p5kzd5v2grzaz9uhdlcd2jcexaxlwghyj/PAMBI decimals = 6 -[LUNA-USDC-LP] -peggy_denom = ibc/CBC3DCBC6559DB851F487B6A41C547A2D75DB0C54A143DDF39C04250E50DA888 +[PANDA] +peggy_denom = factory/inj1p8ey297l9qf835eprx4s3nlkesrugg28s23u0g/PANDA decimals = 6 -[LUNA-USDT-LP] -peggy_denom = ibc/E06B8ECC4B080937AFD0AD0308C4E9354AB169C297F45E087D6057F0010E502D +[PANDANINJA] +peggy_denom = factory/inj1ekvx0ftc46hqk5vfxcgw0ytd8r7u94ywjpjtt8/pandaninja decimals = 6 -[LUNAR] -peggy_denom = inj1hpu5e5620hvd7hf3t4t4em96cx9t58yefcr3uu +[PANTERA] +peggy_denom = inj1hl4y29q5na4krdpk4umejwvpw4v5c3kpmxm69q decimals = 8 -[LVN] -peggy_denom = ibc/4971C5E4786D5995EC7EF894FCFA9CF2E127E95D5D53A982F6A062F3F410EDB8 +[PARABOLIC] +peggy_denom = factory/inj126c3fck4ufvw3n0a7rsq75gx69pdxk8npnt5r5/PARABOLIC decimals = 6 -[LYM] -peggy_denom = peggy0xc690F7C7FcfFA6a82b79faB7508c466FEfdfc8c5 +[PASS] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/pass +decimals = 6 + +[PAXG] +peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 decimals = 18 -[Leapwifhat] -peggy_denom = factory/inj10xsan7m2gwhwjm9hrr74ej77lx8qaxk9cl7rfw/Leapwifhat +[PBB] +peggy_denom = ibc/05EC5AA673220183DBBA6825C66DB1446D3E56E5C9DA3D57D0DE5215BA7DE176 decimals = 6 -[Leia] -peggy_denom = inj1vm24dp02njzgd35srtlfqkuvxz40dysyx7lgfl +[PBJ] +peggy_denom = ibc/2B6F15447F07EA9DC0151E06A6926F4ED4C3EE38AB11D0A67A4E79BA97329830 decimals = 6 -[Lenz] -peggy_denom = factory/inj19xadglv3eaaavaeur5553hjj99c3vtkajhj4r6/Lenz -decimals = 6 +[PBinj] +peggy_denom = inj1k4v0wzgxm5zln8asekgkdljvctee45l7ujwlr4 +decimals = 8 -[Leo] -peggy_denom = inj1xnqaq553d5awhzr68p5vkenrj64ueqpfzjjp0f +[PDIX] +peggy_denom = inj13m85m3pj3ndll30fxeudavyp85ffjaapdmhel5 decimals = 18 -[Leonardo] -peggy_denom = inj1yndh0j4dpnjuqaap7u6csta2krvhqddjwd3p9w +[PEPE] +peggy_denom = peggy0x6982508145454Ce325dDbE47a25d4ec3d2311933 decimals = 18 -[Lido DAO Token] -peggy_denom = inj1me6t602jlndzxgv2d7ekcnkjuqdp7vfh4txpyy -decimals = 8 - -[Lido Staked Ether] -peggy_denom = ibc/FB1B967C690FEA7E9AD7CF76AE2255169D4EA2937D6694B2C0E61A370F76D9FB +[PEPE Injective] +peggy_denom = inj1ytxxfuajl0fvhgy2qsx85s3t882u7qgv64kf2g decimals = 18 -[Lost Paradise AI] -peggy_denom = inj1wf0d0ynpfcmpcq8h9evv2z4p0stc73x3skj96r -decimals = 8 - -[Luigi] -peggy_denom = inj1vrz0yfrlxe6mqaadmeup8g6nhhzmg7hwpfr6kz +[PEPE MEME ] +peggy_denom = inj1jev373k3l77mnhugwzke0ytuygrn8r8497zn6e decimals = 18 -[Luna] -peggy_denom = ibc/0DDC992F19041FC1D499CCA1486721479EBAA7270604E15EDDFABA89D1E772E5 -decimals = 6 - -[MAD] -peggy_denom = inj1u97mcn0sx00hnksfc9775gh5vtjhn4my340t0j -decimals = 18 +[PEPE on INJ] +peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/pepe +decimals = 1 -[MADDOG] -peggy_denom = inj1y942sn0su2wxzh65xnd6h6fplajm04zl8fh0xy +[PEPEA] +peggy_denom = factory/inj1gaf6yxle4h6993qwsxdg0pkll57223qjetyn3n/PEPEA decimals = 6 -[MAFIAz] -peggy_denom = factory/inj175n4kj6va8yejh7w35t5v5f5gfm6ecyasgjnn9/MAFIAz +[PEPINJ] +peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/pepinj decimals = 6 -[MAGA] -peggy_denom = peggy0x576e2BeD8F7b46D34016198911Cdf9886f78bea7 -decimals = 9 +[PETER] +peggy_denom = inj1xuqedjshmrqadvqhk4evn9kwzgkk5u9ewdua6z +decimals = 18 -[MAI] -peggy_denom = inj1wd3vgvjur8du5zxktj4v4xvny4n8skjezadpp2 -decimals = 8 +[PGN] +peggy_denom = inj1gx88hu6xjfvps4ddyap27kvgd5uxktl8ndauvp +decimals = 18 -[MAKI] -peggy_denom = factory/inj1l0pnjpc2y8f0wlua025g5verjuvnyjyq39x9q0/MAKI +[PHEW] +peggy_denom = inj128usk4mqn69h9hmthqxhasyewkrhmprl7jp6lv decimals = 6 -[MAMA] -peggy_denom = inj1ayukjh6wufyuymv6ehl2cmjjpvrqjf5m75ty90 +[PHUC] +peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc decimals = 6 -[MAMBA] -peggy_denom = factory/inj18z5cm702ylpqz8j6gznalcw69wp4m7fsdjhnfq/mamba -decimals = 6 +[PICA] +peggy_denom = ibc/9C2212CB87241A8D038222CF66BBCFABDD08330DFA0AC9B451135287DCBDC7A8 +decimals = 12 -[MANEKI] -peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/MANEKI +[PIG] +peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/pig decimals = 6 -[MANTAINJ] -peggy_denom = inj1rluhqhev2v4kmz0m8qjfrlyrlrlqckajuf0ajs +[PIGS] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf +decimals = 18 + +[PIKA] +peggy_denom = factory/inj1h4usvhhva6dgmun9rk4haeh8lynln7yhk6ym00/PIKA decimals = 6 -[MANTIS] -peggy_denom = inj1s6hmmyy9f2k37qqw2pryufg4arqxegurddkdp9 +[PIKACHU] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/PIKACHU decimals = 6 -[MARA] -peggy_denom = inj1kaqrfnqy59dm6rf7skn8j05fdmdya9af0g56we +[PIKACHU ] +peggy_denom = inj1x3m7cgzdl7402fhe29aakdwda5630r2hpx3gm2 decimals = 18 -[MARB] -peggy_denom = inj1up4k6vxrq4nhzvp5ssksqejk3e26q2jfvngjlj +[PING] +peggy_denom = inj1ty0274r9754kq8qn7hnlhmv35suq6ars7y2qnt decimals = 18 -[MARC] -peggy_denom = inj1xg8d0nf0f9075zj3h5p4hku8r6ahtssxs4sq5q +[PING'S BROTHER PONG] +peggy_denom = inj1qrcr0xqraaldk9c85pfzxryjquvy9jfsgdkur7 decimals = 18 -[MARD] -peggy_denom = inj177n6een54mcs8sg3hgdruumky308ehgkp9mghr +[PINGDEV] +peggy_denom = inj17dlj84plm8yqjtp82mmg35494v8wjqfk29lzyf decimals = 18 -[MARE] -peggy_denom = inj1k4ytnwu0luen8vyvahqmusxmt362r8xw3mmu55 -decimals = 18 +[PINJA] +peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/pinja +decimals = 6 -[MARF] -peggy_denom = inj1phkfvvrzqtsq6ajklt0vsha78jsl3kg6wcd68m -decimals = 18 +[PINJEON] +peggy_denom = factory/inj1l73eqd7w5vu4srwmc722uwv7u9px7k5azzsqm2/pinjeon +decimals = 6 -[MARG] -peggy_denom = inj14qypf8qd0zw3t7405n4rj86whxhyqnvacl8c9n -decimals = 18 +[PINJU] +peggy_denom = factory/inj1j43ya8q0u5dx64x362u62yq5zyvasvg98asm0d/pinju +decimals = 6 -[MARH] -peggy_denom = inj1sarc5fq8rlqxl9q3y6f6u5qnzumsqdn6vvvgyh -decimals = 18 +[PIO] +peggy_denom = factory/inj1ufkjuvf227gccns4nxjqc8vzktfvrz6y7xs9sy/PIO +decimals = 6 -[MARI] -peggy_denom = inj1x5wvc0k7xht6jyh04vj2dtstcrv68lps4r58d5 -decimals = 18 +[PIPI] +peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/pipi +decimals = 6 -[MARJ] -peggy_denom = inj1zhqnqzdg6738q9wjrkr50c6qkkd5ghar9fp36s -decimals = 18 +[PIRATE] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/PIRATE +decimals = 6 -[MARK] -peggy_denom = inj1mnv033jcerdf4d3xw2kfreakahtuf0ue3xgr3u +[PIXDOG] +peggy_denom = inj1thsy9k5c90wu7sxk37r2g3u006cszqup8r39cl decimals = 18 -[MARM] -peggy_denom = inj1qls0sp552zw55df5klhv98zjueagtn6ugq292f +[PIXEL] +peggy_denom = inj1wmlkhs5y6qezacddsgwxl9ykm40crwp4fpp9vl +decimals = 8 + +[PIZZA] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/PIZZA +decimals = 6 + +[PKS] +peggy_denom = inj1m4z4gjrcq9wg6508ds4z2g43wcgynlyflaawef decimals = 18 -[MARN] -peggy_denom = inj1q4swwrf6kvut57k8hpul7ef39vr5ka3h74dcwj +[PLNK] +peggy_denom = ibc/020098CDEC3D7555210CBC1593A175A6B24253823B0B711D072EC95F76FA4D42 +decimals = 6 + +[POINT] +peggy_denom = factory/inj1zaem9jqplp08hkkd5vcl6vmvala9qury79vfj4/point +decimals = 0 + +[POK] +peggy_denom = inj18nzsj7sef46q7puphfxvr5jrva6xtpm9zsqvhh decimals = 18 -[MARS] -peggy_denom = inj1h28xpjed0xtjwe558gr2nx7nsfx2p6sey6zduc +[POLAR] +peggy_denom = inj1kgdp3wu5pr5ftuzczpgl5arg28tz44ucsjqsn9 decimals = 8 -[MASK] -peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/mask +[POLLY] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/POLLY decimals = 6 -[MASTER] -peggy_denom = inj1at4cjadsrags6c65g4vmtnwzw93pv55kky796l +[PONDO] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/pondo decimals = 6 -[MATIC] -peggy_denom = peggy0x7D1AfA7B718fb893dB30A3aBc0Cfc608AaCfeBB0 +[PONG] +peggy_denom = inj1lgy5ne3a5fja6nxag2vv2mwaan69sql9zfj7cl decimals = 18 -[MATR1X] -peggy_denom = inj1367pnje9e8myaw04av6j2n5z7827407k4sa4m8 -decimals = 8 +[POOL] +peggy_denom = peggy0x0cEC1A9154Ff802e7934Fc916Ed7Ca50bDE6844e +decimals = 18 -[MATR1X AI] -peggy_denom = inj18d3wkfajxh7t9cq280ggrksrchj0ymjf7cxwcf +[POOR] +peggy_denom = peggy0x9D433Fa992C5933D6843f8669019Da6D512fd5e9 decimals = 8 -[MAX] -peggy_denom = factory/inj164jk46xjwsn6x4rzu6sfuvtlzy2nza0nxfj0nz/MAX +[POP] +peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/POP decimals = 6 -[MAXH] -peggy_denom = inj1h97mmp9v36ljlmhllyqas0srsfsaq2ppq4dhez +[POPCAT] +peggy_denom = inj1pfx2k2mtflde5yz0gz6f7xfks9klx3lv93llr6 decimals = 18 -[MAXI] -peggy_denom = factory/inj1jtx66k3adkjkrhuqypkt2ld7equf3whcmj2lde/MAXI +[POPEYE] +peggy_denom = ibc/7E4EA08D14451712CC921456E2FBA57B54D4CA80AE9E471FAAF16610029B9145 decimals = 6 -[MBERB] -peggy_denom = inj1d6wle0ugcg2u3hcl9unkuz7usdvhv6tx44l9qn -decimals = 6 +[PORK] +peggy_denom = inj14u3qj9fhrc6d337vlx4z7h3zucjsfrwwvnsrnt +decimals = 18 -[MBRN] -peggy_denom = ibc/7AF90EDF6F5328C6C33B03DB7E33445708A46FF006932472D00D5076F5504B67 +[PORNGPT] +peggy_denom = inj1ptlmxvkjxmjap436v9wrryd20r2gqf94fr57ga +decimals = 8 + +[PORTAL] +peggy_denom = factory/inj163072g64wsn8a9n2mydwlx7c0aqt4l7pjseeuu/PORTAL decimals = 6 -[MC01] -peggy_denom = ibc/7F8D9BCCF7063FD843B5C052358466691FBEB29F75FA496A5174340B51EDA568 +[POTIN] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/POTIN decimals = 6 -[MDRA] -peggy_denom = factory/inj1n85jfpxee430qavn9edlkup9kny7aszarag8ed/MADARA +[POTION] +peggy_denom = factory/inj1r7thtn5zj6mv9zupelkkw645ve8kgx35rf43ja/POTION decimals = 18 -[MEAT] -peggy_denom = inj1naxd5z6h78khd90nmfguxht55eecvttus8vfuh +[POTTER] +peggy_denom = factory/inj1c7h6wnfdz0dpc5llsdxfq9yemmq9nwfpr0c59r/potter decimals = 6 -[MEHTER] -peggy_denom = factory/inj1tscuvmskt4fxvqurh0aueg57x4vja683z79q4u/MEHTER -decimals = 6 +[PRERICH] +peggy_denom = factory/inj18p952tvf264784sf9f90rpge4w7dhsjrtgn4lw/prerich +decimals = 7 -[MEME] -peggy_denom = inj1u0y6k9grtux3dlzpvj6hspkg6n0l0l2zmlhygu +[PROD] +peggy_denom = inj1y2mev78vrd4mcfrjunnktctwqhm7hznguue7fc decimals = 18 -[MEMEAI] -peggy_denom = inj1ps72fm7jpvnp3n0ysmjcece6rje9yp7dg8ep5j +[PROMETHEUS] +peggy_denom = inj1tugjw7wy3vhtqjap22j9e62yzrurrsu4efu0ph decimals = 8 -[MEMEME] -peggy_denom = peggy0x1A963Df363D01EEBB2816b366d61C917F20e1EbE -decimals = 18 - -[MEMT] -peggy_denom = factory/inj1vust6dc470q02c35vh8z4qz22ddr0zv35pxaxe/MEMEMINT +[PROOF] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/PROOF decimals = 6 -[MEOW] -peggy_denom = factory/inj13wngn7gt8mt2k66x3ykp9tvfk5x89ajwd7yrtr/meow +[PROTON-011] +peggy_denom = inj1vts6mh344msrwr885ej5naev87yesred5mp23r +decimals = 8 + +[PRYZM] +peggy_denom = ibc/2A88907A69C27C7481E478005AAD1976F044246E0CDB4DB3367EADA4EF38373B decimals = 6 -[MESSI] -peggy_denom = inj1upun866849c4kh4yddzkd7s88sxhvn3ldllqjq +[PSPS] +peggy_denom = inj145p4shl9xdutc7cv0v9qpfallh3s8z64yd66rg +decimals = 18 + +[PSYCHO] +peggy_denom = factory/inj18aptztz0pxvvjzumpnd36szzljup0t7t3pauu8/psycho decimals = 6 -[META] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/meta +[PUFF] +peggy_denom = inj1f8kkrgrfd7utflvsq7xknuxtzf92nm80vkshu2 decimals = 6 -[METAOASIS] -peggy_denom = inj1303k783m2ukvgn8n4a2u5jvm25ffqe97236rx2 -decimals = 8 +[PUG] +peggy_denom = peggy0xf9a06dE3F6639E6ee4F079095D5093644Ad85E8b +decimals = 18 -[METAWORLD] -peggy_denom = inj1lafjpyp045430pgddc8wkkg23uxz3gjlsaf4t3 +[PUNK] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 + +[PUNKINJ] +peggy_denom = inj1vq0f9sgvg0zj5hc4vvg8yd6x9wzepzq5nekh4l decimals = 8 -[MEW] -peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/mew +[PUPZA] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/PUPZA decimals = 6 -[MIB] -peggy_denom = factory/inj1s9pckznjz4hmgtxu5t9gerxtalch7wtle4y3a6/MIB +[PUTIN] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/putin decimals = 6 -[MICE] -peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/MICE +[PVP] +peggy_denom = peggy0x9B44793a0177C84DD01AD81137db696531902871 +decimals = 8 + +[PVV] +peggy_denom = inj1rk5y4m3qgm8h68z2lp3e2dqqjmpkx7m0aa84ah decimals = 6 -[MICHAEL] -peggy_denom = factory/inj1hem3hs6fsugvx65ry43hpcth55snyy8x4c5s89/MICHAEL +[PYTH] +peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 decimals = 6 -[MICRO] -peggy_denom = inj1jnn7uf83lpl9ug5y6d9pxes9v7vqphd379rfeh +[PYTHlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy decimals = 6 -[MIGMIG] -peggy_denom = inj1vl8swymtge55tncm8j6f02yemxqueaj7n5atkv +[PYUSD] +peggy_denom = ibc/4367FD29E33CDF0487219CD3E88D8C432BD4C2776C0C1034FF05A3E6451B8B11 decimals = 6 -[MILA] -peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/MILA +[Panda Itamae] +peggy_denom = factory/inj1wpttce7eccrutxkddtzug4xyz4ztny88httxpg/panda decimals = 6 -[MILF] -peggy_denom = inj1mlahaecngtx3f5l4k6mq882h9r2fhhplsatgur +[Pedro] +peggy_denom = inj1c6lxety9hqn9q4khwqvjcfa24c2qeqvvfsg4fm decimals = 18 -[MILFQUNT] -peggy_denom = factory/inj164mk88yzadt26tzvjkpc4sl2v06xgqnn0hj296/MILFQUNT -decimals = 6 - -[MILK] -peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +[People] +peggy_denom = inj13pegx0ucn2e8w2g857n5828cmvl687jgq692t4 decimals = 6 -[MINIDOG] -peggy_denom = inj1shzx0tx7x74ew6ewjdhvw2l3a828tfaggk5lj3 +[Pepe] +peggy_denom = ibc/9144D78830C5ABD7B7D9E219EA7600E3A0E0AD5FC50C007668160595E94789AB decimals = 18 -[MINJ] -peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/minj -decimals = 6 - -[MIRZA] -peggy_denom = factory/inj1m6mqdp030nj6n7pa9n03y0zrkczajm96rcn7ye/MIRZA -decimals = 6 +[Phepe] +peggy_denom = inj1mtt0a4evtfxazpxjqlv5aesdn3mnysl78lppts +decimals = 8 -[MITHU] -peggy_denom = inj1uh3nt2d0q69hwsgge4z38rm2vg9h7hugdnf5wx -decimals = 6 +[Pie] +peggy_denom = inj1m707m3ngxje4adfr86tll8z7yzm5e6eln8e3kr +decimals = 18 -[MIYOYO] -peggy_denom = factory/inj1xuds68kdmuhextjew8zlt73g5ku7aj0g7tlyjr/miyoyo +[PigFucker] +peggy_denom = factory/inj17p7p03yn0z6zmjwk4kjfd7jh7uasxwmgt8wv26/pigfucker decimals = 6 -[MKEY] -peggy_denom = inj1jqqysx5j8uef2kyd32aczp3fktl46aqh7jckd5 +[Pigs] +peggy_denom = inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf decimals = 18 -[MKR] -peggy_denom = ibc/E8C65EFAB7804152191B8311F61877A36779277E316883D8812D3CBEFC79AE4F -decimals = 18 +[Pikachu] +peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/pika +decimals = 6 -[MNC] -peggy_denom = inj1fr693adew9nnl64ez2mmp46smgn48c9vq2gv6t +[PingDevRtard] +peggy_denom = inj1c8v52n2wyye96m4xwama3pwqkdc56gw03dlkcq decimals = 18 -[MNINJA] -peggy_denom = inj1cv3dxtjpngy029k5j0mmsye3qrg0uh979ur920 +[Point Token] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 decimals = 18 -[MNP] -peggy_denom = inj1s02f4aygftq6yhpev9dmnzp8889g5h3juhd5re -decimals = 18 +[Polkadot] +peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 +decimals = 10 -[MNTA] -peggy_denom = ibc/A4495880A4A2E3C242F63C710F447BAE072E1A4C2A22F1851E0BB7ABDD26B43D +[Popeye] +peggy_denom = ibc/833095AF2D530639121F8A07E24E5D02921CA19FF3192D082E9C80210515716C decimals = 6 -[MOAR] -peggy_denom = ibc/D37C63726080331AF3713AA59B8FFD409ABD44F5FDB4685E5F3AB43D40108F6F +[Punk DAO Token] +peggy_denom = factory/inj1esz96ru3guug4ctmn5chjmkymt979sfvufq0hs/PUNK decimals = 6 -[MOBX] -peggy_denom = ibc/D80D1912495833112073348F460F603B496092385558F836D574F86825B031B4 -decimals = 9 +[Punk Token] +peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +decimals = 18 -[MOGD] -peggy_denom = inj1yycep5ey53zh2388k6m2jmy4s4qaaurmjhcatj +[Pyth Network (legacy)] +peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy decimals = 6 -[MOJO] -peggy_denom = inj14ttljn98g36yp6s9qn59y3xsgej69t53ja2m3n +[QAT] +peggy_denom = inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen +decimals = 8 + +[QNT] +peggy_denom = peggy0x4a220E6096B25EADb88358cb44068A3248254675 decimals = 18 -[MOL] -peggy_denom = factory/inj1fnpmp99kclt00kst3ht8g0g44erxr5wx6fem9x/MOL -decimals = 6 +[QOC] +peggy_denom = inj1czcj5472ukkj6pect59z5et39esr3kvquxl6dh +decimals = 8 -[MOM] -peggy_denom = inj17p7q5jrc6y00akcjjwu32j8kmjkaj8f0mjfn9p -decimals = 6 +[QTUM] +peggy_denom = factory/inj1jgc9ptfwgyapfrr0kgdjjnwpdqck24pp59uma3/qtum +decimals = 0 -[MOMO] -peggy_denom = factory/inj12kja5s3dngydnhmdm69v776mkfrf7nuzclwzc4/MOMO +[QTest] +peggy_denom = factory/inj1dda3mee75nppg9drvx8zc88zdj4qzvmlnrtrnh/QTest decimals = 6 -[MONKEY] -peggy_denom = factory/inj1zgpg4laenyplsjeqz4pxfhmsv55vcx70lf2sgz/MONKEY +[QUNT] +peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt decimals = 6 -[MONKS] -peggy_denom = inj1fy4hd7gqtdzp6j84v9phacm3f998382yz37rjd -decimals = 18 - -[MOO] -peggy_denom = factory/inj10tj05gfpxgnmpr4q7rhxthuknc6csatrp0uxff/moo +[QUOK] +peggy_denom = factory/inj1jdnjwhcjhpw8v0cmk80r286w5d426ns6tw3nst/QUOK decimals = 6 -[MOON] -peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/MOON +[Quants] +peggy_denom = factory/inj1yttneqwxxc4qju4p54549p6dq2j0d09e7gdzx8/Quants decimals = 6 -[MOONIFY] -peggy_denom = factory/inj1ktq0gf7altpsf0l2qzql4sfs0vc0ru75cnj3a6/moonify -decimals = 6 +[RAA] +peggy_denom = inj1vzpjnmm4s9qa74x2n7vgcesq46afjj5yfwvn4q +decimals = 18 -[MOONTRADE] -peggy_denom = inj19fzjd8rungrlmkujr85v0v7u7xm2aygxsl03cy -decimals = 8 +[RAB] +peggy_denom = inj1xmdyafnth7g6pvg6zd687my3ekw3htvh95t2c8 +decimals = 18 -[MOR] -peggy_denom = inj13vyz379revr8w4p2a59ethm53z6grtw6cvljlt -decimals = 8 +[RAC] +peggy_denom = inj1y6dgj675ttk2tzeasdwsk6n7etn0cfh9wz20vy +decimals = 18 -[MORKIE] -peggy_denom = inj1k30vrj8q6x6nfyn6gpkxt633v3u2cwncpxflaa +[RAD] +peggy_denom = inj1r9wxpyqp4a75k9dhk5qzcfmkwtrg7utgrvx0zu decimals = 18 -[MOTHER] -peggy_denom = inj1rytr7mwrentqhng3gldplyf59k23qd3x5umc36 +[RAE] +peggy_denom = inj1lvtcdka9prgtugcdxeyw5kd9rm35p0y2whwj7j decimals = 18 -[MOX] -peggy_denom = inj1w86sch2d2zmpw0vaj5sn2hdy6evlvqy5kx3mf0 +[RAF] +peggy_denom = inj1l8hztn806saqkacw8rur4qdgexp6sl7k0n6xjm decimals = 18 -[MPEPE] -peggy_denom = mpepe +[RAG] +peggy_denom = inj1k45q0qf0jwepajlkqcx5a6w833mm0lufzz0kex decimals = 18 -[MRKO] -peggy_denom = inj10wufg9exwgr8qgehee9q8m8pk25c62wwul4xjx -decimals = 8 +[RAH] +peggy_denom = inj1mpcxzhkk0c7wjrwft2xafsvds9un59gfdml706 +decimals = 18 -[MRZ] -peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/mirza +[RAI] +peggy_denom = peggy0x03ab458634910AaD20eF5f1C8ee96F1D6ac54919 +decimals = 18 + +[RAMEN] +peggy_denom = factory/inj1z5utcc5u90n8a5m8gv30char6j4hdzxz6t3pke/ramen decimals = 6 -[MT] -peggy_denom = inj1exeh9j6acv6375mv9rhwtzp4qhfne5hajncllk -decimals = 8 +[RAMEN2] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN2 +decimals = 6 -[MUBI] -peggy_denom = factory/inj1fzhwjv2kjv7xr2h4phue5yqsjawjypcamcpl5a/mubi +[RAMEN22] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN22 decimals = 6 -[MUSHROOM] -peggy_denom = inj1wchqefgxuupymlumlzw2n42c6y4ttjk9a9nedq +[RAMENV2] +peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMENV2 decimals = 6 -[MUSK] -peggy_denom = inj1em3kmw6dmef39t7gs8v9atsvzkprdr03k5h5ej +[RAMSES] +peggy_denom = inj1jttaxqcjtsys54k3m6mx4kzulzasg4tc6hhpp6 decimals = 8 -[MYRK] -peggy_denom = ibc/48D1DA9AA68C949E27BAB39B409681292035ABF63EAB663017C7BEF98A3D118E +[RAPTR] +peggy_denom = ibc/592FDF11D4D958105B1E4620FAECAA6708655AB815F01A01C1540968893CDEBF decimals = 6 -[MYSTERYBOX1] -peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/MYSTERYBOX1 -decimals = 0 +[RATJA] +peggy_denom = inj1kl5pzllv782r8emj3umgn3dwcewc6hw6xdmvrv +decimals = 18 -[MacTRUMP] -peggy_denom = inj10gsw06ee0ppy7ltqeqhagle35h0pnue9nnsetg +[RAY] +peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/RAY decimals = 6 -[Maga] -peggy_denom = inj1wey50ukykccy8h6uaacln8naz5aahhsy09h4x0 -decimals = 6 +[REAL] +peggy_denom = inj1uhralmk73lkxeyd9zhskmzz44lsmcxneluqgp9 +decimals = 18 -[Mak] -peggy_denom = inj1vpks54yg6kwtsmt9r2psclcp0gmkgma3c3rvmg +[REALS] +peggy_denom = inj1g3l8chts5wrt437tkpmuy554wcky6devphqxf0 decimals = 18 -[MantaInj] -peggy_denom = inj1qzc2djpnpg9n5jjcjzayl0dn4gjvft77yfau52 -decimals = 8 +[RED] +peggy_denom = inj15ytmt6gng36relzntgz0qmgfqnygluz894yt28 +decimals = 18 -[Mark] -peggy_denom = factory/inj1uw9z3drc0ea680e4wk60lmymstx892nta7ycyt/MARK -decimals = 6 +[REDINJ] +peggy_denom = inj1jkts7lhvwx27z92l6dwgz6wpyd0xf9wu6qyfrh +decimals = 18 -[Marshmello] -peggy_denom = inj1aw5t8shvcesdrh47xfyy9x9j0vzkhxuadzv6dw +[REFIs] +peggy_denom = factory/inj1uklzzlu9um8rq922czs8g6f2ww760xhvgr6pat/REFIs decimals = 6 -[MartialArts] -peggy_denom = factory/inj1tjspc227y7ck52hppnpxrmhfj3kd2pw3frjw8v/MartialArts +[REIS] +peggy_denom = ibc/444BCB7AC154587F5D4ABE36EF6D7D65369224509DCBCA2E27AD539519DD66BB decimals = 6 -[Matr1x AI] -peggy_denom = inj1gu7vdyclf2fjf9jlr6dhzf34kcxchjavevuktl -decimals = 8 - -[MelonMask] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/melonmask +[RETRO] +peggy_denom = ibc/ACDEFBA440F37D89E2933AB2B42AA0855C30852588B7DF8CD5FBCEB0EB1471EB decimals = 6 -[Meme] -peggy_denom = factory/inj1c72uunyxvpwfe77myy7jhhjtkqdk3csum846x4/Meme -decimals = 4 - -[MemeCoin] -peggy_denom = inj12dag0a67uxcvs5x730lpq0pdsatgmx8ktqeafl -decimals = 8 - -[Men In Black] -peggy_denom = factory/inj1q3xa3r638hmpu2mywg5r0w8a3pz2u5l9n7x4q2/MeninblackINJ +[RHINO] +peggy_denom = inj1t5f60ewnq8hepuvmwnlm06h0q23fxymldh0hpr decimals = 6 -[Messi] -peggy_denom = inj1lvq52czuxncydg3f9z430glfysk4yru6p4apfr +[RIBBIT] +peggy_denom = peggy0xb794Ad95317f75c44090f64955954C3849315fFe decimals = 18 -[MetaOasis] -peggy_denom = inj1uk7dm0ws0eum6rqqfvu8d2s5vrwkr9y2p7vtxh -decimals = 8 +[RICE] +peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/rice +decimals = 12 -[MetaPX] -peggy_denom = inj1dntprsalugnudg7n38303l3l577sxkxc6q7qt5 +[RICHINJ] +peggy_denom = inj143l8dlvhudhzuggrp5sakwmn8kw24hutr43fe2 decimals = 8 -[Metti] -peggy_denom = inj1lgnrkj6lkrckyx23jkchdyuy62fj4773vjp3jf -decimals = 8 +[RICK] +peggy_denom = factory/inj1ga7xu92w0yxhedk92v6ckge6q76vx2hxcwxsxx/RICK +decimals = 6 -[Mew Cat] -peggy_denom = inj12pykmszt7g2l5h2q9h8vfk0w6aq2nj8waaqs7d -decimals = 8 +[RIP] +peggy_denom = inj1eu8ty289eyjvm4hcrg70n4u95jggh9eekfxs5y +decimals = 18 -[Minions] -peggy_denom = inj1wezquktplhkx9gheczc95gh98xemuxqv4mtc84 +[RITSU] +peggy_denom = inj17cqglnfpx7w20pc6urwxklw6kkews4hmfj6z28 +decimals = 18 + +[RKO] +peggy_denom = factory/inj1muuaghrdm2rfss9cdpxzhk3v7xqj8ltngrm0xd/RKO decimals = 6 -[MitoTutorial] -peggy_denom = factory/inj1m3ea9vs5scly8c5rm6l3zypknfckcc3xzu8u5v/Test +[RKT] +peggy_denom = factory/inj1af5v85xm5upykzsjj29lpr9dyp4n37746kpfmq/RKT decimals = 6 -[Money] -peggy_denom = inj108rxfpdh8q0pyrnnp286ftj6jctwtajjeur773 +[RNDR] +peggy_denom = inj1092d3j7yqup5c8lp92vv5kadl567rynj59yd92 decimals = 18 -[Monks] -peggy_denom = factory/inj148sjw9h9n3n8gjw37reetwdlc7v4hfhl8r7vv3/Monks +[ROAR] +peggy_denom = ibc/E6CFB0AC1D339A8CBA3353DF0D7E080B4B14D026D1C90F63F666C223B04D548C decimals = 6 -[Moon] -peggy_denom = inj143ccar58qxmwgxr0zcp32759z5nsvseyr2gm7c -decimals = 18 - -[Moon ] -peggy_denom = inj1e3gqdkr2v7ld6m3620lgddfcarretrca0e7gn5 +[ROB] +peggy_denom = inj1x6lvx8s2gkjge0p0dnw4vscdld3rdcw94fhter decimals = 18 -[Moonlana] -peggy_denom = inj1trg4pfcu07ft2dhd9mljp9s8pajxeclzq5cnuw -decimals = 8 +[ROCK] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/rock +decimals = 6 -[Morc] -peggy_denom = inj1vnwc3n4z2rewaetwwxz9lz46qncwayvhytpddl +[ROCKET] +peggy_denom = inj1zrw6acmpnghlcwjyrqv0ta5wmzute7l4f0n3dz decimals = 8 -[MrT] -peggy_denom = inj1hrhfzv3dfzugfymf7xw37t0erp32f2wkcx3r74 -decimals = 6 +[ROLL] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 +decimals = 18 -[Multichain USDC] -peggy_denom = ibc/610D4A1B3F3198C35C09E9AF7C8FB81707912463357C9398B02C7F13049678A8 +[ROM] +peggy_denom = inj16w9qp30vrpng8kr83efvmveen688klvtd00qdy decimals = 6 -[MySymbol] -peggy_denom = inj1t6hampk8u4hsrxwt2ncw6xx5xryansh9mg94mp +[ROMAN] +peggy_denom = inj1h3z3gfzypugnctkkvz7vvucnanfa5nffvxgh2z decimals = 18 -[MyTokenOne] -peggy_denom = inj13m7h8rdfvr0hwvzzvufwe2sghlfd6e45rz0txa -decimals = 18 +[RONI] +peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/RONI +decimals = 6 -[MyTokenZero] -peggy_denom = inj1kzk2h0g6glmlwamvmzq5jekshshkdez6dnqemf -decimals = 18 +[RONIN] +peggy_denom = inj142hawfqncg5hd3z7rvpvx7us0h7c4mwjmeslpu +decimals = 6 -[NAKI] -peggy_denom = factory/inj10lauc4jvzyacjtyk7tp3mmwtep0pjnencdsnuc/NAKI +[RONOLDO] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/ronoldo decimals = 6 -[NAMI] -peggy_denom = ibc/B82AA4A3CB90BA24FACE9F9997B75359EC72788B8D82451DCC93986CB450B953 +[ROOT] +peggy_denom = peggy0xa3d4BEe77B05d4a0C943877558Ce21A763C4fa29 decimals = 6 -[NARUTO] -peggy_denom = factory/inj16x0d8udzf2z2kjkdlr9ehdt7mawn9cckzt927t/naruto +[RSNL] +peggy_denom = factory/inj1uvexgrele9lr5p87kksg6gmz2telncpe0mxsm6/RSNL decimals = 6 -[NAWU] -peggy_denom = inj1y5qs5nm0q5qz62lxkeq5q9hpkh050pfn2j6mh4 +[RSTK] +peggy_denom = ibc/102810E506AC0FB1F14755ECA7A1D05066E0CBD574526521EF31E9B3237C0C02 +decimals = 6 + +[RTD] +peggy_denom = inj1ek524mnenxfla235pla3cec7ukmr3fwkgf6jq3 decimals = 18 -[NBD] -peggy_denom = factory/inj1ckw2dxkwp7ruef943x50ywupsmxx9wv8ahdzkt/NBD +[RUDY] +peggy_denom = factory/inj1ykggxun6crask6eywr4a2lfy36f4we5l9rg2an/RUDY decimals = 6 -[NBLA] -peggy_denom = factory/inj1d0zfq42409a5mhdagjutl8u6u9rgcm4h8zfmfq/nbla +[RUG] +peggy_denom = factory/inj174r3j8pm93gfcdu0g36dg6g7u0alygppypa45e/RUG decimals = 6 -[NBOY] -peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/NBOY +[RUGAOI] +peggy_denom = factory/inj1pe8rs2gfmem5ak8vtqkduzkgcyargk2fg6u4as/RUGAOI decimals = 6 -[NBZ] -peggy_denom = ibc/1011E4D6D4800DA9B8F21D7C207C0B0C18E54E614A8576037F066B775210709D +[RUGMYASS] +peggy_denom = inj18n9rpsstxsxgpmgegkn6fsvq9x3alqekqddgnq +decimals = 18 + +[RUGPULL] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/RUGPULL decimals = 6 -[NBZAIRDROP] -peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZAIRDROP -decimals = 0 +[RUMBLERZ] +peggy_denom = inj1pcwdvq866uqd8lhpmasya2xqw9hk2u0euvvqxl +decimals = 8 -[NBZPROMO1] -peggy_denom = factory/inj1llr45x92t7jrqtxvc02gpkcqhqr82dvyzkr4mz/NBZPROMO1 -decimals = 0 +[RUNE] +peggy_denom = peggy0x3155BA85D5F96b2d030a4966AF206230e46849cb +decimals = 18 -[NCACTE] -peggy_denom = factory/inj1zpgcfma4ynpte8lwfxqfszddf4nveq95prqyht/NCACTE +[RYAN] +peggy_denom = inj1mng4fr0ckvrq8xvgtsjrj6mqzm7passfzjqxcx decimals = 6 -[NCH] -peggy_denom = inj1d8pmcxk2grd62pwcy4q58l2vqh98vwkjx9nsvm -decimals = 8 +[RYU] +peggy_denom = factory/inj1cm0jn67exeqm5af8lrlra4epfhyk0v38w98g42/ryu +decimals = 18 -[NCOQ] -peggy_denom = factory/inj13gc6rhwe73hf7kz2fwpall9h73ft635yss7tas/NCOQ +[Rai Reflex Index] +peggy_denom = ibc/27817BAE3958FFB2BFBD8F4F6165153DFD230779994A7C42A91E0E45E8201768 +decimals = 18 + +[RealMadrid] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/RealMadrid decimals = 6 -[NEO] -peggy_denom = inj12hnvz0xs4mnaqh0vt9suwf8puxzd7he0mukgnu -decimals = 8 +[Rice Token] +peggy_denom = inj1j6qq40826d695eyszmekzu5muzmdey5mxelxhl +decimals = 18 -[NEOK] -peggy_denom = ibc/F6CC233E5C0EA36B1F74AB1AF98471A2D6A80E2542856639703E908B4D93E7C4 +[Rise] +peggy_denom = inj123aevc4lmpm09j6mqemrjpxgsa7dncg2yn2xt7 decimals = 18 -[NEPT] -peggy_denom = inj1464m9k0njt596t88chlp3nqg73j2fzd7t6kvac +[Roll] +peggy_denom = inj15wuxx78q5p9h7fqg3ux7zljczj7jh5qxqhrevv decimals = 18 -[NETZ] -peggy_denom = inj1dg27j0agxx8prrrzj5y8hkw0tccgwfuwzr3h50 -decimals = 8 +[Roll Token] +peggy_denom = inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 +decimals = 18 -[NEURA] -peggy_denom = peggy0x3D1C949a761C11E4CC50c3aE6BdB0F24fD7A39DA +[Rush] +peggy_denom = inj1r2gjtqgzhfcm4wgvmctpuul2m700v4ml24l7cq decimals = 18 -[NEURAL] -peggy_denom = factory/inj1esryrafqyqmtm50wz7fsumvq0xevx0q0a9u7um/NEURAL +[SAE] +peggy_denom = factory/inj152mdu38fkkk4fl7ycrpdqxpm63w3ztadgtktyr/SAE decimals = 6 -[NEWF] -peggy_denom = inj1uhqyzzmjq2czlsejqjg8gpc00gm5llw54gr806 +[SAFAS] +peggy_denom = inj1vphq25x2r69mpf2arzsut8yxcav709kwd3t5ck decimals = 18 -[NEWS] -peggy_denom = factory/inj1uw4cjg4nw20zy0y8z8kyug7hum48tt8ytljv50/NEWS +[SAFEMOON] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/safemoon decimals = 6 -[NEWSHROOM] -peggy_denom = inj1e0957khyf2l5knwtdnzjr6t4d0x496fyz6fwja +[SAGA] +peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 decimals = 6 -[NEWT] -peggy_denom = inj1k4gxlzrqvmttwzt2el9fltnzcdtcywutxqnahw -decimals = 18 - -[NEWTON] -peggy_denom = inj14a7q9frkgtvn53xldccsvmz8lr5u6qffu7jmmx -decimals = 8 +[SAIL] +peggy_denom = ibc/2718A31D59C81CD1F972C829F097BDBE32D7B84025F909FFB6163AAD314961B3 +decimals = 6 -[NEWYEARINJ] -peggy_denom = inj1980cshwxa5mnptp6vzngha6h2qe556anm4zjtt -decimals = 8 +[SAKE] +peggy_denom = factory/inj1mdyw30cuct3haazw546t4t92sadeuwde0tmqxx/SAKE +decimals = 6 -[NEXO] -peggy_denom = peggy0xB62132e35a6c13ee1EE0f84dC5d40bad8d815206 -decimals = 18 +[SAKI] +peggy_denom = factory/inj1gg43076kmy0prkxtn5xxka47lfmwwjsq6ygcfa/SAKI +decimals = 6 -[NEYMAR] -peggy_denom = inj1s2ealpaglaz24fucgjlmtrwq0esagd0yq0f5w5 +[SAKURA] +peggy_denom = factory/inj183fjyma33jsx0wndkmk69yukk3gpll7gunkyz6/sakura decimals = 6 -[NFA] -peggy_denom = factory/inj1c5gk9y20ptuyjlul0w86dsxhfttpjgajhvf9lh/NFA +[SALT] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/salt decimals = 6 -[NFCTV] -peggy_denom = factory/inj14mn4n0lh52vxttlg5a4nx58pnvc2ntfnt44y4j/NFCTV +[SAM] +peggy_denom = factory/inj1wuw7wa8fvp0leuyvh9ypzmndduzd5vg0xc77ha/sam decimals = 6 -[NFT] -peggy_denom = factory/inj1zchn2chqyv0cqfva8asg4lx58pxxhmhhhgx3t5/NFT +[SAMI] +peggy_denom = factory/inj13jvw7hl6hkyg8a8ltag47xyzxcc6h2qkk0u9kr/SAMI decimals = 6 -[NI] -peggy_denom = factory/inj1kzaaapa8ux4z4lh8stm6vv9c5ykhtwl84zxrtl/ni +[SAMOORAII] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SAMOORAII decimals = 6 -[NICO] -peggy_denom = ibc/EED3F204DCABACBEB858B0A56017070283098A81DEB49F1F9D6702309AA7F7DE +[SAMP] +peggy_denom = inj1xd2l3406kypepnnczcn6fm0lnmsk6qk7dakryn decimals = 18 -[NIF] -peggy_denom = factory/inj1pnwrzhnjfncxgf4jkv3zadf542tpfc3xx3x4xw/NIF +[SAMURAI] +peggy_denom = factory/inj16nffej2c5xx93lf976wkp7vlhenau464rawhkc/samurai decimals = 6 -[NIGGA] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/nigga +[SANSU] +peggy_denom = factory/inj1x5thnvjfwzmtxxhqckrap8ysgs2duy29m4xwsp/sansu decimals = 6 -[NIJIO] -peggy_denom = inj1lwgzxuv0wkz86906dfssuwgmhld8705tzcfhml -decimals = 18 +[SANTA] +peggy_denom = factory/inj12qf874wcfxtxt004qmuhdtxw4l6d0f5w6cyfpz/santa +decimals = 6 -[NIKE] -peggy_denom = inj1e2ee7hk8em3kxqxc0uuupzpzvrcda85s3lx37h -decimals = 18 +[SANTABONK] +peggy_denom = inj1zjdtxmvkrxcd20q8nru4ws47nemkyxwnpuk34v +decimals = 8 -[NIM] -peggy_denom = ibc/C1BA2AC55B969517F1FCCFC47779EC83C901BE2FC3E1AFC8A59681481C74C399 -decimals = 18 +[SANTAGODX] +peggy_denom = inj1j8nvansvyvhnz4vzf5d8cyjpwu85ksdhyjf3n4 +decimals = 8 -[NIN] -peggy_denom = inj1d0z43f50a950e2vdzrlu7w8yeyy0rp5pdey43v +[SANTAINJ] +peggy_denom = inj17cqy5lr4gprjgnlv0j2mw4rhqfhr9zpupkur8t +decimals = 8 + +[SANTAMEME] +peggy_denom = inj1dds0a220twm3pjprypmy0qun3cn727hzj0tpaa +decimals = 8 + +[SASUKE] +peggy_denom = inj1alpg8nw7lw8uplsrah8q0qn66rqq0fxzd3wf9f decimals = 18 -[NINISHROOM] -peggy_denom = inj1vlgszdzq75lh56t5nqvxz28u0d9ftyve6pglxr +[SATOSHIVM] +peggy_denom = inj1y7pvzc8h05e8qs9de2c9qcypxw6xkj5wttvm70 +decimals = 8 + +[SATS] +peggy_denom = inj1ck568jpww8wludqh463lk6h32hhe58u0nrnnxe +decimals = 8 + +[SAVEOURSTRAYS] +peggy_denom = factory/inj1a5h6erkyttcsyjmrn4k3rxyjuktsxq4fnye0hg/SAVEOURSTRAYS +decimals = 6 + +[SAVM] +peggy_denom = inj1wuw0730q4rznqnhkw2nqwk3l2gvun7mll9ew3n decimals = 6 -[NINJ] -peggy_denom = factory/inj13m5k0v69lrrng4y3h5895dlkr6zcp272jmhrve/Ninjutsu +[SAYVE] +peggy_denom = ibc/DF2B99CF1FEA6B292E79617BD6F7EF735C0B47CEF09D7104E270956E96C38B12 decimals = 6 -[NINJA] -peggy_denom = factory/inj1xtel2knkt8hmc9dnzpjz6kdmacgcfmlv5f308w/ninja +[SB] +peggy_denom = inj1cqq89rjk4v5a0teyaefqje3skntys7q6j5lu2p +decimals = 8 + +[SBF] +peggy_denom = factory/inj1j2me24lslpaa03fw8cuct8586t6f6qf0wcf4fm/SBF decimals = 6 -[NINJA MEME] -peggy_denom = inj1dypt8q7gc97vfqe37snleawaz2gp7hquxkvh34 +[SCAM] +peggy_denom = inj1f9rppeq5yduz2te5fxxwnalg54lsa3ac6da5fg decimals = 18 -[NINJA WIF HAT] -peggy_denom = inj1pj40tpv7algd067muqukfer37swt7esymxx2ww +[SCLX] +peggy_denom = factory/inj1faq30xe497yh5ztwt00krpf9a9lyakg2zhslwh/SCLX decimals = 6 -[NINJAGO] -peggy_denom = factory/inj19025raqd5rquku4ha42age7c6r7ws9jg6hrulx/NINJAGO +[SCORPION] +peggy_denom = factory/inj10w3p2qyursc03crkhg9djdm5tnu9xg63r2zumh/scorpion decimals = 6 -[NINJAMOON] -peggy_denom = inj1etlxd0j3u83d8jqhwwu3krp0t4chrvk9tzh75e +[SCRT] +peggy_denom = ibc/0954E1C28EB7AF5B72D24F3BC2B47BBB2FDF91BDDFD57B74B99E133AED40972A decimals = 6 -[NINJANGROK] -peggy_denom = inj17006r28luxtfaf7hn3jd76pjn7l49lv9le3983 -decimals = 6 +[SDEX] +peggy_denom = peggy0x5DE8ab7E27f6E7A1fFf3E5B337584Aa43961BEeF +decimals = 18 -[NINJAPE] -peggy_denom = factory/inj1rvg9a58qtcf8f464w2hkynrvpnl9x59wsaq922/NINJAPE +[SDOGE] +peggy_denom = inj1525sjr836apd4xkz8utflsm6e4ecuhar8qckhd +decimals = 8 + +[SEAS] +peggy_denom = ibc/FF5AC3E28E50C2C52063C18D0E2F742B3967BE5ACC6D7C8713118E54E1DEE4F6 decimals = 6 -[NINJAPEPE] -peggy_denom = inj1jhufny7g2wjv4yjh5za97jauemwmecflvuguty +[SECOND] +peggy_denom = inj1rr08epad58xlg5auytptgctysn7lmsk070qeer decimals = 18 -[NINJAS] -peggy_denom = factory/inj1j3rm46nj4z8eckv5333897z7esectj64kufs4a/NINJAS +[SEI] +peggy_denom = factory/inj1hae0z4qsxw90ghy249ymghyz2ewa0ww3qrkyx2/SEI decimals = 6 -[NINJASAMURAI] -peggy_denom = inj1kfr9r9vvflgyka50yykjm9l02wsazl958jffl2 +[SEIFU] +peggy_denom = inj1jtenkjgqhwxdl93eak2aark5s9kl72awc4rk47 decimals = 6 -[NINJATRUMP] -peggy_denom = factory/inj1f95tm7382nhj42e48s427nevh3rkj64xe7da5z/NINJATRUMP +[SEISEI] +peggy_denom = factory/inj1lm95gdmz7qatcgw933t97rg58wnzz3dpxv7ldk/SEISEI decimals = 6 -[NINJAWIFHAT] -peggy_denom = factory/inj1xukaxxx4yuaz6xys5dpuhe60un7ct9umju5ash/NWIF -decimals = 6 +[SEIWHAT?] +peggy_denom = inj1qjgtplwsrflwgqjy0ffp72mfzckwsqmlq2ml6n +decimals = 8 -[NINJB] -peggy_denom = factory/inj1ezzzfm2exjz57hxuc65sl8s3d5y6ee0kxvu67n/ninjb +[SEIYAN] +peggy_denom = ibc/ECC41A6731F0C6B26606A03C295236AA516FA0108037565B7288868797F52B91 decimals = 6 -[NINJT] -peggy_denom = inj1tp3cszqlqa7e08zcm78r4j0kqkvaccayhx97qh -decimals = 18 - -[NINPO] -peggy_denom = inj1sudjgsyhufqu95yp7rqad3g78ws8g6htf32h88 +[SEKIRO] +peggy_denom = factory/inj1nn8xzngf2ydkppk2h0n9nje72ttee726hvjplx/Sekiro decimals = 6 -[NINU] -peggy_denom = inj14057e7c29klms2fzgjsm5s6serwwpeswxry6tk +[SENJU] +peggy_denom = factory/inj1qdamq2fk7xs6m34qv8swl9un04w8fhk42k35e5/SENJU decimals = 6 -[NINZA] -peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/NINZA +[SENSEI] +peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/sensei decimals = 6 -[NITROID] -peggy_denom = inj1f7srklvw4cf6net8flmes4mz5xl53mcv3gs8j9 -decimals = 8 +[SEQUENCE] +peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/sequence +decimals = 6 -[NJO] -peggy_denom = inj1c8jk5qh2lhmvqs33z4y0l84trdu7zhgtd3aqrd +[SER] +peggy_denom = inj128cqeg7a78k64xdxsr6v5s6js97dxjgxynwdxc decimals = 18 -[NLB] -peggy_denom = inj10s6mwhlv44sf03d5lfk4ntmplsujgftu587rzq -decimals = 18 +[SEUL] +peggy_denom = ibc/1C17C28AEA3C5E03F1A586575C6BE426A18B03B48C11859B82242EF32D372FDA +decimals = 6 -[NLBZ] -peggy_denom = inj1qfmf6gmpsna8a3k6da2zcf7ha3tvf2wdep6cky -decimals = 18 +[SEX] +peggy_denom = factory/inj174r3j8pm93gfcdu0g36dg6g7u0alygppypa45e/SEX +decimals = 6 -[NLBZZ] -peggy_denom = inj1rn2yv784zf90yyq834n7juwgeurjxly8xfkh9d +[SHARINGAN] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SHARINGAN decimals = 18 -[NLC] -peggy_denom = inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4 +[SHARK] +peggy_denom = ibc/08B66006A5DC289F8CB3D7695F16D211D8DDCA68E4701A1EB90BF641D8637ACE decimals = 6 -[NLT] -peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/NLT -decimals = 18 - -[NNJG] -peggy_denom = inj1e8eqle6queaywa8w2ns0u9m7tldz9vv44s28p2 -decimals = 18 +[SHARP] +peggy_denom = inj134p6skwcyjac60d2jtff0daps7tvzuqj4n56fr +decimals = 8 -[NOBI] -peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +[SHB] +peggy_denom = inj19zzdev3nkvpq26nfvdcm0szp8h272u2fxf0myv decimals = 6 -[NOBITCHES] -peggy_denom = factory/inj14n8f39qdg6t68s5z00t4vczvkcvzlgm6ea5vk5/nobitches +[SHBL] +peggy_denom = factory/inj1zp8a6nhhf3hc9pg2jp67vlxjmxgwjd8g0ck9mq/SHBL decimals = 6 -[NOGGA] -peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/NOGGA +[SHENZI] +peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/SHENZI decimals = 6 -[NOIA] -peggy_denom = peggy0xa8c8CfB141A3bB59FEA1E2ea6B79b5ECBCD7b6ca -decimals = 18 - -[NOIS] -peggy_denom = ibc/DD9182E8E2B13C89D6B4707C7B43E8DB6193F9FF486AFA0E6CF86B427B0D231A +[SHI] +peggy_denom = inj1w7wwyy6pjs9k2ecxte8p6tp8g7kh6k3ut402af decimals = 6 -[NONE] -peggy_denom = peggy0x903ff0ba636E32De1767A4B5eEb55c155763D8B7 +[SHIB] +peggy_denom = peggy0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE decimals = 18 -[NONJA] -peggy_denom = inj1zfcny0x77lt6z4rg04zt2mp6j4zuwm5uufkguz +[SHIBINJ] +peggy_denom = factory/inj13yzzxz90naqer4utnp03zlj5rguhu7v0hd2jzl/SHIBINJ decimals = 6 -[NORUG] -peggy_denom = inj1vh38phzhnytvwepqv57jj3d7q2gerf8627dje3 -decimals = 18 - -[NOVA] -peggy_denom = inj1dqcyzn9p48f0dh9xh3wxqv3hs5y3lhqr43ecs0 -decimals = 8 - -[NPEPE] -peggy_denom = factory/inj1ga982yy0wumrlt4nnj79wcgmw7mzvw6jcyecl0/NPEPE +[SHIELD] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SHIELD decimals = 6 -[NSTK] -peggy_denom = ibc/35366063B530778DC37A16AAED4DDC14C0DCA161FBF55B5B69F5171FEE19BF93 +[SHINJ] +peggy_denom = factory/inj1h3vg2546p42hr955a7fwalaexjrypn8npds0nq/SHINJ decimals = 6 -[NTRL] -peggy_denom = ibc/4D228A037CE6EDD54034D9656AE5850BDE871EF71D6DD290E8EC81603AD40899 +[SHINJU] +peggy_denom = factory/inj1my757j0ndftrsdf2tuxsdhhy5qfkpuxw4x3wnc/shinju decimals = 6 -[NTRN] -peggy_denom = ibc/E8E84092B9063AAC97846712D43D6555928073B8A0BFFCC2549E55EE224F1610 +[SHINOBI] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/SHINOBI decimals = 6 -[NTRUMP] -peggy_denom = inj16dv3vfngtaqfsvd07436f6v4tgzxu90f0hq0lz +[SHIRO] +peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/shiro decimals = 6 -[NTY] -peggy_denom = inj1zzfltckwxs7tlsudadul960w7rdfjemlrehmrd -decimals = 18 +[SHITMOS] +peggy_denom = ibc/96C34D4D443A2FBCA10B120679AB50AE61195DF9D48DEAD60F798A6AC6B3B653 +decimals = 6 -[NUDES] -peggy_denom = factory/inj1dla04adlxke6t4lvt20xdxc9jh3ed609dewter/NUDES +[SHOGUN] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/shogun decimals = 6 -[NUIT] -peggy_denom = inj1kxntfyzsqpug6gea7ha4pvmt44cpvmtma2mdkl -decimals = 18 +[SHRK] +peggy_denom = factory/inj15xhherczv9q83lgdx3zna66s3pcznq6v2sh53d/SHRK +decimals = 6 -[NUN] -peggy_denom = inj15sgutwwu0ha5dfs5zwk4ctjz8hjmkc3tgzvjgf +[SHROOM] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1300xcg9naqy00fujsr9r8alwk7dh65uqu87xm8 decimals = 18 -[NUNCHAKU] -peggy_denom = inj12q6sut4npwhnvjedht574tmz9vfrdqavwq7ufw +[SHSA] +peggy_denom = inj1tsrxu2pxusyn24zgxyh2z36apxmhu22jfwd4v7 decimals = 18 -[NWIF] -peggy_denom = factory/inj10l4tnj73fl3wferljef802t63n9el49ppnv6a8/nwif +[SHT] +peggy_denom = factory/inj1sp8s6ng0e8a7q5dqywgyupwjyjgq2sk553t6r5/SHT decimals = 6 -[NWJNS] -peggy_denom = inj1slwarzmdgzwulzwzlr2fe87k7qajd59hggvcha +[SHU] +peggy_denom = factory/inj1mllxwgvx0zhhr83rfawjl05dmuwwzfcrs9xz6t/SHU decimals = 6 -[NYAN] -peggy_denom = factory/inj1lttm52qk6hs43vqak5qyk4hl4fzu2snq2gmg0c/nyan +[SHURIKEN] +peggy_denom = factory/inj1gflhshg8yrk8rrr3sgswhmsnygw9ghzdsn05a0/shuriken decimals = 6 -[NYX] -peggy_denom = factory/inj1fnq8xx5hye89jvhmkqycj7luyy08f3tudus0cd/nyx -decimals = 6 +[SILLY] +peggy_denom = inj19j6q86wt75p3pexfkajpgxhkjht589zyu0e4rd +decimals = 8 -[Naruto] -peggy_denom = factory/inj1j53ejjhlya29m4w8l9sxa7pxxyhjplrz4xsjqw/naruto +[SIMPSONS] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/simpsons decimals = 6 -[Naruto Token] -peggy_denom = factory/inj1gwkdx7lkpvq2ewpv29ptxdy9r95vh648nm8mp0/naruto -decimals = 6 +[SINU] +peggy_denom = inj1mxjvtp38yj866w7djhm9yjkwqc4ug7klqrnyyj +decimals = 8 -[Neptune Receipt ATOM] -peggy_denom = inj16jf4qkcarp3lan4wl2qkrelf4kduvvujwg0780 +[SJAKE] +peggy_denom = factory/inj1s4xa5jsp5sfv5nql5h3c2l8559l7rqyzckheha/SJAKE decimals = 6 -[Neptune Receipt INJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +[SKI] +peggy_denom = inj167xkgla9kcpz5gxz6ak4vrqs7nqxr08kvyfqkz decimals = 18 -[Neptune Receipt USDT] -peggy_denom = inj1cy9hes20vww2yr6crvs75gxy5hpycya2hmjg9s +[SKIBIDI] +peggy_denom = factory/inj1ztugej2ytfwj9kxa8m5md85e5z3v8jvaxapz6n/skibidi decimals = 6 -[Newt] -peggy_denom = ibc/B0A75E6F4606C844C05ED9E08335AFC50E814F210C03CABAD31562F606C69C46 +[SKIPBIDIDOBDOBDOBYESYESYESYES] +peggy_denom = peggy0x5085202d0A4D8E4724Aa98C42856441c3b97Bc6d +decimals = 9 + +[SKR] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/sakura decimals = 6 -[Nil] -peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/Nil +[SKULL] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SKULL decimals = 6 -[NinjAI] -peggy_denom = inj1u5mf7ueeym5qvvgtfkhgcu40gcc04fv7qmqx5u +[SKULLS] +peggy_denom = inj1qk4cfp3su44qzragr55fc9adeehle7lal63jpz +decimals = 18 + +[SKYPE] +peggy_denom = inj1e9nezwf7wvjj4rzfkjfad7teqjfa7r0838f6cs decimals = 18 -[Ninja] -peggy_denom = factory/inj1p0w30l464lxl8afxqfda5zxeeypnvdtx4yjc30/Ninja +[SLOTH] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/sloth decimals = 6 -[Ninja Labs Coin] -peggy_denom = factory/inj1r9h59ke0a77zkaarr4tuq25r3lt9za4r2mgyf4/NLC +[SMART] +peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/SMART decimals = 6 -[Ninja Swap] -peggy_denom = inj1lzdvr2d257lazc2824xqlpnn4q50vuyhnndqhv -decimals = 8 +[SMAUG] +peggy_denom = inj1a2wzkydpw54f8adq76dkf6kwx6zffnjju93r0y +decimals = 18 -[NinjaBoy] -peggy_denom = inj1vz8h0tlxt5qv3hegqlajzn4egd8fxy3mty2w0h -decimals = 6 +[SMB] +peggy_denom = inj13xkzlcd490ky7uuh3wwd48r4qy35hlhqxjpe0r +decimals = 18 -[NinjaCoq] -peggy_denom = inj1aapaljp62znaxy0s2huc6ka7cx7zksqtq8xnar +[SMELLY] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/SMELLY decimals = 6 -[NinjaWifHat] -peggy_denom = inj1gmch7h49qwvnn05d3nj2rzqw4l7f0y8s4g2gpf +[SMILE] +peggy_denom = factory/inj1tuwuzza5suj9hq4n8pwlfw2gfua8223jfaa6v7/SMILE decimals = 6 -[Nlc] -peggy_denom = inj17uhjy4u4aqhtwdn3mfc4w60dnaa6usg30ppr4x +[SMLE] +peggy_denom = inj13ent4rmkzf2dht7hnlhg89t527k8xn5ft92e69 decimals = 18 -[NoobDev] -peggy_denom = inj1qzlkvt3vwyd6hjam70zmr3sg2ww00l953hka0d +[SMOKE] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKE decimals = 6 -[O9W] -peggy_denom = ibc/AA206C13A2AD46401BD1E8E65F96EC9BF86051A8156A92DD08BEF70381D39CE2 +[SMOKEe] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKEe decimals = 6 -[OBEMA] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/obema +[SNAPPY] +peggy_denom = factory/inj13y5nqf8mymy9tfxkg055th7hdm2uaahs9q6q5w/SNAPPY decimals = 6 -[OCEAN] -peggy_denom = peggy0x967da4048cD07aB37855c090aAF366e4ce1b9F48 +[SNAPPY inj] +peggy_denom = inj19dfkr2rm8g5kltyu93ppgmvdzj799vug2m9jqp decimals = 18 -[OCHO] -peggy_denom = inj1ltzx4qjtgmjyglf3nnhae0qxaxezkraqdhtgcn -decimals = 8 +[SNARL] +peggy_denom = factory/inj1dskk29zmzjtc49w3fjxac4q4m87yg7gshw8ps9/SNARL +decimals = 6 -[ODIN] -peggy_denom = ibc/6ED95AEFA5D9A6F9EF9CDD05FED7D7C9D7F42D9892E7236EB9B251CE9E999701 +[SNASA] +peggy_denom = factory/inj1peusyhlu85s3gq82tz8jcfxzkszte4zeqhdthw/SNASA decimals = 6 -[OIN] -peggy_denom = ibc/CDA55861E9E491479CB52D5C89F942F5EAF221F80B7CDDBBA8EE94D3658B03B4 +[SNEK] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/snek decimals = 6 -[OIN STORE OF VALUE] -peggy_denom = ibc/486A0C3A5D9F8389FE01CF2656DF03DB119BC71C4164212F3541DD538A968B66 +[SNIPE] +peggy_denom = factory/inj16g5w38hqehsmye9yavag0g0tw7u8pjuzep0sys/SNIPE decimals = 6 -[OJO] -peggy_denom = inj1hg5ag8w3kwdn5hedn3mejujayvcy2gknn39rnl +[SNIPEONE] +peggy_denom = inj146tnhg42q52jpj6ljefu6xstatactyd09wcgwh decimals = 18 -[OMG] -peggy_denom = inj194p79raj0qjesr26kzvhx9l2y77vyshvdpcgs9 +[SNIPER] +peggy_denom = factory/inj1qzxna8fqr56g83rvyyylxnyghpguzt2jx3dgr8/SNIPER decimals = 6 -[OMI] -peggy_denom = peggy0xeD35af169aF46a02eE13b9d79Eb57d6D68C1749e +[SNJT] +peggy_denom = inj1h6hma5fahwutgzynjrk3jkzygqfxf3l32hv673 decimals = 18 -[OMNI] -peggy_denom = peggy0x36E66fbBce51e4cD5bd3C62B637Eb411b18949D4 -decimals = 18 +[SNOWY] +peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/SNOWY +decimals = 6 -[OMT] -peggy_denom = inj1tctqgl6y4mm7qlr0x2xmwanjwa0g8nfsfykap6 -decimals = 18 +[SNS] +peggy_denom = ibc/4BFB3FB1903142C5A7570EE7697636436E52FDB99AB8ABE0257E178A926E2568 +decimals = 8 -[ONE] -peggy_denom = inj1wu086fnygcr0sgytmt6pk8lsnqr9uev3dj700v +[SNX] +peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F decimals = 18 -[ONETOONE] -peggy_denom = inj1y346c6cjj0kxpcwj5gq88la9qsp88rzlw3pg98 -decimals = 18 +[SOCRATES] +peggy_denom = inj18qupdvxmgswj9kfz66vaw4d4wn0453ap6ydxmy +decimals = 8 -[ONI] -peggy_denom = inj1aexws9pf9g0h3032fvdmxd3a9l2u9ex9aklugs +[SOGGS] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/soggs +decimals = 6 + +[SOK] +peggy_denom = inj1jdpc9y459hmce8yd699l9uf2aw97q3y7kwhg7t decimals = 18 -[ONP] -peggy_denom = inj15wvxl4xq4zrx37kvh6tsqyqysukws46reywy06 +[SOKE] +peggy_denom = inj1ryqavpjvhfj0lewule2tvafnjga46st2q7dkee decimals = 18 -[ONTON] -peggy_denom = inj1a3hxfatcu7yfz0ufp233m3q2egu8al2tesu4k5 +[SOL] +peggy_denom = ibc/A8B0B746B5AB736C2D8577259B510D56B8AF598008F68041E3D634BCDE72BE97 +decimals = 8 + +[SOLANAinj] +peggy_denom = inj18e7x9myj8vq58ycdutd6eq6luy7frrp4d2nglr decimals = 6 -[OOZARU] -peggy_denom = ibc/9E161F95E105436E3DB9AFD49D9C8C4C386461271A46DBA1AB2EDF6EC9364D62 +[SOLinj] +peggy_denom = inj1n9nga2t49ep9hvew5u8xka0d4lsrxxg4cw4uaj decimals = 6 -[OP] -peggy_denom = op -decimals = 18 +[SOLlegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 +decimals = 8 -[OPHIR] -peggy_denom = ibc/19DEC3C890D19A782A3CD0C62EA8F2F8CC09D0C9AAA8045263F40526088FEEDB +[SOMM] +peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B decimals = 6 -[ORAI] -peggy_denom = ibc/C20C0A822BD22B2CEF0D067400FCCFB6FAEEE9E91D360B4E0725BD522302D565 +[SONICFLOKITRUMPSPIDERMAN INU] +peggy_denom = inj16afzhsepkne4vc7hhu7fzx4cjpgkqzagexqaz6 +decimals = 8 + +[SONINJ] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/soninj decimals = 6 -[ORN] -peggy_denom = peggy0x0258F474786DdFd37ABCE6df6BBb1Dd5dfC4434a -decimals = 8 +[SOS] +peggy_denom = inj13wdqnmv40grlmje48akc2l0azxl38d2wzl5t92 +decimals = 6 -[ORNE] -peggy_denom = ibc/3D99439444ACDEE71DBC4A774E49DB74B58846CCE31B9A868A7A61E4C14D321E +[SPDR] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/spdr decimals = 6 -[OSMO] -peggy_denom = ibc/C2025C1D34ED74CD6F9DF86CD650D92219AF645E9D0ADFFACF4E2CBECE649536 +[SPK] +peggy_denom = inj18wclk6g0qwwqxa36wd4ty8g9eqgm6q04zjgnpp +decimals = 18 + +[SPONCH] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/sponch decimals = 6 -[OUTIES] -peggy_denom = factory/inj1282wzngdg46gjuttvhxumkx65fnqx0aqmyl0lu/OUTIES +[SPOONWORMS] +peggy_denom = inj1qt3c5sx94ag3rn7403qrwqtpnqthg4gr9cccrx decimals = 6 -[OUTLINES] -peggy_denom = inj1zutqugjm9nfz4tx6rv5zzj77ts4ert0umnqsjm +[SPORTS] +peggy_denom = factory/inj1dewkg7z8vffqxk7jcer6sf9ttnx54z0c6gfjw6/SPORTS decimals = 6 -[OX] -peggy_denom = peggy0x78a0A62Fba6Fb21A83FE8a3433d44C73a4017A6f -decimals = 18 +[SPUUN] +peggy_denom = factory/inj1flkktfvf8nxvk300f2z3vxglpllpw59c563pk7/SPUUN +decimals = 6 -[Ocean Protocol] -peggy_denom = inj1cxnqp39cn972gn2qaw2qc7hrryaa52chx7lnpk +[SPUUN INJ] +peggy_denom = inj1zrd6wwvyh4rqsx5tvje6ug6qd2xtn0xgu6ylml decimals = 18 -[OjoD] -peggy_denom = inj1ku6t0pgaejg2ykmyzvfwd2qulx5gjjsae23kgm +[SQRL] +peggy_denom = peggy0x762dD004fc5fB08961449dd30cDf888efb0Adc4F decimals = 18 -[Omni Cat] -peggy_denom = factory/inj1vzmmdd2prja64hs4n2vk8n4dr8luk6522wdrgk/OMNI +[SQUID] +peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/SQUID decimals = 6 -[OmniCat] -peggy_denom = inj188rmn0k9hzdy35ue7nt5lvyd9g9ldnm0v9neyz +[SSFS] +peggy_denom = inj1m7hd99423w39aug74f6vtuqqzvw5vp0h2e85u0 +decimals = 6 + +[SSTST] +peggy_denom = factory/inj1wmu4fq03zvu60crvjdhksk62e8m08xsn9d5nv3/stream-swap-test +decimals = 0 + +[STAKELAND] +peggy_denom = inj1sx4mtq9kegurmuvdwddtr49u0hmxw6wt8dxu3v decimals = 8 -[Onj] -peggy_denom = inj1p9kk998d6rapzmfhjdp4ee7r5n4f2klu7xf8td +[STAR] +peggy_denom = inj1nkxdx2trqak6cv0q84sej5wy23k988wz66z73w decimals = 8 -[Open Exchange Token] -peggy_denom = ibc/3DC896EFF521814E914264A691D9D462A7108E96E53DE135FC4D91A370F4CD77 +[STARK] +peggy_denom = factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark +decimals = 6 + +[STARS] +peggy_denom = peggy0xc55c2175E90A46602fD42e931f62B3Acc1A013Ca decimals = 18 -[Oraichain] -peggy_denom = peggy0x4c11249814f11b9346808179Cf06e71ac328c1b5 +[STINJ] +peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 decimals = 18 -[Orcat] -peggy_denom = inj1ldp0pssszyguhhey5dufagdwc5ara09fnlq8ms +[STINJER] +peggy_denom = factory/inj1fepsfp58ff2l7fasj47ytwrrwwp6k7uz6uhfvn/stinjer +decimals = 6 + +[STL] +peggy_denom = inj1m2pce9f8wfql0st8jrf7y2en7gvrvd5wm573xc decimals = 18 -[PAMBI] -peggy_denom = factory/inj1wa976p5kzd5v2grzaz9uhdlcd2jcexaxlwghyj/PAMBI +[STRD] +peggy_denom = ibc/3FDD002A3A4019B05A33D324B2F29748E77AF501BEA5C96D1F28B2D6755F9F25 decimals = 6 -[PANDA] -peggy_denom = factory/inj1p8ey297l9qf835eprx4s3nlkesrugg28s23u0g/PANDA +[STT] +peggy_denom = peggy0xaC9Bb427953aC7FDDC562ADcA86CF42D988047Fd +decimals = 18 + +[STX] +peggy_denom = stx decimals = 6 -[PANDANINJA] -peggy_denom = factory/inj1ekvx0ftc46hqk5vfxcgw0ytd8r7u94ywjpjtt8/pandaninja +[SUGAR] +peggy_denom = factory/inj1qukvpzhyjguma030s8dmvw4lxaluvlqq5jk3je/SUGAR decimals = 6 -[PANTERA] -peggy_denom = inj1hl4y29q5na4krdpk4umejwvpw4v5c3kpmxm69q -decimals = 8 +[SUI] +peggy_denom = sui +decimals = 9 -[PARABOLIC] -peggy_denom = factory/inj126c3fck4ufvw3n0a7rsq75gx69pdxk8npnt5r5/PARABOLIC +[SUMO] +peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/sumo decimals = 6 -[PASS] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/pass +[SUMOCOCO] +peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SUMOCOCO decimals = 6 -[PAXG] -peggy_denom = peggy0x45804880De22913dAFE09f4980848ECE6EcbAf78 +[SUPE] +peggy_denom = factory/inj1rl4sadxgt8c0qhl4pehs7563vw7j2dkz80cf55/SUPE +decimals = 6 + +[SUPERMARIO] +peggy_denom = inj1mgts7d5c32w6aqr8h9f5th08x0p4jaya2tp4zp +decimals = 18 + +[SUSHI] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd decimals = 18 -[PBB] -peggy_denom = ibc/05EC5AA673220183DBBA6825C66DB1446D3E56E5C9DA3D57D0DE5215BA7DE176 -decimals = 6 +[SUSHI FIGHTER] +peggy_denom = inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd +decimals = 18 -[PBJ] -peggy_denom = ibc/2B6F15447F07EA9DC0151E06A6926F4ED4C3EE38AB11D0A67A4E79BA97329830 +[SUSHII] +peggy_denom = inj1p6evqfal5hke6x5zy8ggk2h5fhn4hquk63g20d decimals = 6 -[PBinj] -peggy_denom = inj1k4v0wzgxm5zln8asekgkdljvctee45l7ujwlr4 +[SVM] +peggy_denom = inj1jyhzeqxnh8qnupt08gadn5emxpmmm998gwhuvv decimals = 8 -[PDIX] -peggy_denom = inj13m85m3pj3ndll30fxeudavyp85ffjaapdmhel5 +[SVN] +peggy_denom = inj1u4zp264el8hyxsqkeuj5yesp8pqmfh4fya86w6 decimals = 18 -[PEPE] -peggy_denom = inj1xx04zkrkrplefzgdgl78mrq3qmy9e3fkgspujk +[SWAP] +peggy_denom = peggy0xCC4304A31d09258b0029eA7FE63d032f52e44EFe decimals = 18 -[PEPE Injective] -peggy_denom = inj1ytxxfuajl0fvhgy2qsx85s3t882u7qgv64kf2g -decimals = 18 +[SWP] +peggy_denom = ibc/70CF1A54E23EA4E480DEDA9E12082D3FD5684C3483CBDCE190C5C807227688C5 +decimals = 6 -[PEPE MEME ] -peggy_denom = inj1jev373k3l77mnhugwzke0ytuygrn8r8497zn6e -decimals = 18 +[SWTH] +peggy_denom = ibc/8E697D6F7DAC1E5123D087A50D0FE0EBDD8A323B90DC19C7BA8484742AEB2D90 +decimals = 8 -[PEPE on INJ] -peggy_denom = factory/inj1aey234egq5efqr7zfvtzdsq6h2c5wsrma4lw7h/pepe -decimals = 1 +[SXC] +peggy_denom = inj1a4lr8sulev42zgup2g0sk8x4hl9th20cj4fqmu +decimals = 8 -[PEPEA] -peggy_denom = factory/inj1gaf6yxle4h6993qwsxdg0pkll57223qjetyn3n/PEPEA -decimals = 6 +[SXI] +peggy_denom = inj12mjzeu7qrhn9w85dd02fkvjt8hgaewdk6j72fj +decimals = 8 -[PEPINJ] -peggy_denom = factory/inj12jtagr03n6fqln4q8mg06lrpaj4scwts49x2cp/pepinj +[SYN] +peggy_denom = factory/inj16jsp4xd49k0lnqlmtzsskf70pkzyzv2hjkcr8f/synergy decimals = 6 -[PETER] -peggy_denom = inj1xuqedjshmrqadvqhk4evn9kwzgkk5u9ewdua6z +[SamOrai] +peggy_denom = inj1a7fqtlllaynv6l4h2dmtzcrucx2a9r04e5ntnu decimals = 18 -[PGN] -peggy_denom = inj1gx88hu6xjfvps4ddyap27kvgd5uxktl8ndauvp -decimals = 18 +[Samurai] +peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/samurai +decimals = 6 -[PHEW] -peggy_denom = inj19dux2glqedeamjwltjv5srvhgxkf6gyawtce5s +[Samurai dex token] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/samurai decimals = 6 -[PHUC] -peggy_denom = factory/inj1995xnrrtnmtdgjmx0g937vf28dwefhkhy6gy5e/phuc +[Santa] +peggy_denom = factory/inj1mwsgdlq6rxs3xte8p2m0pcw565czhgngrxgl38/Santa decimals = 6 -[PICA] -peggy_denom = ibc/9C2212CB87241A8D038222CF66BBCFABDD08330DFA0AC9B451135287DCBDC7A8 -decimals = 12 +[SantaInjective] +peggy_denom = inj19wccuev2399ad0ftdfyvw8h9qq5dvqxqw0pqxe +decimals = 8 -[PIG] -peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/pig +[Satoru Gojo] +peggy_denom = inj1hwc0ynah0xv6glpq89jvm3haydhxjs35yncuq2 decimals = 6 -[PIGS] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf -decimals = 18 +[Sei] +peggy_denom = ibc/0D0B98E80BA0158D325074100998A78FB6EC1BF394EFF632E570A5C890ED7CC2 +decimals = 6 -[PIKA] -peggy_denom = factory/inj1h4usvhhva6dgmun9rk4haeh8lynln7yhk6ym00/PIKA +[Sekiro] +peggy_denom = factory/inj1nn8xzngf2ydkppk2h0n9nje72ttee726hvjplx/ak decimals = 6 -[PIKACHU] -peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/PIKACHU +[Sendor] +peggy_denom = inj1hpwp280wsrsgn3r3mvufx09dy4e8glj8sq4vzx decimals = 6 -[PIKACHU ] -peggy_denom = inj1x3m7cgzdl7402fhe29aakdwda5630r2hpx3gm2 -decimals = 18 +[Sensei Dog] +peggy_denom = ibc/12612A3EBAD01200A7FBD893D4B0D71F3AD65C41B2AEE5B42EE190672EBE57E9 +decimals = 6 -[PING] -peggy_denom = inj1z647rvv0cfv5xx3tgsdx77qclkwu2ng7tg2zq5 -decimals = 18 +[She] +peggy_denom = inj1k59du6npg24x2wacww9lmmleh5qrscf9gl7fr5 +decimals = 6 -[PING'S BROTHER PONG] -peggy_denom = inj1qrcr0xqraaldk9c85pfzxryjquvy9jfsgdkur7 -decimals = 18 +[Shiba INJ] +peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba inj +decimals = 6 -[PINGDEV] -peggy_denom = inj17dlj84plm8yqjtp82mmg35494v8wjqfk29lzyf +[Shiba Inu] +peggy_denom = ibc/E68343A4DEF4AFBE7C5A9004D4C11888EE755A7B43B3F1AFA52F2C34C07990D5 decimals = 18 -[PINJA] -peggy_denom = factory/inj1gyxrvcdvjr22l5fu43ng4c607nxpc8yuxslcv3/pinja +[ShihTzu] +peggy_denom = factory/inj1x78kr9td7rk3yqylvhgg0ru2z0wwva9mq9nh92/ShihTzu decimals = 6 -[PINJEON] -peggy_denom = factory/inj1l73eqd7w5vu4srwmc722uwv7u9px7k5azzsqm2/pinjeon +[Shinobi] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/nobi decimals = 6 -[PINJU] -peggy_denom = factory/inj1j43ya8q0u5dx64x362u62yq5zyvasvg98asm0d/pinju +[Shinobi Inu] +peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/Shinobi decimals = 6 -[PIO] -peggy_denom = factory/inj1ufkjuvf227gccns4nxjqc8vzktfvrz6y7xs9sy/PIO -decimals = 6 +[Shuriken] +peggy_denom = inj1kxamn5nmsn8l7tyu752sm2tyt6qlpufupjyscl +decimals = 18 -[PIPI] -peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/pipi +[Shuriken Token] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shuriken decimals = 6 -[PIRATE] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/PIRATE -decimals = 6 +[Sin] +peggy_denom = inj10fnmtl9mh95gjtgl67ww6clugl35d8lc7tewkd +decimals = 18 -[PIXDOG] -peggy_denom = inj1thsy9k5c90wu7sxk37r2g3u006cszqup8r39cl +[Sinful] +peggy_denom = inj1lhfk33ydwwnnmtluyuu3re2g4lp79c86ge546g decimals = 18 -[PIXEL] -peggy_denom = inj1wmlkhs5y6qezacddsgwxl9ykm40crwp4fpp9vl +[Smoking Nonja] +peggy_denom = factory/inj1nvv2gplh009e4s32snu5y3ge7tny0mauy9dxzg/smokingnonja +decimals = 6 + +[Solana (legacy)] +peggy_denom = inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 decimals = 8 -[PIZZA] -peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/PIZZA +[Sommelier] +peggy_denom = peggy0xa670d7237398238DE01267472C6f13e5B8010FD1 decimals = 6 -[PKS] -peggy_denom = inj1m4z4gjrcq9wg6508ds4z2g43wcgynlyflaawef +[SpoonWORMS] +peggy_denom = inj1klc8puvggvjwuee6yksmxx4za6xdh20pwjdnec +decimals = 6 + +[Spuun] +peggy_denom = inj1hs0xupdsrnwfx3lcpz56qkp72q7rn57v3jm0x7 decimals = 18 -[PLNK] -peggy_denom = ibc/020098CDEC3D7555210CBC1593A175A6B24253823B0B711D072EC95F76FA4D42 -decimals = 6 +[Spuurk] +peggy_denom = inj1m9yfd6f2dw0f6uyx4r2av2xk8s5fq5m7pt3mec +decimals = 18 -[POINT] -peggy_denom = inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 +[Spuvn] +peggy_denom = inj1f66rlllh2uef95p3v7cswqmnnh2w3uv3f97kv3 decimals = 18 -[POK] -peggy_denom = inj18nzsj7sef46q7puphfxvr5jrva6xtpm9zsqvhh +[SteadyBTC] +peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d decimals = 18 -[POLAR] -peggy_denom = inj1kgdp3wu5pr5ftuzczpgl5arg28tz44ucsjqsn9 +[SteadyETH] +peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +decimals = 18 + +[Sui (Wormhole)] +peggy_denom = ibc/F96C68219E987465D9EB253DACD385855827C5705164DAFDB0161429F8B95780 decimals = 8 -[POLLY] -peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/POLLY -decimals = 6 +[Summoners Arena Essence] +peggy_denom = ibc/0AFCFFE18230E0E703A527F7522223D808EBB0E02FDBC84AAF8A045CD8FE0BBB +decimals = 8 -[PONDO] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/pondo +[Sushi Staked INJ] +peggy_denom = inj1hwj3xz8ljajs87km07nev9jt7uhmvf9k9q4k0f decimals = 6 -[PONG] -peggy_denom = inj1lgy5ne3a5fja6nxag2vv2mwaan69sql9zfj7cl +[SushiSwap] +peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 decimals = 18 -[POOL] -peggy_denom = peggy0x0cEC1A9154Ff802e7934Fc916Ed7Ca50bDE6844e +[TAB] +peggy_denom = peggy0x36B3D7ACe7201E28040eFf30e815290D7b37ffaD decimals = 18 -[POOR] -peggy_denom = peggy0x9D433Fa992C5933D6843f8669019Da6D512fd5e9 +[TABOO] +peggy_denom = inj1ttxw2rn2s3hqu4haew9e3ugekafu3hkhtqzmyw decimals = 8 -[POP] -peggy_denom = factory/inj1a9dsv5whfhqptkycx4l9uly9x684lwmwuv7l3n/POP +[TACOS] +peggy_denom = inj1ac9d646xzyam5pd2yx4ekgfjhc65564533fl2m decimals = 6 -[POPCAT] -peggy_denom = inj1pfx2k2mtflde5yz0gz6f7xfks9klx3lv93llr6 -decimals = 18 +[TAJIK] +peggy_denom = factory/inj1dvlqazkar9jdy8x02j5k2tftwjnp7c53sgfavp/TAJIK +decimals = 6 -[POPEYE] -peggy_denom = ibc/C35A94A42FEDA8E01903CD7A78FB33AE60B2064C0007BF2E4FD5A6368BDBC546 +[TAKUMI] +peggy_denom = ibc/ADE961D980CB5F2D49527E028774DE42BFD3D78F4CBBD4B8BA54890E60606DBD decimals = 6 -[PORK] -peggy_denom = inj14u3qj9fhrc6d337vlx4z7h3zucjsfrwwvnsrnt -decimals = 18 +[TALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/Talis +decimals = 6 -[PORNGPT] -peggy_denom = inj1ptlmxvkjxmjap436v9wrryd20r2gqf94fr57ga +[TANSHA] +peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/tansha +decimals = 6 + +[TATAS] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/tatas +decimals = 6 + +[TC] +peggy_denom = factory/inj1ureedhqkm8tv2v60de54xzgqgu9u25xkuw8ecs/tyler +decimals = 6 + +[TENSOR] +peggy_denom = inj1py9r5ghr2rx92c0hyn75pjl7ung4euqdm8tvn5 +decimals = 6 + +[TERRAFORMS] +peggy_denom = inj19rev0qmuz3eccvkluz8sptm6e9693jduexrc4v decimals = 8 -[PORTAL] -peggy_denom = factory/inj163072g64wsn8a9n2mydwlx7c0aqt4l7pjseeuu/PORTAL +[TERT] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/tert +decimals = 6 + +[TEST] +peggy_denom = factory/inj12qy3algm6e0zdpv8zxvauzquumuvd39ccdcdjt/TEST decimals = 6 -[POTIN] -peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/POTIN +[TEST13] +peggy_denom = factory/inj1mux0he68umjpcy8ltefeuxm9ha2ww3689rv2g4/TEST13 decimals = 6 -[POTION] -peggy_denom = factory/inj1r7thtn5zj6mv9zupelkkw645ve8kgx35rf43ja/POTION +[TESTI] +peggy_denom = inj1mzcamv0w3q797x4sj4ny05hfpgacm90a2d2xqp decimals = 18 -[POTTER] -peggy_denom = factory/inj1c7h6wnfdz0dpc5llsdxfq9yemmq9nwfpr0c59r/potter +[TF] +peggy_denom = factory/inj1pjcmuxd2ek7mvx4gnv6quyn6c6rjxwcrs4h5y4/truffle decimals = 6 -[PRERICH] -peggy_denom = factory/inj18p952tvf264784sf9f90rpge4w7dhsjrtgn4lw/prerich -decimals = 7 +[THE10] +peggy_denom = factory/inj18u2790weecgqkmcyh2sg9uupz538kwgmmcmtps/THE10 +decimals = 6 -[PROD] -peggy_denom = inj1y2mev78vrd4mcfrjunnktctwqhm7hznguue7fc +[THREE] +peggy_denom = inj1qqfhg6l8d7punj4z597t0p3wwwxdcpfew4fz7a decimals = 18 -[PROMETHEUS] -peggy_denom = inj1tugjw7wy3vhtqjap22j9e62yzrurrsu4efu0ph -decimals = 8 +[THUG] +peggy_denom = factory/inj108qcx6eu6l6adl6kxm0qpyshlmzf3w9mnq5vav/THUGLIFE +decimals = 6 -[PROOF] -peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/PROOF +[THUNDER] +peggy_denom = inj1gacpupgyt74farecd9pv20emdv6vpkpkhft59y decimals = 6 -[PROTON-011] -peggy_denom = inj1vts6mh344msrwr885ej5naev87yesred5mp23r -decimals = 8 +[TIA] +peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 +decimals = 6 -[PRYZM] -peggy_denom = ibc/2A88907A69C27C7481E478005AAD1976F044246E0CDB4DB3367EADA4EF38373B +[TIK] +peggy_denom = inj1xetmk66rv8nhjur9s8t8szkdff0xwks8e4vym3 decimals = 6 -[PSPS] -peggy_denom = inj145p4shl9xdutc7cv0v9qpfallh3s8z64yd66rg -decimals = 18 +[TINJER] +peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/tinjer +decimals = 6 -[PSYCHO] -peggy_denom = factory/inj18aptztz0pxvvjzumpnd36szzljup0t7t3pauu8/psycho +[TITAN] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/titan decimals = 6 -[PUFF] -peggy_denom = inj1f8kkrgrfd7utflvsq7xknuxtzf92nm80vkshu2 +[TJCLUB] +peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/TJCLUB decimals = 6 -[PUG] -peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/PUG +[TKN] +peggy_denom = factory/inj1f4sglhz3ss74fell9ecvqrj2qvlt6wmk3ctd3f/TKN decimals = 6 -[PUNK] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +[TMB] +peggy_denom = factory/inj1dg4n304450kswa7hdj8tqq3p28f5kkye2fxey3/TMB +decimals = 6 + +[TMNT] +peggy_denom = inj1yt6erfe7a55es7gnwhta94g08zq9qrsjw25eq5 decimals = 18 -[PUNKINJ] -peggy_denom = inj1vq0f9sgvg0zj5hc4vvg8yd6x9wzepzq5nekh4l -decimals = 8 +[TOKYO] +peggy_denom = inj1k8ad5x6auhzr9tu3drq6ahh5dtu5989utxeu89 +decimals = 18 -[PUPZA] -peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/PUPZA -decimals = 6 +[TOM] +peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/TOM +decimals = 18 -[PVP] -peggy_denom = peggy0x9B44793a0177C84DD01AD81137db696531902871 +[TOMO] +peggy_denom = inj1d08rut8e0u2e0rlf3pynaplas6q0akj5p976kv decimals = 8 -[PVV] -peggy_denom = inj1rk5y4m3qgm8h68z2lp3e2dqqjmpkx7m0aa84ah -decimals = 6 - -[PYTH] -peggy_denom = ibc/F3330C1B8BD1886FE9509B94C7B5398B892EA41420D2BC0B7C6A53CB8ED761D6 -decimals = 6 - -[PYTHlegacy] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +[TONKURU] +peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/tonkuru decimals = 6 -[PYUSD] -peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +[TORO] +peggy_denom = ibc/37DF4CCD7D156B9A8BF3636CD7E073BADBFD54E7C7D5B42B34C116E33DB0FE81 decimals = 6 -[Panda Itamae] -peggy_denom = factory/inj1wpttce7eccrutxkddtzug4xyz4ztny88httxpg/panda +[TOTS] +peggy_denom = factory/inj1u09lh0p69n7salm6l8ufytfsm0p40pnlxgpcz5/TOTS decimals = 6 -[Pedro] -peggy_denom = inj1hsv0y599unrnv02xntzmcdquh4wagrns8gqfh7 +[TRASH] +peggy_denom = inj1re43j2d6jxlk4m5sn9lc5qdc0rwkz64c8gqk5x decimals = 18 -[People] -peggy_denom = inj13pegx0ucn2e8w2g857n5828cmvl687jgq692t4 -decimals = 6 - -[Pepe] -peggy_denom = ibc/9144D78830C5ABD7B7D9E219EA7600E3A0E0AD5FC50C007668160595E94789AB +[TREN] +peggy_denom = inj14y8f4jc0qmmwzcyj9k7dxnlq6tgjq9ql6n2kdn decimals = 18 -[Phepe] -peggy_denom = inj1mtt0a4evtfxazpxjqlv5aesdn3mnysl78lppts +[TRG] +peggy_denom = inj1scn6ssfehuw735llele39kk7w6ylg4auw3epjp decimals = 8 -[Pie] -peggy_denom = inj1m707m3ngxje4adfr86tll8z7yzm5e6eln8e3kr +[TRH] +peggy_denom = inj1dxtnr2cmqaaq0h5sgnhdftjhh5t6dmsu37x40q decimals = 18 -[PigFucker] -peggy_denom = factory/inj17p7p03yn0z6zmjwk4kjfd7jh7uasxwmgt8wv26/pigfucker -decimals = 6 - -[Pigs] -peggy_denom = inj1mcmjk2zgh5wpxkdmkevlpmah6tsmwvql78twpf +[TRIPPY] +peggy_denom = inj1puwde6qxl5v96f5sw0dmql4r3a0e9wvxp3w805 decimals = 18 -[Pikachu] -peggy_denom = factory/inj1h9zu2u6yqf3t5uym75z94zsqfhazzkyg39957u/pika -decimals = 6 - -[PingDevRtard] -peggy_denom = inj1c8v52n2wyye96m4xwama3pwqkdc56gw03dlkcq +[TRR] +peggy_denom = inj1cqwslhvaaferrf3c933efmddfsvakdhzaaex5h decimals = 18 -[Point Token] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 +[TRUCPI] +peggy_denom = trucpi decimals = 18 -[Polkadot] -peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 -decimals = 10 +[TRUFFLE] +peggy_denom = factory/inj1e5va7kntnq245j57hfe78tqhnd763ekrtu9fez/TRUFFLE +decimals = 6 -[Popeye] -peggy_denom = ibc/833095AF2D530639121F8A07E24E5D02921CA19FF3192D082E9C80210515716C +[TRUMP] +peggy_denom = factory/inj16c0cnvw4jd20k9fkdlt4cauyd05hhg6jk7fedh/TRUMP decimals = 6 -[Punk DAO Token] -peggy_denom = factory/inj1esz96ru3guug4ctmn5chjmkymt979sfvufq0hs/PUNK +[TRX] +peggy_denom = inj17ssa7q9nnv5e5p6c4ezzxj02yjhmvv5jmg6adq decimals = 6 -[Punk Token] -peggy_denom = inj1wmrzttj7ms7glplek348vedx4v2ls467n539xt +[TRY] +peggy_denom = inj10dqyn46ljqwzx4947zc3dska84hpnwc7r6rzzs decimals = 18 -[Pyth Network (legacy)] -peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy +[TRY2] +peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/TRY2 decimals = 6 -[QAT] -peggy_denom = inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen -decimals = 8 +[TSNG] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/tsng +decimals = 6 -[QNT] -peggy_denom = peggy0x4a220E6096B25EADb88358cb44068A3248254675 +[TST] +peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/TST +decimals = 6 + +[TSTI] +peggy_denom = factory/inj1lvlvg3mkc3txakeyrqfzemkc7muvm9656mf2az/TSTI +decimals = 6 + +[TSTT] +peggy_denom = inj19p5am8kye6r7xu3xy9crzh4dj7uhqvpw3n3mny decimals = 18 -[QOC] -peggy_denom = inj1czcj5472ukkj6pect59z5et39esr3kvquxl6dh -decimals = 8 +[TSUNADE] +peggy_denom = inj1vwzqtjcwv2wt5pcajvlhmaeejwme57q52mhjy3 +decimals = 18 -[QTUM] -peggy_denom = factory/inj1jgc9ptfwgyapfrr0kgdjjnwpdqck24pp59uma3/qtum -decimals = 0 +[TTNY] +peggy_denom = inj10c0ufysjj52pe7m9a3ncymzf98sysl3nr730r5 +decimals = 18 -[QTest] -peggy_denom = inj1wze83lt3jk84f89era4ldakyv3mf90pj4af9cx +[TTS] +peggy_denom = factory/inj1en4mpfud040ykmlneentdf77ksa3usjcgw9hax/TTS decimals = 6 -[QUNT] -peggy_denom = factory/inj127l5a2wmkyvucxdlupqyac3y0v6wqfhq03ka64/qunt +[TURBO] +peggy_denom = factory/inj1hhmra48t7xwz4snc7ttn6eu5nvmgzu0lwalmwk/TURBO decimals = 6 -[QUOK] -peggy_denom = factory/inj1jdnjwhcjhpw8v0cmk80r286w5d426ns6tw3nst/QUOK +[TURBOTOAD] +peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/TURBOTOAD decimals = 6 -[Quants] -peggy_denom = factory/inj1yttneqwxxc4qju4p54549p6dq2j0d09e7gdzx8/Quants +[TURD] +peggy_denom = ibc/3CF3E1A31015028265DADCA63920C320E4ECDEC2F77D2B4A0FD7DD2E460B9EF3 decimals = 6 -[RAA] -peggy_denom = inj1vzpjnmm4s9qa74x2n7vgcesq46afjj5yfwvn4q +[TURTLE] +peggy_denom = factory/inj1nshrauly795k2h97l98gy8zx6gl63ak2489q0u/TURTLE +decimals = 8 + +[TURTLENINJ] +peggy_denom = factory/inj1lv9v2z2zvvng6v9qm8eh02t2mre6f8q6ez5jxl/turtleninj +decimals = 6 + +[TWO] +peggy_denom = inj19fza325yjfnx9zxvtvawn0rrjwl73g4nkzmm2w decimals = 18 -[RAB] -peggy_denom = inj1xmdyafnth7g6pvg6zd687my3ekw3htvh95t2c8 +[Talis NFT] +peggy_denom = inj155kuqqlmdz7ft2jas4fc23pvtsecce8xps47w5 +decimals = 8 + +[Terra] +peggy_denom = peggy0xd2877702675e6cEb975b4A1dFf9fb7BAF4C91ea9 +decimals = 6 + +[TerraUSD] +peggy_denom = peggy0xa47c8bf37f92aBed4A126BDA807A7b7498661acD decimals = 18 -[RAC] -peggy_denom = ibc/0F3A724673F682CF7812D0ED1A0C41D344C09E94C939E79D12712DC7C0676E80 +[Test] +peggy_denom = factory/inj135plhn7dkun9rd8uj3hs5v06mk3g88ryd30qxr/Test decimals = 6 -[RAD] -peggy_denom = inj1r9wxpyqp4a75k9dhk5qzcfmkwtrg7utgrvx0zu +[Test QAT] +peggy_denom = peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9 decimals = 18 -[RAE] -peggy_denom = inj1lvtcdka9prgtugcdxeyw5kd9rm35p0y2whwj7j +[Test Token] +peggy_denom = inj1a6qdxdanekzgq6dluymlk7n7khg3dqq9lua9q9 decimals = 18 -[RAF] -peggy_denom = inj1l8hztn806saqkacw8rur4qdgexp6sl7k0n6xjm +[Test coin don't buy] +peggy_denom = inj19xpgme02uxc55hgplg4vkm4vw0n7p6xl4ksqcz +decimals = 18 + +[TestOne] +peggy_denom = inj1f8fsu2xl97c6yss7s3vgmvnjau2qdlk3vq3fg2 decimals = 18 -[RAG] -peggy_denom = inj1k45q0qf0jwepajlkqcx5a6w833mm0lufzz0kex +[TestThree] +peggy_denom = inj14e3anyw3r9dx4wchnkcg8nlzps73x86cze3nq6 decimals = 18 -[RAH] -peggy_denom = inj1mpcxzhkk0c7wjrwft2xafsvds9un59gfdml706 +[TestTwo] +peggy_denom = inj1krcpgdu3a83pdtnus70qlalrxken0h4y52lfhg decimals = 18 -[RAI] -peggy_denom = peggy0x03ab458634910AaD20eF5f1C8ee96F1D6ac54919 +[TestingToken] +peggy_denom = inj1j5y95qltlyyjayjpyupgy7e5y7kkmvjgph888r decimals = 18 -[RAMEN] -peggy_denom = factory/inj1z5utcc5u90n8a5m8gv30char6j4hdzxz6t3pke/ramen +[Tether] +peggy_denom = inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 decimals = 6 -[RAMEN2] -peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN2 +[Tether USD (Wormhole)] +peggy_denom = ibc/3384DCE14A72BBD0A47107C19A30EDD5FD1AC50909C632CB807680DBC798BB30 decimals = 6 -[RAMEN22] -peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMEN22 +[The Mask] +peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/mask decimals = 6 -[RAMENV2] -peggy_denom = factory/inj15d5v02thnac8mc79hx0nzuz4rjxuccy7rc63x3/RAMENV2 +[TheJanitor] +peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/TheJanitor decimals = 6 -[RAMSES] -peggy_denom = inj1jttaxqcjtsys54k3m6mx4kzulzasg4tc6hhpp6 -decimals = 8 - -[RAPTR] -peggy_denom = ibc/592FDF11D4D958105B1E4620FAECAA6708655AB815F01A01C1540968893CDEBF +[TrempBoden] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/trempboden decimals = 6 -[RATJA] -peggy_denom = inj1kl5pzllv782r8emj3umgn3dwcewc6hw6xdmvrv -decimals = 18 - -[RAY] -peggy_denom = factory/inj1ckddr5lfwjvm2lvtzra0ftx7066seqr3navva0/RAY +[Trump] +peggy_denom = inj1neclyywnhlhe4me0g2tky9fznjnun2n9maxuhx decimals = 6 -[REAL] -peggy_denom = inj1uhralmk73lkxeyd9zhskmzz44lsmcxneluqgp9 +[Trump Ninja] +peggy_denom = inj1dj0u7mqn3z8vxz6muwudhpl95sajmy00w7t6gq decimals = 18 -[REALS] -peggy_denom = inj1g3l8chts5wrt437tkpmuy554wcky6devphqxf0 +[TryCW] +peggy_denom = inj15res2a5r94y8s33lc7c5czcswx76pygjk827t0 decimals = 18 -[RED] -peggy_denom = inj15ytmt6gng36relzntgz0qmgfqnygluz894yt28 +[Tsu Grenade] +peggy_denom = inj1zgxh52u45qy3xxrq72ypdajhhjftj0hu5x4eea decimals = 18 -[REDINJ] -peggy_denom = inj1jkts7lhvwx27z92l6dwgz6wpyd0xf9wu6qyfrh -decimals = 18 +[TunaSniper] +peggy_denom = inj1r3vswh4hevfj6ynfn7ypudzhe2rrngzjn4lv5a +decimals = 8 -[REFIs] -peggy_denom = factory/inj1uklzzlu9um8rq922czs8g6f2ww760xhvgr6pat/REFIs -decimals = 6 +[UIA] +peggy_denom = inj1h6avzdsgkfvymg3sq5utgpq2aqg4pdee7ep77t +decimals = 18 -[REIS] -peggy_denom = ibc/444BCB7AC154587F5D4ABE36EF6D7D65369224509DCBCA2E27AD539519DD66BB +[UICIDE] +peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/UICIDE decimals = 6 -[RETRO] -peggy_denom = ibc/ACDEFBA440F37D89E2933AB2B42AA0855C30852588B7DF8CD5FBCEB0EB1471EB -decimals = 6 +[UMA] +peggy_denom = peggy0x04Fa0d235C4abf4BcF4787aF4CF447DE572eF828 +decimals = 18 -[RHINO] -peggy_denom = inj1t5f60ewnq8hepuvmwnlm06h0q23fxymldh0hpr +[UMEE] +peggy_denom = ibc/221E9E20795E6E250532A6A871E7F6310FCEDFC69B681037BBA6561270360D86 decimals = 6 -[RIBBIT] -peggy_denom = peggy0xb794Ad95317f75c44090f64955954C3849315fFe +[UNI] +peggy_denom = peggy0x1f9840a85d5aF5bf1D1762F925BDADdC4201F984 decimals = 18 -[RICE] -peggy_denom = factory/inj1mt876zny9j6xae25h7hl7zuqf7gkx8q63k0426/rice -decimals = 12 +[UP10X] +peggy_denom = inj1zeu70usj0gtgqapy2srsp7pstf9r82ckqk45hs +decimals = 6 -[RICHINJ] -peggy_denom = inj143l8dlvhudhzuggrp5sakwmn8kw24hutr43fe2 +[UPGRADE] +peggy_denom = inj1f32xp69g4qf7t8tnvkgnmhh70gzy43nznkkk7f decimals = 8 -[RICK] -peggy_denom = factory/inj1ga7xu92w0yxhedk92v6ckge6q76vx2hxcwxsxx/RICK +[UPHOTON] +peggy_denom = ibc/48BC9C6ACBDFC1EBA034F1859245D53EA4BF74147189D66F27C23BF966335DFB decimals = 6 -[RIP] -peggy_denom = inj1eu8ty289eyjvm4hcrg70n4u95jggh9eekfxs5y -decimals = 18 - -[RITSU] -peggy_denom = inj17cqglnfpx7w20pc6urwxklw6kkews4hmfj6z28 -decimals = 18 - -[RKO] -peggy_denom = factory/inj1muuaghrdm2rfss9cdpxzhk3v7xqj8ltngrm0xd/RKO +[UPTENX] +peggy_denom = inj10jgxzcqdf6phdmettetd8m92gxucxz5rpp9kwu decimals = 6 -[RKT] -peggy_denom = factory/inj1af5v85xm5upykzsjj29lpr9dyp4n37746kpfmq/RKT +[URO] +peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/URO decimals = 6 -[RNDR] -peggy_denom = inj1092d3j7yqup5c8lp92vv5kadl567rynj59yd92 +[USC] +peggy_denom = ibc/5307C5A7B88337FE81565E210CDB5C50FBD6DCCF2D90D524A7E9D1FE00C40139 +decimals = 8 + +[USD] +peggy_denom = ibc/7474CABFDF3CF58A227C19B2CEDE34315A68212C863E367FC69928ABA344024C decimals = 18 -[ROAR] -peggy_denom = ibc/E6CFB0AC1D339A8CBA3353DF0D7E080B4B14D026D1C90F63F666C223B04D548C +[USD Coin] +peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu decimals = 6 -[ROB] -peggy_denom = inj1x6lvx8s2gkjge0p0dnw4vscdld3rdcw94fhter +[USD Coin (BEP-20)] +peggy_denom = ibc/5FF8FE2FDCD9E28C0608B17FA177A918DFAF7218FA18E5A2C688F34D86EF2407 decimals = 18 -[ROCK] -peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/rock +[USD Coin (legacy)] +peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk decimals = 6 -[ROCKET] -peggy_denom = inj1zrw6acmpnghlcwjyrqv0ta5wmzute7l4f0n3dz -decimals = 8 - -[ROLL] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 -decimals = 18 +[USD Coin from Avalanche] +peggy_denom = ibc/705E7E25F94467E363B2EB324A5A6FF4C683A4A6D20AAD2AEEABA2D9EB1B897F +decimals = 6 -[ROM] -peggy_denom = inj16w9qp30vrpng8kr83efvmveen688klvtd00qdy +[USD Coin from Polygon] +peggy_denom = ibc/2E93E8914CA07B73A794657DA76170A016057D1C6B0DC42D969918D4F22D95A3 decimals = 6 -[ROMAN] -peggy_denom = inj1h3z3gfzypugnctkkvz7vvucnanfa5nffvxgh2z +[USD Con] +peggy_denom = peggy0xB855dBC314C39BFa2583567E02a40CBB246CF82B decimals = 18 -[RONI] -peggy_denom = factory/inj13y9m57hw2rnvdmsym8na45z9kvexy82c4n6apc/RONI +[USDC] +peggy_denom = ibc/2CBC2EA121AE42563B08028466F37B600F2D7D4282342DE938283CC3FB2BC00E decimals = 6 -[RONIN] -peggy_denom = inj1rtyuaxaqfxczuys3k3cdvlg89ut66ulmp8mvuy -decimals = 18 +[USDC-MPL] +peggy_denom = peggy0xf875aef00C4E21E9Ab4A335eB36A1175Ab00424A +decimals = 6 -[RONOLDO] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/ronoldo +[USDCarb] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r decimals = 6 -[ROOT] -peggy_denom = peggy0xa3d4BEe77B05d4a0C943877558Ce21A763C4fa29 +[USDCbsc] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu decimals = 6 -[RSNL] -peggy_denom = factory/inj1uvexgrele9lr5p87kksg6gmz2telncpe0mxsm6/RSNL +[USDCet] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk decimals = 6 -[RSTK] -peggy_denom = ibc/102810E506AC0FB1F14755ECA7A1D05066E0CBD574526521EF31E9B3237C0C02 +[USDCgateway] +peggy_denom = ibc/7BE71BB68C781453F6BB10114F8E2DF8DC37BA791C502F5389EA10E7BEA68323 decimals = 6 -[RTD] -peggy_denom = inj1ek524mnenxfla235pla3cec7ukmr3fwkgf6jq3 -decimals = 18 +[USDClegacy] +peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 +decimals = 6 -[RUDY] -peggy_denom = factory/inj1ykggxun6crask6eywr4a2lfy36f4we5l9rg2an/RUDY +[USDCpoly] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 decimals = 6 -[RUG] -peggy_denom = factory/inj174r3j8pm93gfcdu0g36dg6g7u0alygppypa45e/RUG +[USDCso] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu decimals = 6 -[RUGAOI] -peggy_denom = factory/inj1pe8rs2gfmem5ak8vtqkduzkgcyargk2fg6u4as/RUGAOI +[USDLR] +peggy_denom = ibc/E15121C1541741E0A7BA2B96B30864C1B1052F1AD8189D81E6C97939B415D12E decimals = 6 -[RUGMYASS] -peggy_denom = inj18n9rpsstxsxgpmgegkn6fsvq9x3alqekqddgnq -decimals = 18 +[USDT] +peggy_denom = peggy0xdAC17F958D2ee523a2206206994597C13D831ec7 +decimals = 6 -[RUGPULL] -peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/RUGPULL +[USDT.axl] +peggy_denom = ibc/90C6F06139D663CFD7949223D257C5B5D241E72ED61EBD12FFDDA6F068715E47 decimals = 6 -[RUMBLERZ] -peggy_denom = inj1pcwdvq866uqd8lhpmasya2xqw9hk2u0euvvqxl -decimals = 8 +[USDT.multi] +peggy_denom = ibc/24E5D0825D3D71BF00C4A01CD8CA8F2D27B1DD32B7446CF633534AEA25379271 +decimals = 6 -[RUNE] -peggy_denom = peggy0x3155BA85D5F96b2d030a4966AF206230e46849cb -decimals = 18 +[USDTap] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +decimals = 6 -[RYAN] -peggy_denom = inj1zdhl0fk08tr8xwppych2f7apzdymw4r3gf9kyr -decimals = 18 +[USDTbsc] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj +decimals = 6 -[RYU] -peggy_denom = factory/inj1cm0jn67exeqm5af8lrlra4epfhyk0v38w98g42/ryu -decimals = 18 +[USDTet] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 +decimals = 6 -[Rai Reflex Index] -peggy_denom = ibc/27817BAE3958FFB2BFBD8F4F6165153DFD230779994A7C42A91E0E45E8201768 -decimals = 18 +[USDTkv] +peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB +decimals = 6 -[RealMadrid] -peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/RealMadrid +[USDTso] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd decimals = 6 -[Rice Token] -peggy_denom = inj1j6qq40826d695eyszmekzu5muzmdey5mxelxhl -decimals = 18 +[USDX] +peggy_denom = ibc/C78F65E1648A3DFE0BAEB6C4CDA69CC2A75437F1793C0E6386DFDA26393790AE +decimals = 6 -[Rise] -peggy_denom = inj123aevc4lmpm09j6mqemrjpxgsa7dncg2yn2xt7 +[USDY] +peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 decimals = 18 -[Roll] -peggy_denom = inj15wuxx78q5p9h7fqg3ux7zljczj7jh5qxqhrevv +[USDYet] +peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C decimals = 18 -[Roll Token] -peggy_denom = inj1qv98cmfdaj5f382a0klq7ps4mnjp6calzh20h3 +[USDe] +peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 decimals = 18 -[Rush] -peggy_denom = inj1r2gjtqgzhfcm4wgvmctpuul2m700v4ml24l7cq +[USDi] +peggy_denom = peggy0x83E7D0451da91Ac509cd7F545Fb4AA04D4dD3BA8 decimals = 18 -[SAE] -peggy_denom = factory/inj152mdu38fkkk4fl7ycrpdqxpm63w3ztadgtktyr/SAE +[USK] +peggy_denom = ibc/58BC643F2EB5758C08D8B1569C7948A5DA796802576005F676BBFB7526E520EB decimals = 6 -[SAFAS] -peggy_denom = inj1vphq25x2r69mpf2arzsut8yxcav709kwd3t5ck +[UST] +peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C decimals = 18 -[SAFEMOON] -peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/safemoon -decimals = 6 +[UTK] +peggy_denom = peggy0xdc9Ac3C20D1ed0B540dF9b1feDC10039Df13F99c +decimals = 18 -[SAGA] -peggy_denom = ibc/AF921F0874131B56897A11AA3F33D5B29CD9C147A1D7C37FE8D918CB420956B2 -decimals = 6 +[Ulp] +peggy_denom = inj1ynqtgucs3z20n80c0zammyqd7skfgc7kyanc2j +decimals = 18 -[SAIL] -peggy_denom = ibc/2718A31D59C81CD1F972C829F097BDBE32D7B84025F909FFB6163AAD314961B3 +[Umee] +peggy_denom = ibc/2FF3DC3A0265B9A220750E75E75E5D44ED2F716B8AC4EDC378A596CC958ABF6B decimals = 6 -[SAKE] -peggy_denom = factory/inj1mdyw30cuct3haazw546t4t92sadeuwde0tmqxx/SAKE -decimals = 6 +[Uniswap] +peggy_denom = ibc/3E3A8A403AE81114F4341962A6D73162D586C9DF4CE3BE7C7B459108430675F7 +decimals = 18 -[SAKI] -peggy_denom = factory/inj1gg43076kmy0prkxtn5xxka47lfmwwjsq6ygcfa/SAKI +[Unknown] +peggy_denom = ibc/078184C66B073F0464BA0BBD736DD601A0C637F9C42B592DDA5D6A95289D99A4 decimals = 6 -[SAKURA] -peggy_denom = factory/inj183fjyma33jsx0wndkmk69yukk3gpll7gunkyz6/sakurasakura -decimals = 6 +[VATRENI] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay +decimals = 8 -[SALT] -peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/salt +[VAULT] +peggy_denom = factory/inj16j0dhn7qg9sh7cg8y3vm6fecpfweq4f46tzrvd/VAULT decimals = 6 -[SAM] -peggy_denom = factory/inj1wuw7wa8fvp0leuyvh9ypzmndduzd5vg0xc77ha/sam +[VEGAS] +peggy_denom = inj12sy2vdgspes6p7af4ssv2sv0u020ew4httwp5y decimals = 6 -[SAMI] -peggy_denom = factory/inj13jvw7hl6hkyg8a8ltag47xyzxcc6h2qkk0u9kr/SAMI -decimals = 6 +[VELO] +peggy_denom = inj1srz2afh8cmay4nuk8tjkq9lhu6tz3hhmjnevlv +decimals = 8 -[SAMOORAII] -peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SAMOORAII -decimals = 6 +[VENUS] +peggy_denom = inj109z6sf8pxl4l6dwh7s328hqcn0ruzflch8mnum +decimals = 8 -[SAMP] -peggy_denom = inj1xd2l3406kypepnnczcn6fm0lnmsk6qk7dakryn +[VERHA] +peggy_denom = inj1v2rqvnaavskyhjkx7xfkkyljhnyhuv6fmczprq decimals = 18 -[SAMURAI] -peggy_denom = inj1lvnuam0w70d4yj03vy30umqv4rr7gwfkfsemnc -decimals = 6 - -[SANSU] -peggy_denom = factory/inj1x5thnvjfwzmtxxhqckrap8ysgs2duy29m4xwsp/sansu +[VIDA] +peggy_denom = inj18wa0xa2xg8ydass70e8uvlvzupt9wcn5l9tuxm decimals = 6 -[SANTA] -peggy_denom = factory/inj12qf874wcfxtxt004qmuhdtxw4l6d0f5w6cyfpz/santa +[VINJETTA] +peggy_denom = factory/inj1f4x4j5zcv3uf8d2806umhd50p78gfrftjc3gg4/vinjetta decimals = 6 -[SANTABONK] -peggy_denom = inj1zjdtxmvkrxcd20q8nru4ws47nemkyxwnpuk34v -decimals = 8 - -[SANTAGODX] -peggy_denom = inj1j8nvansvyvhnz4vzf5d8cyjpwu85ksdhyjf3n4 +[VIU] +peggy_denom = inj1ccpccejcrql2878cq55nqpgsl46s26qj8hm6ws decimals = 8 -[SANTAINJ] -peggy_denom = inj17cqy5lr4gprjgnlv0j2mw4rhqfhr9zpupkur8t -decimals = 8 +[VIX] +peggy_denom = inj108qxa8lvywqgg0cqma0ghksfvvurgvv7wcf4qy +decimals = 6 -[SANTAMEME] -peggy_denom = inj1dds0a220twm3pjprypmy0qun3cn727hzj0tpaa -decimals = 8 +[VRD] +peggy_denom = peggy0xf25304e75026E6a35FEDcA3B0889aE5c4D3C55D8 +decimals = 18 -[SASUKE] -peggy_denom = inj1alpg8nw7lw8uplsrah8q0qn66rqq0fxzd3wf9f +[VYK] +peggy_denom = inj15ssgwg2whxt3qnthlrq288uxtda82mcy258xp9 decimals = 18 -[SATOSHIVM] -peggy_denom = inj1y7pvzc8h05e8qs9de2c9qcypxw6xkj5wttvm70 +[Vatreni Token] +peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay decimals = 8 -[SATS] -peggy_denom = inj1ck568jpww8wludqh463lk6h32hhe58u0nrnnxe -decimals = 8 +[W] +peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 +decimals = 6 -[SAVEOURSTRAYS] -peggy_denom = factory/inj1a5h6erkyttcsyjmrn4k3rxyjuktsxq4fnye0hg/SAVEOURSTRAYS +[WAGMI] +peggy_denom = factory/inj188veuqed0dygkcmq5d24u3807n6csv4wdv28gh/wagmi +decimals = 9 + +[WAIFU] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifu decimals = 6 -[SAVM] -peggy_denom = inj1wuw0730q4rznqnhkw2nqwk3l2gvun7mll9ew3n +[WAIFUBOT] +peggy_denom = inj1fmw3t86ncrlz35pm0q66ca5kpudlxzg55tt54f decimals = 6 -[SAYVE] -peggy_denom = ibc/DF2B99CF1FEA6B292E79617BD6F7EF735C0B47CEF09D7104E270956E96C38B12 +[WAIFUDOGE] +peggy_denom = inj1py5zka74z0h02gqqaexllddn8232vqxsc946qf decimals = 6 -[SB] -peggy_denom = inj1cqq89rjk4v5a0teyaefqje3skntys7q6j5lu2p +[WAIT] +peggy_denom = inj17pg77tx07drrx6tm6c72cd9sz6qxhwd4gp93ep decimals = 8 -[SBF] -peggy_denom = factory/inj1j2me24lslpaa03fw8cuct8586t6f6qf0wcf4fm/SBF +[WAR] +peggy_denom = inj1nfkjyevl6z0fyc86w88xr8qq3awugw0nt2dvxq +decimals = 8 + +[WASABI] +peggy_denom = factory/inj1h6j2hwdn446d3nye82q2thte5pc6qqvyehsjzj/WASABI decimals = 6 -[SCAM] -peggy_denom = inj1hgh3dqc2kxl464qg9rnt3kctzplmsnqzycdtt7 +[WASSIE] +peggy_denom = peggy0x2c95d751da37a5c1d9c5a7fd465c1d50f3d96160 decimals = 18 -[SCLX] -peggy_denom = factory/inj1faq30xe497yh5ztwt00krpf9a9lyakg2zhslwh/SCLX +[WAVAX] +peggy_denom = ibc/A4FF8E161D2835BA06A7522684E874EFC91004AD0CD14E038F37940562158D73 +decimals = 18 + +[WBNB] +peggy_denom = ibc/B877B8EF095028B807370AB5C7790CA0C328777C9FF09AA7F5436BA7FAE4A86F +decimals = 18 + +[WBTC] +peggy_denom = ibc/48E69ED9995415D94BEA06BE70E4A6C2BEA0F5E83996D1E17AF95126770E06B2 +decimals = 8 + +[WDDG] +peggy_denom = factory/inj1hse75gfje5jllds5t9gnzdwyp3cdc3cvdt7gpw/wddg decimals = 6 -[SCORPION] -peggy_denom = factory/inj10w3p2qyursc03crkhg9djdm5tnu9xg63r2zumh/scorpion +[WEED] +peggy_denom = factory/inj1nm8kf7pn60mww3hnqj5je28q49u4h9gnk6g344/WEED decimals = 6 -[SCRT] -peggy_denom = ibc/7C4A4847D6898FA8744A8F2A4FC287E98CA5A95E05842B897B3FB301103C8AB6 +[WEIRD] +peggy_denom = ibc/5533268E098543E02422FF94216D50A97CD9732AEBBC436AF5F492E7930CF152 decimals = 6 -[SDEX] -peggy_denom = peggy0x5DE8ab7E27f6E7A1fFf3E5B337584Aa43961BEeF +[WEN] +peggy_denom = inj1wvd7jt2fwsdqph0culwmf3c4l4y63x4t6gu27v decimals = 18 -[SDOGE] -peggy_denom = inj1525sjr836apd4xkz8utflsm6e4ecuhar8qckhd +[WETH] +peggy_denom = ibc/4AC4A819B0BFCB25497E83B92A7D124F24C4E8B32B0E4B45704CC4D224A085A0 decimals = 8 -[SEAS] -peggy_denom = ibc/FF5AC3E28E50C2C52063C18D0E2F742B3967BE5ACC6D7C8713118E54E1DEE4F6 -decimals = 6 +[WFTM] +peggy_denom = ibc/31E8DDA49D53535F358B29CFCBED1B9224DAAFE82788C0477930DCDE231DA878 +decimals = 18 -[SECOND] -peggy_denom = inj1rr08epad58xlg5auytptgctysn7lmsk070qeer +[WGLMR] +peggy_denom = ibc/8FF72FB47F07B4AFA8649500A168683BEFCB9EE164BD331FA597D26224D51055 decimals = 18 -[SEI] -peggy_denom = ibc/BCE43BA530FBE35282B62C1E1EA4AD1F51522C61D40FB761005E1A02F18E0E58 +[WGMI] +peggy_denom = factory/inj1rmjzj9fn47kdmfk4f3z39qr6czexxe0yjyc546/WGMI decimals = 6 -[SEIFU] -peggy_denom = inj1jtenkjgqhwxdl93eak2aark5s9kl72awc4rk47 +[WHALE] +peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 decimals = 6 -[SEISEI] -peggy_denom = factory/inj1lm95gdmz7qatcgw933t97rg58wnzz3dpxv7ldk/SEISEI +[WHITE] +peggy_denom = factory/inj1hdlavqur8ayu2kcdc9qv4dvee47aere5g80vg5/WHITE decimals = 6 -[SEIWHAT?] -peggy_denom = inj1qjgtplwsrflwgqjy0ffp72mfzckwsqmlq2ml6n -decimals = 8 - -[SEIYAN] -peggy_denom = ibc/ECC41A6731F0C6B26606A03C295236AA516FA0108037565B7288868797F52B91 +[WIF] +peggy_denom = factory/inj19xkrf82jar2qmf4tn92fajspq2e0warfufplhf/DogWifhat decimals = 6 -[SEKIRO] -peggy_denom = factory/inj1tpuscn4wl7sf35zx5w95d74ulzsdfle67x7cq5/Sekiro +[WIFDOG] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wifdog decimals = 6 -[SENJU] -peggy_denom = factory/inj1qdamq2fk7xs6m34qv8swl9un04w8fhk42k35e5/SENJU -decimals = 6 +[WIFLUCK] +peggy_denom = inj10vhddx39e3q8ayaxw4dg36tfs9lpf6xx649zfn +decimals = 18 -[SENSEI] -peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/sensei -decimals = 6 +[WIGO] +peggy_denom = inj1jzarcskrdgqzn9ynqn05uthv07sepnpftw8xg9 +decimals = 18 -[SEQUENCE] -peggy_denom = factory/inj1nz984w2xnpwrtzsj7mt8rsc57vyhpwa360fq2r/sequence +[WIHA] +peggy_denom = ibc/E1BD2AE3C3879D2D79EA2F81E2A106BC8781CF449F70DDE6D97EF1A45F18C270 decimals = 6 -[SER] -peggy_denom = inj128cqeg7a78k64xdxsr6v5s6js97dxjgxynwdxc +[WINJ] +peggy_denom = inj1cxp5f0m79a9yexyplx550vxtnun8vjdaqf28r5 decimals = 18 -[SEUL] -peggy_denom = ibc/1C17C28AEA3C5E03F1A586575C6BE426A18B03B48C11859B82242EF32D372FDA +[WINJA] +peggy_denom = factory/inj1mq6we23vx50e4kyq6fyqgty4zqq27p20czq283/WINJA decimals = 6 -[SEX] -peggy_denom = factory/inj1ary3d4xl6jjlkht33ktqc2py7lvc3l4mqrfq00/SEX +[WINK] +peggy_denom = ibc/325300CEF4149AD1BBFEB540FF07699CDEEFBB653401E872532030CFB31CD767 decimals = 6 -[SHARINGAN] -peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SHARINGAN -decimals = 18 - -[SHARK] -peggy_denom = ibc/08B66006A5DC289F8CB3D7695F16D211D8DDCA68E4701A1EB90BF641D8637ACE +[WIZZ] +peggy_denom = factory/inj1uvfpvnmuqhx8jwg4786y59tkagmph827h38mst/WIZZ decimals = 6 -[SHARP] -peggy_denom = inj134p6skwcyjac60d2jtff0daps7tvzuqj4n56fr +[WKLAY] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 decimals = 8 -[SHB] -peggy_denom = inj19zzdev3nkvpq26nfvdcm0szp8h272u2fxf0myv -decimals = 6 +[WMATIC] +peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC +decimals = 8 -[SHBL] -peggy_denom = factory/inj1zp8a6nhhf3hc9pg2jp67vlxjmxgwjd8g0ck9mq/SHBL -decimals = 6 +[WMATIClegacy] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 + +[WNINJ] +peggy_denom = factory/inj1ducfa3t9sj5uyxs7tzqwxhp6mcfdag2jcq2km6/wnINJ +decimals = 18 -[SHENZI] -peggy_denom = factory/inj1e05u43qmn9jt502784c009u4elz5l86678esrk/SHENZI +[WOJAK] +peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/WOJAK decimals = 6 -[SHI] -peggy_denom = inj1w7wwyy6pjs9k2ecxte8p6tp8g7kh6k3ut402af +[WOJO] +peggy_denom = inj1n7qrdluu3gve6660dygc0m5al3awdg8gv07v62 decimals = 6 -[SHIB] -peggy_denom = peggy0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE +[WOKE] +peggy_denom = inj17ka378ydj6ka5q0jlqt0eqhk5tmzqynx43ue7m decimals = 18 -[SHIBINJ] -peggy_denom = factory/inj13yzzxz90naqer4utnp03zlj5rguhu7v0hd2jzl/SHIBINJ -decimals = 6 - -[SHIELD] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SHIELD +[WOLF] +peggy_denom = factory/inj18pe85zjlrg5fcmna8tzqr0lysppcw5x7ecq33n/WOLF decimals = 6 -[SHINJ] -peggy_denom = factory/inj1h3vg2546p42hr955a7fwalaexjrypn8npds0nq/SHINJ -decimals = 6 +[WONDER] +peggy_denom = inj1ppg7jkl9vaj9tafrceq6awgr4ngst3n0musuq3 +decimals = 8 -[SHINJU] -peggy_denom = factory/inj1my757j0ndftrsdf2tuxsdhhy5qfkpuxw4x3wnc/shinju +[WOOF] +peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/woof decimals = 6 -[SHINOBI] -peggy_denom = inj1h37nmz0r2dt8l33kt2c6us5hj00ykzgxmvyw55 -decimals = 18 +[WOOF INU] +peggy_denom = inj1h0h49fpkn5r0pjmscywws0m3e7hwskdsff4qkr +decimals = 8 -[SHIRO] -peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/shiro +[WORM] +peggy_denom = ibc/13C9967E4F065F5E4946302C1F94EA5F21261F3F90DAC0212C4037FA3E058297 decimals = 6 -[SHITMOS] -peggy_denom = ibc/96C34D4D443A2FBCA10B120679AB50AE61195DF9D48DEAD60F798A6AC6B3B653 +[WOSMO] +peggy_denom = ibc/DD648F5D3CDA56D0D8D8820CF703D246B9FC4007725D8B38D23A21FF1A1477E3 decimals = 6 -[SHOGUN] -peggy_denom = inj16yxzdpw4fkyfzld98zt9l3txqpzj88pnme904j -decimals = 6 +[WSTETH] +peggy_denom = peggy0x7f39C581F595B53c5cb19bD0b3f8dA6c935E2Ca0 +decimals = 18 -[SHRK] -peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/SHRK +[WTF] +peggy_denom = ibc/3C788BF2FC1269D66CA3E339634E14856A90336C5562E183EFC9B743C343BC31 decimals = 6 -[SHROOM] -peggy_denom = inj1mdzxqh9kag3a9e7x5488vn8hkeh42cuw0hnhrf +[WUBBA] +peggy_denom = inj17g65zpdwql8xjju92k6fne8luqe35cjvf3j54v decimals = 6 -[SHSA] -peggy_denom = inj1tsrxu2pxusyn24zgxyh2z36apxmhu22jfwd4v7 -decimals = 18 +[Waifu] +peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifuinj +decimals = 6 -[SHT] -peggy_denom = factory/inj1sp8s6ng0e8a7q5dqywgyupwjyjgq2sk553t6r5/SHT +[What does the fox say?] +peggy_denom = inj1x0nz4k6k9pmjq0y9uutq3kp0rj3vt37p2p39sy decimals = 6 -[SHU] -peggy_denom = factory/inj1mllxwgvx0zhhr83rfawjl05dmuwwzfcrs9xz6t/SHU +[Wolf Party] +peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/wolf decimals = 6 -[SHURIKEN] -peggy_denom = inj1d8x73kj4xtgzhpztf6d60vcjnrw9w0sh2vq8em +[Wormhole] +peggy_denom = factory/inj1xmxx0c3elm96s9s30t0k0gvr4h7l4wx9enndsl/wormhole decimals = 6 -[SILLY] -peggy_denom = inj19j6q86wt75p3pexfkajpgxhkjht589zyu0e4rd +[Wrapped Bitcoin] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 decimals = 8 -[SIMPSONS] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/simpsons -decimals = 6 +[Wrapped Ether] +peggy_denom = ibc/65A6973F7A4013335AE5FFE623FE019A78A1FEEE9B8982985099978837D764A7 +decimals = 18 -[SINU] -peggy_denom = inj1mxjvtp38yj866w7djhm9yjkwqc4ug7klqrnyyj +[Wrapped Ethereum] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 decimals = 8 -[SJAKE] -peggy_denom = factory/inj1s4xa5jsp5sfv5nql5h3c2l8559l7rqyzckheha/SJAKE -decimals = 6 +[Wrapped Klaytn] +peggy_denom = inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 +decimals = 8 -[SKI] -peggy_denom = inj167xkgla9kcpz5gxz6ak4vrqs7nqxr08kvyfqkz +[Wrapped Matic] +peggy_denom = ibc/7E23647941230DA0AB4ED10F599647D9BE34E1C991D0DA032B5A1522941EBA73 decimals = 18 -[SKIBIDI] -peggy_denom = factory/inj1ztugej2ytfwj9kxa8m5md85e5z3v8jvaxapz6n/skibidi -decimals = 6 +[Wrapped Matic (legacy)] +peggy_denom = inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h +decimals = 8 -[SKIPBIDIDOBDOBDOBYESYESYESYES] -peggy_denom = peggy0x5085202d0A4D8E4724Aa98C42856441c3b97Bc6d -decimals = 9 +[Wrapped liquid staked Ether 2.0 (Wormhole)] +peggy_denom = ibc/AF173F64492152DA94107B8AD53906589CA7B844B650EFC2FEFED371A3FA235E +decimals = 8 -[SKR] -peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/sakura -decimals = 6 +[Wynn] +peggy_denom = factory/inj1mmn3lqt5eahuu7cmpcjme6lj0xhjlhj3qj4fhh/Wynn +decimals = 18 -[SKULL] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/SKULL +[X747] +peggy_denom = factory/inj12ccehmgslwzkg4d4n4t78mpz0ja3vxyctu3whl/X747 decimals = 6 -[SKULLS] -peggy_denom = inj1qk4cfp3su44qzragr55fc9adeehle7lal63jpz -decimals = 18 +[XAC] +peggy_denom = peggy0xDe4C5a791913838027a2185709E98c5C6027EA63 +decimals = 8 -[SKYPE] -peggy_denom = inj1e9nezwf7wvjj4rzfkjfad7teqjfa7r0838f6cs +[XAEAXii] +peggy_denom = inj1wlw9hzsrrtnttgl229kvmu55n4z2gfjqzr6e2k decimals = 18 -[SLOTH] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/sloth +[XAG] +peggy_denom = xag decimals = 6 -[SMART] -peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/SMART +[XAI] +peggy_denom = inj15a8vutf0edqcuanpwrz0rt8hfclz9w8v6maum3 +decimals = 8 + +[XAU] +peggy_denom = xau decimals = 6 -[SMAUG] -peggy_denom = inj1a2wzkydpw54f8adq76dkf6kwx6zffnjju93r0y +[XBX] +peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 decimals = 18 -[SMB] -peggy_denom = inj13xkzlcd490ky7uuh3wwd48r4qy35hlhqxjpe0r +[XCN] +peggy_denom = ibc/79D01DE88DFFC0610003439D38200E77A3D2A1CCCBE4B1958D685026ABB01814 decimals = 18 -[SMELLY] -peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/SMELLY +[XDD] +peggy_denom = inj10e64r6exkrm52w9maa2e99nse2zh5w4zajzv7e +decimals = 18 + +[XIII] +peggy_denom = factory/inj18flmwwaxxqj8m8l5zl8xhjrnah98fcjp3gcy3e/XIII decimals = 6 -[SMILE] -peggy_denom = factory/inj1tuwuzza5suj9hq4n8pwlfw2gfua8223jfaa6v7/SMILE +[XMAS] +peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/XMAS decimals = 6 -[SMLE] -peggy_denom = inj1nqy47ullz048d8lzck9yr89dnpfefrdx30c7fx +[XMASINJ] +peggy_denom = inj1yhp235hgpa0nartawhtx0q2hkhr6y8cdth4neu +decimals = 8 + +[XMASPUMP] +peggy_denom = inj165lcmjswrkuz2m5p45wn00qz4k2zpq8r9axkp9 +decimals = 8 + +[XNJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar decimals = 18 -[SMOKE] -peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKE -decimals = 6 +[XPLA] +peggy_denom = inj1j08452mqwadp8xu25kn9rleyl2gufgfjqjvewe +decimals = 8 -[SMOKEe] -peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/SMOKEe +[XPRT] +peggy_denom = ibc/B786E7CBBF026F6F15A8DA248E0F18C62A0F7A70CB2DABD9239398C8B5150ABB decimals = 6 -[SNAPPY] -peggy_denom = factory/inj13y5nqf8mymy9tfxkg055th7hdm2uaahs9q6q5w/SNAPPY -decimals = 6 +[XRAY] +peggy_denom = inj1aqgkr4r272dg62l9err5v3d3hme2hpt3rzy4zt +decimals = 8 -[SNAPPY inj] -peggy_denom = inj19dfkr2rm8g5kltyu93ppgmvdzj799vug2m9jqp +[XRP] +peggy_denom = peggy0x1d2f0da169ceb9fc7b3144628db156f3f6c60dbe decimals = 18 -[SNARL] -peggy_denom = factory/inj1dskk29zmzjtc49w3fjxac4q4m87yg7gshw8ps9/SNARL +[XTALIS] +peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xTalis decimals = 6 -[SNASA] -peggy_denom = factory/inj1peusyhlu85s3gq82tz8jcfxzkszte4zeqhdthw/SNASA +[XUPS] +peggy_denom = inj1f3ppu7jgputk3qr833f4hsl8n3sm3k88zw6um0 +decimals = 8 + +[XYZ] +peggy_denom = factory/inj12aljr5fewp8vlns0ny740wuwd60q89x0xsqcz3/XYZ decimals = 6 -[SNEK] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/snek +[XmasPump] +peggy_denom = inj1yjtgs6a9nwsljwk958ypf2u7l5kqf5ld8h3tmd +decimals = 8 + +[YAKUZA] +peggy_denom = factory/inj1r5pgeg9xt3xr0mw5n7js8kux7hyvjlsjn6k8ce/YAKUZA decimals = 6 -[SNIPE] -peggy_denom = inj1ryzgvggaktks2pz69pugltfu7f3hpq7wc98t5e +[YAMEI] +peggy_denom = inj1042ucqa8edhazdc27xz0gsphk3cdwxefkfycsr decimals = 18 -[SNIPEONE] -peggy_denom = inj146tnhg42q52jpj6ljefu6xstatactyd09wcgwh +[YEA] +peggy_denom = inj1vfasyvcp7jpqfpdp980w28xemyurdnfys84xwn decimals = 18 -[SNIPER] -peggy_denom = factory/inj1qzxna8fqr56g83rvyyylxnyghpguzt2jx3dgr8/SNIPER -decimals = 6 +[YEET] +peggy_denom = inj10vhq60u08mfxuq3zr6ffpm7uelcc9ape94xq5f +decimals = 18 -[SNJT] -peggy_denom = inj1h6hma5fahwutgzynjrk3jkzygqfxf3l32hv673 +[YFI] +peggy_denom = peggy0x0bc529c00C6401aEF6D220BE8C6Ea1667F6Ad93e decimals = 18 -[SNOWY] -peggy_denom = factory/inj1ml33x7lkxk6x2x95d3alw4h84evlcdz2gnehmk/SNOWY +[YKZ] +peggy_denom = factory/inj16a7s0v3c2hp575s0ugmva8cedq9yvsmz4mvdcd/YKZ decimals = 6 -[SNS] -peggy_denom = ibc/4BFB3FB1903142C5A7570EE7697636436E52FDB99AB8ABE0257E178A926E2568 -decimals = 8 +[YMOS] +peggy_denom = ibc/26AB5A32422A0E9BC3B7FFCCF57CB30F3E8AEEA0F1705D64DCF4D8FA3DD71B9D +decimals = 6 -[SNX] -peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F +[YOAN] +peggy_denom = inj1hgrgkrpwsu6n44ueucx0809usskkp6vdcr3ul9 +decimals = 18 + +[YOKAI] +peggy_denom = inj1y7k7hdw0nyw05rc8qr6nmwlp2kq3vzh065frd6 +decimals = 18 + +[YOSHI] +peggy_denom = inj13y8susc9dle4x664ktps3ynksxxgt6lhmckuxp decimals = 18 -[SOCRATES] -peggy_denom = inj18qupdvxmgswj9kfz66vaw4d4wn0453ap6ydxmy -decimals = 8 +[YSIR] +peggy_denom = inj1zff494cl7wf0g2fzqxdtxn5ws4mkgy5ypxwlql +decimals = 18 -[SOGGS] -peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/soggs +[YUKI] +peggy_denom = factory/inj1spdy83ds5ezq9rvtg0ndy8480ad5rlczcpvtu2/YUKI decimals = 6 -[SOK] -peggy_denom = inj1jdpc9y459hmce8yd699l9uf2aw97q3y7kwhg7t -decimals = 18 - -[SOKE] -peggy_denom = inj1ryqavpjvhfj0lewule2tvafnjga46st2q7dkee +[YUM.axl] +peggy_denom = ibc/253F76EB6D04F50492930A5D97465A495E5D6ED674A33EB60DDD46F01EF56504 decimals = 18 -[SOL] -peggy_denom = factory/inj1a4hvejdwaf9gd9rltwftxf0fyz6mrzwmnauacp/SOL +[Yakuza] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/Yakuza decimals = 6 -[SOLANAinj] -peggy_denom = inj18e7x9myj8vq58ycdutd6eq6luy7frrp4d2nglr +[Yang] +peggy_denom = inj10ga6ju39mxt94suaqsfagea9t9p2ys2lawml9z decimals = 6 -[SOLinj] -peggy_denom = inj1n9nga2t49ep9hvew5u8xka0d4lsrxxg4cw4uaj +[YeetYak] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/YeetYak decimals = 6 -[SOLlegacy] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 -decimals = 8 +[YieldETH] +peggy_denom = ibc/6B7E243C586784E1BE150B71F541A3880F0409E994365AF31FF63A2764B72556 +decimals = 18 -[SOMM] -peggy_denom = ibc/34346A60A95EB030D62D6F5BDD4B745BE18E8A693372A8A347D5D53DBBB1328B +[Ykz] +peggy_denom = inj1ur8dhklqn5ntq45jcm5vy2tzp5zfc05w2pmjam +decimals = 18 + +[Yogi] +peggy_denom = inj1zc3uujkm2sfwk5x8xlrudaxwsc0t903rj2jcen decimals = 6 -[SONICFLOKITRUMPSPIDERMAN INU] -peggy_denom = inj16afzhsepkne4vc7hhu7fzx4cjpgkqzagexqaz6 -decimals = 8 +[ZEUS] +peggy_denom = inj1302yft4ppsj99qy5avv2qv6hfuvzluy4q8eq0k +decimals = 18 -[SONINJ] -peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/soninj -decimals = 6 +[ZIG] +peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 +decimals = 18 -[SOS] -peggy_denom = inj13wdqnmv40grlmje48akc2l0azxl38d2wzl5t92 +[ZIGZAG] +peggy_denom = inj1d70m92ml2cjzy2lkj5t2addyz6jq4qu8gyfwn8 decimals = 6 -[SPDR] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/spdr -decimals = 6 +[ZIL] +peggy_denom = ibc/AE996D1AF771FED531442A232A4403FAC51ACFFF9B645FF4363CFCB76019F5BD +decimals = 12 -[SPK] -peggy_denom = inj18wclk6g0qwwqxa36wd4ty8g9eqgm6q04zjgnpp +[ZK] +peggy_denom = zk decimals = 18 -[SPONCH] -peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/sponch -decimals = 6 - -[SPOONWORMS] -peggy_denom = inj1qt3c5sx94ag3rn7403qrwqtpnqthg4gr9cccrx +[ZOE] +peggy_denom = factory/inj17v462f55kkuhjhvw7vdcjzd2wdk85yh8js3ug9/ZOE decimals = 6 -[SPORTS] -peggy_denom = factory/inj1dewkg7z8vffqxk7jcer6sf9ttnx54z0c6gfjw6/SPORTS +[ZOMBIE] +peggy_denom = factory/inj12yvvkskjdedhztpl4g2vh888z00rgl0wctarst/ZOMBIE decimals = 6 -[SPUUN] -peggy_denom = inj1vgm0pwes4fusmvha62grh5aq55yxdz2x5k58xw +[ZOOMER] +peggy_denom = inj173zkm8yfuqagcc5m7chc4dhnq0k5hdl7vwca4n decimals = 18 -[SPUUN INJ] -peggy_denom = inj1zrd6wwvyh4rqsx5tvje6ug6qd2xtn0xgu6ylml +[ZORO] +peggy_denom = factory/inj1z70nam7mp5qq4wd45ker230n3x4e35dkca9la4/ZORO decimals = 18 -[SQRL] -peggy_denom = peggy0x762dD004fc5fB08961449dd30cDf888efb0Adc4F +[ZRO] +peggy_denom = zro +decimals = 6 + +[ZRX] +peggy_denom = peggy0xE41d2489571d322189246DaFA5ebDe1F4699F498 decimals = 18 -[SQUID] -peggy_denom = factory/inj1a7697s5yg3tsgkfrm0u5hvxm34mu8v0v3trryx/SQUID +[ZUZU] +peggy_denom = factory/inj1v05uapg65p6f4307qg0hdkzssn82js6n5gc03q/ZUZU decimals = 6 -[SSFS] -peggy_denom = inj1m7hd99423w39aug74f6vtuqqzvw5vp0h2e85u0 +[ZZZ] +peggy_denom = factory/inj1a2qk8tsd4qv7rmtp8g8ktj7zfldj60hpp0arqp/ZZZ decimals = 6 -[SSTST] -peggy_denom = factory/inj1wmu4fq03zvu60crvjdhksk62e8m08xsn9d5nv3/stream-swap-test +[aUSD] +peggy_denom = inj1p3nrwgm9u3dtln6rwdvrsmjt5fwlhhhq3ugckd +decimals = 18 + +[aevmos] +peggy_denom = ibc/295BF44E68BDD1B0D32A28C2084D89D63EDA3A01612789B01B62B8F07254D04C decimals = 0 -[STAKELAND] -peggy_denom = inj1sx4mtq9kegurmuvdwddtr49u0hmxw6wt8dxu3v +[allBTC] +peggy_denom = ibc/2D805BFDFB164DE4CE69514BF2CD203C07BF79DF52EF1971763DCBD325917CC5 decimals = 8 -[STAR] -peggy_denom = inj1nkxdx2trqak6cv0q84sej5wy23k988wz66z73w -decimals = 8 +[allETH] +peggy_denom = ibc/1638ABB0A4233B36CC9EBBD43775D17DB9A86190E826580963A0B59A621BD7FD +decimals = 18 -[STARK] -peggy_denom = factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark +[allSOL] +peggy_denom = ibc/FA2D0C9110C1DFBAEF084C161D1A0EFC6270C64B446FDEC686C30FCF99FE22CA +decimals = 9 + +[allUSDT] +peggy_denom = ibc/7991930BA02EBF3893A7E244233E005C2CB14679898D8C9E680DA5F7D54E647D decimals = 6 -[STARS] -peggy_denom = ibc/4D29F082A3C083C85C886B92A1EB438C3FC0632E5F9E4D875479BEB7B9511BD5 +[ampGASH] +peggy_denom = ibc/B52F9774CA89A45FFB924CEE4D1E586013E33628A3784F3CCF10C8CE26A89E7F decimals = 6 -[STINJ] -peggy_denom = ibc/AC87717EA002B0123B10A05063E69BCA274BA2C44D842AEEB41558D2856DCE93 -decimals = 18 +[ampINJ] +peggy_denom = factory/inj1cdwt8g7nxgtg2k4fn8sj363mh9ahkw2qt0vrnc/ampINJ +decimals = 6 -[STINJER] -peggy_denom = factory/inj1fepsfp58ff2l7fasj47ytwrrwwp6k7uz6uhfvn/stinjer +[ampKUJI] +peggy_denom = ibc/34E48C7C43383203519D996D1D93FE80ED50153E28FB6A9465DE463AEF2EC9EC decimals = 6 -[STL] -peggy_denom = inj1m2pce9f8wfql0st8jrf7y2en7gvrvd5wm573xc -decimals = 18 +[ampLUNA] +peggy_denom = ibc/751CCECAF75D686B1DC8708BE62F8C7411B211750E6009C6AC4C93881F0543E8 +decimals = 6 -[STRD] -peggy_denom = ibc/02683677B1A58ECF74FFF25711E09735C44153FE9490BE5EF9FD21DE82BCB542 +[ampMNTA] +peggy_denom = ibc/A87178EAA371050DDFD80F78630AE622B176C7634160EE515C27CE62FCC8A0CC decimals = 6 -[STT] -peggy_denom = peggy0xaC9Bb427953aC7FDDC562ADcA86CF42D988047Fd -decimals = 18 +[ampOSMO] +peggy_denom = ibc/012D069D557C4DD59A670AA17E809CB7A790D778E364D0BC0A3248105DA6432D +decimals = 6 -[STX] -peggy_denom = stx +[ampROAR] +peggy_denom = ibc/7BE54594EAE77464217B9BB5171035946ED23DB309B030B5708E15C9455BB557 decimals = 6 -[SUGAR] -peggy_denom = factory/inj1qukvpzhyjguma030s8dmvw4lxaluvlqq5jk3je/SUGAR +[ampSEI] +peggy_denom = ibc/6293B8AAE79F71B7DA3E8DEE00BEE0740D6D8495DB9BAED2342949B0A90152A5 decimals = 6 -[SUI] -peggy_denom = sui -decimals = 9 +[ampWHALE] +peggy_denom = ibc/168C3904C45C6FE3539AE85A8892DF87371D00EA7942515AFC50AA43C4BB0A32 +decimals = 6 -[SUMO] -peggy_denom = factory/inj15e6p3slz9pa7kcn280y7hgp6rvhsqm3vnczlaw/sumo +[ampWHALEt] +peggy_denom = ibc/DF3225D7381562B58AA8BE107A87260DDDC7FA08E4B0898E3D795392CF844BBE decimals = 6 -[SUMOCOCO] -peggy_denom = factory/inj1056f9jwmdxjmc3xf3urpka00gjfsnna7ct3gy3/SUMOCOCO +[anon] +peggy_denom = factory/inj15n8jl0dcepjfy3nhsa3gm734rjx5x2ff3y9f2s/anon decimals = 6 -[SUPE] -peggy_denom = factory/inj1rl4sadxgt8c0qhl4pehs7563vw7j2dkz80cf55/SUPE +[ape] +peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/ape decimals = 6 -[SUPERMARIO] -peggy_denom = inj1mgts7d5c32w6aqr8h9f5th08x0p4jaya2tp4zp -decimals = 18 +[aplanq] +peggy_denom = ibc/ABC34F1F9C95DAB3AD3DAFD5228FAB5CDEA67B6BD126BC545D6D25B15E57F527 +decimals = 0 -[SUSHI] -peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/SUSHI +[ashLAB] +peggy_denom = ibc/D3D5FB034E9CAA6922BB9D7D52D909116B7FFF7BD73299F686C972643B4767B9 decimals = 6 -[SUSHI FIGHTER] -peggy_denom = inj1n73yuus64z0yrda9hvn77twkspc4uste9j9ydd -decimals = 18 +[ashLUNA] +peggy_denom = ibc/19C3905E752163B6EEB903A611E0832CCD05A32007E98C018759905025619D8F +decimals = 6 -[SUSHII] -peggy_denom = inj1p6evqfal5hke6x5zy8ggk2h5fhn4hquk63g20d +[ashSYN] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/syn.ash decimals = 6 -[SVM] -peggy_denom = inj1jyhzeqxnh8qnupt08gadn5emxpmmm998gwhuvv -decimals = 8 +[avalanche.USDC.wh] +peggy_denom = ibc/348633370BE07A623D7FC9CD229150936ADCD3A4E842DAD246BBA817D21FF6C7 +decimals = 6 -[SVN] -peggy_denom = inj1u4zp264el8hyxsqkeuj5yesp8pqmfh4fya86w6 +[axlETH] +peggy_denom = ibc/34EF5DA5B1CFB23FA25F1D486C89AFC9E5CC5727C224975438583C444E88F039 decimals = 18 -[SWAP] -peggy_denom = peggy0xCC4304A31d09258b0029eA7FE63d032f52e44EFe +[axlFIL] +peggy_denom = ibc/9D1889339AEC850B1D719CCF19BD813955C086BE1ED323ED68318A273922E40D decimals = 18 -[SWP] -peggy_denom = ibc/70CF1A54E23EA4E480DEDA9E12082D3FD5684C3483CBDCE190C5C807227688C5 +[axlUSDC] +peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 decimals = 6 -[SWTH] -peggy_denom = ibc/8E697D6F7DAC1E5123D087A50D0FE0EBDD8A323B90DC19C7BA8484742AEB2D90 -decimals = 8 +[axlWBTC] +peggy_denom = ibc/F57B53E102171E6DC254532ECC184228BB8E23B755AD55FA6FDCBD70464A9A54 +decimals = 6 -[SXC] -peggy_denom = inj1a4lr8sulev42zgup2g0sk8x4hl9th20cj4fqmu -decimals = 8 +[bCRE] +peggy_denom = ibc/83D54420DD46764F2ED5EE511DAA63EC28012480A245D8E33AA1F7D1FB15D736 +decimals = 6 -[SXI] -peggy_denom = inj12mjzeu7qrhn9w85dd02fkvjt8hgaewdk6j72fj +[bINJ] +peggy_denom = factory/inj1dxp690rd86xltejgfq2fa7f2nxtgmm5cer3hvu/bINJ +decimals = 18 + +[bKUJI] +peggy_denom = ibc/5C48695BF3A6BCC5DD147CC1A2D09DC1A30683FE369BF472704A52CF9D59B42D +decimals = 6 + +[bLUNA] +peggy_denom = ibc/C9D55B62C9D9CA84DD94DC019009B840DDFD861BF2F33F7CF2A8A74933797680 +decimals = 6 + +[bNEO] +peggy_denom = ibc/48F6A028444987BB26299A074A5C32DC1679A050D5563AC10FF81EED9E22D8B8 decimals = 8 -[SYN] -peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/SYN +[bOSMO] +peggy_denom = ibc/C949BEFD9026997A65D0125340B096AA809941B3BB13D6C2D1E8E4A17F2130C4 +decimals = 6 + +[bWHALE] +peggy_denom = ibc/ECB0AA28D6001EF985047558C410B65581FC85BD92D4E3CFCCA0D3D964C67CC2 decimals = 6 -[SamOrai] -peggy_denom = inj1a7fqtlllaynv6l4h2dmtzcrucx2a9r04e5ntnu +[baby INJ] +peggy_denom = inj1j0l9t4n748k2zy8zm7yfwjlpkf069d2jslfh3d decimals = 18 -[Samurai] -peggy_denom = factory/inj1s5php9vmd03w6nszlnsny43cmuhw3y6u3vt7qc/samurai +[babyBENANCE] +peggy_denom = inj1rfv2lhr0qshztmk86f05vdmx2sft9zs6cc2ltj decimals = 6 -[Samurai dex token] -peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/samurai +[babyCLON] +peggy_denom = inj1pyghkw9q0kx8mnuhcxpqnczfxst0way2ep9s54 decimals = 6 -[Santa] -peggy_denom = factory/inj1mwsgdlq6rxs3xte8p2m0pcw565czhgngrxgl38/Santa +[babyCOKE] +peggy_denom = inj14mu7fw0hzxvz3dl9y628xva2xuvngmz4zrwllz decimals = 6 -[SantaInjective] -peggy_denom = inj19wccuev2399ad0ftdfyvw8h9qq5dvqxqw0pqxe -decimals = 8 - -[Satoru Gojo] -peggy_denom = inj1hwc0ynah0xv6glpq89jvm3haydhxjs35yncuq2 -decimals = 6 +[babyDIB] +peggy_denom = inj1tquat4mh95g33q5rhg5c72yh6j6x5w3p6ynuqg +decimals = 18 -[Sei] -peggy_denom = ibc/0D0B98E80BA0158D325074100998A78FB6EC1BF394EFF632E570A5C890ED7CC2 +[babyDOJO] +peggy_denom = inj10ny97fhd827s3u4slfwehu7m5swnpnmwzxsc40 decimals = 6 -[Sekiro] -peggy_denom = factory/inj1nn8xzngf2ydkppk2h0n9nje72ttee726hvjplx/ak -decimals = 6 +[babyDRAGON] +peggy_denom = inj1lfemyjlce83a7wre4k5kzd8zyytqavran5ckkv +decimals = 18 -[Sendor] -peggy_denom = inj1hpwp280wsrsgn3r3mvufx09dy4e8glj8sq4vzx +[babyDRUGS] +peggy_denom = inj1nqcrsh0fs60k06mkc2ptxa9l4g9ktu4jct8z2w decimals = 6 -[Sensei Dog] -peggy_denom = ibc/12612A3EBAD01200A7FBD893D4B0D71F3AD65C41B2AEE5B42EE190672EBE57E9 +[babyDrugs] +peggy_denom = inj1457z9m26aqvga58demjz87uyt6su7hyf65aqvr decimals = 6 -[She] -peggy_denom = inj1k59du6npg24x2wacww9lmmleh5qrscf9gl7fr5 +[babyGINGER] +peggy_denom = inj1y4dk7ey2vrd4sqems8hnzh2ays8swealvfzdmg decimals = 6 -[Shiba INJ] -peggy_denom = factory/inj1v0yk4msqsff7e9zf8ktxykfhz2hen6t2u4ue4r/shiba inj +[babyINJUSSY] +peggy_denom = factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/babyINJUSSY decimals = 6 -[Shiba Inu] -peggy_denom = ibc/E68343A4DEF4AFBE7C5A9004D4C11888EE755A7B43B3F1AFA52F2C34C07990D5 +[babyJUNIORES] +peggy_denom = inj1m4k5fcjz86dyz25pgagj50jcydh9llvpw8lxyj decimals = 18 -[ShihTzu] -peggy_denom = factory/inj1x78kr9td7rk3yqylvhgg0ru2z0wwva9mq9nh92/ShihTzu +[babyKAGE] +peggy_denom = inj12gh464eqc4su4qd3frxxlyjymf0nhzgzm9a203 decimals = 6 -[Shinobi] -peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/nobi +[babyKANGAROO] +peggy_denom = inj12s9a6vnmgyf8vx448cmt2hzmhhfuptw8agn2xs decimals = 6 -[Shinobi Inu] -peggy_denom = factory/inj1t02au5gsk40ev9jaq0ggcyry9deuvvza6s4wav/Shinobi +[babyKOALA] +peggy_denom = inj19lm6nrfvam539ahr0c8nuapfh6xzlhjaxv2a39 decimals = 6 -[Shuriken] -peggy_denom = inj1kxamn5nmsn8l7tyu752sm2tyt6qlpufupjyscl +[babyMONKS] +peggy_denom = inj17udts7hdggcurc8892tmd7y56w5dkxsgv2v6eu decimals = 18 -[Shuriken Token] -peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/shuriken +[babyNINJA] +peggy_denom = inj1n8883sfdp3cufstk05sd8dkp7pcdxr3m2fp24m decimals = 6 -[Sin] -peggy_denom = inj10fnmtl9mh95gjtgl67ww6clugl35d8lc7tewkd +[babyNONJA] +peggy_denom = inj15hxdpukklz4c4f3l20rl50h9wqa7rams74gyah decimals = 18 -[Sinful] -peggy_denom = inj1lhfk33ydwwnnmtluyuu3re2g4lp79c86ge546g +[babyPANDA] +peggy_denom = inj1lpu8rcw04zenfwkxdld2dm2pd70g7yv6hz7dnf decimals = 18 -[Smoking Nonja] -peggy_denom = factory/inj1nvv2gplh009e4s32snu5y3ge7tny0mauy9dxzg/smokingnonja +[babyPING] +peggy_denom = inj17fa3gt6lvwj4kguyulkqrc0lcmxcgcqr7xddr0 +decimals = 18 + +[babySAMURAI] +peggy_denom = inj1arnd0xnxzg4qgxn4kupnzsra2a0rzrspwpwmrs decimals = 6 -[Solana (legacy)] -peggy_denom = inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3 -decimals = 8 +[babySHEROOM] +peggy_denom = inj1cmw4kwqkhwzx6ha7d5e0fu9zj7aknn4mxqqtf0 +decimals = 6 -[Sommelier] -peggy_denom = peggy0xa670d7237398238DE01267472C6f13e5B8010FD1 +[babySHROOM] +peggy_denom = inj14zxwefzz5p3l4mltlzgmfwh2jkgjqum256qhna decimals = 6 -[SpoonWORMS] -peggy_denom = inj1klc8puvggvjwuee6yksmxx4za6xdh20pwjdnec +[babySMELLY] +peggy_denom = inj16hl3nlwlg2va07y4zh09vzh9xtxy6uwpmy0f5l decimals = 6 -[Spuun] -peggy_denom = inj1hs0xupdsrnwfx3lcpz56qkp72q7rn57v3jm0x7 -decimals = 18 +[babySPUUN] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/babyspuun +decimals = 6 -[Spuurk] -peggy_denom = inj1m9yfd6f2dw0f6uyx4r2av2xk8s5fq5m7pt3mec -decimals = 18 +[babyYAKUZA] +peggy_denom = inj1rep4p2x86avty00qvgcu4vfhywmsznf42jdpzs +decimals = 6 -[Spuvn] -peggy_denom = inj1f66rlllh2uef95p3v7cswqmnnh2w3uv3f97kv3 +[babyYKZ] +peggy_denom = inj16wa97auct633ft6cjzr22xv2pxvym3k38rzskc decimals = 18 -[SteadyBTC] -peggy_denom = peggy0x4986fD36b6b16f49b43282Ee2e24C5cF90ed166d -decimals = 18 +[babyYODA] +peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/babyYODA +decimals = 6 -[SteadyETH] -peggy_denom = peggy0x3F07A84eCdf494310D397d24c1C78B041D2fa622 +[babyshroomin] +peggy_denom = inj1qgcfkznvtw96h950wraae20em9zmhtcm0rws68 decimals = 18 -[Sui (Wormhole)] -peggy_denom = ibc/F96C68219E987465D9EB253DACD385855827C5705164DAFDB0161429F8B95780 -decimals = 8 +[bapc] +peggy_denom = inj13j4ymx9kz3cdasg0e00tsc8ruq03j6q8fftcll +decimals = 18 -[Summoners Arena Essence] -peggy_denom = ibc/0AFCFFE18230E0E703A527F7522223D808EBB0E02FDBC84AAF8A045CD8FE0BBB -decimals = 8 +[beef] +peggy_denom = factory/inj18xg8yh445ernwxdquklwpngffqv3agfyt5uqqs/beef +decimals = 6 -[Sushi Staked INJ] -peggy_denom = inj1hwj3xz8ljajs87km07nev9jt7uhmvf9k9q4k0f +[bellboy] +peggy_denom = inj1ywvmwtpe253qhtrnvratjqmhy4aar4yl5an9dk decimals = 6 -[SushiSwap] -peggy_denom = peggy0x6B3595068778DD592e39A122f4f5a5cF09C90fE2 -decimals = 18 +[bobmarley] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bobmarley +decimals = 6 -[TAB] -peggy_denom = peggy0x36B3D7ACe7201E28040eFf30e815290D7b37ffaD +[bobo] +peggy_denom = factory/inj1ne49gse9uxujj3fjdc0evxez4yeq9k2larmuxu/bobo decimals = 18 -[TABOO] -peggy_denom = inj1ttxw2rn2s3hqu4haew9e3ugekafu3hkhtqzmyw -decimals = 8 - -[TACOS] -peggy_denom = inj1ac9d646xzyam5pd2yx4ekgfjhc65564533fl2m +[boden] +peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/boden decimals = 6 -[TAJIK] -peggy_denom = factory/inj1dvlqazkar9jdy8x02j5k2tftwjnp7c53sgfavp/TAJIK +[boneWHALEt] +peggy_denom = ibc/F993B2C44A70D8B97B09581F12CF1A68A38DF8BBCFBA9F82016984138C718A57 decimals = 6 -[TAKUMI] -peggy_denom = ibc/ADE961D980CB5F2D49527E028774DE42BFD3D78F4CBBD4B8BA54890E60606DBD -decimals = 6 +[bonja the bad ninja] +peggy_denom = inj155fauc0h355fk5t9qa2x2uzq7vlt26sv0u08fp +decimals = 18 -[TALIS] -peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/TALIS +[bonkinu] +peggy_denom = factory/inj1936pplnstvecjgttz9eug83x2cs7xs2emdad4z/bonkinu decimals = 6 -[TANSHA] -peggy_denom = factory/inj1qw7egul6sr0yjpxfqq5qars2qvxucgp2sartet/tansha +[bonkmas] +peggy_denom = factory/inj17a0fp4rguzgf9mwz90y2chc3lr445nujdwc063/bonkmas decimals = 6 -[TATAS] -peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/tatas +[bozo] +peggy_denom = inj14r42t23gx9yredm37q3wjw3vx0q6du85vuugdr +decimals = 18 + +[brian] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/brian decimals = 6 -[TC] -peggy_denom = factory/inj1ureedhqkm8tv2v60de54xzgqgu9u25xkuw8ecs/tyler +[burn] +peggy_denom = inj1p6h58futtvzw5gdjs30fqv4l9ljq8aepk3e0k5 +decimals = 18 + +[candy] +peggy_denom = inj1wyagfdn65kp5a2x03g9n5fllr02h4nyy5aunjy +decimals = 18 + +[cartel] +peggy_denom = ibc/FDD71937DFA4E18BBF16734EB0AD0EFA9F7F1B0F21D13FAF63F0B4F3EA7DEF28 decimals = 6 -[TENSOR] -peggy_denom = inj1py9r5ghr2rx92c0hyn75pjl7ung4euqdm8tvn5 +[cat] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cat decimals = 6 -[TERRAFORMS] -peggy_denom = inj19rev0qmuz3eccvkluz8sptm6e9693jduexrc4v -decimals = 8 +[cbETH] +peggy_denom = ibc/545E97C6EFB2633645720DEBCA78B2BE6F5382C4693EA7DEB2D4C456371EA4F0 +decimals = 18 -[TERT] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/tert +[ccsl] +peggy_denom = inj1mpande8tekavagemc998amgkqr5yte0qdvaaah +decimals = 18 + +[cdj] +peggy_denom = inj1qwx2gx7ydumz2wt43phzkrqsauqghvct48pplw +decimals = 18 + +[chad] +peggy_denom = factory/inj182lgxnfnztjalxqxcjn7jal27w7xg28aeygwd9/chad decimals = 6 -[TEST] -peggy_denom = ibc/A83851234A83F3FE51CDB44FF1A4435472A197C096EF9E7312B69E67C16B7FB7 +[coke] +peggy_denom = factory/inj1cdlqynzr2ktn54l3azhlulzkyksuw8yj3mfadx/coke decimals = 6 -[TEST13] -peggy_denom = factory/inj1mux0he68umjpcy8ltefeuxm9ha2ww3689rv2g4/TEST13 +[cook] +peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cook decimals = 6 -[TESTI] -peggy_denom = inj1mzcamv0w3q797x4sj4ny05hfpgacm90a2d2xqp +[cookie] +peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cookie +decimals = 6 + +[crypto] +peggy_denom = inj19w5ntlx023v9rnecjuy7yem7s5lrg5gxlfrxfj decimals = 18 -[TF] -peggy_denom = factory/inj1pjcmuxd2ek7mvx4gnv6quyn6c6rjxwcrs4h5y4/truffle -decimals = 6 +[cw20:terra1nsuqsk6kh58ulczatwev87ttq2z6r3pusulg9r24mfj2fvtzd4uq3exn26] +peggy_denom = ibc/1966FE142949F3878ED8438FBDDE8620F4E0584D6605D2201E53388CF4CEAF41 +decimals = 0 -[THE10] -peggy_denom = factory/inj18u2790weecgqkmcyh2sg9uupz538kwgmmcmtps/THE10 -decimals = 6 +[dINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 +decimals = 18 + +[dYdX] +peggy_denom = peggy0x92D6C1e31e14520e676a687F0a93788B716BEff5 +decimals = 18 -[THREE] -peggy_denom = inj1qqfhg6l8d7punj4z597t0p3wwwxdcpfew4fz7a +[dab] +peggy_denom = inj1a93l8989wmjupyq4ftnu06836n2jjn7hjee68d decimals = 18 -[THUG] -peggy_denom = factory/inj108qcx6eu6l6adl6kxm0qpyshlmzf3w9mnq5vav/THUGLIFE -decimals = 6 +[dada] +peggy_denom = inj1yqwjse85pqmum5pkyxz9x4aqdz8etwhervtv66 +decimals = 18 -[THUNDER] -peggy_denom = inj1gacpupgyt74farecd9pv20emdv6vpkpkhft59y +[dalton] +peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/dalton decimals = 6 -[TIA] -peggy_denom = ibc/F51BB221BAA275F2EBF654F70B005627D7E713AFFD6D86AFD1E43CAA886149F4 -decimals = 6 +[devUSDC] +peggy_denom = inj13mpkggs6t62kzt6pjd6guqfy6naljpp2jd3eue +decimals = 8 -[TIK] -peggy_denom = inj1xetmk66rv8nhjur9s8t8szkdff0xwks8e4vym3 -decimals = 6 +[dmo] +peggy_denom = inj10uwj0vx6d42p67z8jl75eh4tgxrgm3mp4mqwq3 +decimals = 18 -[TINJER] -peggy_denom = factory/inj1srha80fxkk40gzymgrgt3m3ya0u8ms3z022f70/tinjer -decimals = 6 +[dmoone] +peggy_denom = inj12qlppehc4fsfduv46gmtgu5n38ngl6annnr4r4 +decimals = 18 -[TITAN] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/titan -decimals = 6 +[dmotree] +peggy_denom = inj15x7u49kw47krzlhrrj9mr5gq20d3797kv3fh3y +decimals = 18 -[TJCLUB] -peggy_denom = factory/inj12lhhu0hpszdq5wmt630wcspdxyewz3x2m04khh/TJCLUB -decimals = 6 +[dmotwo] +peggy_denom = inj1tegs6sre80hhvyj204x5pu52e5p3p9pl9vy4ue +decimals = 18 -[TKN] -peggy_denom = factory/inj1f4sglhz3ss74fell9ecvqrj2qvlt6wmk3ctd3f/TKN -decimals = 6 +[dogwifhat] +peggy_denom = inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl +decimals = 8 -[TMB] -peggy_denom = factory/inj1dg4n304450kswa7hdj8tqq3p28f5kkye2fxey3/TMB +[dogwifshoess] +peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoess decimals = 6 -[TMNT] -peggy_denom = inj1yt6erfe7a55es7gnwhta94g08zq9qrsjw25eq5 +[dojo] +peggy_denom = inj1p0ccaveldsv7hq4s53378und5ke9jz24rtsr9z decimals = 18 -[TOKYO] -peggy_denom = inj1k8ad5x6auhzr9tu3drq6ahh5dtu5989utxeu89 +[dojodoge] +peggy_denom = inj1nueaw6mc7t7703t65f7xamj63zwaew3dqx90sn decimals = 18 -[TOM] -peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/TOM +[dojodojo] +peggy_denom = inj1ht0qh7csdl3txk6htnalf8qpz26xzuq78x7h87 decimals = 18 -[TOMO] -peggy_denom = inj1d08rut8e0u2e0rlf3pynaplas6q0akj5p976kv -decimals = 8 +[dojoinu] +peggy_denom = inj14hszr5wnhshu4zre6e4l5ae2el9v2420eypu6k +decimals = 18 -[TONKURU] -peggy_denom = factory/inj1krswly444gyuunnmchg4uz2ekqvu02k7903skh/tonkuru +[dojoswap] +peggy_denom = inj1tml6e474rxgc0gc5pd8ljmheqep5wrqrm9m9ks decimals = 6 -[TORO] -peggy_denom = ibc/37DF4CCD7D156B9A8BF3636CD7E073BADBFD54E7C7D5B42B34C116E33DB0FE81 +[done] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/done decimals = 6 -[TOTS] -peggy_denom = factory/inj1u09lh0p69n7salm6l8ufytfsm0p40pnlxgpcz5/TOTS +[dontbuy] +peggy_denom = factory/inj1vg2vj46d3cy54l63qkjprtcnel2svkjhgwkfhy/dontbuy +decimals = 10 + +[dsINJ] +peggy_denom = inj1nfsxxz3q59f0yyqsjjnr7ze020klxyfefy6wcg decimals = 6 -[TRASH] -peggy_denom = inj1re43j2d6jxlk4m5sn9lc5qdc0rwkz64c8gqk5x -decimals = 18 +[dtwo] +peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/dtwo +decimals = 12 -[TREN] -peggy_denom = inj14y8f4jc0qmmwzcyj9k7dxnlq6tgjq9ql6n2kdn +[enuk] +peggy_denom = inj1x0km562rxugpvxq8nucy7pdmefguv6xxumng27 decimals = 18 -[TRG] -peggy_denom = inj1scn6ssfehuw735llele39kk7w6ylg4auw3epjp -decimals = 8 +[erc20/0x655ecB57432CC1370f65e5dc2309588b71b473A9] +peggy_denom = ibc/9A7A2B6433CFA1CA5D93AF75D568D614456EA4FEBC39F0BE1BE9ECBD420FB36F +decimals = 0 -[TRH] -peggy_denom = inj1dxtnr2cmqaaq0h5sgnhdftjhh5t6dmsu37x40q -decimals = 18 +[erc20/tether/usdt] +peggy_denom = ibc/9D592A0F3E812505C6B3F7860458B7AC4DBDECACC04A2602FC13ED0AB6C762B6 +decimals = 0 -[TRIPPY] -peggy_denom = inj1puwde6qxl5v96f5sw0dmql4r3a0e9wvxp3w805 +[estamina] +peggy_denom = inj1sklu3me2d8e2e0k6eu83t4pzcnleczal7d2zra decimals = 18 -[TRR] -peggy_denom = inj1cqwslhvaaferrf3c933efmddfsvakdhzaaex5h +[estate] +peggy_denom = inj16mx8h5updpwkslymehlm0wq84sckaytru0apvx decimals = 18 -[TRUCPI] -peggy_denom = trucpi +[ezETH] +peggy_denom = peggy0xbf5495Efe5DB9ce00f80364C8B423567e58d2110 decimals = 18 -[TRUFFLE] -peggy_denom = factory/inj1e5va7kntnq245j57hfe78tqhnd763ekrtu9fez/TRUFFLE -decimals = 6 - -[TRUMP] -peggy_denom = inj19l7z2pezzt0xn52w647zxrffyrqag02ft88grm -decimals = 18 +[fUSDT] +peggy_denom = peggy0x81994b9607e06ab3d5cF3AffF9a67374f05F27d7 +decimals = 8 -[TRX] -peggy_denom = inj17ssa7q9nnv5e5p6c4ezzxj02yjhmvv5jmg6adq -decimals = 6 +[factory/chihuahua1x4q2vkrz4dfgd9hcw0p5m2f2nuv2uqmt9xr8k2/achihuahuawifhat] +peggy_denom = ibc/F8AB96FFB2BF8F69AA42481D43B24E9121FF7403A4E95673D9135128CA769577 +decimals = 0 -[TRY] -peggy_denom = inj10dqyn46ljqwzx4947zc3dska84hpnwc7r6rzzs -decimals = 18 +[factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position] +peggy_denom = factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position +decimals = 0 -[TRY2] -peggy_denom = factory/inj1jpddz58n2ugstuhp238qwwvdf3shxsxy5g6jkn/TRY2 +[factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ] +peggy_denom = factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ decimals = 6 -[TSNG] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/tsng +[factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/LILKRYSTAL] +peggy_denom = factory/inj105ujajd95znwjvcy3hwcz80pgy8tc6v77spur0/LILKRYSTAL decimals = 6 -[TST] -peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/TST -decimals = 6 +[factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark] +peggy_denom = ibc/81B0CF8BB06F95247E3680844D0CB3889ACB2662B3AE2458C2370985BF4BD00B +decimals = 0 -[TSTI] -peggy_denom = factory/inj1lvlvg3mkc3txakeyrqfzemkc7muvm9656mf2az/TSTI +[factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ] +peggy_denom = factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ decimals = 6 -[TSTT] -peggy_denom = inj19p5am8kye6r7xu3xy9crzh4dj7uhqvpw3n3mny -decimals = 18 - -[TSUNADE] -peggy_denom = inj1vwzqtjcwv2wt5pcajvlhmaeejwme57q52mhjy3 -decimals = 18 - -[TTNY] -peggy_denom = inj10c0ufysjj52pe7m9a3ncymzf98sysl3nr730r5 -decimals = 18 +[factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ] +peggy_denom = factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ +decimals = 6 -[TTS] -peggy_denom = factory/inj1en4mpfud040ykmlneentdf77ksa3usjcgw9hax/TTS +[factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ] +peggy_denom = factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ decimals = 6 -[TURBO] -peggy_denom = factory/inj1hhmra48t7xwz4snc7ttn6eu5nvmgzu0lwalmwk/TURBO +[factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR] +peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR +decimals = 0 + +[factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ] +peggy_denom = factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ decimals = 6 -[TURBOTOAD] -peggy_denom = factory/inj1nmc5namhwszx0yartvjm6evsxrj0ctq2qa30l7/TURBOTOAD +[factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ] +peggy_denom = factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ decimals = 6 -[TURD] -peggy_denom = ibc/3CF3E1A31015028265DADCA63920C320E4ECDEC2F77D2B4A0FD7DD2E460B9EF3 +[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/BLACK] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/BLACK decimals = 6 -[TURTLE] -peggy_denom = factory/inj1nshrauly795k2h97l98gy8zx6gl63ak2489q0u/TURTLE -decimals = 8 +[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA +decimals = 0 -[TURTLENINJ] -peggy_denom = factory/inj1lv9v2z2zvvng6v9qm8eh02t2mre6f8q6ez5jxl/turtleninj +[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/PUG] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/PUG decimals = 6 -[TWO] -peggy_denom = inj19fza325yjfnx9zxvtvawn0rrjwl73g4nkzmm2w -decimals = 18 +[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/TALIS] +peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/TALIS +decimals = 6 -[Talis NFT] -peggy_denom = inj155kuqqlmdz7ft2jas4fc23pvtsecce8xps47w5 -decimals = 8 +[factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position] +peggy_denom = factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position +decimals = 0 -[Terra] -peggy_denom = peggy0xd2877702675e6cEb975b4A1dFf9fb7BAF4C91ea9 +[factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ] +peggy_denom = factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ decimals = 6 -[TerraUSD] -peggy_denom = peggy0xa47c8bf37f92aBed4A126BDA807A7b7498661acD -decimals = 18 +[factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position] +peggy_denom = factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position +decimals = 0 -[Test] -peggy_denom = inj1xnk5ca6u4hl9rfm2qretz6p5wjt3yptvng2jvd -decimals = 18 +[factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ] +peggy_denom = factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ +decimals = 6 -[Test QAT] -peggy_denom = peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9 -decimals = 18 +[factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position] +peggy_denom = factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position +decimals = 0 -[Test Token] -peggy_denom = inj1a6qdxdanekzgq6dluymlk7n7khg3dqq9lua9q9 -decimals = 18 +[factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ] +peggy_denom = factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ +decimals = 6 -[Test coin don't buy] -peggy_denom = inj19xpgme02uxc55hgplg4vkm4vw0n7p6xl4ksqcz -decimals = 18 +[factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ] +peggy_denom = factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ +decimals = 6 -[TestOne] -peggy_denom = inj1f8fsu2xl97c6yss7s3vgmvnjau2qdlk3vq3fg2 -decimals = 18 +[factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position] +peggy_denom = factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position +decimals = 0 -[TestThree] -peggy_denom = inj14e3anyw3r9dx4wchnkcg8nlzps73x86cze3nq6 -decimals = 18 +[factory/inj13gc95nsrtv3da5x6ujmktekaljwhj5npl2nszl/ELON] +peggy_denom = factory/inj13gc95nsrtv3da5x6ujmktekaljwhj5npl2nszl/ELON +decimals = 6 -[TestTwo] -peggy_denom = inj1krcpgdu3a83pdtnus70qlalrxken0h4y52lfhg -decimals = 18 +[factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position] +peggy_denom = factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position +decimals = 0 -[TestingToken] -peggy_denom = inj1j5y95qltlyyjayjpyupgy7e5y7kkmvjgph888r -decimals = 18 +[factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position] +peggy_denom = factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position +decimals = 0 -[Tether] -peggy_denom = inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 +[factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/BABYKIRA] +peggy_denom = factory/inj13vau2mgx6mg7ams9nngjhyng58tl9zyw0n8s93/BABYKIRA decimals = 6 -[Tether USD (Wormhole)] -peggy_denom = ibc/3384DCE14A72BBD0A47107C19A30EDD5FD1AC50909C632CB807680DBC798BB30 -decimals = 6 +[factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position] +peggy_denom = factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position +decimals = 0 -[The Mask] -peggy_denom = factory/inj1wgzj93vs2rdfff0jrhp6t7xfzsjpsay9g7un3l/mask +[factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ] +peggy_denom = factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ decimals = 6 -[TheJanitor] -peggy_denom = factory/inj1w7cw5tltax6dx7znehul98gel6yutwuvh44j77/TheJanitor +[factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ] +peggy_denom = factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ decimals = 6 -[TrempBoden] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/trempboden +[factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position] +peggy_denom = factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position +decimals = 0 + +[factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY] +peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY decimals = 6 -[Trump] -peggy_denom = inj1neclyywnhlhe4me0g2tky9fznjnun2n9maxuhx +[factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ] +peggy_denom = factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ decimals = 6 -[Trump Ninja] -peggy_denom = inj1dj0u7mqn3z8vxz6muwudhpl95sajmy00w7t6gq -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe +decimals = 0 -[TryCW] -peggy_denom = inj15res2a5r94y8s33lc7c5czcswx76pygjk827t0 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp +decimals = 0 -[Tsu Grenade] -peggy_denom = inj1zgxh52u45qy3xxrq72ypdajhhjftj0hu5x4eea -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65 +decimals = 0 -[TunaSniper] -peggy_denom = inj1ypa69pvev7rlv8d2rdxkaxn23tk7rx5vgnxaam -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8 +decimals = 0 -[UIA] -peggy_denom = inj1h6avzdsgkfvymg3sq5utgpq2aqg4pdee7ep77t -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p +decimals = 0 -[UICIDE] -peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/UICIDE -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv +decimals = 0 -[UMA] -peggy_denom = peggy0x04Fa0d235C4abf4BcF4787aF4CF447DE572eF828 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h +decimals = 0 -[UMEE] -peggy_denom = ibc/221E9E20795E6E250532A6A871E7F6310FCEDFC69B681037BBA6561270360D86 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg +decimals = 0 -[UNI] -peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/UNI -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s +decimals = 0 -[UP10X] -peggy_denom = inj1zeu70usj0gtgqapy2srsp7pstf9r82ckqk45hs -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq +decimals = 0 -[UPGRADE] -peggy_denom = inj1f32xp69g4qf7t8tnvkgnmhh70gzy43nznkkk7f -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y +decimals = 0 -[UPHOTON] -peggy_denom = ibc/48BC9C6ACBDFC1EBA034F1859245D53EA4BF74147189D66F27C23BF966335DFB -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u +decimals = 0 -[UPTENX] -peggy_denom = inj10jgxzcqdf6phdmettetd8m92gxucxz5rpp9kwu -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh +decimals = 0 -[URO] -peggy_denom = factory/inj1t8wuan5zxp58uwtn6j50kx4tjv25argx6lucwy/URO -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27 +decimals = 0 -[USC] -peggy_denom = ibc/5307C5A7B88337FE81565E210CDB5C50FBD6DCCF2D90D524A7E9D1FE00C40139 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e +decimals = 0 -[USD] -peggy_denom = ibc/7474CABFDF3CF58A227C19B2CEDE34315A68212C863E367FC69928ABA344024C -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm +decimals = 0 -[USD Coin] -peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k +decimals = 0 -[USD Coin (BEP-20)] -peggy_denom = ibc/5FF8FE2FDCD9E28C0608B17FA177A918DFAF7218FA18E5A2C688F34D86EF2407 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq +decimals = 0 -[USD Coin (legacy)] -peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g +decimals = 0 -[USD Coin from Avalanche] -peggy_denom = ibc/705E7E25F94467E363B2EB324A5A6FF4C683A4A6D20AAD2AEEABA2D9EB1B897F -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr +decimals = 0 -[USD Coin from Polygon] -peggy_denom = ibc/2E93E8914CA07B73A794657DA76170A016057D1C6B0DC42D969918D4F22D95A3 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2 +decimals = 0 -[USD Con] -peggy_denom = peggy0xB855dBC314C39BFa2583567E02a40CBB246CF82B -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6 +decimals = 0 -[USDC] -peggy_denom = ibc/DF32F083238097AD2CA5444BFB8F338534C32865EFE0696C5AF89AFB3A0144D6 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2 +decimals = 0 -[USDC-MPL] -peggy_denom = peggy0xf875aef00C4E21E9Ab4A335eB36A1175Ab00424A -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w +decimals = 0 -[USDCarb] -peggy_denom = inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl +decimals = 0 -[USDCbsc] -peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc +decimals = 0 -[USDCet] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8 +decimals = 0 -[USDCgateway] -peggy_denom = ibc/7BE71BB68C781453F6BB10114F8E2DF8DC37BA791C502F5389EA10E7BEA68323 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6 +decimals = 0 -[USDClegacy] -peggy_denom = peggy0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm +decimals = 0 -[USDCpoly] -peggy_denom = inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh +decimals = 0 -[USDCso] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34 +decimals = 0 -[USDLR] -peggy_denom = ibc/E15121C1541741E0A7BA2B96B30864C1B1052F1AD8189D81E6C97939B415D12E -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn +decimals = 0 -[USDT] -peggy_denom = ibc/7965483148018AFAA12DC569959897E7A5E474F4B41A87FFC5513B552C108DB5 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t +decimals = 0 -[USDT.axl] -peggy_denom = ibc/90C6F06139D663CFD7949223D257C5B5D241E72ED61EBD12FFDDA6F068715E47 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne +decimals = 0 -[USDT.multi] -peggy_denom = ibc/24E5D0825D3D71BF00C4A01CD8CA8F2D27B1DD32B7446CF633534AEA25379271 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq +decimals = 0 -[USDTap] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13yrhllhe40sd3nj0lde9azlwfkyrf2t9r78dx5 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt +decimals = 0 -[USDTbsc] -peggy_denom = inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes +decimals = 0 -[USDTet] -peggy_denom = inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s +decimals = 0 -[USDTkv] -peggy_denom = ibc/4ABBEF4C8926DDDB320AE5188CFD63267ABBCEFC0583E4AE05D6E5AA2401DDAB -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l +decimals = 0 -[USDTso] -peggy_denom = inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w +decimals = 0 -[USDX] -peggy_denom = ibc/C78F65E1648A3DFE0BAEB6C4CDA69CC2A75437F1793C0E6386DFDA26393790AE -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun +decimals = 0 -[USDY] -peggy_denom = ibc/93EAE5F9D6C14BFAC8DD1AFDBE95501055A7B22C5D8FA8C986C31D6EFADCA8A9 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5 +decimals = 0 -[USDYet] -peggy_denom = peggy0x96F6eF951840721AdBF46Ac996b59E0235CB985C -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6 +decimals = 0 -[USDe] -peggy_denom = peggy0x4c9EDD5852cd905f086C759E8383e09bff1E68B3 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk +decimals = 0 -[USDi] -peggy_denom = peggy0x83E7D0451da91Ac509cd7F545Fb4AA04D4dD3BA8 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we +decimals = 0 -[USK] -peggy_denom = ibc/58BC643F2EB5758C08D8B1569C7948A5DA796802576005F676BBFB7526E520EB -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r +decimals = 0 -[UST] -peggy_denom = ibc/B448C0CA358B958301D328CCDC5D5AD642FC30A6D3AE106FF721DB315F3DDE5C -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7 +decimals = 0 -[UTK] -peggy_denom = peggy0xdc9Ac3C20D1ed0B540dF9b1feDC10039Df13F99c -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg +decimals = 0 -[Ulp] -peggy_denom = inj1ynqtgucs3z20n80c0zammyqd7skfgc7kyanc2j -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25 +decimals = 0 -[Umee] -peggy_denom = ibc/2FF3DC3A0265B9A220750E75E75E5D44ED2F716B8AC4EDC378A596CC958ABF6B -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd +decimals = 0 -[Uniswap] -peggy_denom = ibc/3E3A8A403AE81114F4341962A6D73162D586C9DF4CE3BE7C7B459108430675F7 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md +decimals = 0 -[Unknown] -peggy_denom = unknown +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5 decimals = 0 -[VATRENI] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt +decimals = 0 -[VAULT] -peggy_denom = factory/inj16j0dhn7qg9sh7cg8y3vm6fecpfweq4f46tzrvd/VAULT -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du +decimals = 0 -[VEGAS] -peggy_denom = inj12sy2vdgspes6p7af4ssv2sv0u020ew4httwp5y -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt +decimals = 0 -[VELO] -peggy_denom = inj1srz2afh8cmay4nuk8tjkq9lhu6tz3hhmjnevlv -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs +decimals = 0 -[VENUS] -peggy_denom = inj109z6sf8pxl4l6dwh7s328hqcn0ruzflch8mnum -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r +decimals = 0 -[VERHA] -peggy_denom = inj1v2rqvnaavskyhjkx7xfkkyljhnyhuv6fmczprq -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y +decimals = 0 -[VIDA] -peggy_denom = inj18wa0xa2xg8ydass70e8uvlvzupt9wcn5l9tuxm -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw +decimals = 0 -[VINJETTA] -peggy_denom = factory/inj1f4x4j5zcv3uf8d2806umhd50p78gfrftjc3gg4/vinjetta -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9 +decimals = 0 -[VIU] -peggy_denom = inj1ccpccejcrql2878cq55nqpgsl46s26qj8hm6ws -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs +decimals = 0 -[VIX] -peggy_denom = inj108qxa8lvywqgg0cqma0ghksfvvurgvv7wcf4qy -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq +decimals = 0 -[VRD] -peggy_denom = peggy0xf25304e75026E6a35FEDcA3B0889aE5c4D3C55D8 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9 +decimals = 0 -[VYK] -peggy_denom = inj15ssgwg2whxt3qnthlrq288uxtda82mcy258xp9 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y +decimals = 0 -[Vatreni Token] -peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w +decimals = 0 -[W] -peggy_denom = ibc/F16F0F685BEF7BC6A145F16CBE78C6EC8C7C3A5F3066A98A9E57DCEA0903E537 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r +decimals = 0 -[WAGMI] -peggy_denom = factory/inj188veuqed0dygkcmq5d24u3807n6csv4wdv28gh/wagmi -decimals = 9 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2 +decimals = 0 -[WAIFU] -peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifu -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu +decimals = 0 -[WAIFUBOT] -peggy_denom = inj1fmw3t86ncrlz35pm0q66ca5kpudlxzg55tt54f -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm +decimals = 0 -[WAIFUDOGE] -peggy_denom = inj1py5zka74z0h02gqqaexllddn8232vqxsc946qf -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w +decimals = 0 -[WAIT] -peggy_denom = inj17pg77tx07drrx6tm6c72cd9sz6qxhwd4gp93ep -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve +decimals = 0 -[WAR] -peggy_denom = inj1nfkjyevl6z0fyc86w88xr8qq3awugw0nt2dvxq -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j +decimals = 0 -[WASABI] -peggy_denom = factory/inj1h6j2hwdn446d3nye82q2thte5pc6qqvyehsjzj/WASABI -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87 +decimals = 0 -[WASSIE] -peggy_denom = peggy0x2c95d751da37a5c1d9c5a7fd465c1d50f3d96160 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9 +decimals = 0 -[WAVAX] -peggy_denom = ibc/A4FF8E161D2835BA06A7522684E874EFC91004AD0CD14E038F37940562158D73 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8 +decimals = 0 -[WBNB] -peggy_denom = ibc/B877B8EF095028B807370AB5C7790CA0C328777C9FF09AA7F5436BA7FAE4A86F -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0 +decimals = 0 -[WBTC] -peggy_denom = ibc/A07BB73539F556DA5238F1B7E9471B34DD19897B1EE7050B959989F13EFE73B3 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9 +decimals = 0 -[WDDG] -peggy_denom = factory/inj1hse75gfje5jllds5t9gnzdwyp3cdc3cvdt7gpw/wddg -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n +decimals = 0 -[WEED] -peggy_denom = factory/inj1nm8kf7pn60mww3hnqj5je28q49u4h9gnk6g344/WEED -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m +decimals = 0 -[WEIRD] -peggy_denom = ibc/5533268E098543E02422FF94216D50A97CD9732AEBBC436AF5F492E7930CF152 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a +decimals = 0 -[WEN] -peggy_denom = inj1wvd7jt2fwsdqph0culwmf3c4l4y63x4t6gu27v -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2 +decimals = 0 -[WETH] -peggy_denom = ibc/4AC4A819B0BFCB25497E83B92A7D124F24C4E8B32B0E4B45704CC4D224A085A0 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt +decimals = 0 -[WFTM] -peggy_denom = ibc/31E8DDA49D53535F358B29CFCBED1B9224DAAFE82788C0477930DCDE231DA878 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js +decimals = 0 -[WGLMR] -peggy_denom = ibc/8FF72FB47F07B4AFA8649500A168683BEFCB9EE164BD331FA597D26224D51055 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j +decimals = 0 -[WGMI] -peggy_denom = factory/inj1rmjzj9fn47kdmfk4f3z39qr6czexxe0yjyc546/WGMI -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3 +decimals = 0 -[WHALE] -peggy_denom = ibc/D6E6A20ABDD600742D22464340A7701558027759CE14D12590F8EA869CCCF445 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp +decimals = 0 -[WHITE] -peggy_denom = factory/inj1hdlavqur8ayu2kcdc9qv4dvee47aere5g80vg5/WHITE -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp +decimals = 0 -[WIF] -peggy_denom = wif -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6 +decimals = 0 -[WIFDOG] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wifdog -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0 +decimals = 0 -[WIFLUCK] -peggy_denom = inj10vhddx39e3q8ayaxw4dg36tfs9lpf6xx649zfn -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0 +decimals = 0 -[WIGO] -peggy_denom = inj1jzarcskrdgqzn9ynqn05uthv07sepnpftw8xg9 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln +decimals = 0 -[WIHA] -peggy_denom = ibc/E1BD2AE3C3879D2D79EA2F81E2A106BC8781CF449F70DDE6D97EF1A45F18C270 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8 +decimals = 0 -[WINJ] -peggy_denom = inj1cxp5f0m79a9yexyplx550vxtnun8vjdaqf28r5 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv +decimals = 0 -[WINJA] -peggy_denom = factory/inj1mq6we23vx50e4kyq6fyqgty4zqq27p20czq283/WINJA -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga +decimals = 0 -[WINK] -peggy_denom = ibc/325300CEF4149AD1BBFEB540FF07699CDEEFBB653401E872532030CFB31CD767 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw +decimals = 0 -[WIZZ] -peggy_denom = factory/inj1uvfpvnmuqhx8jwg4786y59tkagmph827h38mst/WIZZ -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt +decimals = 0 -[WKLAY] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7 +decimals = 0 -[WMATIC] -peggy_denom = ibc/4DEFEB42BAAB2788723759D95B7550BCE460855563ED977036248F5B94C842FC -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904 +decimals = 0 -[WMATIClegacy] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd +decimals = 0 -[WNINJ] -peggy_denom = factory/inj1ducfa3t9sj5uyxs7tzqwxhp6mcfdag2jcq2km6/wnINJ -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r +decimals = 0 -[WOJAK] -peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/WOJAK -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a +decimals = 0 -[WOJO] -peggy_denom = inj1n7qrdluu3gve6660dygc0m5al3awdg8gv07v62 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r +decimals = 0 -[WOKE] -peggy_denom = inj17ka378ydj6ka5q0jlqt0eqhk5tmzqynx43ue7m -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j +decimals = 0 -[WOLF] -peggy_denom = factory/inj18pe85zjlrg5fcmna8tzqr0lysppcw5x7ecq33n/WOLF -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4 +decimals = 0 -[WONDER] -peggy_denom = inj1ppg7jkl9vaj9tafrceq6awgr4ngst3n0musuq3 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk +decimals = 0 -[WOOF] -peggy_denom = factory/inj1wu5464syj9xmud55u99hfwhyjd5u8fxfmurs8j/woof -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3] +peggy_denom = ibc/884A8507A762D0F1DE350C4E640ECA6EDD6F25617F39AD57BC6F5B7EC8DF7181 +decimals = 0 -[WOOF INU] -peggy_denom = inj1h0h49fpkn5r0pjmscywws0m3e7hwskdsff4qkr -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw +decimals = 0 -[WORM] -peggy_denom = ibc/13C9967E4F065F5E4946302C1F94EA5F21261F3F90DAC0212C4037FA3E058297 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58 +decimals = 0 -[WOSMO] -peggy_denom = ibc/DD648F5D3CDA56D0D8D8820CF703D246B9FC4007725D8B38D23A21FF1A1477E3 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx +decimals = 0 -[WSTETH] -peggy_denom = peggy0x7f39C581F595B53c5cb19bD0b3f8dA6c935E2Ca0 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a +decimals = 0 -[WTF] -peggy_denom = ibc/3C788BF2FC1269D66CA3E339634E14856A90336C5562E183EFC9B743C343BC31 -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5 +decimals = 0 -[WUBBA] -peggy_denom = inj17g65zpdwql8xjju92k6fne8luqe35cjvf3j54v -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay +decimals = 0 -[Waifu] -peggy_denom = factory/inj12dvzf9tx2ndc9498aqpkrxgugr3suysqwlmn49/waifuinj -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9 +decimals = 0 -[What does the fox say?] -peggy_denom = inj1x0nz4k6k9pmjq0y9uutq3kp0rj3vt37p2p39sy -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw +decimals = 0 -[Wolf Party] -peggy_denom = factory/inj1xjcq2ch3pacc9gql24hfwpuvy9gxszxpz7nzmz/wolf -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu +decimals = 0 -[Wormhole] -peggy_denom = factory/inj1xmxx0c3elm96s9s30t0k0gvr4h7l4wx9enndsl/wormhole -decimals = 6 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs +decimals = 0 -[Wrapped Bitcoin] -peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja +decimals = 0 -[Wrapped Ether] -peggy_denom = ibc/65A6973F7A4013335AE5FFE623FE019A78A1FEEE9B8982985099978837D764A7 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh +decimals = 0 -[Wrapped Ethereum] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux +decimals = 0 -[Wrapped Klaytn] -peggy_denom = inj14cl67lprqkt3pncjav070gavaxslc0tzpc56f4 -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl +decimals = 0 -[Wrapped Matic] -peggy_denom = ibc/7E23647941230DA0AB4ED10F599647D9BE34E1C991D0DA032B5A1522941EBA73 -decimals = 18 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx +decimals = 0 + +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf +decimals = 0 -[Wrapped Matic (legacy)] -peggy_denom = inj1dxv423h8ygzgxmxnvrf33ws3k94aedfdevxd8h -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul +decimals = 0 -[Wrapped liquid staked Ether 2.0 (Wormhole)] -peggy_denom = ibc/AF173F64492152DA94107B8AD53906589CA7B844B650EFC2FEFED371A3FA235E -decimals = 8 +[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl +decimals = 0 -[Wynn] -peggy_denom = factory/inj1mmn3lqt5eahuu7cmpcjme6lj0xhjlhj3qj4fhh/Wynn -decimals = 18 +[factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/SUSHI] +peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/SUSHI +decimals = 6 -[X747] -peggy_denom = factory/inj12ccehmgslwzkg4d4n4t78mpz0ja3vxyctu3whl/X747 +[factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/UNI] +peggy_denom = factory/inj14epxlhe56lhk5s3nc8wzmetwh6rpehuufe89ak/UNI decimals = 6 -[XAC] -peggy_denom = peggy0xDe4C5a791913838027a2185709E98c5C6027EA63 -decimals = 8 +[factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ] +peggy_denom = factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ +decimals = 6 -[XAEAXii] -peggy_denom = inj1wlw9hzsrrtnttgl229kvmu55n4z2gfjqzr6e2k -decimals = 18 +[factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position] +peggy_denom = factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position +decimals = 0 -[XAG] -peggy_denom = xag +[factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ] +peggy_denom = factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ decimals = 6 -[XAI] -peggy_denom = inj15a8vutf0edqcuanpwrz0rt8hfclz9w8v6maum3 -decimals = 8 - -[XAU] -peggy_denom = xau +[factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ] +peggy_denom = factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ decimals = 6 -[XBX] -peggy_denom = peggy0x080B12E80C9b45e97C23b6ad10a16B3e2a123949 -decimals = 18 +[factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position] +peggy_denom = factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position +decimals = 0 -[XCN] -peggy_denom = ibc/79D01DE88DFFC0610003439D38200E77A3D2A1CCCBE4B1958D685026ABB01814 -decimals = 18 +[factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ] +peggy_denom = factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ +decimals = 6 -[XDD] -peggy_denom = inj10e64r6exkrm52w9maa2e99nse2zh5w4zajzv7e -decimals = 18 +[factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/coke] +peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/coke +decimals = 6 -[XIII] -peggy_denom = inj1zw35mh6q23cnxa0j6kdh2n4dtss795avxmn9kn +[factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ] +peggy_denom = factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ decimals = 6 -[XMAS] -peggy_denom = factory/inj1sn34edy635nv4yhts3khgpy5qxw8uey6wvzq53/XMAS +[factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position] +peggy_denom = factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position +decimals = 0 + +[factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ] +peggy_denom = factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ decimals = 6 -[XMASINJ] -peggy_denom = inj1yhp235hgpa0nartawhtx0q2hkhr6y8cdth4neu -decimals = 8 +[factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position] +peggy_denom = factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position +decimals = 0 -[XMASPUMP] -peggy_denom = inj165lcmjswrkuz2m5p45wn00qz4k2zpq8r9axkp9 -decimals = 8 +[factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42] +peggy_denom = factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42 +decimals = 0 -[XNJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pgmlk6fpfmqyffs205l98pmnmp688mt0948ar -decimals = 18 +[factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position] +peggy_denom = factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position +decimals = 0 -[XPLA] -peggy_denom = inj1j08452mqwadp8xu25kn9rleyl2gufgfjqjvewe -decimals = 8 +[factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position] +peggy_denom = factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position +decimals = 0 -[XPRT] -peggy_denom = ibc/B786E7CBBF026F6F15A8DA248E0F18C62A0F7A70CB2DABD9239398C8B5150ABB +[factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position] +peggy_denom = factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position +decimals = 0 + +[factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position] +peggy_denom = factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position +decimals = 0 + +[factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc] +peggy_denom = factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 0 + +[factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST] +peggy_denom = factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST decimals = 6 -[XRAY] -peggy_denom = inj1aqgkr4r272dg62l9err5v3d3hme2hpt3rzy4zt -decimals = 8 +[factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE] +peggy_denom = factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE +decimals = 6 -[XRP] -peggy_denom = peggy0x1d2f0da169ceb9fc7b3144628db156f3f6c60dbe -decimals = 18 +[factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position] +peggy_denom = factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position +decimals = 0 -[XTALIS] -peggy_denom = factory/inj1maeyvxfamtn8lfyxpjca8kuvauuf2qeu6gtxm3/xTalis +[factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ] +peggy_denom = factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ decimals = 6 -[XUPS] -peggy_denom = inj1f3ppu7jgputk3qr833f4hsl8n3sm3k88zw6um0 -decimals = 8 +[factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG] +peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG +decimals = 6 -[XYZ] -peggy_denom = factory/inj12aljr5fewp8vlns0ny740wuwd60q89x0xsqcz3/XYZ +[factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN] +peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN decimals = 6 -[XmasPump] -peggy_denom = inj1yjtgs6a9nwsljwk958ypf2u7l5kqf5ld8h3tmd -decimals = 8 +[factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ] +peggy_denom = factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ +decimals = 6 -[YAKUZA] -peggy_denom = factory/inj1r5pgeg9xt3xr0mw5n7js8kux7hyvjlsjn6k8ce/YAKUZA +[factory/inj183fjyma33jsx0wndkmk69yukk3gpll7gunkyz6/sakurasakura] +peggy_denom = factory/inj183fjyma33jsx0wndkmk69yukk3gpll7gunkyz6/sakurasakura decimals = 6 -[YAMEI] -peggy_denom = inj1042ucqa8edhazdc27xz0gsphk3cdwxefkfycsr -decimals = 18 +[factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position] +peggy_denom = factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position +decimals = 0 -[YEA] -peggy_denom = inj1vfasyvcp7jpqfpdp980w28xemyurdnfys84xwn -decimals = 18 +[factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ] +peggy_denom = factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ +decimals = 6 -[YEET] -peggy_denom = inj10vhq60u08mfxuq3zr6ffpm7uelcc9ape94xq5f -decimals = 18 +[factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position] +peggy_denom = factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position +decimals = 0 -[YFI] -peggy_denom = peggy0x0bc529c00C6401aEF6D220BE8C6Ea1667F6Ad93e -decimals = 18 +[factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position] +peggy_denom = factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position +decimals = 0 -[YKZ] -peggy_denom = inj1sgdvujejhvc0yqw26jz2kvg9fx2wvfvvjtjnjq -decimals = 6 +[factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position] +peggy_denom = factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position +decimals = 0 -[YMOS] -peggy_denom = ibc/26AB5A32422A0E9BC3B7FFCCF57CB30F3E8AEEA0F1705D64DCF4D8FA3DD71B9D +[factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position] +peggy_denom = factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position +decimals = 0 + +[factory/inj19mznavp32fkmwzdyuute4al2lrjzvy6ym9em3h/babypanda] +peggy_denom = factory/inj19mznavp32fkmwzdyuute4al2lrjzvy6ym9em3h/babypanda decimals = 6 -[YOAN] -peggy_denom = inj1hgrgkrpwsu6n44ueucx0809usskkp6vdcr3ul9 -decimals = 18 +[factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position] +peggy_denom = factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position +decimals = 0 -[YOKAI] -peggy_denom = inj1y7k7hdw0nyw05rc8qr6nmwlp2kq3vzh065frd6 -decimals = 18 +[factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position] +peggy_denom = factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position +decimals = 0 -[YOSHI] -peggy_denom = inj13y8susc9dle4x664ktps3ynksxxgt6lhmckuxp -decimals = 18 +[factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ] +peggy_denom = factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ +decimals = 6 -[YSIR] -peggy_denom = inj1zff494cl7wf0g2fzqxdtxn5ws4mkgy5ypxwlql -decimals = 18 +[factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position] +peggy_denom = factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position +decimals = 0 -[YUKI] -peggy_denom = factory/inj1spdy83ds5ezq9rvtg0ndy8480ad5rlczcpvtu2/YUKI +[factory/inj1a0n3xm83w6d0gzheffkve30z8wpz6xq8zdf48r/ETH] +peggy_denom = factory/inj1a0n3xm83w6d0gzheffkve30z8wpz6xq8zdf48r/ETH decimals = 6 -[YUM.axl] -peggy_denom = ibc/253F76EB6D04F50492930A5D97465A495E5D6ED674A33EB60DDD46F01EF56504 -decimals = 18 - -[Yakuza] -peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/Yakuza +[factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ] +peggy_denom = factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ decimals = 6 -[Yang] -peggy_denom = inj10ga6ju39mxt94suaqsfagea9t9p2ys2lawml9z +[factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position] +peggy_denom = factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position +decimals = 0 + +[factory/inj1a4hvejdwaf9gd9rltwftxf0fyz6mrzwmnauacp/SOL] +peggy_denom = factory/inj1a4hvejdwaf9gd9rltwftxf0fyz6mrzwmnauacp/SOL decimals = 6 -[YeetYak] -peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/YeetYak +[factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/SYN] +peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/SYN decimals = 6 -[YieldETH] -peggy_denom = ibc/6B7E243C586784E1BE150B71F541A3880F0409E994365AF31FF63A2764B72556 -decimals = 18 +[factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc] +peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc +decimals = 0 -[Ykz] -peggy_denom = inj1ur8dhklqn5ntq45jcm5vy2tzp5zfc05w2pmjam -decimals = 18 +[factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ] +peggy_denom = factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ +decimals = 6 -[Yogi] -peggy_denom = inj1zc3uujkm2sfwk5x8xlrudaxwsc0t903rj2jcen +[factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ] +peggy_denom = factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ decimals = 6 -[ZEUS] -peggy_denom = inj1302yft4ppsj99qy5avv2qv6hfuvzluy4q8eq0k -decimals = 18 +[factory/inj1alwxgkns9x7d2sprymwwfvzl5t7teetym02lrj/NONJA] +peggy_denom = factory/inj1alwxgkns9x7d2sprymwwfvzl5t7teetym02lrj/NONJA +decimals = 6 + +[factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position] +peggy_denom = factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position +decimals = 0 + +[factory/inj1ary3d4xl6jjlkht33ktqc2py7lvc3l4mqrfq00/SEX] +peggy_denom = factory/inj1ary3d4xl6jjlkht33ktqc2py7lvc3l4mqrfq00/SEX +decimals = 6 -[ZIG] -peggy_denom = peggy0xb2617246d0c6c0087f18703d576831899ca94f01 -decimals = 18 +[factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position] +peggy_denom = factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position +decimals = 0 -[ZIGZAG] -peggy_denom = inj1d70m92ml2cjzy2lkj5t2addyz6jq4qu8gyfwn8 +[factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ] +peggy_denom = factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ decimals = 6 -[ZIL] -peggy_denom = ibc/AE996D1AF771FED531442A232A4403FAC51ACFFF9B645FF4363CFCB76019F5BD -decimals = 12 +[factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position] +peggy_denom = factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position +decimals = 0 -[ZK] -peggy_denom = zk -decimals = 18 +[factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test] +peggy_denom = factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test +decimals = 6 -[ZOE] -peggy_denom = factory/inj17v462f55kkuhjhvw7vdcjzd2wdk85yh8js3ug9/ZOE +[factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/elon] +peggy_denom = factory/inj1cm5lg3z9l3gftt0c09trnllmayxpwt8825zxw3/elon decimals = 6 -[ZOMBIE] -peggy_denom = factory/inj12yvvkskjdedhztpl4g2vh888z00rgl0wctarst/ZOMBIE +[factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME] +peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME decimals = 6 -[ZOOMER] -peggy_denom = inj173zkm8yfuqagcc5m7chc4dhnq0k5hdl7vwca4n -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C +decimals = 0 -[ZORO] -peggy_denom = factory/inj1z70nam7mp5qq4wd45ker230n3x4e35dkca9la4/ZORO -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C +decimals = 0 -[ZRO] -peggy_denom = zro -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C +decimals = 0 -[ZRX] -peggy_denom = peggy0xE41d2489571d322189246DaFA5ebDe1F4699F498 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C +decimals = 0 -[ZUZU] -peggy_denom = factory/inj1v05uapg65p6f4307qg0hdkzssn82js6n5gc03q/ZUZU -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C +decimals = 0 -[ZZZ] -peggy_denom = factory/inj1a2qk8tsd4qv7rmtp8g8ktj7zfldj60hpp0arqp/ZZZ -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P +decimals = 0 -[aUSD] -peggy_denom = inj1p3nrwgm9u3dtln6rwdvrsmjt5fwlhhhq3ugckd -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C +decimals = 0 -[aevmos] -peggy_denom = ibc/EEB2EB2A678B5788DB413B5A7EC81085B34F33DA9750C1C790CE8E1EDC8282B5 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C decimals = 0 -[allBTC] -peggy_denom = ibc/2D805BFDFB164DE4CE69514BF2CD203C07BF79DF52EF1971763DCBD325917CC5 -decimals = 8 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P +decimals = 0 -[allETH] -peggy_denom = ibc/1638ABB0A4233B36CC9EBBD43775D17DB9A86190E826580963A0B59A621BD7FD -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C +decimals = 0 -[allSOL] -peggy_denom = ibc/FA2D0C9110C1DFBAEF084C161D1A0EFC6270C64B446FDEC686C30FCF99FE22CA -decimals = 9 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C +decimals = 0 -[allUSDT] -peggy_denom = ibc/7991930BA02EBF3893A7E244233E005C2CB14679898D8C9E680DA5F7D54E647D -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P +decimals = 0 -[ampGASH] -peggy_denom = ibc/B52F9774CA89A45FFB924CEE4D1E586013E33628A3784F3CCF10C8CE26A89E7F -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C +decimals = 0 -[ampINJ] -peggy_denom = factory/inj1cdwt8g7nxgtg2k4fn8sj363mh9ahkw2qt0vrnc/ampINJ -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C +decimals = 0 -[ampKUJI] -peggy_denom = ibc/34E48C7C43383203519D996D1D93FE80ED50153E28FB6A9465DE463AEF2EC9EC -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P +decimals = 0 -[ampLUNA] -peggy_denom = ibc/751CCECAF75D686B1DC8708BE62F8C7411B211750E6009C6AC4C93881F0543E8 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C +decimals = 0 -[ampMNTA] -peggy_denom = ibc/A87178EAA371050DDFD80F78630AE622B176C7634160EE515C27CE62FCC8A0CC -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P +decimals = 0 -[ampOSMO] -peggy_denom = ibc/012D069D557C4DD59A670AA17E809CB7A790D778E364D0BC0A3248105DA6432D -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C +decimals = 0 -[ampROAR] -peggy_denom = ibc/7BE54594EAE77464217B9BB5171035946ED23DB309B030B5708E15C9455BB557 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P +decimals = 0 -[ampSEI] -peggy_denom = ibc/E175256127F32A27BB1FF863D15D8C4BB14968ED069B6A292723D485A33514A2 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C +decimals = 0 -[ampWHALE] -peggy_denom = ibc/168C3904C45C6FE3539AE85A8892DF87371D00EA7942515AFC50AA43C4BB0A32 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C +decimals = 0 -[ampWHALEt] -peggy_denom = ibc/DF3225D7381562B58AA8BE107A87260DDDC7FA08E4B0898E3D795392CF844BBE -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P +decimals = 0 -[anon] -peggy_denom = factory/inj15n8jl0dcepjfy3nhsa3gm734rjx5x2ff3y9f2s/anon -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C +decimals = 0 -[ape] -peggy_denom = factory/inj1rhaefktcnhe3y73e82x4edcsn9h5y99gwmud6v/ape -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C +decimals = 0 -[aplanq] -peggy_denom = ibc/BA26BE85B9D5F046FC7071ED0F77053662A4B2F5B7552B3834A3F1B2DD3BD18F +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P decimals = 0 -[ashLAB] -peggy_denom = ibc/D3D5FB034E9CAA6922BB9D7D52D909116B7FFF7BD73299F686C972643B4767B9 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C +decimals = 0 -[ashLUNA] -peggy_denom = ibc/19C3905E752163B6EEB903A611E0832CCD05A32007E98C018759905025619D8F -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C +decimals = 0 -[ashSYN] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/syn.ash -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P +decimals = 0 -[avalanche.USDC.wh] -peggy_denom = ibc/348633370BE07A623D7FC9CD229150936ADCD3A4E842DAD246BBA817D21FF6C7 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C +decimals = 0 -[axlETH] -peggy_denom = ibc/34EF5DA5B1CFB23FA25F1D486C89AFC9E5CC5727C224975438583C444E88F039 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C +decimals = 0 -[axlFIL] -peggy_denom = ibc/9D1889339AEC850B1D719CCF19BD813955C086BE1ED323ED68318A273922E40D -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P +decimals = 0 -[axlUSDC] -peggy_denom = ibc/7E1AF94AD246BE522892751046F0C959B768642E5671CC3742264068D49553C0 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C +decimals = 0 -[axlWBTC] -peggy_denom = ibc/F57B53E102171E6DC254532ECC184228BB8E23B755AD55FA6FDCBD70464A9A54 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C +decimals = 0 -[bCRE] -peggy_denom = ibc/83D54420DD46764F2ED5EE511DAA63EC28012480A245D8E33AA1F7D1FB15D736 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P +decimals = 0 -[bINJ] -peggy_denom = factory/inj1dxp690rd86xltejgfq2fa7f2nxtgmm5cer3hvu/bINJ -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C +decimals = 0 -[bKUJI] -peggy_denom = ibc/5C48695BF3A6BCC5DD147CC1A2D09DC1A30683FE369BF472704A52CF9D59B42D -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C +decimals = 0 + +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P +decimals = 0 -[bLUNA] -peggy_denom = ibc/C9D55B62C9D9CA84DD94DC019009B840DDFD861BF2F33F7CF2A8A74933797680 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C +decimals = 0 -[bNEO] -peggy_denom = ibc/48F6A028444987BB26299A074A5C32DC1679A050D5563AC10FF81EED9E22D8B8 -decimals = 8 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C +decimals = 0 -[bOSMO] -peggy_denom = ibc/C949BEFD9026997A65D0125340B096AA809941B3BB13D6C2D1E8E4A17F2130C4 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C +decimals = 0 -[bWHALE] -peggy_denom = ibc/ECB0AA28D6001EF985047558C410B65581FC85BD92D4E3CFCCA0D3D964C67CC2 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C +decimals = 0 -[baby INJ] -peggy_denom = inj1j0l9t4n748k2zy8zm7yfwjlpkf069d2jslfh3d -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C +decimals = 0 -[babyBENANCE] -peggy_denom = inj1rfv2lhr0qshztmk86f05vdmx2sft9zs6cc2ltj -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C +decimals = 0 -[babyCLON] -peggy_denom = inj1pyghkw9q0kx8mnuhcxpqnczfxst0way2ep9s54 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C +decimals = 0 -[babyCOKE] -peggy_denom = inj15sslujc0pv3kdjsw0fhzvclwmgv2zh7a00fcx5 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P +decimals = 0 -[babyDIB] -peggy_denom = inj1tquat4mh95g33q5rhg5c72yh6j6x5w3p6ynuqg -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C +decimals = 0 -[babyDOJO] -peggy_denom = inj10ny97fhd827s3u4slfwehu7m5swnpnmwzxsc40 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P +decimals = 0 -[babyDRAGON] -peggy_denom = inj1lfemyjlce83a7wre4k5kzd8zyytqavran5ckkv -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C +decimals = 0 -[babyDRUGS] -peggy_denom = inj1nqcrsh0fs60k06mkc2ptxa9l4g9ktu4jct8z2w -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P +decimals = 0 -[babyDrugs] -peggy_denom = inj1457z9m26aqvga58demjz87uyt6su7hyf65aqvr -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C +decimals = 0 -[babyGINGER] -peggy_denom = inj1y4dk7ey2vrd4sqems8hnzh2ays8swealvfzdmg -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C +decimals = 0 -[babyINJUSSY] -peggy_denom = inj10jl28fj7yc2pmj7p08vmaa85nxm4a09kteqng0 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P +decimals = 0 -[babyJUNIORES] -peggy_denom = inj1m4k5fcjz86dyz25pgagj50jcydh9llvpw8lxyj -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C +decimals = 0 -[babyKAGE] -peggy_denom = inj12gh464eqc4su4qd3frxxlyjymf0nhzgzm9a203 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C +decimals = 0 -[babyKANGAROO] -peggy_denom = inj12s9a6vnmgyf8vx448cmt2hzmhhfuptw8agn2xs -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P +decimals = 0 -[babyKOALA] -peggy_denom = inj19lm6nrfvam539ahr0c8nuapfh6xzlhjaxv2a39 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C +decimals = 0 -[babyMONKS] -peggy_denom = inj17udts7hdggcurc8892tmd7y56w5dkxsgv2v6eu -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C +decimals = 0 -[babyNINJA] -peggy_denom = inj1n8883sfdp3cufstk05sd8dkp7pcdxr3m2fp24m -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P +decimals = 0 -[babyNONJA] -peggy_denom = inj15hxdpukklz4c4f3l20rl50h9wqa7rams74gyah -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C +decimals = 0 -[babyPANDA] -peggy_denom = inj1lpu8rcw04zenfwkxdld2dm2pd70g7yv6hz7dnf -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C +decimals = 0 -[babyPING] -peggy_denom = inj17fa3gt6lvwj4kguyulkqrc0lcmxcgcqr7xddr0 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P +decimals = 0 -[babySAMURAI] -peggy_denom = inj1arnd0xnxzg4qgxn4kupnzsra2a0rzrspwpwmrs -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C +decimals = 0 -[babySHEROOM] -peggy_denom = inj1cmw4kwqkhwzx6ha7d5e0fu9zj7aknn4mxqqtf0 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C +decimals = 0 -[babySHROOM] -peggy_denom = inj14zxwefzz5p3l4mltlzgmfwh2jkgjqum256qhna -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P +decimals = 0 -[babySMELLY] -peggy_denom = inj16hl3nlwlg2va07y4zh09vzh9xtxy6uwpmy0f5l -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C +decimals = 0 -[babySPUUN] -peggy_denom = inj1cjvssl698h094n6c2uqdx75degfewey26yt6uw -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C +decimals = 0 -[babyYAKUZA] -peggy_denom = inj1rep4p2x86avty00qvgcu4vfhywmsznf42jdpzs -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P +decimals = 0 -[babyYKZ] -peggy_denom = inj16wa97auct633ft6cjzr22xv2pxvym3k38rzskc -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C +decimals = 0 -[babyYODA] -peggy_denom = factory/inj1qpv9su9nkkka5djeqjtt5puwn6lw90eh0yfy0f/babyYODA -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C +decimals = 0 -[babyshroomin] -peggy_denom = inj1qgcfkznvtw96h950wraae20em9zmhtcm0rws68 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P +decimals = 0 -[bapc] -peggy_denom = inj13j4ymx9kz3cdasg0e00tsc8ruq03j6q8fftcll -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C +decimals = 0 -[beef] -peggy_denom = factory/inj18xg8yh445ernwxdquklwpngffqv3agfyt5uqqs/beef -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C +decimals = 0 -[bellboy] -peggy_denom = inj1ywvmwtpe253qhtrnvratjqmhy4aar4yl5an9dk -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P +decimals = 0 -[bobmarley] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/bobmarley -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C +decimals = 0 -[bobo] -peggy_denom = factory/inj1ne49gse9uxujj3fjdc0evxez4yeq9k2larmuxu/bobo -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C +decimals = 0 -[boden] -peggy_denom = factory/inj1c0f9ze9wh2xket0zs6wy59v66alwratsdx648k/boden -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P +decimals = 0 -[boneWHALEt] -peggy_denom = ibc/F993B2C44A70D8B97B09581F12CF1A68A38DF8BBCFBA9F82016984138C718A57 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C +decimals = 0 -[bonja the bad ninja] -peggy_denom = inj155fauc0h355fk5t9qa2x2uzq7vlt26sv0u08fp -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C +decimals = 0 -[bonkinu] -peggy_denom = factory/inj1936pplnstvecjgttz9eug83x2cs7xs2emdad4z/bonkinu -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P +decimals = 0 -[bonkmas] -peggy_denom = factory/inj17a0fp4rguzgf9mwz90y2chc3lr445nujdwc063/bonkmas -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C +decimals = 0 -[bozo] -peggy_denom = inj14r42t23gx9yredm37q3wjw3vx0q6du85vuugdr -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C +decimals = 0 -[brian] -peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/brian -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P +decimals = 0 -[burn] -peggy_denom = inj1p6h58futtvzw5gdjs30fqv4l9ljq8aepk3e0k5 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C +decimals = 0 -[cartel] -peggy_denom = ibc/FDD71937DFA4E18BBF16734EB0AD0EFA9F7F1B0F21D13FAF63F0B4F3EA7DEF28 -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C +decimals = 0 -[cat] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cat -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P +decimals = 0 -[cbETH] -peggy_denom = ibc/545E97C6EFB2633645720DEBCA78B2BE6F5382C4693EA7DEB2D4C456371EA4F0 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C +decimals = 0 -[ccsl] -peggy_denom = inj1mpande8tekavagemc998amgkqr5yte0qdvaaah -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C +decimals = 0 -[cdj] -peggy_denom = inj1qwx2gx7ydumz2wt43phzkrqsauqghvct48pplw -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P +decimals = 0 -[chad] -peggy_denom = factory/inj182lgxnfnztjalxqxcjn7jal27w7xg28aeygwd9/chad -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C +decimals = 0 -[coke] -peggy_denom = factory/inj1cdlqynzr2ktn54l3azhlulzkyksuw8yj3mfadx/coke -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C +decimals = 0 -[cook] -peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cook -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P +decimals = 0 -[cookie] -peggy_denom = factory/inj1cadquzdmqe04hyjfyag3d9me9vxh9t6py383sy/cookie -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C +decimals = 0 -[crypto] -peggy_denom = inj19w5ntlx023v9rnecjuy7yem7s5lrg5gxlfrxfj -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C +decimals = 0 -[cw20:terra1nsuqsk6kh58ulczatwev87ttq2z6r3pusulg9r24mfj2fvtzd4uq3exn26] -peggy_denom = ibc/D18907CCF379EEA71AE2C3725A135AE678A67A35B7C6556A77A4E0B3520F7854 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P decimals = 0 -[dINJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj134wfjutywny9qnyux2xgdmm0hfj7mwpl39r3r9 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C +decimals = 0 -[dYdX] -peggy_denom = peggy0x92D6C1e31e14520e676a687F0a93788B716BEff5 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C +decimals = 0 -[dab] -peggy_denom = inj1a93l8989wmjupyq4ftnu06836n2jjn7hjee68d -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P +decimals = 0 -[dada] -peggy_denom = inj1yqwjse85pqmum5pkyxz9x4aqdz8etwhervtv66 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C +decimals = 0 -[dalton] -peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/dalton -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C +decimals = 0 -[devUSDC] -peggy_denom = inj13mpkggs6t62kzt6pjd6guqfy6naljpp2jd3eue -decimals = 8 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P +decimals = 0 -[dmo] -peggy_denom = inj1z7d2f66wh0r653qp7lqpj6tx3z0yetnjahnsrd -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C +decimals = 0 -[dmoone] -peggy_denom = inj12qlppehc4fsfduv46gmtgu5n38ngl6annnr4r4 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C +decimals = 0 -[dmotree] -peggy_denom = inj15x7u49kw47krzlhrrj9mr5gq20d3797kv3fh3y -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P +decimals = 0 -[dmotwo] -peggy_denom = inj1tegs6sre80hhvyj204x5pu52e5p3p9pl9vy4ue -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C +decimals = 0 -[dogwifhat] -peggy_denom = inj1802ascnwzdhvv84url475eyx26ptuc6jc590nl -decimals = 8 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C +decimals = 0 -[dogwifshoess] -peggy_denom = factory/inj10edtfelcttj3s98f755ntfplt0da5xv4z8z0lf/dogwifshoess -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P +decimals = 0 -[dojo] -peggy_denom = inj1p0ccaveldsv7hq4s53378und5ke9jz24rtsr9z -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C +decimals = 0 -[dojodoge] -peggy_denom = inj1nueaw6mc7t7703t65f7xamj63zwaew3dqx90sn -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C +decimals = 0 -[dojodojo] -peggy_denom = inj1ht0qh7csdl3txk6htnalf8qpz26xzuq78x7h87 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P +decimals = 0 -[dojoinu] -peggy_denom = inj14hszr5wnhshu4zre6e4l5ae2el9v2420eypu6k -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C +decimals = 0 -[dojoswap] -peggy_denom = inj1tml6e474rxgc0gc5pd8ljmheqep5wrqrm9m9ks -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C +decimals = 0 -[done] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/done -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P +decimals = 0 -[dontbuy] -peggy_denom = factory/inj1vg2vj46d3cy54l63qkjprtcnel2svkjhgwkfhy/dontbuy -decimals = 10 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C +decimals = 0 -[dsINJ] -peggy_denom = inj1nfsxxz3q59f0yyqsjjnr7ze020klxyfefy6wcg -decimals = 6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C +decimals = 0 -[dtwo] -peggy_denom = factory/inj12yazr8lq5ptlz2qj9y36v8zwmz90gy9gh35026/dtwo -decimals = 12 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P +decimals = 0 -[enuk] -peggy_denom = inj1x0km562rxugpvxq8nucy7pdmefguv6xxumng27 -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C +decimals = 0 -[erc20/0x655ecB57432CC1370f65e5dc2309588b71b473A9] -peggy_denom = ibc/D5AF5FAEA92918A24ACBF0DEB61C674C8951A97D13CFBF7F6617280E82ECB1E6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C decimals = 0 -[erc20/tether/usdt] -peggy_denom = ibc/9D592A0F3E812505C6B3F7860458B7AC4DBDECACC04A2602FC13ED0AB6C762B6 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P decimals = 0 -[estamina] -peggy_denom = inj1sklu3me2d8e2e0k6eu83t4pzcnleczal7d2zra -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C +decimals = 0 -[estate] -peggy_denom = inj16mx8h5updpwkslymehlm0wq84sckaytru0apvx -decimals = 18 +[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C] +peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C +decimals = 0 -[ezETH] -peggy_denom = peggy0xbf5495Efe5DB9ce00f80364C8B423567e58d2110 -decimals = 18 +[factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP] +peggy_denom = factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP +decimals = 0 -[fUSDT] -peggy_denom = peggy0x81994b9607e06ab3d5cF3AffF9a67374f05F27d7 -decimals = 8 +[factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA] +peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA +decimals = 0 -[factory/chihuahua1x4q2vkrz4dfgd9hcw0p5m2f2nuv2uqmt9xr8k2/achihuahuawifhat] -peggy_denom = ibc/F8AB96FFB2BF8F69AA42481D43B24E9121FF7403A4E95673D9135128CA769577 +[factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position] +peggy_denom = factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position decimals = 0 -[factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position] -peggy_denom = factory/inj102jhts2dfqh80nygmzx8hzxl9nm282vnstf5w6/position +[factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position] +peggy_denom = factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position decimals = 0 -[factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ] -peggy_denom = factory/inj1043hsv3ug5z9updx32a0a3rae87w6fzlzhcjm4/INJ +[factory/inj1cxcjn04l2vxg4zwrlhpghh32fdel856xn3a3rr/BONK] +peggy_denom = factory/inj1cxcjn04l2vxg4zwrlhpghh32fdel856xn3a3rr/BONK decimals = 6 -[factory/inj106etgay573e32ksysc9dpdrynxhk7kkmaclhfc/stark] -peggy_denom = ibc/81B0CF8BB06F95247E3680844D0CB3889ACB2662B3AE2458C2370985BF4BD00B +[factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position] +peggy_denom = factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position decimals = 0 -[factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ] -peggy_denom = factory/inj107grqcr0ugrx8jt8rdyru2ywmfngz5lrermw8q/INJ +[factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE] +peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE decimals = 6 -[factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ] -peggy_denom = factory/inj107zjs4j5p92pl78kwfulh8ea7nqhlq8fj6s6fr/INJ -decimals = 6 +[factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position] +peggy_denom = factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position +decimals = 0 -[factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ] -peggy_denom = factory/inj10cplvlvpnkd9ch5cfw7gn9ed9vhlkzg0y73w8y/INJ -decimals = 6 +[factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position] +peggy_denom = factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position +decimals = 0 -[factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR] -peggy_denom = factory/inj10pz3xq7zf8xudqxaqealgyrnfk66u3c99ud5m2/ROAR +[factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position] +peggy_denom = factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position decimals = 0 -[factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ] -peggy_denom = factory/inj10t3rc9u6hpvwm3kq8fx648z5elv2use4mtc8cv/INJ +[factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ] +peggy_denom = factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ decimals = 6 -[factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ] -peggy_denom = factory/inj10w0glw8d30weulv3pu6r7mx6vmflxyck27fqkd/INJ +[factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position] +peggy_denom = factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position +decimals = 0 + +[factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ] +peggy_denom = factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ decimals = 6 -[factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA] -peggy_denom = factory/inj1238tn4srtzzplhgtd7fdrzdrf77hf9fye6q2xa/EA +[factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale] +peggy_denom = factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale decimals = 0 -[factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position] -peggy_denom = factory/inj1255swku4m04m533wmkmtmvhnh77zrk83dqgwfr/position +[factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test] +peggy_denom = factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test decimals = 0 -[factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ] -peggy_denom = factory/inj125anxwhzcsqksvthce0xhktqhn4x406vfgxasx/INJ -decimals = 6 +[factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position] +peggy_denom = factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position +decimals = 0 -[factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position] -peggy_denom = factory/inj12dgml8gwd2v88yn0kfcs6mtkmvlu32llekfzzv/position +[factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position] +peggy_denom = factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position decimals = 0 -[factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ] -peggy_denom = factory/inj12vhmdjtvyxzr0vmg5znxvhw7dsakjuj7adz5a4/INJ +[factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ] +peggy_denom = factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ decimals = 6 -[factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position] -peggy_denom = factory/inj12wkmu2y4vp0hg69k36pkve6rgczwga0yzff7ha/position +[factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position] +peggy_denom = factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position decimals = 0 -[factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ] -peggy_denom = factory/inj12ytu4vvxmsclxuqm9w0g2jazllvztlvdxjdvvg/INJ +[factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ] +peggy_denom = factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ decimals = 6 -[factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ] -peggy_denom = factory/inj133np9gr58athpjgv3d9cuzmaed84gnm95sp97h/LowQ +[factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ] +peggy_denom = factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ decimals = 6 -[factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position] -peggy_denom = factory/inj138fs6ctxd0vwsn7xmw0v29a2jxe3s7uhgn405w/position +[factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position] +peggy_denom = factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position decimals = 0 -[factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position] -peggy_denom = factory/inj13jjz8nlt7wjpt5m2semml2ytdjkfrltnjtphsv/position +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash decimals = 0 -[factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position] -peggy_denom = factory/inj13qr6jk3y20ulaj3mvjzn2rnxx9y8d8nl7ahxpg/position +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash decimals = 0 -[factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position] -peggy_denom = factory/inj13xdqhnegnj37fna95nyjtj68cyk4exut9mp9am/position +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash decimals = 0 -[factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ] -peggy_denom = factory/inj13xwndajdxqz2jjg05caycedjdj099vy2mzdha2/INJ -decimals = 6 - -[factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ] -peggy_denom = factory/inj140z6rk5x40rn842c648yvgl9zp7q206gyvj3w4/INJ -decimals = 6 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash +decimals = 0 -[factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position] -peggy_denom = factory/inj144javr53kzz7qedyynwrpa83tnykw9lrzzxsr9/position +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash decimals = 0 -[factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY] -peggy_denom = factory/inj1499ez5npathr0zkphz2yq6npdfc6xvg3d4zynj/ISILLY -decimals = 6 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash +decimals = 0 -[factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ] -peggy_denom = factory/inj14czx0fv80fnkfxtj9zn9wg7thdca8ynlu6vrg8/INJ -decimals = 6 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash +decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj100cpphf3gjq4xwzaun8dm22h6zk6tjlzl57uhe +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj109hqm6wdaq2f6nlvrf46f4gj7rwl55nmhmcslp +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10dctm5qkm722pgazwq0wy9lxnzh8mlnnv9mr65 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10hyl7t5zxrs83thk33yk90lue34lttf9wuccf8 +[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash] +peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10nfzrxq5jl9v3ymyuna49jhhxe3x4yd2sxxs8p +[factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position] +peggy_denom = factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj10x6rq57rhc7ekce0jgzcjl3ywplcjh66ufqanv +[factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ] +peggy_denom = factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ +decimals = 6 + +[factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ] +peggy_denom = factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ +decimals = 6 + +[factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ] +peggy_denom = factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ +decimals = 6 + +[factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position] +peggy_denom = factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj12sl2vnrja04juaan5rt3pn4h3lwa6d9348yh6h +[factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position] +peggy_denom = factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13844sjp45gta5hshs0avptawnptz23gfdjy8eg +[factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position] +peggy_denom = factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13j6rdjsakqt6ymv48ytfkr563k7h9mc9h9lh5s +[factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position] +peggy_denom = factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13qqk8lgn6x68r34c9w938vxwmxm5pl72kzjufq +[factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position] +peggy_denom = factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13tqf9a4tssf8gsqejecp90a03nvfpa2h29sc6y +[factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position] +peggy_denom = factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13w3fqm6zn068slf6mh4jvf7lxva4qdchrlws9u +[factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position] +peggy_denom = factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj147ymh390v733ty3l0t7yv0w3vllnky5vr78xeh +[factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ] +peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ +decimals = 6 + +[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory] +peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1494q6d3un6rpew6znydq0a0l5edw80gptj3p27 +[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory] +peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14fjgyt69ayhlz9gtgrutqdqyaf50wfxs7xx89e +[factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position] +peggy_denom = factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14n26cr7dj79smrgg44hfylhph9y45h4yx5gvzm +[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT] +peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14r3dv360jptv4wugpcca4h5ychltfn8j738l6k +[factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position] +peggy_denom = factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj14txwtn7rkt999kek39qlxwcm2fwfqzpfyrxcvq +[factory/inj1gg43076kmy0prkxtn5xxka47lfmwwjsq6ygcfa/SAMURAI] +peggy_denom = factory/inj1gg43076kmy0prkxtn5xxka47lfmwwjsq6ygcfa/SAMURAI +decimals = 6 + +[factory/inj1ghcjw8w7a7ettwn97fadhamywvwf7kk3mhkndy/DOGE] +peggy_denom = factory/inj1ghcjw8w7a7ettwn97fadhamywvwf7kk3mhkndy/DOGE +decimals = 6 + +[factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP] +peggy_denom = factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1557zqvn2lwg3lvl3cfk3kurd6d2gq9klypg83g +[factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position] +peggy_denom = factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15f3xcpv3m9wgycmgc62gn3av9k7a9lydnkcrdr -decimals = 0 +[factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF] +peggy_denom = factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF +decimals = 6 + +[factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ] +peggy_denom = factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ +decimals = 6 + +[factory/inj1h2dqvlca2lay8amfk5fgvateslp3h0sgf8wmmp/geisha] +peggy_denom = factory/inj1h2dqvlca2lay8amfk5fgvateslp3h0sgf8wmmp/geisha +decimals = 6 + +[factory/inj1h3h0yjxlchmydvsjpazcfyhp57lajdurznpeh0/grinj] +peggy_denom = factory/inj1h3h0yjxlchmydvsjpazcfyhp57lajdurznpeh0/grinj +decimals = 6 + +[factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ] +peggy_denom = factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ +decimals = 6 + +[factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ] +peggy_denom = factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ +decimals = 6 + +[factory/inj1h75s3ne4vjpp3wtf300uv2xuz7r9lt2xu87jjk/BAT] +peggy_denom = factory/inj1h75s3ne4vjpp3wtf300uv2xuz7r9lt2xu87jjk/BAT +decimals = 6 + +[factory/inj1hgs8gzt3ww6t6p5f3xvfjugk72h4lechll2qer/SEI] +peggy_denom = factory/inj1hgs8gzt3ww6t6p5f3xvfjugk72h4lechll2qer/SEI +decimals = 6 + +[factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ] +peggy_denom = factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ +decimals = 6 + +[factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ] +peggy_denom = factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ +decimals = 6 + +[factory/inj1hvhtcmzphss9ks9rlst8xshw00dqq3nvdazm6w/cheems] +peggy_denom = factory/inj1hvhtcmzphss9ks9rlst8xshw00dqq3nvdazm6w/cheems +decimals = 6 + +[factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ] +peggy_denom = factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP +decimals = 6 + +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15hgev8qm20mhttw6xrjts37puqm068dfupj5m2 -decimals = 0 +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj15xk5d4d3we8z9s9avcqfns2xsrqq9u5mgaw6q6 -decimals = 0 +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1623vfn9glj9wtd34yv3ck5z3adp673ad2ssuh2 -decimals = 0 +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj164j450vfh7chdsxdqna3925sdqg9xry38fxf4w -decimals = 0 +[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt] +peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16eggztyy9ul8hfkckwgjvj43naefhazt04ruzl +[factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position] +peggy_denom = factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj174whv2m9y92vawm0rnte3czu3g4anr56eacqpc -decimals = 0 +[factory/inj1ja9dyvqlx5u7rvlevmjwhr29p42424242pp3wn/CROCO] +peggy_denom = factory/inj1ja9dyvqlx5u7rvlevmjwhr29p42424242pp3wn/CROCO +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17e3zurs95u5rqp7amj4hz9sk43hu5n6f06n5g8 -decimals = 0 +[factory/inj1jc4zt6y82gy3n0j8g2mh9n3f7fwf35sj6jq5zu/TEST] +peggy_denom = factory/inj1jc4zt6y82gy3n0j8g2mh9n3f7fwf35sj6jq5zu/TEST +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17g3sn33ld59n2uyevp833u4pwynvfw7chfcxq6 +[factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position] +peggy_denom = factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17gvlu9v8h0kk06aqf66u9zk235824ksknugpqm +[factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position] +peggy_denom = factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17m8xuqntg5sc3m78jzajte5r4my4erwhujq3uh -decimals = 0 +[factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO] +peggy_denom = factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj17pda96ujt7fzr3d5jmfkh4dzvrqzc0nk56kt34 -decimals = 0 +[factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ] +peggy_denom = factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj180zwmntk4yw8mp90qzedvgg63lc8g9ju4f79pn +[factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position] +peggy_denom = factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj185gqewrlde8vrqw7j8lpad67v8jfrx9u28w38t +[factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position] +peggy_denom = factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj188yjwj0gpnd39ysgas0f95pngdacwma2jmm8ne -decimals = 0 +[factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/POTIN] +peggy_denom = factory/inj1k0mzgwd4ujuu9w95xzs8p7qu8udy3atqj3sau7/POTIN +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18cd8sht8pksj07z8k36rwytn6gyg3kku8x6xgq -decimals = 0 +[factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/INJDOGE] +peggy_denom = factory/inj1k2kcx5n03pe0z9rfzvs9lt764jja9xpvwrxk7c/INJDOGE +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18dc3m7xtxa6wx0auycyfrq239atvzwe9g2s0nt -decimals = 0 +[factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/ELON] +peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/ELON +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18ms5jl7dtdjzsj0gwceqnc46apdfym7xpjqyes -decimals = 0 +[factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/MOON] +peggy_denom = factory/inj1k7ygz5ufgavnutv0hkgsz7u9g4c3yj6lq6p0jn/MOON +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18x46txl47l8gtcrl05a7xynhjx6w0xgtmnng7s +[factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position] +peggy_denom = factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19f6ww9peaa3tjhjynjcsxms9v4mcpqrpdxz76l -decimals = 0 +[factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ] +peggy_denom = factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj19t6urf7j7t85xa8yf5h85323j5zmvpg030dr6w -decimals = 0 +[factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test] +peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a36gng2z5p7m3ecx528zx09eclg5hsmnhrjaun +[factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position] +peggy_denom = factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a52nehymq2m779j7zy6ra4eus70y6dnahfs4a5 +[factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test] +peggy_denom = factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a7wd7ks949wxzcw69n6md60c0qhykk93w0r8g6 -decimals = 0 +[factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx] +peggy_denom = factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1a8mlar2l3r25uaxdgk0zxyapq7h0435264h8jk -decimals = 0 +[factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ] +peggy_denom = factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1c43k77927yryd8wkzupnppen83alqkm5myt6we -decimals = 0 +[factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ] +peggy_denom = factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ceq66p5aahn6txg5fvyg4mhy2vfq00cuk75y9r -decimals = 0 +[factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA] +peggy_denom = factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA +decimals = 18 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ch7unkwz0v99ynz98v5p0xae4gg0yxnjw6meg7 +[factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position] +peggy_denom = factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1clr2v2jwx8umtd4t3ent5la6q2ngsureenjqtg -decimals = 0 +[factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY] +peggy_denom = factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ctr4vujpjvmqxxkqym9zgm76p4uf0hyklvdp25 -decimals = 0 +[factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/SHRK] +peggy_denom = factory/inj1kt6ujkzdfv9we6t3ca344d3wquynrq6dg77qju/SHRK +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1cv6d835mxs5wsahaf6dp6pqs4h453s3lpk5wxd -decimals = 0 +[factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ] +peggy_denom = factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d3rkrv8f4xm4zv5rcdkydy36xzdksq94ewy5md +[factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position] +peggy_denom = factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d4vlrslnwxn3zpq64e8z7ap04c5svu5s83f2k5 +[factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position] +peggy_denom = factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1d62ry5fwsafggxu67fwhavpu3954vf5n8e5pmt -decimals = 0 +[factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ] +peggy_denom = factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dsd2d4ac60gs2sc34nmwu6x9q2h5cvdr0vz4du -decimals = 0 +[factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/BINJ] +peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/BINJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1dtpqn48watxrezj6gg630x0xzxw4jm70mqxgpt +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e4r4gcx3z4f2cey2wyy27zcnr8tvjs0zrdvtvs +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1e7zmlmkexknfseutx2anr0mhkry8mwg000xm0r +[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza] +peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1elhv36r9nkw0praytqqgjpxgyd8lte7r4msp5y -decimals = 0 +[factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ] +peggy_denom = factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1esca7pkwcptl7xcwfntnye9lgmqj7exnh4waqw -decimals = 0 +[factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON] +peggy_denom = factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ete5curf5mjtznmtzu5xxyrvyxclgsscxd9qk9 +[factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position] +peggy_denom = factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1eux0764t05hmmyfksjmwhahq9kh3yq4stcg0rs -decimals = 0 +[factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC] +peggy_denom = factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f8nq8vvlhms85ywsnp9vnkua3jszqjfd6ts4qq -decimals = 0 +[factory/inj1mck4g2zd7p057un8l3kfamsyj57w7gymgrdyjw/cheems] +peggy_denom = factory/inj1mck4g2zd7p057un8l3kfamsyj57w7gymgrdyjw/cheems +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1fz2tp874h856zuhtujjz3a65c0x6fh742lwdv9 -decimals = 0 +[factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ] +peggy_denom = factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1gzcx85m49u6y8a9dwx6eddfw8d9r4xtzzna83y -decimals = 0 +[factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ] +peggy_denom = factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1h5f6vxsn5hpln75c4mfmntza9m7maj6s396u4w -decimals = 0 +[factory/inj1mg2pnk0djfmvlrrfucnhsfs4um08mwdue3hp9x/DRAGON] +peggy_denom = factory/inj1mg2pnk0djfmvlrrfucnhsfs4um08mwdue3hp9x/DRAGON +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hawmarr2vaswduu09xvkcqjqm79d5zp8zku95r -decimals = 0 +[factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN] +peggy_denom = factory/inj1mly2ykhf6f9tdj58pvndjf4q8dzdl4myjqm9t6/ALIEN +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hqp8mnaa0m9zj77y9qqrv33v3k8w2jx3xjahm2 +[factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position] +peggy_denom = factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hxq5q8h7d8up6j4jcmxje42zpkzr409j6ay4wu +[factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position] +peggy_denom = factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1hza9v3f32kt8vjx24twpj46c5gx52uhylj5qzm -decimals = 0 +[factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ] +peggy_denom = factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1j62tv3rr6ypyfft09q2uvgnplvdy5h7knas83w +[factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI] +peggy_denom = factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1jm4q2da9xutly7uslzce3ftgjr0xunvj6ek5ve +[factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position] +peggy_denom = factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1kvlz7j3meau8uy5upr95p2kn0j275jck9vjh4j -decimals = 0 +[factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/haki] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/haki +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln2tayrlh0vl73cdzxryhkuuppkycxpna5jm87 -decimals = 0 +[factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/samurai] +peggy_denom = factory/inj1pgkwcngxel97d9qjvg75upe8y3lvvzncq5tdr0/samurai +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ln9zmpv8nruce89hrf6z0m5t8t93jswyrw89r9 +[factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position] +peggy_denom = factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lp0lcf67tk4y8ccnmmggpj8c8wf3gkhtt439r8 +[factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position] +peggy_denom = factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lpctts3ah545m8q0pnd696kwthdzgaxur70cm0 -decimals = 0 +[factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi] +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1lt4tg3zxula8kgg4q73s02mqdnjnyu2mal4fv9 +[factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position] +peggy_denom = factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m5czravjfjjmf6l0qujkvxtue373e4cff07d4n -decimals = 0 +[factory/inj1q42vrh9rhdnr20eq9ju9lymsxaqxcjpuqgd2cg/KZB] +peggy_denom = factory/inj1q42vrh9rhdnr20eq9ju9lymsxaqxcjpuqgd2cg/KZB +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1m9chxsuw52eydkah423ue2e6w8pyj89zxlla6m -decimals = 0 +[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mgypkdu4esseefz7dgahuduft33a3any5lrx8a -decimals = 0 +[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK] +peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK +decimals = 9 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ms0ycmqsqnnd8zztvzrq0jts0cudfujjmzesw2 -decimals = 0 +[factory/inj1q7unmeeqkj8r4m4en50wqlfnptfvgf0wavuah8/BOYS] +peggy_denom = factory/inj1q7unmeeqkj8r4m4en50wqlfnptfvgf0wavuah8/BOYS +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mve80zt9gyetq9e2qsjdz579qc9nnpxprkuqjt +[factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position] +peggy_denom = factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1mw99k3jrxhzhktphtr55e9fhp2rncc2elh75js -decimals = 0 +[factory/inj1qdepvfux04s8pqvzs4leam4pgl46wy0fx37eyt/injoy] +peggy_denom = factory/inj1qdepvfux04s8pqvzs4leam4pgl46wy0fx37eyt/injoy +decimals = 9 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1n0cq8p8zd36ecq2tljtsg0uqkpxn830n5mk38j -decimals = 0 +[factory/inj1qjjhhdn95u8s6tqqhx27n8g9vqtn6uhn63szp8/TEST] +peggy_denom = factory/inj1qjjhhdn95u8s6tqqhx27n8g9vqtn6uhn63szp8/TEST +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nemphsdeqekqr7j8ve8gz8jcz4z2lurzty9dw3 -decimals = 0 +[factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON] +peggy_denom = factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON +decimals = 12 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nkj7k722lduxvhs376qkl9lhjw0le0pwux57wp +[factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position] +peggy_denom = factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1np2ylwgqgyzwppx4k2lr8rkqq5vs8v5y84ghwp +[factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP] +peggy_denom = factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1nssppa309t2pty5agwrmrjqx9md9764ntesce6 -decimals = 0 +[factory/inj1qqge7uaftfykr9wjqy4khwwzyr2wgcctwwgqv2/MIB] +peggy_denom = factory/inj1qqge7uaftfykr9wjqy4khwwzyr2wgcctwwgqv2/MIB +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pljwjmkngg7atyxwm8mpwwdayyqk0pfjz8d4j0 -decimals = 0 +[factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM] +peggy_denom = factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ps7s09q5mldj3wghtcvpsflt0uvc9c0wllqvm0 +[factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position] +peggy_denom = factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1pwqllsz0d7377v6gvx5vd3df9xurekpyrsscln -decimals = 0 +[factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/APE] +peggy_denom = factory/inj1qx7qnj9wwdrxc9e239ycshqnqgapdh7s44vez7/APE +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q37t59kug9hhjvht20uc8kheva0tfdjak4yys8 +[factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position] +peggy_denom = factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1q62knrccf8n2386jzzv2plr6rat2lfvx95muqv +[factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position] +peggy_denom = factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qg8x9eec40aqjzezku7r2dpz0sz3962ljsk8ga +[factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position] +peggy_denom = factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1qu0zyksruugw9az7e0m7wf9lmatacf5d2uznqw -decimals = 0 +[factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/crinj] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/crinj +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rl004yqz80hdkn5ctnqfxngv24cs2yc39zqaxt -decimals = 0 +[factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ] +peggy_denom = factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rm88t0crsdfkjpgs9k6tzupzf9qsv2az8u06a7 -decimals = 0 +[factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor] +peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rn0hfpfcj09uq7r6l7tx2fhdwsufptv340w904 +[factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position] +peggy_denom = factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rnraxu54huv7wkmpff3v8mzhqh49g0e6fj67sd +[factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position] +peggy_denom = factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1rx2yfurr3zh4nzv5gazh899dyc2v4lhx2fex3r +[factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI] +peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ry55p3hcfwqd0r4d6hkd2hgldfamf63ehkem8a -decimals = 0 +[factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO] +peggy_denom = factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s2rs23gg0mw6jr7s3rjhwsrssnnhn8vck24n2r -decimals = 0 +[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1s66zhks8v3fm24974crzxufh7w6ktt694g9t3j -decimals = 0 +[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY] +peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sn40ldl8ud3dalqk39mxp7t4unqaadnt9cg9a4 -decimals = 0 +[factory/inj1rrg35k5g58vunyze4tqvqhef2fgrurkpxxdr43/KiraWifHat] +peggy_denom = factory/inj1rrg35k5g58vunyze4tqvqhef2fgrurkpxxdr43/KiraWifHat +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sqc9jap0yye84dx5uyqyvepg83p7hvqke5sjvk -decimals = 0 +[factory/inj1rvg9a58qtcf8f464w2hkynrvpnl9x59wsaq922/NINJAPE] +peggy_denom = factory/inj1rvg9a58qtcf8f464w2hkynrvpnl9x59wsaq922/NINJAPE +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1sthrn5ep8ls5vzz8f9gp89khhmedahhdkqa8z3] -peggy_denom = ibc/884A8507A762D0F1DE350C4E640ECA6EDD6F25617F39AD57BC6F5B7EC8DF7181 +[factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position] +peggy_denom = factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ta03vxka8mpgem44xvhewekg89wxel8leyvugw -decimals = 0 +[factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ] +peggy_denom = factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1ufx78kwvwpds77hxrmxkedsp6yhvflk5lz2a58 -decimals = 0 +[factory/inj1s79ssggksqujyrwhq5zwxart33t98mmm2xd8f7/CHEN] +peggy_denom = factory/inj1s79ssggksqujyrwhq5zwxart33t98mmm2xd8f7/CHEN +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uhukgtdm0xyq35w34rxh73g3yhffxw4qg568sx +[factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position] +peggy_denom = factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uq30shptkerand4zl6xr8ga2jt0mu0c6npak0a -decimals = 0 +[factory/inj1s9pckznjz4hmgtxu5t9gerxtalch7wtle4y3a6/MIB] +peggy_denom = factory/inj1s9pckznjz4hmgtxu5t9gerxtalch7wtle4y3a6/MIB +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1uu9dsss65z2dt6cz9avr2tk6wrdjxxe0cxh4d5 -decimals = 0 +[factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ] +peggy_denom = factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v0dxtj5ku80w4h96jc0scyxlnk3j869dj2nnay +[factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position] +peggy_denom = factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1v3z2nx0k9fjv83ktx4dtsau82ff2c68gxfqah9 -decimals = 0 +[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vd8qv39y8ay7x0ldlhhnfcjc0k6ya69fvp2vzw +[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1vy9xhn2gmswm7xyt39wnnd8pz4w6e93zjzurdu -decimals = 0 +[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test] +peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/test +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1w9z5t04v2jl6r85s8e0984f4v2drdpq8fnl6hs +[factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position] +peggy_denom = factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wea6emsvgrxnsg07wsf9kx5djn2r4fyqzsxcja -decimals = 0 +[factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/LIOR] +peggy_denom = factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/LIOR +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1wyd57qlwdhfj4sepl4y2eedsn077gzgg95cgwh -decimals = 0 +[factory/inj1sgnkljwsekkf36p4lgd7v9qa0p66rj64xa756j/BONK] +peggy_denom = factory/inj1sgnkljwsekkf36p4lgd7v9qa0p66rj64xa756j/BONK +decimals = 6 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1x9uecns088t3dw2map7q235nzvyfhtzqkgneux +[factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP] +peggy_denom = factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1xjvf8nzcx5uvjnmey6x7vx4xe08k95k7gx0fyl +[factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ] +peggy_denom = factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ +decimals = 6 + +[factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW] +peggy_denom = factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW +decimals = 6 + +[factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/BONK] +peggy_denom = factory/inj1t0vyy5c3cnrw9f0mpjz9xk7fp22ezjjmrza7xn/BONK +decimals = 6 + +[factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position] +peggy_denom = factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzjcwy4m2qyn3kvspgsxhdltxz5kw34n8x80xx +[factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position] +peggy_denom = factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1yzm2tg8mv3ajgw4z4vnjynpanjqvezywcgjkzf +[factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ] +peggy_denom = factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ +decimals = 6 + +[factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/DINO] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/DINO +decimals = 6 + +[factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +decimals = 6 + +[factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position] +peggy_denom = factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zcssxvw4x9zdqww2atu7at0n5ss2lv8gg8u6ul +[factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position] +peggy_denom = factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position decimals = 0 -[factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1zejzp0ne0hh7c0wupuspkcqwajlw6kww3r86jl +[factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position] +peggy_denom = factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position decimals = 0 -[factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ] -peggy_denom = factory/inj14fx6k6an38hmqz58nxzggxycmy7mpy9ju7mqxq/INJ +[factory/inj1tpuscn4wl7sf35zx5w95d74ulzsdfle67x7cq5/Sekiro] +peggy_denom = factory/inj1tpuscn4wl7sf35zx5w95d74ulzsdfle67x7cq5/Sekiro decimals = 6 -[factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position] -peggy_denom = factory/inj14r67lv9phdjs94x6zsd446ptw04cmkq2j4t6wm/position +[factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP] +peggy_denom = factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP decimals = 0 -[factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ] -peggy_denom = factory/inj1532ekcsx3mqtmxx0s5uc32my0et9vazdkkfcna/INJ -decimals = 6 +[factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position] +peggy_denom = factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position +decimals = 0 -[factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ] -peggy_denom = factory/inj15446d66cyfqh97hp0x3n749mvq4kx0lnfvuwt5/INJ -decimals = 6 +[factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position] +peggy_denom = factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position +decimals = 0 -[factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position] -peggy_denom = factory/inj157g6qg542h735ww6kzk5jf7s2ayscgtcg7mvv3/position +[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd] +peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd decimals = 0 -[factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ] -peggy_denom = factory/inj157l55k7pt6wlkmvs95kx96m2y30tgvxuld6zfc/INJ -decimals = 6 +[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3] +peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3 +decimals = 0 -[factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ] -peggy_denom = factory/inj158xvl6jgd6cgdetnxu4rus4vcv50u3q06wryjl/INJ +[factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory] +peggy_denom = factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory decimals = 6 -[factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position] -peggy_denom = factory/inj1598f9vtwc3furg3dnat9lnjw5eflcyuazv2c3m/position -decimals = 0 - -[factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ] -peggy_denom = factory/inj15rddsgzhts4lyuk4a92aq7g4wemgf7r3u6w80p/INJ +[factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ] +peggy_denom = factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ decimals = 6 -[factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position] -peggy_denom = factory/inj15sqzlm42xks73nxez8tw8k6tp9xln7gfth2sv6/position -decimals = 0 +[factory/inj1ujd7rlhp8980lwg74tek7gv4yv4qj4xcvxrx45/FROG] +peggy_denom = factory/inj1ujd7rlhp8980lwg74tek7gv4yv4qj4xcvxrx45/FROG +decimals = 6 -[factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42] -peggy_denom = factory/inj15xxgscstfpaztar2hjluzphvq4m8jffjym8svh/lpinj1alqcad69f6y4zepfu3k8cx0ysynjemju4auc42 +[factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position] +peggy_denom = factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position decimals = 0 -[factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position] -peggy_denom = factory/inj164shttz4dv6ec8m44gulucpej3pgl7tjqhdvyk/position -decimals = 0 +[factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ] +peggy_denom = factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ +decimals = 6 -[factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position] -peggy_denom = factory/inj16936rlm3gm2z7gd8t677t926qz93hqy07qhh3z/position +[factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position] +peggy_denom = factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position decimals = 0 -[factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position] -peggy_denom = factory/inj169rj69y0td97a0gvz3jthr63ml79h0ez2sc0rm/position +[factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position] +peggy_denom = factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position decimals = 0 -[factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position] -peggy_denom = factory/inj16hsmv4grd5ru3axtvgc8c0dygc0skpfct837dv/position +[factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position] +peggy_denom = factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position decimals = 0 -[factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc] -peggy_denom = factory/inj16tth6zcljja520fetw9u7plyza5e6sj0rta6ua/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +[factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO] +peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO decimals = 0 -[factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST] -peggy_denom = factory/inj16xkr5efuae9ur5tftr5epxtse43falevltugdt/TEST +[factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ] +peggy_denom = factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ decimals = 6 -[factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE] -peggy_denom = factory/inj16zm5htn50fm4veztrazn2a6yjp2kjwnvthq8r8/PEPE +[factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ] +peggy_denom = factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ decimals = 6 -[factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position] -peggy_denom = factory/inj16zquths3dwk0varlj32ur9skutl640umvllxeu/position +[factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position] +peggy_denom = factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position decimals = 0 -[factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ] -peggy_denom = factory/inj17g9jsj37jt0w77x4gfmt6rxf0r2zr307kky875/INJ -decimals = 6 +[factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position] +peggy_denom = factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position +decimals = 0 -[factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG] -peggy_denom = factory/inj17kqcwkgdayv585dr7mljclechqzymgfsqc8x9k/THUG +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook decimals = 6 -[factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN] -peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/SPUUN +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie decimals = 6 -[factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ] -peggy_denom = factory/inj17vgy7dxx5j0a3xag8hg53e74ztjs50qrycj2pn/INJ +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog decimals = 6 -[factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position] -peggy_denom = factory/inj18c9gq53gs52rmj6nevfg48v3xx222stnxgwpku/position -decimals = 0 +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ninja] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/ninja +decimals = 6 -[factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ] -peggy_denom = factory/inj18prwk9vqw82x86lx9d8kmymmzl9vzuznzye3l0/INJ +[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif decimals = 6 -[factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position] -peggy_denom = factory/inj19fa4pmpnxysawtps7aq7nhh7k2x8wvvqwxv7kl/position +[factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position] +peggy_denom = factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position decimals = 0 -[factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position] -peggy_denom = factory/inj19g8xh8wfaxl7a4z5pr67e908ph68n5zamsagxt/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm decimals = 0 -[factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position] -peggy_denom = factory/inj19h8ypfpczenmslgvxk73kszedfd9h9ptn2a5ml/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv decimals = 0 -[factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position] -peggy_denom = factory/inj19jeceymrrcvqty0mapdf7daa47gr33khpwpfnt/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x decimals = 0 -[factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position] -peggy_denom = factory/inj19uyuzl6chkdp3ez8aua2marzqwuv3n23ynf2x0/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58 decimals = 0 -[factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position] -peggy_denom = factory/inj19xq90yxtaar7xlz5jdzvqgkjw285rqzsjvxc2j/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp decimals = 0 -[factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ] -peggy_denom = factory/inj19y42qwvf6s9aq6qqjk09qfe0f4n78e48cqe7w4/INJ -decimals = 6 - -[factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position] -peggy_denom = factory/inj19yyllwqvapt4hsn7cpcg540qt5c3fekxxhjppg/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d decimals = 0 -[factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ] -peggy_denom = factory/inj1a3lpj7yf5spw344pfa9gjcgwx3zyx5v9e6cpg2/INJ -decimals = 6 - -[factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position] -peggy_denom = factory/inj1a3m6hv5hmt4lxkw0uqqz7m3m7dgtd2uy4hmenp/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr decimals = 0 -[factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc] -peggy_denom = factory/inj1a6xdezq7a94qwamec6n6cnup02nvewvjtz6h6e/uabc +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095 decimals = 0 -[factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ] -peggy_denom = factory/inj1acyx78g70fwu2fcjx6dj9yff34gscu0g4tg8vw/INJ -decimals = 6 - -[factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ] -peggy_denom = factory/inj1adam3fc7h0wjlhht0utgyl53rcataw3q70vntr/INJ -decimals = 6 - -[factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position] -peggy_denom = factory/inj1aq5rpkexhycqk54afj630ktmgaqvc468fwk34k/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh decimals = 0 -[factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position] -peggy_denom = factory/inj1avm2ruactjhxlrd8cq7ja7vhmtqwpu2lpnnq79/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p decimals = 0 -[factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ] -peggy_denom = factory/inj1awuqzd4sgmw9pguaftekx87pnl8ylqhvm3n97y/INJ -decimals = 6 - -[factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position] -peggy_denom = factory/inj1c6eq9yp3c3ray4prfyumyv9m5ttkdzxawpg6c0/position +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu decimals = 0 -[factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test] -peggy_denom = factory/inj1cjzufvday63thkgqkxnesgav69c5afsm5aws8w/test -decimals = 6 +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9 +decimals = 0 -[factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME] -peggy_denom = factory/inj1cq5ygzlgh6l2pll2thtx82rhde2v7cpxlqfz93/GME -decimals = 6 +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95 +decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707147655.812049146InjUsdt1d1.08C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707151420.026670141InjUsdt1d1.08C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230551.918032637InjUsdt20d1.21C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707230884.525553719InjUsdt28d1.16C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231283.066300029InjUsdt20d1.21C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707231469.923471325InjUsdt16d0.87P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570015.556318592InjUsdt20d1.21C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570076.365183070InjUsdt28d1.16C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707570225.110365254InjUsdt16d0.87P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915798.275383427InjUsdt24d1.22C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707915921.506232293InjUsdt30d1.16C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1707916064.752464733InjUsdt18d0.87P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434382.147236316InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434608.109548440InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708434695.365984945InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952496.551991999InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952558.556210993InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1708952714.916449575InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709471628.501760810InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1709989206.952525115InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1710512672.125817391InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711026012.447108856InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1711544412.396311094InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt18d0.9P +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt24d1.17C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712063630.920057621InjUsdt30d1.12C +[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3] +peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt18d0.9P -decimals = 0 +[factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ] +peggy_denom = factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt24d1.17C +[factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ] +peggy_denom = factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ +decimals = 6 + +[factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/GINGERDOG] +peggy_denom = factory/inj1vrktrmvtxkzd52kk45ptc5m53zncm56d278qza/GINGERDOG +decimals = 6 + +[factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC] +peggy_denom = factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC +decimals = 6 + +[factory/inj1vug68m8evczhxm26hfe7tetycsfnmm92mr6aaj/GODS] +peggy_denom = factory/inj1vug68m8evczhxm26hfe7tetycsfnmm92mr6aaj/GODS +decimals = 6 + +[factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position] +peggy_denom = factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1712583066.521732861InjUsdt30d1.12C +[factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black] +peggy_denom = factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt18d0.9P +[factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position] +peggy_denom = factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt24d1.17C +[factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/PEPE] +peggy_denom = factory/inj1weyajq6ksmzzhfpum9texpsgm9u20fc0kdqpgy/PEPE +decimals = 6 + +[factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position] +peggy_denom = factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713104421.579085515InjUsdt30d1.12C +[factory/inj1wjtuzkprkc4gdf4r7dlh9gu96yyxml8qpzzy9p/elon] +peggy_denom = factory/inj1wjtuzkprkc4gdf4r7dlh9gu96yyxml8qpzzy9p/elon +decimals = 6 + +[factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ] +peggy_denom = factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ +decimals = 6 + +[factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ] +peggy_denom = factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ +decimals = 6 + +[factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ] +peggy_denom = factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ +decimals = 6 + +[factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ] +peggy_denom = factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ +decimals = 6 + +[factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position] +peggy_denom = factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713342050InjUsdt18d1.13C +[factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ] +peggy_denom = factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ +decimals = 6 + +[factory/inj1x8larhqwxyr39ytv38476rqpz723uy2ycc66cf/BONK] +peggy_denom = factory/inj1x8larhqwxyr39ytv38476rqpz723uy2ycc66cf/BONK +decimals = 6 + +[factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position] +peggy_denom = factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713356956InjUsdt18d1.13C +[factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + +[factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position] +peggy_denom = factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt18d1.13C +[factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position] +peggy_denom = factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt24d1.17C +[factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test] +peggy_denom = factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test +decimals = 6 + +[factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO] +peggy_denom = factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO +decimals = 6 + +[factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ] +peggy_denom = factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ +decimals = 6 + +[factory/inj1xzjfandwwadxws0a8x2p2vfwg9lzyfksceuhxr/bonk] +peggy_denom = factory/inj1xzjfandwwadxws0a8x2p2vfwg9lzyfksceuhxr/bonk +decimals = 18 + +[factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position] +peggy_denom = factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618016InjUsdt28d1.13C +[factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ] +peggy_denom = factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ +decimals = 6 + +[factory/inj1y6zxg76ltrjdx7xppvtrdqlc5ujyhfra8aqr3f/CROCO] +peggy_denom = factory/inj1y6zxg76ltrjdx7xppvtrdqlc5ujyhfra8aqr3f/CROCO +decimals = 6 + +[factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position] +peggy_denom = factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713618060InjUsdt16d0.89P +[factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + +[factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position] +peggy_denom = factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974295InjUsdt28d1.13C +[factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ] +peggy_denom = factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ +decimals = 6 + +[factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position] +peggy_denom = factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt16d0.85P +[factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position] +peggy_denom = factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1713974528InjUsdt24d1.17C +[factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position] +peggy_denom = factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt16d0.85P +[factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ] +peggy_denom = factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ +decimals = 6 + +[factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position] +peggy_denom = factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt24d1.17C +[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test] +peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test +decimals = 6 + +[factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position] +peggy_denom = factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714309564InjUsdt28d1.13C +[factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/SHURIKEN] +peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/SHURIKEN +decimals = 6 + +[factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position] +peggy_denom = factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt16d0.85P +[factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP] +peggy_denom = factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt24d1.17C -decimals = 0 +[factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT] +peggy_denom = factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT +decimals = 6 + +[factory/inj1zgpg4laenyplsjeqz4pxfhmsv55vcx70lf2sgz/MONKEY] +peggy_denom = factory/inj1zgpg4laenyplsjeqz4pxfhmsv55vcx70lf2sgz/MONKEY +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1714658833InjUsdt28d1.13C -decimals = 0 +[factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ] +peggy_denom = factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt16d0.85P -decimals = 0 +[factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ] +peggy_denom = factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt24d1.17C +[factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position] +peggy_denom = factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715000420InjUsdt28d1.13C +[factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position] +peggy_denom = factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt16d0.85P -decimals = 0 +[factory/inj1zy0r4d9s4zmssym0u46j5vxqatt5k5phfxt6rf/bonk] +peggy_denom = factory/inj1zy0r4d9s4zmssym0u46j5vxqatt5k5phfxt6rf/bonk +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt24d1.17C +[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/GOP] +peggy_denom = ibc/B6DEF77F4106DE5F5E1D5C7AA857392A8B5CE766733BA23589AD4760AF953819 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715346009InjUsdt28d1.13C +[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/MOO] +peggy_denom = ibc/572EB1D6454B3BF6474A30B06D56597D1DEE758569CC695FF628D4EA235EFD5D decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt16d0.85P +[factory/neutron154gg0wtm2v4h9ur8xg32ep64e8ef0g5twlsgvfeajqwghdryvyqsqhgk8e/APOLLO] +peggy_denom = ibc/1B47F9D980CBB32A87022E1381C15005DE942A71CB61C1B498DBC2A18F43A8FE decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt24d1.17C +[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/djjtga] +peggy_denom = ibc/50DC83F6AD408BC81CE04004C86BF457F9ED9BF70839F8E6BA6A3903228948D7 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1715691712InjUsdt28d1.13C +[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/test] +peggy_denom = ibc/40C510742D7CE7F5EB2EF894AA9AD5056183D80628A73A04B48708A660FD088D decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt16d0.85P +[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/9fELvUhFo6yWL34ZaLgPbCPzdk9MD1tAzMycgH45qShH] +peggy_denom = ibc/8A8AA255C5C0C1C58A35D74FE992620E10292BDCE1D2C7F8C7C439D642C42040 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt24d1.17C +[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/Hq4tuDzhRBnxw3tFA5n6M52NVMVcC19XggbyDiJKCD6H] +peggy_denom = ibc/247FF5EB358DA07AE08BC0E975E1AD955494A51B6C11452271A216E67AF1E4D1 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716037433InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/2Wb6ueMFc9WLc2eyYVha6qnwHKbwzUXdooXsg6XXVvos] +peggy_denom = ibc/8D59D4FCFE77CA4F11F9FD9E9ACA645197E9BFFE48B05ADA172D750D3C5F47E7 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/3wftBtqKjWFXFWhtsG6fjaLTbpnaLhN3bhfSMdvEVdXT] +peggy_denom = ibc/6C1F980F3D295DA21EC3AFD71008CC7674BA580EBEDBD76FD5E25E481067AF09 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/576uQXyQrjFdqzDRvBnXihn467ipuc12a5yN8v8H99f8] +peggy_denom = ibc/0F18C33D7C2C28E24A67BEFA2689A1552DCE9856E1BB3A16259403D5398EB23C decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716385437InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5MeVz64BbVszQaCqCTQ2zfWTmnQ5uKwNMaDDSJDRuqTY] +peggy_denom = ibc/B7936BF07D9035C66C83B81B61672A05F30DE4196BE0A016A6CD4EDD20CB8F24 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5cKyTGhoHu1VFNPd6iXdKYTm3CkTtz1MeCdYLUGgF4zt] +peggy_denom = ibc/3C2EEA34EAF26698EE47A58FA2142369CE42E105E8452E1C074A32D34431484B decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/6wMmXNYNi8tYB32cCAGPoPrr6nHLKx4j9kpGv5moBnuT] +peggy_denom = ibc/13055E6ECA7C05091DD7B93DF81F0BB12479779DE3B9410CF445CC34B8361664 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1716728415InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/7KQX8bVDa8W4EdpED8oHqhSfJsgF79XDcxcd8ELUws7G] +peggy_denom = ibc/0A44483A7AFF7C096B2A4FB00A12E912BE717CD7703CF7F33ED99DB35230D404 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8iuAc6DSeLvi2JDUtwJxLytsZT8R19itXebZsNReLLNi] +peggy_denom = ibc/6D434846D1535247426AA917BBEC53BE1A881D49A010BF7EDACBFCD84DE4A5B8 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8sYgCzLRJC3J7qPn2bNbx6PiGcarhyx8rBhVaNnfvHCA] +peggy_denom = ibc/1E4DACCD788219206F93485352B39DF83F6268F389997141498FAFB5BA06493B decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717074021InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/9weDXCi5EPvG2xk6VTiKKxhijYuq79U6UzPwBniF1cET] +peggy_denom = ibc/C2C022DC63E598614F39C575BC5EF4EC54E5D081365D9BE090D75F743364E54D decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/AsSyBMk2D3FmntrGtd539XWDGwmJ7Uv8vVXQTwTjyqBw] +peggy_denom = ibc/7A39488A287BF7DBC4A33DDA2BE3DDAC0F281FBCFF23934B7194893C136AAA99 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BSWyXu2ZJFGaSau3aLDwNZMCDwenWhwPfWALpYna7WzV] +peggy_denom = ibc/CB8E08B5C734BDA8344DDCFE5C9CCCC91521763BA1BC9F61CADE6E8F0B556E3D decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717419602InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BjqmpMWFUphe7Qr3v8rLCZh8aoH2qfi2S1z8649b62TY] +peggy_denom = ibc/4F72D2F3EAFB61D8615566B3C80AEF2778BB14B648929607568C79CD90416188 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/CroEB5zf21ea42ezHnpcv1jj1jANLY4A1sQL6y4UsHGR] +peggy_denom = ibc/8E7F71072C97C5D8D19978C7E38AE90C0FBCCE551AF95FEB000EA9EBBFD6396B decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Cv4gKZrfUhNZtcjUDgdodrup397e9Nm7hMaqFwSCPVjj] +peggy_denom = ibc/44EC7BD858EC12CE9C2F882119F522937264B50DD26DE73270CA219242E9C1B2 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1717769182InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/EfeMLPMU8BcwMbzNy5DfbYCzRDvDVdo7nLZt7GZG4a8Y] +peggy_denom = ibc/366870891D57A5076D117307C42F597A000EB757793A9AB58019660B896292AA decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Eh6t4Hgff8mveKYH5Csa7zyoq5hgKNnLF8qq9YhSsu7j] +peggy_denom = ibc/AA2394D484EADAC0B982A8979B18109FAEDD5D47E36D8153955369FEC16D027B decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Ej6p2SmCeEnkLsZR2pwSCK9L1LUQWgKsMd3iVdYMFaJq] +peggy_denom = ibc/6912080A54CAB152D10CED28050E6DBE87B49E4F77D6BA6D54A05DBF4C3CCA88 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718110812InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/F6QdZRjBTFmK1BNMrws1D9uPqQkHE25qqR2bMpeTuLjb] +peggy_denom = ibc/473D128E740A340B0663BD09CFC9799A0254564448B62CAA557D65DB23D0FCCD decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/FrbRcKDffWhKiHimzrWBpQRyM65uJkYDSf4J3QksasJ9] +peggy_denom = ibc/E2C56B24C032D2C54CF12EAD43432D65FDF22C64E819F97AAD3B141829EF3E60 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G4b8zJq7EUqVTwgbokQiHyYa5PzhQ1bLiyAeK3Yw9en8] +peggy_denom = ibc/683CD81C466CF3678E78B5E822FA07F0C23107B1F8FA06E80EAD32D569C4CF84 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718456416InjUsdt28d1.13C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G8PQ2heLLT8uBjoCfkkD3pNmTGZo6hNtSEEuJUGn9daJ] +peggy_denom = ibc/65CF217605B92B4CD37AC22955C5C59DE39CFD2A7A2E667861CCAFC810C4F5BD decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt16d0.85P +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/GGh9Ufn1SeDGrhzEkMyRKt5568VbbxZK2yvWNsd6PbXt] +peggy_denom = ibc/389982EAC0D365D49FABD2DA625B9EB2C5D4369EFC09FA05D7D324055A9B2FE7 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt24d1.17C +[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/HJk1XMDRNUbRrpKkNZYui7SwWDMjXZAsySzqgyNcQoU3] +peggy_denom = ibc/126D6F24002F098804B70C133E0BBCEE40EE2ED489373C648805FEA4FF206333 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1718802323InjUsdt28d1.13C +[factory:kujira13ryry75s34y4sl5st7g5mhk0he8rc2nn7ah6sl:SPERM] +peggy_denom = ibc/EBC2F00888A965121201A6150B7C55E0941E49438BC7F02385A632D6C4E68E2A decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt16d0.85P +[factory:kujira1e224c8ry0nuun5expxm00hmssl8qnsjkd02ft94p3m2a33xked2qypgys3:urcpt] +peggy_denom = ibc/49994E6147933B46B83CCEDE3528C6B3E5960ECE5A85548C2A519CF3B812E8B9 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt24d1.17C +[factory:kujira1jelmu9tdmr6hqg0d6qw4g6c9mwrexrzuryh50fwcavcpthp5m0uq20853h:urcpt] +peggy_denom = ibc/E970A80269F0867B0E9C914004AB991E6AF94F3EF2D4E1DFC92E140ACB6BBD5C decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719147607InjUsdt28d1.13C +[factory:kujira1yntegc5v3tvl0xfrde0rupnt9kfnx0sy9lytge9g2mryjknudk6qg4zyw9:urcpt] +peggy_denom = ibc/D4D75686C76511349744536403E94B31AC010EB6EA1B579C01B2D64B6888E068 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt16d0.82P -decimals = 0 +[faot] +peggy_denom = inj1vnhhrcnnnr6tq96eaa8gcsuaz55ugnhs3dmfqq +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt24d1.25C -decimals = 0 +[fatPEPE] +peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/fatpepe +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719493268InjUsdt28d1.18C -decimals = 0 +[fff] +peggy_denom = factory/inj1xy7dcllc7wn5prcy73xr7xhpt9zwg49c6szqcz/fff +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt16d0.82P -decimals = 0 +[fiftycent] +peggy_denom = inj1rtgfdnja2xav84ta0twq8cmmvkqzycnu9uxzw5 +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719804902InjUsdt28d1.18C -decimals = 0 +[fmXEN] +peggy_denom = inj14vluf5wc7tsptnfzrjs9g579uyp9gvvlwre5e4 +decimals = 8 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1719805152InjUsdt24d1.25C -decimals = 0 +[foo] +peggy_denom = factory/inj12vxhuaamfs33sxgnf95lxvzy9lpugpgjsrsxl3/foo +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt16d0.82P -decimals = 0 +[footjob] +peggy_denom = inj1gn7tah4p0uvgmtwgwe5lp9q7ce8d4yr8jxrfcv +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt24d1.25C -decimals = 0 +[fox] +peggy_denom = factory/inj1ddmyuzh42n8ymyhcm5jla3aaq9tucjnye02dlf/fox +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720184412InjUsdt28d1.18C -decimals = 0 +[frINJa] +peggy_denom = factory/inj1sm0feg2fxpmx5yg3ywzdzyn0s93m6d9dt87jf5/frINJa +decimals = 7 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt16d0.82P -decimals = 0 +[franklin] +peggy_denom = inj1zd0043cf6q7yft07aaqgsurgh53xy5gercpzuu +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt24d1.25C -decimals = 0 +[gay] +peggy_denom = inj15x48ts4jw429zd9vvkwxf0advg9j24z2q948fl +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720530062InjUsdt28d1.18C -decimals = 0 +[gayasf] +peggy_denom = inj1qu6eldq9ftz2wvr43848ff8x5586xm0639kg7a +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt16d0.82P -decimals = 0 +[get] +peggy_denom = factory/inj1ldee0qev4khjdpw8wpqpyeyw0n0z8nnqtc423g/get +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt24d1.25C -decimals = 0 +[ginj] +peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/ginj +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1720875614InjUsdt28d1.18C -decimals = 0 +[gipsyCOINS] +peggy_denom = inj1pyeutpz66lhapppt2ny36s57zfspglqtvdwywd +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt16d0.82P -decimals = 0 +[godzilla] +peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/godzilla +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt24d1.25C +[gravity0xA0b73E1Ff0B80914AB6fe0444E65848C4C34450b] +peggy_denom = ibc/FF8F4C5D1664F946E88654921D6C1E81D5C167B8A58A4E75B559BAA2DBBF0101 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721221498InjUsdt28d1.18C +[gravity0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48] +peggy_denom = ibc/7C2AA3086423029B3E915B5563975DB87EF2E552A40F996C7F6D19FFBD5B2AEA decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt16d0.82P +[gravity0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2] +peggy_denom = ibc/E7C0089E196DB00A88D6EA6D1CD87D80C320D721ACFAEFF4342CEF15AE9EDAE0 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt24d1.25C +[gravity0xe28b3B32B6c345A34Ff64674606124Dd5Aceca30] +peggy_denom = ibc/57E7FEFD5872F89EB1C792C4B06B51EA565AC644EA2F64B88F8FC40704F8E9C4 decimals = 0 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721566814InjUsdt28d1.18C -decimals = 0 +[gto] +peggy_denom = inj1ehnt0lcek8wdf0xj7y5mmz7nzr8j7ytjgk6l7g +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt16d0.82P -decimals = 0 +[h2o] +peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/fbi +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt24d1.25C -decimals = 0 +[hINJ] +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1721912418InjUsdt28d1.18C -decimals = 0 +[httuy] +peggy_denom = inj1996tdgklvleuja56gfpv9v3cc2uflmm9vavw05 +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt16d0.82P -decimals = 0 +[hug] +peggy_denom = inj1ncjqkvnxpyyhvm475std34eyn5c7eydpxxagds +decimals = 18 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt24d1.25C -decimals = 0 +[ibc/02683677B1A58ECF74FFF25711E09735C44153FE9490BE5EF9FD21DE82BCB542] +peggy_denom = ibc/02683677B1A58ECF74FFF25711E09735C44153FE9490BE5EF9FD21DE82BCB542 +decimals = 6 -[factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C] -peggy_denom = factory/inj1cs57nurqssdy09a0tuzqetxn6nyzphj5w220jh/1722259395InjUsdt28d1.18C -decimals = 0 +[ibc/063F4461F7317CFF10F50AB044E44932D22AAD84FA7107082744946E6DB7B7A8] +peggy_denom = ibc/063F4461F7317CFF10F50AB044E44932D22AAD84FA7107082744946E6DB7B7A8 +decimals = 6 -[factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP] -peggy_denom = factory/inj1csmzuxsp5vp2ng5cue7wdknudk8m69wlr62rq5/uLP +[ibc/0D2C8BD2BF7C53A7873D5D038273DF6E4E44092193202021308B90C6D035A98A] +peggy_denom = ibc/0D2C8BD2BF7C53A7873D5D038273DF6E4E44092193202021308B90C6D035A98A decimals = 0 -[factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA] -peggy_denom = factory/inj1cus3dx8lxq2h2y9mzraxagaw8kjjcx6ul5feak/EA +[ibc/0F3A724673F682CF7812D0ED1A0C41D344C09E94C939E79D12712DC7C0676E80] +peggy_denom = ibc/0F3A724673F682CF7812D0ED1A0C41D344C09E94C939E79D12712DC7C0676E80 +decimals = 6 + +[ibc/10CE34C15047F36C29C0644383FD0908646D67C198A35CF089AD53902FE3CA28] +peggy_denom = ibc/10CE34C15047F36C29C0644383FD0908646D67C198A35CF089AD53902FE3CA28 decimals = 0 -[factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position] -peggy_denom = factory/inj1cuv9fu0p28u60e5rtw7u6pch8zdm840zctlx84/position +[ibc/10E1BF4C7142E07AA8CE7C91292E89B806F31263FCE48E966385FD47B53C1FFA] +peggy_denom = ibc/10E1BF4C7142E07AA8CE7C91292E89B806F31263FCE48E966385FD47B53C1FFA decimals = 0 -[factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position] -peggy_denom = factory/inj1cvhsxdjs64q9l83s7twdhsw3vjx54haqgv2d6k/position +[ibc/15FE2BB9D596F81B40D72E95953E0CB6E2280813799AED7058D499E0C2B561C6] +peggy_denom = ibc/15FE2BB9D596F81B40D72E95953E0CB6E2280813799AED7058D499E0C2B561C6 decimals = 0 -[factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position] -peggy_denom = factory/inj1d4zluv70jrx4nl68fp7rqjhpq7egdey2433l96/position +[ibc/1D4FB764C95C003A2E274D52EBDA0590DE2CD5DF21BA56C06E285BC1167E5073] +peggy_denom = ibc/1D4FB764C95C003A2E274D52EBDA0590DE2CD5DF21BA56C06E285BC1167E5073 decimals = 0 -[factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE] -peggy_denom = factory/inj1d5fe04g9xa577e2zn82n4m0ksq8wp8vxgvfupw/PINKIE -decimals = 6 +[ibc/2138C4EA63EFD757D42F75B90177FE34A9508DC0046DC48844CFF26659AE7A9D] +peggy_denom = ibc/2138C4EA63EFD757D42F75B90177FE34A9508DC0046DC48844CFF26659AE7A9D +decimals = 5 -[factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position] -peggy_denom = factory/inj1d80r2q4lcsajwr494wyswykn46smag0yy8scfv/position +[ibc/334B68D79945DEE86E2F8E20D8C744E98C87D0FED274D9684AA35ABD5F661699] +peggy_denom = ibc/334B68D79945DEE86E2F8E20D8C744E98C87D0FED274D9684AA35ABD5F661699 decimals = 0 -[factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position] -peggy_denom = factory/inj1dg6eay6q34r2eh88u6hghlz5r3y25n2wpp494v/position +[ibc/359EA1E69EF84A02FD453B9FC462F985287F51310FF2E3ECEDABFDF7D3EAC91A] +peggy_denom = ibc/359EA1E69EF84A02FD453B9FC462F985287F51310FF2E3ECEDABFDF7D3EAC91A decimals = 0 -[factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position] -peggy_denom = factory/inj1dl8d43lz8ctmtka5d0tta8yj2urmgal7fgqcmh/position +[ibc/365501AC8CD65F1BCB22C4A546458C3CA702985A30443120992B61483399B836] +peggy_denom = ibc/365501AC8CD65F1BCB22C4A546458C3CA702985A30443120992B61483399B836 decimals = 0 -[factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ] -peggy_denom = factory/inj1dpyjsuehlrsmr78cddezd488euydtew3vukjmf/INJ +[ibc/377F82FD1E4F6408B1CB7C8BFF9134A1F2C5D5E5CC2760BAD972AF0F7F6D4675] +peggy_denom = ibc/377F82FD1E4F6408B1CB7C8BFF9134A1F2C5D5E5CC2760BAD972AF0F7F6D4675 decimals = 6 -[factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position] -peggy_denom = factory/inj1drpns3cxn82e5q0nmmdaz8zxmla5lqsh6txmc9/position -decimals = 0 +[ibc/433133545CF68587777A01C3EFCF720EFE1B42F14AB2153D349DC4559984F2E8] +peggy_denom = ibc/433133545CF68587777A01C3EFCF720EFE1B42F14AB2153D349DC4559984F2E8 +decimals = 6 -[factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ] -peggy_denom = factory/inj1dvr32vqxs8m6tmzv50xnnpzgph0wxp2jcfvl4u/INJ +[ibc/45C1BDD0F44EA61B79E6F07C61F6FBC601E496B281316C867B542D7964A4BD82] +peggy_denom = ibc/45C1BDD0F44EA61B79E6F07C61F6FBC601E496B281316C867B542D7964A4BD82 decimals = 6 -[factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale] -peggy_denom = factory/inj1dwfggufv8vkjcfkuk7fkkucs4rje0krav9ruyr/presale +[ibc/465B094023AC8545B0E07163C7111D4A876978712D8A33E546AADDDB4E11F265] +peggy_denom = ibc/465B094023AC8545B0E07163C7111D4A876978712D8A33E546AADDDB4E11F265 decimals = 0 -[factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test] -peggy_denom = factory/inj1dxprjkxz06cpahgqrv90hug9d8z504j52ms07n/test +[ibc/46AA3E75F15D7EFA00BF6747E8CE668F6A515182B2355942C567F47B88761072] +peggy_denom = ibc/46AA3E75F15D7EFA00BF6747E8CE668F6A515182B2355942C567F47B88761072 decimals = 0 -[factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position] -peggy_denom = factory/inj1e2pu02vjnh27mte3s0wqld9f85mzglyrxxuuvz/position +[ibc/46FFF1A18F4AE92224E19065630685A16837C17FA3C59C23FE7012982216D0D5] +peggy_denom = ibc/46FFF1A18F4AE92224E19065630685A16837C17FA3C59C23FE7012982216D0D5 decimals = 0 -[factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position] -peggy_denom = factory/inj1e60tjgqhfsxutrcvklhgc7gechtq3pcej8gy4e/position +[ibc/4A1CC41B019E6D412E3A337A1E5C1F301E9D2CAE8EA8EF449538CBA4BED6E2FA] +peggy_denom = ibc/4A1CC41B019E6D412E3A337A1E5C1F301E9D2CAE8EA8EF449538CBA4BED6E2FA decimals = 0 -[factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ] -peggy_denom = factory/inj1e66ekacsxnv60yk006mymnrprged95n6crzzwg/INJ -decimals = 6 +[ibc/4C8A332AE4FDE42709649B5F9A2A336192158C4465DF74B4513F5AD0C583EA6F] +peggy_denom = ibc/4C8A332AE4FDE42709649B5F9A2A336192158C4465DF74B4513F5AD0C583EA6F +decimals = 8 -[factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position] -peggy_denom = factory/inj1e6wv0fn2cggsgwlmywp9u5pyd0zcx5vth3djrv/position +[ibc/4CE2DDC2BE301B92DD08ECBBF39910A4F055DC68156132B222B8CEF651941D31] +peggy_denom = ibc/4CE2DDC2BE301B92DD08ECBBF39910A4F055DC68156132B222B8CEF651941D31 decimals = 0 -[factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ] -peggy_denom = factory/inj1e94cdzndq5xr2lx5dsjnz0ts5lm8nc8k9wanax/INJ -decimals = 6 - -[factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ] -peggy_denom = factory/inj1ea4p8khg0e4zusfv339cy5h9h3myctfcl74ee6/INJ +[ibc/4D29F082A3C083C85C886B92A1EB438C3FC0632E5F9E4D875479BEB7B9511BD5] +peggy_denom = ibc/4D29F082A3C083C85C886B92A1EB438C3FC0632E5F9E4D875479BEB7B9511BD5 decimals = 6 -[factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position] -peggy_denom = factory/inj1egnhxmtnh76p2lgdky8985msrue92ag499ev6w/position -decimals = 0 - -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/GINGER.ash +[ibc/4D5A68067A682C1EFEAE08E2355A2DE229E62145943E53CAC97EF5E1DE430072] +peggy_denom = ibc/4D5A68067A682C1EFEAE08E2355A2DE229E62145943E53CAC97EF5E1DE430072 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/HACHI.ash +[ibc/557C8BDED38445765DAEBEB4EBBFC88F8ACBD9C414F95A1795AB45017F4A1786] +peggy_denom = ibc/557C8BDED38445765DAEBEB4EBBFC88F8ACBD9C414F95A1795AB45017F4A1786 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Hava.ash +[ibc/5B8F90B1E3A33B45FF7AE086621456E8C2C162CABCC95406001322818AE92B63] +peggy_denom = ibc/5B8F90B1E3A33B45FF7AE086621456E8C2C162CABCC95406001322818AE92B63 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/KIRA.ash +[ibc/5B9385ABA4F72BD0CD5D014BBF58C48B103C3FAF82A6283AA689AC76F5A80F66] +peggy_denom = ibc/5B9385ABA4F72BD0CD5D014BBF58C48B103C3FAF82A6283AA689AC76F5A80F66 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/SYN.ash +[ibc/60DC18B7771F14C0069205E538C0758FED60E92077F19C9485203743BC174C77] +peggy_denom = ibc/60DC18B7771F14C0069205E538C0758FED60E92077F19C9485203743BC174C77 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/Talis.ash +[ibc/63F1FCA502ADCA376A83257828085E542A10CD5CF3CF7FB3CFB33E055958EAB9] +peggy_denom = ibc/63F1FCA502ADCA376A83257828085E542A10CD5CF3CF7FB3CFB33E055958EAB9 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/autism.ash -decimals = 0 +[ibc/64431EE79F3216B8F7773A630549ADA852EA8E4B545D22BD35B0BF56FD5D5201] +peggy_denom = ibc/64431EE79F3216B8F7773A630549ADA852EA8E4B545D22BD35B0BF56FD5D5201 +decimals = 6 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/coping.ash +[ibc/646315E3B0461F5FA4C5C8968A88FC45D4D5D04A45B98F1B8294DD82F386DD85] +peggy_denom = ibc/646315E3B0461F5FA4C5C8968A88FC45D4D5D04A45B98F1B8294DD82F386DD85 decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/inj.ash -decimals = 0 +[ibc/64D95807CA13CD9EC5BEF9D3709138A14295DDBDFBC9EF58A9FFE34B911545E6] +peggy_denom = ibc/64D95807CA13CD9EC5BEF9D3709138A14295DDBDFBC9EF58A9FFE34B911545E6 +decimals = 6 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/katana.ash +[ibc/66DB244867B50966FCD71C0457A9C0E239AB8228EFF2E60216A83B8710B23EBE] +peggy_denom = ibc/66DB244867B50966FCD71C0457A9C0E239AB8228EFF2E60216A83B8710B23EBE decimals = 0 -[factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash] -peggy_denom = factory/inj1ej2f3lmpxj4djsmmuxvnfuvplrut7zmwrq7zj8/ninja.ash +[ibc/69C979B0833FC4B34A9FCF6B75F2EAA4B93507E7F8629C69C03081C21837D038] +peggy_denom = ibc/69C979B0833FC4B34A9FCF6B75F2EAA4B93507E7F8629C69C03081C21837D038 decimals = 0 -[factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position] -peggy_denom = factory/inj1ejwjldm2k7k9zcgzvglkht5hhxg50lcnnnud9l/position +[ibc/6BBCFE43BE414294606BF4B05BB9EB18D685A9183DF5FD8CC5154879B8279C8D] +peggy_denom = ibc/6BBCFE43BE414294606BF4B05BB9EB18D685A9183DF5FD8CC5154879B8279C8D decimals = 0 -[factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ] -peggy_denom = factory/inj1ekmnc56xkc3cl7wzrew8q89700vtry5wnjlgqw/INJ -decimals = 6 +[ibc/6C55598A43348E41BCE1CE3C9313208CB953A036955869C47C3265A3BE2BB8D4] +peggy_denom = ibc/6C55598A43348E41BCE1CE3C9313208CB953A036955869C47C3265A3BE2BB8D4 +decimals = 18 -[factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ] -peggy_denom = factory/inj1em0ejkywcq6lnzpgj9wx7z4jx7r9gpcntys04x/INJ -decimals = 6 +[ibc/6E2FE0B25FE6DE428D16B25D42832D13B8A6DF65B40844EA4AB49C94896BB932] +peggy_denom = ibc/6E2FE0B25FE6DE428D16B25D42832D13B8A6DF65B40844EA4AB49C94896BB932 +decimals = 0 -[factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ] -peggy_denom = factory/inj1ep9yuk86cwdeaytmgsz3hz7qsargsn4sgnlrrs/INJ -decimals = 6 +[ibc/705B1CA519312502768926783464F5E1581D8626A837C55BD62B21ED121FB68F] +peggy_denom = ibc/705B1CA519312502768926783464F5E1581D8626A837C55BD62B21ED121FB68F +decimals = 0 -[factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position] -peggy_denom = factory/inj1evy243kr8kh8prtgwv8vtvtj6m5vcahpt94f28/position +[ibc/710DA81083B469FE562770EE16DCA2DB088D5796937BCB548DF27DA87156C5B3] +peggy_denom = ibc/710DA81083B469FE562770EE16DCA2DB088D5796937BCB548DF27DA87156C5B3 decimals = 0 -[factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position] -peggy_denom = factory/inj1ezvtzukpf6x7aa4p52sejvyky8lkl6l5j47tym/position +[ibc/72C208D790F59429C66542C648D69EDA1DC8A81C4B869C11444D906233678D3D] +peggy_denom = ibc/72C208D790F59429C66542C648D69EDA1DC8A81C4B869C11444D906233678D3D decimals = 0 -[factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position] -peggy_denom = factory/inj1f4u2643nw7ennyadqmv428fmhg56jduc90xpgy/position +[ibc/745D31EA5FF54979B57A0797FF3E1B767E624D32498C9735A13E31A53DBC17F5] +peggy_denom = ibc/745D31EA5FF54979B57A0797FF3E1B767E624D32498C9735A13E31A53DBC17F5 decimals = 0 -[factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position] -peggy_denom = factory/inj1f79dkr20ax43ah3c3velf3ttxjdqe645k5rws3/position +[ibc/74BFF6BAC652D00C8F3382B1D1CFF086A91F1AF281E84F849A28358D6B81915B] +peggy_denom = ibc/74BFF6BAC652D00C8F3382B1D1CFF086A91F1AF281E84F849A28358D6B81915B decimals = 0 -[factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position] -peggy_denom = factory/inj1fa8ayqjnzup3af2heatnlyvmr2ljjm5f8x83fn/position +[ibc/7965483148018AFAA12DC569959897E7A5E474F4B41A87FFC5513B552C108DB5] +peggy_denom = ibc/7965483148018AFAA12DC569959897E7A5E474F4B41A87FFC5513B552C108DB5 +decimals = 6 + +[ibc/7A007AE05C3DDE189E554697450A2BF8FFF380E88F7BA6DC7DF39E329E80A49D] +peggy_denom = ibc/7A007AE05C3DDE189E554697450A2BF8FFF380E88F7BA6DC7DF39E329E80A49D decimals = 0 -[factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position] -peggy_denom = factory/inj1faqh7wcap9h2z007yx63eqvpqlzghdmser5l7u/position +[ibc/7A073FD73CCAD05DCF4571B92BC1E16D6E6211EF79A5AD1FEE6E5464D8348F27] +peggy_denom = ibc/7A073FD73CCAD05DCF4571B92BC1E16D6E6211EF79A5AD1FEE6E5464D8348F27 decimals = 0 -[factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position] -peggy_denom = factory/inj1ff64ftrd6plvxurruzh3kthaxk5h050e0s5t95/position +[ibc/7A2FE4D6F3156F60E38623C684C21A9F4684B730F035D75712928F71B0DB08B5] +peggy_denom = ibc/7A2FE4D6F3156F60E38623C684C21A9F4684B730F035D75712928F71B0DB08B5 decimals = 0 -[factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ] -peggy_denom = factory/inj1fkq5lseels4xt20drvtck3rajvvte97uhyx85r/LowQ +[ibc/7C4A4847D6898FA8744A8F2A4FC287E98CA5A95E05842B897B3FB301103C8AB6] +peggy_denom = ibc/7C4A4847D6898FA8744A8F2A4FC287E98CA5A95E05842B897B3FB301103C8AB6 decimals = 6 -[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory] -peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chain-factory +[ibc/7CF12F727C8C8A6589016D8565830B6DE0D87F70ED1A2C80270B2ABC77426DE7] +peggy_denom = ibc/7CF12F727C8C8A6589016D8565830B6DE0D87F70ED1A2C80270B2ABC77426DE7 decimals = 0 -[factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory] -peggy_denom = factory/inj1frr7kyd4nuemr0hrzlqyrgc72sggv7ukc3dfx0/chainfactory +[ibc/819B5FB8FA371CC26976CAF8CDF54F3B146060400AD55591B5F1BE3036E915D8] +peggy_denom = ibc/819B5FB8FA371CC26976CAF8CDF54F3B146060400AD55591B5F1BE3036E915D8 decimals = 0 -[factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position] -peggy_denom = factory/inj1fzej8p0acdplqad876a0mdewejqwuaea9e0rjl/position +[ibc/81B7F37966A8066DFAF1B2F07A3D3AFBBA2AAC479B1F0D4135AD85725592D7B1] +peggy_denom = ibc/81B7F37966A8066DFAF1B2F07A3D3AFBBA2AAC479B1F0D4135AD85725592D7B1 decimals = 0 -[factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT] -peggy_denom = factory/inj1g3xlmzw6z6wrhxqmxsdwj60fmscenaxlzfnwm7/TBT +[ibc/83601F79992DCDF21ECCE0D876C6E1E9578AB97D77CD3E975B92B715CA851F19] +peggy_denom = ibc/83601F79992DCDF21ECCE0D876C6E1E9578AB97D77CD3E975B92B715CA851F19 decimals = 0 -[factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position] -peggy_denom = factory/inj1g6j6w6860sfe7um3q6ja60cktfd50a2vxxy7qr/position +[ibc/85C83BD4F9557A367AA5D890D58CA60E6691833679167ED1E65A00268E480287] +peggy_denom = ibc/85C83BD4F9557A367AA5D890D58CA60E6691833679167ED1E65A00268E480287 decimals = 0 -[factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP] -peggy_denom = factory/inj1gk4thnx4t9y4ltnau60mpst5xyu0u57hqfl0qs/uLP +[ibc/8A58946864367695DE89CE93634F5D76CCF7C8995915A0388FDF4D15A8BA8C4B] +peggy_denom = ibc/8A58946864367695DE89CE93634F5D76CCF7C8995915A0388FDF4D15A8BA8C4B decimals = 0 -[factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position] -peggy_denom = factory/inj1gpf6gxs9hyz4jty423pxuns8cduhcuyvcxwxkv/position +[ibc/8B42C90767030357E99BE35BB5BCBD5A69F6E9E20F4A9FD0498823FD10FF86F9] +peggy_denom = ibc/8B42C90767030357E99BE35BB5BCBD5A69F6E9E20F4A9FD0498823FD10FF86F9 decimals = 0 -[factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF] -peggy_denom = factory/inj1gtpdm0dt5zg7p7nf9ftghrgvyt9ftz0w3f7kfk/WIF -decimals = 6 - -[factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ] -peggy_denom = factory/inj1gutzdupyjzzk46hrpf6lsf8ul030ty8wszvpta/INJ -decimals = 6 - -[factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ] -peggy_denom = factory/inj1h3vcnx6f2r9hxf8mf7s3ck9pu02r3zxes6t50t/INJ -decimals = 6 - -[factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ] -peggy_denom = factory/inj1h4ppr74nmqmftmzd8d54nk439rftyxaxgx42fa/INJ -decimals = 6 - -[factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ] -peggy_denom = factory/inj1hkzntx25hpq37dfrms6ymtrch8dskx8t8u0e5r/INJ -decimals = 6 +[ibc/8D0DA5929A6E7B901319D05D5434FB4BEB28459D72470A3A1C593A813FE461C8] +peggy_denom = ibc/8D0DA5929A6E7B901319D05D5434FB4BEB28459D72470A3A1C593A813FE461C8 +decimals = 0 -[factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ] -peggy_denom = factory/inj1hteau2zqjwn2m62zshrg2v30hvhpwwrkymsaeq/INJ +[ibc/8D311D92BCD4E87F145DEB9DDA339416DEF7E13571D92A3521CAB0BF62760FBE] +peggy_denom = ibc/8D311D92BCD4E87F145DEB9DDA339416DEF7E13571D92A3521CAB0BF62760FBE decimals = 6 -[factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ] -peggy_denom = factory/inj1j4vj8qzqyyf77ffxnwxwtm4lqvsalzfqg0yk9v/KIMJ -decimals = 6 +[ibc/948D16A08718820A10DE8F7B35CE60409E7B5DC61043E88BB368C776147E70E8] +peggy_denom = ibc/948D16A08718820A10DE8F7B35CE60409E7B5DC61043E88BB368C776147E70E8 +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSP -decimals = 6 +[ibc/949FD45325A74482FB0FC29CB19B744CED7340511EDA8E4F9337D9500F29D169] +peggy_denom = ibc/949FD45325A74482FB0FC29CB19B744CED7340511EDA8E4F9337D9500F29D169 +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTSTAYAWAY -decimals = 6 +[ibc/95B32740756E6DF2EAA242978EBF0FF6F3B632B8601DC12CB912D5957E8AB118] +peggy_denom = ibc/95B32740756E6DF2EAA242978EBF0FF6F3B632B8601DC12CB912D5957E8AB118 +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/TESTTSTAYAWAY -decimals = 6 +[ibc/95E6CD4D649BD33F938B2B7B2BED3CA6DC78F7765F7E5B01329D92DD22259AF3] +peggy_denom = ibc/95E6CD4D649BD33F938B2B7B2BED3CA6DC78F7765F7E5B01329D92DD22259AF3 +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/teeeeeeeeest -decimals = 6 +[ibc/999FD9811C895A63FE1A2FCDDA24DEC6AF7D70D907BD97E9C455BDFD57B373CA] +peggy_denom = ibc/999FD9811C895A63FE1A2FCDDA24DEC6AF7D70D907BD97E9C455BDFD57B373CA +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/testinggggggg -decimals = 6 +[ibc/9CAF108FCC3EB3815E029462100828461FFAA829002C4366716437F8C07F5F9C] +peggy_denom = ibc/9CAF108FCC3EB3815E029462100828461FFAA829002C4366716437F8C07F5F9C +decimals = 0 -[factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt] -peggy_denom = factory/inj1j55d6mj5j3hdzfk5v8m3a9zthq7m7hpkfswvq0/tstttttttt +[ibc/9D9B59CA222E54842555DBD81B22EEABE61796D4C6EC8AB47A97C388333AC340] +peggy_denom = ibc/9D9B59CA222E54842555DBD81B22EEABE61796D4C6EC8AB47A97C388333AC340 decimals = 6 -[factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position] -peggy_denom = factory/inj1j9sczxqcyhtvt586qywk8hmz3sk4rrk8rypv28/position -decimals = 0 - -[factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position] -peggy_denom = factory/inj1jcvx3q6rfj7rdw60grjj3rah5uqsk64msnlafc/position +[ibc/A07BB73539F556DA5238F1B7E9471B34DD19897B1EE7050B959989F13EFE73B3] +peggy_denom = ibc/A07BB73539F556DA5238F1B7E9471B34DD19897B1EE7050B959989F13EFE73B3 +decimals = 8 + +[ibc/A211992C4D639DD2E59A45850BFC9CF1304519C1B7F46D7EDCFC1CFDFE9BFD31] +peggy_denom = ibc/A211992C4D639DD2E59A45850BFC9CF1304519C1B7F46D7EDCFC1CFDFE9BFD31 decimals = 0 -[factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position] -peggy_denom = factory/inj1jdvx7mpauukwhdlgay0jgxaj393rju42ht9mkn/position +[ibc/A2C433944E7989D2B32565DDF6B6C2806B2AF4500675AA39D3C3A061D37CE576] +peggy_denom = ibc/A2C433944E7989D2B32565DDF6B6C2806B2AF4500675AA39D3C3A061D37CE576 decimals = 0 -[factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO] -peggy_denom = factory/inj1jknhf2m8f9plqa2g7rm78vdhwr58nlyjfd62ru/BAMBOO +[ibc/A83851234A83F3FE51CDB44FF1A4435472A197C096EF9E7312B69E67C16B7FB7] +peggy_denom = ibc/A83851234A83F3FE51CDB44FF1A4435472A197C096EF9E7312B69E67C16B7FB7 decimals = 6 -[factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ] -peggy_denom = factory/inj1jls5kflqlfylyq42n8e5k3t6wn5jnhhlyq3w2r/INJ +[ibc/AB1E9C841105F28E9B70ED5EF1239B2D5E567F6E16818D87EFFA75E62778C8E4] +peggy_denom = ibc/AB1E9C841105F28E9B70ED5EF1239B2D5E567F6E16818D87EFFA75E62778C8E4 +decimals = 0 + +[ibc/ABF6109CA87727E3945C2DB5EA17D819D57041A91BFB0BC73320AFE097C230F5] +peggy_denom = ibc/ABF6109CA87727E3945C2DB5EA17D819D57041A91BFB0BC73320AFE097C230F5 decimals = 6 -[factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position] -peggy_denom = factory/inj1jpaxtp8jvepvhc7pqk5xgumz3jghwuh7xrqatw/position +[ibc/AC45D6359281E50A7498B10B9F38B7BE4868628E45E531D68F77422EFE430365] +peggy_denom = ibc/AC45D6359281E50A7498B10B9F38B7BE4868628E45E531D68F77422EFE430365 decimals = 0 -[factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position] -peggy_denom = factory/inj1js4qpjl2f9cpl8s764d0y9jl96ham3g4kkaaqd/position +[ibc/AC8181FE5ECAC9A01FBC5C4A3A681537A01A95007C32C2FAF3CF7101E9DAE081] +peggy_denom = ibc/AC8181FE5ECAC9A01FBC5C4A3A681537A01A95007C32C2FAF3CF7101E9DAE081 decimals = 0 -[factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position] -peggy_denom = factory/inj1k9jy245r9749kl008h7nf764wnrnj9kgkmj6vz/position +[ibc/AE198193A04103DD1AE4C8698E25DEDCA81396A4C484DA19E4221B3C3A3D2F2A] +peggy_denom = ibc/AE198193A04103DD1AE4C8698E25DEDCA81396A4C484DA19E4221B3C3A3D2F2A decimals = 0 -[factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ] -peggy_denom = factory/inj1k9k62nfrsnznd2ekzgmsxr74apglqfa2h6wz9g/INJ -decimals = 6 +[ibc/AE6D267A64EEFE1430D11221D579C91CFC6D7B0E7F885874AE1BC715FE8753E1] +peggy_denom = ibc/AE6D267A64EEFE1430D11221D579C91CFC6D7B0E7F885874AE1BC715FE8753E1 +decimals = 0 -[factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test] -peggy_denom = factory/inj1k9tqa6al637y8qu9yvmsw3ke6r3knsn8ewv73f/test +[ibc/B024EC4AE846F690CB46C1CE886BE7DCE27CBBB6CE1E4EFBA4AA764E07B81A69] +peggy_denom = ibc/B024EC4AE846F690CB46C1CE886BE7DCE27CBBB6CE1E4EFBA4AA764E07B81A69 decimals = 6 -[factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position] -peggy_denom = factory/inj1k9xr7frkwkjjsd3w9yf8kdxu7wdfqtrkp0a809/position +[ibc/B5BB79AC621108184E03AD6B82456EBC96041B877A1652445CF32619CC9DA5C1] +peggy_denom = ibc/B5BB79AC621108184E03AD6B82456EBC96041B877A1652445CF32619CC9DA5C1 decimals = 0 -[factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test] -peggy_denom = factory/inj1kcda2te0sjxmcvykyr9cfpleyyx283d46nkspv/test +[ibc/B99CCD408EB17CBC3D295647F0D3A035576B109648ED833D4039B42C09DB4BDB] +peggy_denom = ibc/B99CCD408EB17CBC3D295647F0D3A035576B109648ED833D4039B42C09DB4BDB decimals = 0 -[factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx] -peggy_denom = factory/inj1kf7t8qjq83gg6kn7nl5zwzscfystyqzr62ydsn/injx -decimals = 6 +[ibc/BA26BE85B9D5F046FC7071ED0F77053662A4B2F5B7552B3834A3F1B2DD3BD18F] +peggy_denom = ibc/BA26BE85B9D5F046FC7071ED0F77053662A4B2F5B7552B3834A3F1B2DD3BD18F +decimals = 0 -[factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ] -peggy_denom = factory/inj1khy2c3pzu22c25z2zg3vmzh2fw7eh8yhluzlux/INJ +[ibc/BCE43BA530FBE35282B62C1E1EA4AD1F51522C61D40FB761005E1A02F18E0E58] +peggy_denom = ibc/BCE43BA530FBE35282B62C1E1EA4AD1F51522C61D40FB761005E1A02F18E0E58 decimals = 6 -[factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ] -peggy_denom = factory/inj1kjpk9s9fm5c7ltgf54m5vz39n70x4quskl9sfu/INJ -decimals = 6 +[ibc/BDDF86413BCEAD3660A60F2B5B5C1D95635FA76B3E510924FEE2F6890CBD7E14] +peggy_denom = ibc/BDDF86413BCEAD3660A60F2B5B5C1D95635FA76B3E510924FEE2F6890CBD7E14 +decimals = 0 -[factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA] -peggy_denom = factory/inj1kk6dnn7pl7e508lj4qvllprwa44qtgf98es2ak/ENA -decimals = 18 +[ibc/BE3E2A75AFBA5F56017D7BB68FBAB013E08BF1633F92528197286C26967FBF42] +peggy_denom = ibc/BE3E2A75AFBA5F56017D7BB68FBAB013E08BF1633F92528197286C26967FBF42 +decimals = 0 -[factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position] -peggy_denom = factory/inj1kkarwsh947c34emv3wju779ys2tt2g76m6kequ/position +[ibc/BE749147EF2813020A5A77D29183336CFAA1A53B67E522EF103D6803DE0E084B] +peggy_denom = ibc/BE749147EF2813020A5A77D29183336CFAA1A53B67E522EF103D6803DE0E084B decimals = 0 -[factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY] -peggy_denom = factory/inj1krsf4as63jnytzekzndlv9eflku5nmkavtr3d3/SNAPPY +[ibc/BE8166C09385A65A64366092FA14CEAD171EBB8E2464400196A1B19B4DC3AD50] +peggy_denom = ibc/BE8166C09385A65A64366092FA14CEAD171EBB8E2464400196A1B19B4DC3AD50 +decimals = 0 + +[ibc/C2025C1D34ED74CD6F9DF86CD650D92219AF645E9D0ADFFACF4E2CBECE649536] +peggy_denom = ibc/C2025C1D34ED74CD6F9DF86CD650D92219AF645E9D0ADFFACF4E2CBECE649536 decimals = 6 -[factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ] -peggy_denom = factory/inj1kvug5dcjdmkpdrjr088xdh9h4e8wvr04vrplmh/INJ +[ibc/C35A94A42FEDA8E01903CD7A78FB33AE60B2064C0007BF2E4FD5A6368BDBC546] +peggy_denom = ibc/C35A94A42FEDA8E01903CD7A78FB33AE60B2064C0007BF2E4FD5A6368BDBC546 decimals = 6 -[factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position] -peggy_denom = factory/inj1l2r43rx3p79yhspt48qvtd0qvqz4zyf70puxv6/position +[ibc/C3BD5051E685B9A447352FB2D5773F8E4A015521CBD0A534B3F514FCA17C9030] +peggy_denom = ibc/C3BD5051E685B9A447352FB2D5773F8E4A015521CBD0A534B3F514FCA17C9030 decimals = 0 -[factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position] -peggy_denom = factory/inj1lcsc97wz2ztyn50vxqz2gcdjnzf53qd3gzvdt2/position +[ibc/C443ADA9C3388000268B8B892A07AB6838A904E1CCA2A1F084CB9572CA66F0E2] +peggy_denom = ibc/C443ADA9C3388000268B8B892A07AB6838A904E1CCA2A1F084CB9572CA66F0E2 decimals = 0 -[factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ] -peggy_denom = factory/inj1lgq2vj9xhptzflqk05fnaf585c2vtv33s76l68/INJ -decimals = 6 +[ibc/C49B72C4E85AE5361C3E0F0587B24F509CB16ECEB8970B6F917D697036AF49BE] +peggy_denom = ibc/C49B72C4E85AE5361C3E0F0587B24F509CB16ECEB8970B6F917D697036AF49BE +decimals = 0 -[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla] -peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/nbla +[ibc/C508488741426E40AAE98E374F6D8DEA733A391D3388EBEC055F1C2A6845CBCA] +peggy_denom = ibc/C508488741426E40AAE98E374F6D8DEA733A391D3388EBEC055F1C2A6845CBCA decimals = 0 -[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point] -peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/point +[ibc/C7132831617D38D152402A1F0E3B98A719C8288423A5116167E03A51D9B8B6D0] +peggy_denom = ibc/C7132831617D38D152402A1F0E3B98A719C8288423A5116167E03A51D9B8B6D0 decimals = 0 -[factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza] -peggy_denom = factory/inj1ljdraxlvy4cjdhytpxd7vhw387dq0r0g0fqucd/zzzza +[ibc/C740C029985A03309A990268DEC5084C53F185A99C0A42F1D61D7A89DE905230] +peggy_denom = ibc/C740C029985A03309A990268DEC5084C53F185A99C0A42F1D61D7A89DE905230 decimals = 0 -[factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ] -peggy_denom = factory/inj1lnealva69klvt2dxpe0gxzj4a2ea7jqcjar7rq/INJ +[ibc/C8099767548EA68F722AD0F8A8C807A5E6B6A8CA0A6FD7B8BD9B1AE96D19AC3E] +peggy_denom = ibc/C8099767548EA68F722AD0F8A8C807A5E6B6A8CA0A6FD7B8BD9B1AE96D19AC3E +decimals = 0 + +[ibc/C9EC3080B046D49949239E1704522EE8B7BE0A668027028059A7FE7BC20B0976] +peggy_denom = ibc/C9EC3080B046D49949239E1704522EE8B7BE0A668027028059A7FE7BC20B0976 decimals = 6 -[factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON] -peggy_denom = factory/inj1lnvtsm9avzyqs67syzakg0mncq6naldlw6eqek/ELON +[ibc/CA0B808874A9890C171944FA44B35287E9701402C732FE5B2C6371BA8113462C] +peggy_denom = ibc/CA0B808874A9890C171944FA44B35287E9701402C732FE5B2C6371BA8113462C decimals = 6 -[factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position] -peggy_denom = factory/inj1m3cvaumsw5l9mnhu53g2s7nd8pwqhsgm0r7zc5/position +[ibc/CB9BA999A7CDA4CE00784BFF705A1D0BDB95AD80334FD0F95A5BA306078C96E9] +peggy_denom = ibc/CB9BA999A7CDA4CE00784BFF705A1D0BDB95AD80334FD0F95A5BA306078C96E9 decimals = 0 -[factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC] -peggy_denom = factory/inj1m9myf06pt3kq3caeksz0ghvzr0xthhxqenu622/NLC -decimals = 6 +[ibc/CC610E1295BCF3ADE3C3DD4ABF3496C6EAA7541A1E45696E9D642D7B0A27B127] +peggy_denom = ibc/CC610E1295BCF3ADE3C3DD4ABF3496C6EAA7541A1E45696E9D642D7B0A27B127 +decimals = 0 -[factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ] -peggy_denom = factory/inj1me7s2kyfk7ffdwh8qatluy9nj8yvh89kuwr235/INJ +[ibc/CDA55861E9E491479CB52D5C89F942F5EAF221F80B7CDDBBA8EE94D3658B03B4] +peggy_denom = ibc/CDA55861E9E491479CB52D5C89F942F5EAF221F80B7CDDBBA8EE94D3658B03B4 decimals = 6 -[factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ] -peggy_denom = factory/inj1mfe2m554uffc9lul3q3fxzmzw8k7cuglnxvxjc/INJ +[ibc/CFD97474BEB91453470ABF422E94B4C55ACF2CBA300B1FE7ED494DB5F5E012B1] +peggy_denom = ibc/CFD97474BEB91453470ABF422E94B4C55ACF2CBA300B1FE7ED494DB5F5E012B1 decimals = 6 -[factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position] -peggy_denom = factory/inj1mthhttrxpewts2k8vlp276xtsa5te9mt8vws38/position +[ibc/D0474D169562F9773959C7CF69ED413D77883F5B958BD52B5D31DE7F9CB64F9E] +peggy_denom = ibc/D0474D169562F9773959C7CF69ED413D77883F5B958BD52B5D31DE7F9CB64F9E decimals = 0 -[factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position] -peggy_denom = factory/inj1mu6w5fmvrp8kkxpaxxdvkcqfmm7rh79tr9pzr4/position +[ibc/D18907CCF379EEA71AE2C3725A135AE678A67A35B7C6556A77A4E0B3520F7854] +peggy_denom = ibc/D18907CCF379EEA71AE2C3725A135AE678A67A35B7C6556A77A4E0B3520F7854 decimals = 0 -[factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ] -peggy_denom = factory/inj1n2f2ehc6eplk7s5kwwy6e0hl9vf08mdqjxdacs/INJ -decimals = 6 +[ibc/D208E775E677BAC87EB85C359E7A6BD123C7E6F0709D34DD4D8A1650CED77A77] +peggy_denom = ibc/D208E775E677BAC87EB85C359E7A6BD123C7E6F0709D34DD4D8A1650CED77A77 +decimals = 0 -[factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI] -peggy_denom = factory/inj1nguhj0ph48vfs2pnrf0kqz5zyn7znys5cymx3y/SHINJI +[ibc/D24B4564BCD51D3D02D9987D92571EAC5915676A9BD6D9B0C1D0254CB8A5EA34] +peggy_denom = ibc/D24B4564BCD51D3D02D9987D92571EAC5915676A9BD6D9B0C1D0254CB8A5EA34 decimals = 0 -[factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position] -peggy_denom = factory/inj1p65r3rdzwxq9xykp3pvwvajukauxulsn28uxdr/position +[ibc/D2E5F3E4E591C72C9E36CFA9EF962D58165D4CF8D63F4FCA64CA6833AF9486AF] +peggy_denom = ibc/D2E5F3E4E591C72C9E36CFA9EF962D58165D4CF8D63F4FCA64CA6833AF9486AF decimals = 0 -[factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position] -peggy_denom = factory/inj1pgwrcf3j7yk0a5lxcyyuztr2ekpnzwqsqlkgke/position +[ibc/D3AAE460452B8D16C4569F108CB0462A68891278CCA73C82364D48DCAC258A0B] +peggy_denom = ibc/D3AAE460452B8D16C4569F108CB0462A68891278CCA73C82364D48DCAC258A0B decimals = 0 -[factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position] -peggy_denom = factory/inj1phq9r67sd6ypgsgsmh62dvf5eyj3lac6nqvdnt/position +[ibc/D3AF228E8FD11597F699BBE5428361A49F8EF808E271909E6A5AF9C76CB5E5AC] +peggy_denom = ibc/D3AF228E8FD11597F699BBE5428361A49F8EF808E271909E6A5AF9C76CB5E5AC decimals = 0 -[factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi] -peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/Shinobi -decimals = 6 +[ibc/D3FA7185FEB5D4A07F08F8A0847290A2BAC9372C5C5DF1E7F7BFEEDD852E9052] +peggy_denom = ibc/D3FA7185FEB5D4A07F08F8A0847290A2BAC9372C5C5DF1E7F7BFEEDD852E9052 +decimals = 0 -[factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position] -peggy_denom = factory/inj1ptze5zs7f8upr3fdj6dsrh0gpq97rsugfl5efe/position +[ibc/D4ED143E25535EBF6374A1A077BE205A687B69872484DF064ED2BAD6E5C3D762] +peggy_denom = ibc/D4ED143E25535EBF6374A1A077BE205A687B69872484DF064ED2BAD6E5C3D762 decimals = 0 -[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS] -peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/BOYS -decimals = 6 +[ibc/D5AF5FAEA92918A24ACBF0DEB61C674C8951A97D13CFBF7F6617280E82ECB1E6] +peggy_denom = ibc/D5AF5FAEA92918A24ACBF0DEB61C674C8951A97D13CFBF7F6617280E82ECB1E6 +decimals = 0 -[factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK] -peggy_denom = factory/inj1q4z7jjxdk7whwmkt39x7krc49xaqapuswhjhkn/COCK -decimals = 9 +[ibc/D64620F915AD2D3B93C958996CD0BD099DC5837490706FDE15E79440CF77CB36] +peggy_denom = ibc/D64620F915AD2D3B93C958996CD0BD099DC5837490706FDE15E79440CF77CB36 +decimals = 0 -[factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position] -peggy_denom = factory/inj1q8ky6w56wcv2ya3kxzg83s667q86xtrlvwytcs/position +[ibc/DC9E276D4E80CD04F8A8C681842A3A16C59F85963FB262E34BBB6CB4F5BFDB14] +peggy_denom = ibc/DC9E276D4E80CD04F8A8C681842A3A16C59F85963FB262E34BBB6CB4F5BFDB14 decimals = 0 -[factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON] -peggy_denom = factory/inj1qpf0xj4w824774q8mp9x29q547qe66607h96ll/ELON -decimals = 12 +[ibc/DDE000907D85FB1F358B3FBB1143452BE13F68E0BEA0DFFD8787095B76EEE0A1] +peggy_denom = ibc/DDE000907D85FB1F358B3FBB1143452BE13F68E0BEA0DFFD8787095B76EEE0A1 +decimals = 6 -[factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position] -peggy_denom = factory/inj1qqc56qqlqyzsycj50kqne8ygr6r6dk4a3e23z9/position -decimals = 0 +[ibc/DF32F083238097AD2CA5444BFB8F338534C32865EFE0696C5AF89AFB3A0144D6] +peggy_denom = ibc/DF32F083238097AD2CA5444BFB8F338534C32865EFE0696C5AF89AFB3A0144D6 +decimals = 6 -[factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP] -peggy_denom = factory/inj1qqc7ekvm06tch3dtyselt2rl5y4s9daman0ahv/uLP +[ibc/E01C45463D148F2B469F17DB0497DFA70A746D0CFF6A90EE82825590ADE5F752] +peggy_denom = ibc/E01C45463D148F2B469F17DB0497DFA70A746D0CFF6A90EE82825590ADE5F752 decimals = 0 -[factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM] -peggy_denom = factory/inj1qrdfxrx7kg0kvgapxyj8dc0wuj4yr2npw7gmkr/QTUM +[ibc/E175256127F32A27BB1FF863D15D8C4BB14968ED069B6A292723D485A33514A2] +peggy_denom = ibc/E175256127F32A27BB1FF863D15D8C4BB14968ED069B6A292723D485A33514A2 decimals = 6 -[factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position] -peggy_denom = factory/inj1qwlpnrg97jq0ytl28pm6c20apr6c6ga3fqc75t/position +[ibc/E247857D53653BA3592A6CCAF9914227153B938BA768C415FF3BAD6CE6CFA316] +peggy_denom = ibc/E247857D53653BA3592A6CCAF9914227153B938BA768C415FF3BAD6CE6CFA316 decimals = 0 -[factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position] -peggy_denom = factory/inj1qz4fua8emzx9h2sdafkpxazl5rwyl75t0d6vc8/position +[ibc/E43E4F1FD4B84EE30EDB8E0BE6F03E0A5596B292EAA0F198789DDF0C1301FB85] +peggy_denom = ibc/E43E4F1FD4B84EE30EDB8E0BE6F03E0A5596B292EAA0F198789DDF0C1301FB85 decimals = 0 -[factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position] -peggy_denom = factory/inj1r3krfh3nh6qhe3znwkfpzs4rdedgyu0wryfsjf/position -decimals = 0 +[ibc/E4BDC3A9935959C715961FFC6C12159EAD8FA4A5955D069EE19D0423FF810C6E] +peggy_denom = ibc/E4BDC3A9935959C715961FFC6C12159EAD8FA4A5955D069EE19D0423FF810C6E +decimals = 18 -[factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position] -peggy_denom = factory/inj1r42k2w9rf6jtqktpfceg3f0a8eu2flm98vm9cs/position +[ibc/E801CF19C7B3FFC5FD81A1C9662BCFAE08F4976B054923BC0DA377F1863D3E56] +peggy_denom = ibc/E801CF19C7B3FFC5FD81A1C9662BCFAE08F4976B054923BC0DA377F1863D3E56 decimals = 0 -[factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ] -peggy_denom = factory/inj1rau42vnjsz7hrr3fh9nf7hyzrrv4ajuc2kzulq/INJ +[ibc/E8E84092B9063AAC97846712D43D6555928073B8A0BFFCC2549E55EE224F1610] +peggy_denom = ibc/E8E84092B9063AAC97846712D43D6555928073B8A0BFFCC2549E55EE224F1610 decimals = 6 -[factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor] -peggy_denom = factory/inj1rdu7lqpvq4h2fyrjdfnp9gycdkut5ewql3e4uq/testor -decimals = 6 +[ibc/EA180E422271F35D66E7B9B57AFF072DABEE97EDA4522DAB91F97AE6DD45426D] +peggy_denom = ibc/EA180E422271F35D66E7B9B57AFF072DABEE97EDA4522DAB91F97AE6DD45426D +decimals = 0 -[factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position] -peggy_denom = factory/inj1rfw3sugvss3z22zzuhlccqug0y8lvd4q95runz/position +[ibc/ECBEA5A9A992EE96B327CBA081AA35EB4E62C6A1A3990D2C0326E9A5840793A4] +peggy_denom = ibc/ECBEA5A9A992EE96B327CBA081AA35EB4E62C6A1A3990D2C0326E9A5840793A4 decimals = 0 -[factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position] -peggy_denom = factory/inj1rlcfjuhupp56nkk3gspy0x0nstmd02ptzxzkvx/position +[ibc/ECC0DF3D9C80F79B81056569EE2140FD977886AB274FA08BA03E987264D6DE19] +peggy_denom = ibc/ECC0DF3D9C80F79B81056569EE2140FD977886AB274FA08BA03E987264D6DE19 decimals = 0 -[factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI] -peggy_denom = factory/inj1rmf0pe6dns2kaasjt82j5lps3t8ke9dzyh3nqt/HOSHI +[ibc/EEB2EB2A678B5788DB413B5A7EC81085B34F33DA9750C1C790CE8E1EDC8282B5] +peggy_denom = ibc/EEB2EB2A678B5788DB413B5A7EC81085B34F33DA9750C1C790CE8E1EDC8282B5 decimals = 0 -[factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO] -peggy_denom = factory/inj1rmlm94wu0unvveueyvuczcgsae76esjm7wcudh/BRO +[ibc/EED40547772504DF629EFEC08892E689CD14498B1C0AD766CD5075BBBEE3D808] +peggy_denom = ibc/EED40547772504DF629EFEC08892E689CD14498B1C0AD766CD5075BBBEE3D808 decimals = 6 -[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP] -peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/CATNIP -decimals = 6 +[ibc/F1EEC63548B066D76B9B82D04DE25C424932DABD9234116836BAF759E8130BC3] +peggy_denom = ibc/F1EEC63548B066D76B9B82D04DE25C424932DABD9234116836BAF759E8130BC3 +decimals = 0 -[factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY] -peggy_denom = factory/inj1rnlhp35xqtl0zwlp9tnrelykea9f52nd8av7ec/NIPPY -decimals = 6 +[ibc/F28C5C931D2673B7A2F06FC74934F7BDC0D2906D2AF40D582ED27D1E5C48D475] +peggy_denom = ibc/F28C5C931D2673B7A2F06FC74934F7BDC0D2906D2AF40D582ED27D1E5C48D475 +decimals = 18 -[factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position] -peggy_denom = factory/inj1rw5ndf4g2ppl586guwgx6ry06tr2sk9vmpd9jk/position +[ibc/F433CC4D2A46173B47A691E8C432F11E47E8C06C574CEF798F6F7BA116EACCAC] +peggy_denom = ibc/F433CC4D2A46173B47A691E8C432F11E47E8C06C574CEF798F6F7BA116EACCAC decimals = 0 -[factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ] -peggy_denom = factory/inj1s0tcn9c42fz3fpfdy7pargxj4rwrcp0aushf2p/INJ -decimals = 6 +[ibc/F72F979601BD2FCF748C2E93092E9CB55A8BDB738567AB42C19D403A7C636110] +peggy_denom = ibc/F72F979601BD2FCF748C2E93092E9CB55A8BDB738567AB42C19D403A7C636110 +decimals = 0 -[factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position] -peggy_denom = factory/inj1s8uw9vqpk7tvhjj2znqyhfxwfcvfl9g6d2drtc/position +[ibc/FA2E855E713B5D73C6AA54822791ADFD1BA73EFA5FDFDA903120A1FB0FF12733] +peggy_denom = ibc/FA2E855E713B5D73C6AA54822791ADFD1BA73EFA5FDFDA903120A1FB0FF12733 decimals = 0 -[factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ] -peggy_denom = factory/inj1sdkwtcjd0wkp5sft3pyzpaesfgllxl06sgvnkk/INJ -decimals = 6 +[ibc/FAFBDE851E97E4B566B050B843F6BBCE14D7DC88DA69840850271BA8DF72EAEE] +peggy_denom = ibc/FAFBDE851E97E4B566B050B843F6BBCE14D7DC88DA69840850271BA8DF72EAEE +decimals = 0 -[factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position] -peggy_denom = factory/inj1se3jy798wzjtlf588e8qh7342pqs4n0yhjxd0p/position +[ibc/FE2F22FEFB9E5F2EA063FD3135533B916577149A3D69CC2BF7BB4224BC9B1230] +peggy_denom = ibc/FE2F22FEFB9E5F2EA063FD3135533B916577149A3D69CC2BF7BB4224BC9B1230 decimals = 0 -[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY] -peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGIY +[ibc/FECCDCFA89278B117C76A11A946A7991A68E5DD12DED6EB938ADC1B1286AC591] +peggy_denom = ibc/FECCDCFA89278B117C76A11A946A7991A68E5DD12DED6EB938ADC1B1286AC591 decimals = 6 -[factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY] -peggy_denom = factory/inj1senn2rj7avpqerf0ha9xn7t6fmqlyr8hafu8ld/FROGY -decimals = 0 - -[factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position] -peggy_denom = factory/inj1sf0ldwenurgttrmvgt65xgsj8jn487dggsy7el/position +[inj] +peggy_denom = ibc/052AF4B0650990067B8FC5345A39206497BCC12F0ABE94F15415413739B93B26 decimals = 0 -[factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP] -peggy_denom = factory/inj1sgvrzysd32xdqtscaen2gprrjyg997lkn2h4wg/uLP -decimals = 0 +[inj104y5dpcdtga79tczv6rg3rsekx4hasw2k83h5s] +peggy_denom = inj104y5dpcdtga79tczv6rg3rsekx4hasw2k83h5s +decimals = 18 -[factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ] -peggy_denom = factory/inj1sm4l3jrh4cynhwv3x3yudkf4gtepv3wdjsryj3/INJ +[inj106kv9he9xlj4np4qthlzeq6hyj7ns6hqfapyt3] +peggy_denom = inj106kv9he9xlj4np4qthlzeq6hyj7ns6hqfapyt3 decimals = 6 -[factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW] -peggy_denom = factory/inj1sz76uf4fj7jn4wptpsszt63x27uthjvehhwsk9/MEOW +[inj10jl28fj7yc2pmj7p08vmaa85nxm4a09kteqng0] +peggy_denom = inj10jl28fj7yc2pmj7p08vmaa85nxm4a09kteqng0 +decimals = 18 + +[inj10yr5mmvxez3h0xzrpaa89my99qlv3u2rmzg0ge] +peggy_denom = inj10yr5mmvxez3h0xzrpaa89my99qlv3u2rmzg0ge +decimals = 8 + +[inj122az278echmzpccw30yy4a4kfull4sfnytqqt7] +peggy_denom = inj122az278echmzpccw30yy4a4kfull4sfnytqqt7 +decimals = 18 + +[inj12e5vzu6a8jqr5dnl4mh04hdskjnx9rw5n86exk] +peggy_denom = inj12e5vzu6a8jqr5dnl4mh04hdskjnx9rw5n86exk decimals = 6 -[factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position] -peggy_denom = factory/inj1t6wfs24ewwnx9mxtm26n6q6zpm73wsan9u8n0v/position -decimals = 0 +[inj12kq4zh7kckuu0rfpxcr9l6l2x26ajf23uc0w55] +peggy_denom = inj12kq4zh7kckuu0rfpxcr9l6l2x26ajf23uc0w55 +decimals = 18 -[factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position] -peggy_denom = factory/inj1taqmwnnd3rucr8ydyl8u30vc29dkyc9rzrjy6r/position -decimals = 0 +[inj12pt3p50kgsn6p33cchf5qvlf9mw2y0del8fnj3] +peggy_denom = inj12pt3p50kgsn6p33cchf5qvlf9mw2y0del8fnj3 +decimals = 18 -[factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ] -peggy_denom = factory/inj1tdv8p2pp68veauzezvgt8ze0wpf6ysddh99s6g/hINJ +[inj12xn584cdkhnz2nn08xz4yrwxscxa8tr2fuxwam] +peggy_denom = inj12xn584cdkhnz2nn08xz4yrwxscxa8tr2fuxwam +decimals = 18 + +[inj134pxgsexyt782qp3kvxf8nf9xl0q7dfdxk5tws] +peggy_denom = inj134pxgsexyt782qp3kvxf8nf9xl0q7dfdxk5tws +decimals = 18 + +[inj1395ty2rphfvxa6jdwxugk3qrk8h49wn245afcr] +peggy_denom = inj1395ty2rphfvxa6jdwxugk3qrk8h49wn245afcr decimals = 6 -[factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position] -peggy_denom = factory/inj1tl8w4z9a7ykdmardg2a5qgryzc9e92fduqy8vj/position -decimals = 0 +[inj148quxv5nyu244hdzy37tmpn3f9s42hsk4tx485] +peggy_denom = inj148quxv5nyu244hdzy37tmpn3f9s42hsk4tx485 +decimals = 18 -[factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position] -peggy_denom = factory/inj1tm6kuf59h46q0sy73cdyxyjwexwjp4a3h07yvt/position -decimals = 0 +[inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +decimals = 6 -[factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position] -peggy_denom = factory/inj1tn2nqgzsgu8ts87fe3fdhh2zy85ymdrc4qd37s/position +[inj14m99e5ge2cactnstklfz8w7rc004w0e0p7ezze] +peggy_denom = inj14m99e5ge2cactnstklfz8w7rc004w0e0p7ezze decimals = 0 -[factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP] -peggy_denom = factory/inj1tuemzz3xa2gurzv828y795r7uycmcafr0ktzwk/uLP -decimals = 0 +[inj14na0udjrdtsqjk22fgr44gfgph4cp220agmwe2] +peggy_denom = inj14na0udjrdtsqjk22fgr44gfgph4cp220agmwe2 +decimals = 6 -[factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position] -peggy_denom = factory/inj1tvnxhtnlkad7xzq7kkd0fcrtn0lncnvydp8mh3/position -decimals = 0 +[inj14nursn4ezeqy9cgxmush6vk2p2wjsrucsl6gc9] +peggy_denom = inj14nursn4ezeqy9cgxmush6vk2p2wjsrucsl6gc9 +decimals = 18 -[factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position] -peggy_denom = factory/inj1u2nhcc06qvxscfmqwqwq5x6saf0smlhmykgg2j/position -decimals = 0 +[inj14pq4ewrxju997x0y7g2ug6cn3lqyp66ygz5x6s] +peggy_denom = inj14pq4ewrxju997x0y7g2ug6cn3lqyp66ygz5x6s +decimals = 8 -[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd] -peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj13t8y6evvue023zg5q4f4ngaav54285pfw482xd +[inj14rgkkvwar36drhuajheu3u84jh9gdk27acfphy] +peggy_denom = inj14rgkkvwar36drhuajheu3u84jh9gdk27acfphy decimals = 0 -[factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3] -peggy_denom = factory/inj1u7xh7k9w5kddcyjjkq2rmpmnw7scrx25526x0k/lpinj1tpmwkd0psrutlqd4ytjq7pugj5dedjys9u0wd3 -decimals = 0 +[inj14rry9q6dym3dgcwzq79yay0e9azdz55jr465ch] +peggy_denom = inj14rry9q6dym3dgcwzq79yay0e9azdz55jr465ch +decimals = 5 -[factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory] -peggy_denom = factory/inj1ucamzt4l70qnwwtqac4wjpvqdfmuhuft5ezy6x/sniperfactory +[inj14vcn23l3jdn50px0wxmj2s24h5pn3eawcnktkh] +peggy_denom = inj14vcn23l3jdn50px0wxmj2s24h5pn3eawcnktkh decimals = 6 -[factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ] -peggy_denom = factory/inj1uja2y06ef8mmygnalg5hsugpa8q5m4pscjduec/INJ +[inj14yh3a5jrcg4wckwdhj9sjxezkmdpuamkw9pghf] +peggy_denom = inj14yh3a5jrcg4wckwdhj9sjxezkmdpuamkw9pghf decimals = 6 -[factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position] -peggy_denom = factory/inj1ul7m4hcf72jn3ah4rgez6vsykqjs90jwyqkkjm/position +[inj154ksu0cw6ra2wqv7ujay8crg6hqe03jpxp7l4w] +peggy_denom = inj154ksu0cw6ra2wqv7ujay8crg6hqe03jpxp7l4w decimals = 0 -[factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ] -peggy_denom = factory/inj1uq9wzg2hc6gsl9hue8qj5ymdfv4k8ccluxhesj/INJ -decimals = 6 +[inj15993xgce2tml487uhx6u2df8ltskgdlghc8zx7] +peggy_denom = inj15993xgce2tml487uhx6u2df8ltskgdlghc8zx7 +decimals = 18 -[factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position] -peggy_denom = factory/inj1ur2gpeg5yw67dagpcm5946lnd6v8l2s2k9tx3q/position -decimals = 0 +[inj15fa69t6huq8nujze28ykdsldmtf23yk3sgxpns] +peggy_denom = inj15fa69t6huq8nujze28ykdsldmtf23yk3sgxpns +decimals = 18 -[factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position] -peggy_denom = factory/inj1utkmtctnp767m0rdl294ypshrjjv8qendcm3md/position -decimals = 0 +[inj15hvdwk0zxxl2uegnryswvxre7pufuluahrl6s6] +peggy_denom = inj15hvdwk0zxxl2uegnryswvxre7pufuluahrl6s6 +decimals = 18 -[factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position] -peggy_denom = factory/inj1utyrpze9qzx037av0vrxz2w63y2et4wcd84j3q/position -decimals = 0 +[inj15m47mfu8qjh9uc7cr04txp9udea635vkuwduck] +peggy_denom = inj15m47mfu8qjh9uc7cr04txp9udea635vkuwduck +decimals = 18 -[factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO] -peggy_denom = factory/inj1uv64p5ky9c298dlswy5krq4xcn78qearqaqqc9/DOGO -decimals = 0 +[inj15mfkraj8dhgye7s6gmrxm308w5z0ezd8pu2kef] +peggy_denom = inj15mfkraj8dhgye7s6gmrxm308w5z0ezd8pu2kef +decimals = 6 -[factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ] -peggy_denom = factory/inj1uyvpwvurunezljvear62kswrcduup8e4hkf3er/INJ +[inj15sslujc0pv3kdjsw0fhzvclwmgv2zh7a00fcx5] +peggy_denom = inj15sslujc0pv3kdjsw0fhzvclwmgv2zh7a00fcx5 decimals = 6 -[factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ] -peggy_denom = factory/inj1uz997yw7vq5ala7hhr5rpn386v7w7uva9v4e23/INJ +[inj15wqfmtvdmzy34hm5jafm6uqnqf53ykr0kz6227] +peggy_denom = inj15wqfmtvdmzy34hm5jafm6uqnqf53ykr0kz6227 decimals = 6 -[factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position] -peggy_denom = factory/inj1uzasxz38jtgjmsd6m52h2yy3zqy36wswy5hta9/position -decimals = 0 +[inj15xz5537eujskaayp600gkke7qu82p5sa76lg50] +peggy_denom = inj15xz5537eujskaayp600gkke7qu82p5sa76lg50 +decimals = 18 -[factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position] -peggy_denom = factory/inj1v06t5cjcnzawlvk665s0wynqy6zfjuulvaadhh/position -decimals = 0 +[inj16exmkvtzkqgxgl44w6793hzjta78f4zpyv8z9p] +peggy_denom = inj16exmkvtzkqgxgl44w6793hzjta78f4zpyv8z9p +decimals = 6 -[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cook +[inj16ny2lq4tnxnfwz745kaanqyuq7997nk3tkkm0t] +peggy_denom = inj16ny2lq4tnxnfwz745kaanqyuq7997nk3tkkm0t decimals = 6 -[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/cookie +[inj16pcxmpl3nquute5hrjta0rgrzc0ga5sj8n6vpv] +peggy_denom = inj16pcxmpl3nquute5hrjta0rgrzc0ga5sj8n6vpv decimals = 6 -[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/frog +[inj16tp2zfy0kd5jjd0vku879j43757qqmt5nezfl0] +peggy_denom = inj16tp2zfy0kd5jjd0vku879j43757qqmt5nezfl0 decimals = 6 -[factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif] -peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/wif +[inj16yxzdpw4fkyfzld98zt9l3txqpzj88pnme904j] +peggy_denom = inj16yxzdpw4fkyfzld98zt9l3txqpzj88pnme904j decimals = 6 -[factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position] -peggy_denom = factory/inj1vc3d90452zqh5vp265maz69wdg4dhj7m0g6aty/position -decimals = 0 +[inj17dtlpkmw4rtc02p7s9qwqz6kyx4nx8v380m0al] +peggy_denom = inj17dtlpkmw4rtc02p7s9qwqz6kyx4nx8v380m0al +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12hrath9g2c02e87vjadnlqnmurxtr8md7djyxm -decimals = 0 +[inj17gh0tgtr2d7l5lv47x4ra557jq27qv0tenqxar] +peggy_denom = inj17gh0tgtr2d7l5lv47x4ra557jq27qv0tenqxar +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj12s6eccju5addagv2f74sphfmenv9xwp0ynmtqv -decimals = 0 +[inj17jwmn6gfrwvc9rz6atx3f3rc2g8zuxklcpw8za] +peggy_denom = inj17jwmn6gfrwvc9rz6atx3f3rc2g8zuxklcpw8za +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj13ly2q9g40lta4dcn7n6z9nack42r2hk64un07x -decimals = 0 +[inj17k84dsdjty50rs5pv5pvm9spz75qqe9stnx0vh] +peggy_denom = inj17k84dsdjty50rs5pv5pvm9spz75qqe9stnx0vh +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14gmk6jg5kduvy882yjdq4967e46jaka7ffuf58 +[inj17n0zrpvl3u67z4mphxq9qmhv6fuqs8sywxt04d] +peggy_denom = inj17n0zrpvl3u67z4mphxq9qmhv6fuqs8sywxt04d decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj14xy8dvgjyhqjn8dhegf9zz5g7c3yeflt0kgarp -decimals = 0 +[inj182d65my2lfcc07fx658nt8zuf6yyham4r9dazk] +peggy_denom = inj182d65my2lfcc07fx658nt8zuf6yyham4r9dazk +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15599wr9jzgrt6e04xkue9l6409mlc3l7lqr38d -decimals = 0 +[inj187xc89gy4ffsl2n8dme88dzrpgazfkf8kgjkmz] +peggy_denom = inj187xc89gy4ffsl2n8dme88dzrpgazfkf8kgjkmz +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj15s4c3kqa0j6glrgppcn0h357jac40ndyptv3sr -decimals = 0 +[inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6] +peggy_denom = inj18a2u6az6dzw528rptepfg6n49ak6hdzkny4um6 +decimals = 8 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16mz5n3dsnal4m0emy4pa02d67hh0r70tlm8095 -decimals = 0 +[inj18ehdtnlrreg0ptdtvzx05nzpfvvjgnt8y95hns] +peggy_denom = inj18ehdtnlrreg0ptdtvzx05nzpfvvjgnt8y95hns +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj16vjf4nnyqvjws6chw6u3t3kmujhllj4wjn9nlh -decimals = 0 +[inj18jn6s6605pa42qgxqekhqtku56gcmf24n2y03k] +peggy_denom = inj18jn6s6605pa42qgxqekhqtku56gcmf24n2y03k +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17hm5smrnrmdr88slpfzfmyxxna9fe6xtvzlr0p -decimals = 0 +[inj18ywez34uk9n6y3u590pqr8hjmtel0ges6radf0] +peggy_denom = inj18ywez34uk9n6y3u590pqr8hjmtel0ges6radf0 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj17jdcvmkpvhgwfnukxjt6uvu2cptuqv309rz8pu -decimals = 0 +[inj18zfazlnerhgsv0nur6tnm97uymf7zrazzghrtq] +peggy_denom = inj18zfazlnerhgsv0nur6tnm97uymf7zrazzghrtq +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj19ujrgrvsm5zn6d389lua74y6pyldxzv5gdrln9 -decimals = 0 +[inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8] +peggy_denom = inj18zykysxw9pcvtyr9ylhe0p5s7yzf6pzdagune8 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1a9hcr7zf5a2ahkv5fvumyky50ww7ds2cg5tk95 -decimals = 0 +[inj194p79raj0qjesr26kzvhx9l2y77vyshvdpcgs9] +peggy_denom = inj194p79raj0qjesr26kzvhx9l2y77vyshvdpcgs9 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ckyym37k9u3gne0qdcpu7ty20p59d3lutepkge -decimals = 0 +[inj19dux2glqedeamjwltjv5srvhgxkf6gyawtce5s] +peggy_denom = inj19dux2glqedeamjwltjv5srvhgxkf6gyawtce5s +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1djuudn6jj6g70kunu8sgtnrvytw9e27xtzyphe -decimals = 0 +[inj19hqn3gnxnwg4rm4c7kzc2k7gy9dj00ke9s9lm5] +peggy_denom = inj19hqn3gnxnwg4rm4c7kzc2k7gy9dj00ke9s9lm5 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1dvrvhcpq6aru0g5d9m9wjnz7utr67we5dlaq79 -decimals = 0 +[inj19l7z2pezzt0xn52w647zxrffyrqag02ft88grm] +peggy_denom = inj19l7z2pezzt0xn52w647zxrffyrqag02ft88grm +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1e6f0ma2j0j9duwyn7vv0jdn6qaztxgmqpr56hu -decimals = 0 +[inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3] +peggy_denom = inj19s2r64ghfqq3py7f5dr0ynk8yj0nmngca3yvy3 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1g89dl74lyre9q6rjua9l37pcc7psnw66capurp -decimals = 0 +[inj1aj27yjf5cg6aaccj0xxdpep9h5kymtmu3ccz9h] +peggy_denom = inj1aj27yjf5cg6aaccj0xxdpep9h5kymtmu3ccz9h +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1gqmr3vdr9k0hwyjkkphn9etqqsj06mm0tuj7vl +[inj1ajws3g8x0r9p350xs4y3agyvmk4698ncmx72zk] +peggy_denom = inj1ajws3g8x0r9p350xs4y3agyvmk4698ncmx72zk decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hffc8x68rp843ygjg9e4eaxj54v5w6vcev9vvu -decimals = 0 +[inj1ap9u5fa47yhgs4xv4dcnzn08qvlcpqn0dt59sy] +peggy_denom = inj1ap9u5fa47yhgs4xv4dcnzn08qvlcpqn0dt59sy +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1hw4vgqyvgw5vca224mpg2e0ccqguhnu7yawpu8 -decimals = 0 +[inj1aqjd9n8m86prgx0a2umtpjcyd6nu22gc82zjwj] +peggy_denom = inj1aqjd9n8m86prgx0a2umtpjcyd6nu22gc82zjwj +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1j0hepy2mrfc705djm2q53ucnyq5ygejq5mr4n2 -decimals = 0 +[inj1as2gqhf6ct8fms53uashc2jtaejlj79h3rem2a] +peggy_denom = inj1as2gqhf6ct8fms53uashc2jtaejlj79h3rem2a +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1jd845wf6zr4cxjne8j4580qq7cg0g5ueeaxpk4 -decimals = 0 +[inj1c78258q4ahmaujmmj4emg7upx9n4muv0fzjrms] +peggy_denom = inj1c78258q4ahmaujmmj4emg7upx9n4muv0fzjrms +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1k7kvdzm7n8g5xf6c733lsyp6tugvxwsnvdcgur -decimals = 0 +[inj1cfjpn3mh0z0ptsn4ujmm5hdf9x4jmh3hvwd9c2] +peggy_denom = inj1cfjpn3mh0z0ptsn4ujmm5hdf9x4jmh3hvwd9c2 +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kf09fn0mjq3d9v7x25xlmvacp9rfjqw96039e3 -decimals = 0 +[inj1cgmxmra82qtxxjypjesnvu43e7nf6ucv3njy9u] +peggy_denom = inj1cgmxmra82qtxxjypjesnvu43e7nf6ucv3njy9u +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1khp440nluesxmnr0mgdstzxujhkmcu8mad797f -decimals = 0 +[inj1cjft36fxcspjdkcc5j45z6ucuqyxp7ky9ktu4f] +peggy_denom = inj1cjft36fxcspjdkcc5j45z6ucuqyxp7ky9ktu4f +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1kv5amrnaczurcyc9rw0uve4e3wh2jfujxn3zlz -decimals = 0 +[inj1cjvssl698h094n6c2uqdx75degfewey26yt6uw] +peggy_denom = inj1cjvssl698h094n6c2uqdx75degfewey26yt6uw +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1l6e65hq8w79zepulpt768rj8qd2e2qejxl5uga -decimals = 0 +[inj1cncjaeg0q6d8kdr77wxz90t6jhmm5wn23s2gxr] +peggy_denom = inj1cncjaeg0q6d8kdr77wxz90t6jhmm5wn23s2gxr +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nvq8pyvt2kf5xctc4v3xt4gszq5a9lhpadyfwg -decimals = 0 +[inj1cnqf8xld9a2tezf4sq56lc3f9kfs257s45fd29] +peggy_denom = inj1cnqf8xld9a2tezf4sq56lc3f9kfs257s45fd29 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1nyv50r7vnktgpp5s22fh8nzf7ak8sthh6l7s3t -decimals = 0 +[inj1d205gq2wm72x2unrz9pslsgqf53mhe09w9gx5v] +peggy_denom = inj1d205gq2wm72x2unrz9pslsgqf53mhe09w9gx5v +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1p9djw5xkg7dfgteqnh3cqmef2xs6meycd2k5r5 -decimals = 0 +[inj1d8x73kj4xtgzhpztf6d60vcjnrw9w0sh2vq8em] +peggy_denom = inj1d8x73kj4xtgzhpztf6d60vcjnrw9w0sh2vq8em +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pwf7q5vtq0thplnkdsp4v09mr66jkfyrsjr5g3 -decimals = 0 +[inj1dg3xz7pj56kqph98pnput5kuj5h2fq97c68mfz] +peggy_denom = inj1dg3xz7pj56kqph98pnput5kuj5h2fq97c68mfz +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1pww37pr6qnnndzz2azxhxl0rcvtxcftg0y70vh +[inj1dmfj6fuz0w5ffaxthax959w4jmswjdxr4f5jct] +peggy_denom = inj1dmfj6fuz0w5ffaxthax959w4jmswjdxr4f5jct decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r4pjz70l4ytk06dfparzd6na5qqjeq09fkxdt4 +[inj1dmn43jyt6w6kycgsuu5a3ygtmtk6fm49yvf73d] +peggy_denom = inj1dmn43jyt6w6kycgsuu5a3ygtmtk6fm49yvf73d decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1r86atmuulmhzw63pqx5tp989nmupvn4fd94m7u -decimals = 0 +[inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu] +peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rayjg2wktsj9aa9j5ps52v3qunn80m7fjhdstp +[inj1edtqq8mvtlv83yfhuxcnayq2ks9fyvy670045s] +peggy_denom = inj1edtqq8mvtlv83yfhuxcnayq2ks9fyvy670045s decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1rduwtul0x7fkryzpdn85yuujntwyel8z04h7cq -decimals = 0 +[inj1ele6z2tg7cglx2ul2ss94crc60wt70uec8rs9m] +peggy_denom = inj1ele6z2tg7cglx2ul2ss94crc60wt70uec8rs9m +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sfk9r0jk9wxs7n726qfjg5e649zf34yq6q65gn -decimals = 0 +[inj1elwp603lt09g8s4ezyp6gg8axhh2n3zkffwfmp] +peggy_denom = inj1elwp603lt09g8s4ezyp6gg8axhh2n3zkffwfmp +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sm36lxmzynkt9q37nwspf8n6pzplktul006u08 -decimals = 0 +[inj1emeyr4q657cw6wu4twqx6c59mzfv00fkf9nukv] +peggy_denom = inj1emeyr4q657cw6wu4twqx6c59mzfv00fkf9nukv +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1sqj6x44uxtmklyewqxk9frqjrkjqjjmu6u0mrm +[inj1eqtcpx655e582j5xyu7rf2z8w92pah2re5jmm3] +peggy_denom = inj1eqtcpx655e582j5xyu7rf2z8w92pah2re5jmm3 decimals = 0 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ucj4veavs4jeuhe98xx8fe6yk0n83ulvjqank3 -decimals = 0 +[inj1ezt2a9azlwp5ucq84twup0skx9vsewpvjhh20d] +peggy_denom = inj1ezt2a9azlwp5ucq84twup0skx9vsewpvjhh20d +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ulxnf3qhjk8l383nllhglfaautcstkmth089jp -decimals = 0 +[inj1f2vr6hd9w4xujncyprw670l3g7x2esj50umn8k] +peggy_denom = inj1f2vr6hd9w4xujncyprw670l3g7x2esj50umn8k +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1v8v8jepsjdsxj29hxmm62qwzmg54r75v6mq6q9 -decimals = 0 +[inj1f59h6qh6vckz8asg307zajzrht948vlymesg8c] +peggy_denom = inj1f59h6qh6vckz8asg307zajzrht948vlymesg8c +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1ve3uga90prrwtpsptjrhnxlfd9u0qwuf0v43ke -decimals = 0 +[inj1f6ejww220hnygsehh7pl7pd484dg4k9fl7wkr5] +peggy_denom = inj1f6ejww220hnygsehh7pl7pd484dg4k9fl7wkr5 +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1wzt78jy575ejcps76gpc2m8k2v4x2526aksnk0 -decimals = 0 +[inj1fg8ffu74pm99nwd584ne3gwa9pexnh39csm7qp] +peggy_denom = inj1fg8ffu74pm99nwd584ne3gwa9pexnh39csm7qp +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xar9nfhqc9al47hkh7eljrc3g66lntqch8hh0r -decimals = 0 +[inj1fjg0pmf0fttg0g3vawttlshq7k58a49gv5u7up] +peggy_denom = inj1fjg0pmf0fttg0g3vawttlshq7k58a49gv5u7up +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1xkq56rjtpcqgwh9yut6zwh3lxcle2yz4dljyxc -decimals = 0 +[inj1ft73gxa35pzcqv6zjzqgllwtzs5hf4wnjsfq3t] +peggy_denom = inj1ft73gxa35pzcqv6zjzqgllwtzs5hf4wnjsfq3t +decimals = 6 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zqe2p2xegqyr3zeltt9kh7c934v7tlevmk6xg7 -decimals = 0 +[inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck] +peggy_denom = inj1fu5u29slsg2xtsj7v5la22vl4mr4ywl7wlqeck +decimals = 18 -[factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3] -peggy_denom = factory/inj1vcqkkvqs7prqu70dpddfj7kqeqfdz5gg662qs3/lpinj1zxk9xvs6mnq2m5yws8gdgqstrmcqntuedlnua3 -decimals = 0 +[inj1fx6cg4xruk55rld4p9urrjc2v3gvmaqh2yx32q] +peggy_denom = inj1fx6cg4xruk55rld4p9urrjc2v3gvmaqh2yx32q +decimals = 6 -[factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ] -peggy_denom = factory/inj1vk2re2ak5xf4w2vnscy4ym2a23cwx375872e73/INJ +[inj1gaszym657k5mmxp3z5gaz2ze0drs6xv0dz6u6g] +peggy_denom = inj1gaszym657k5mmxp3z5gaz2ze0drs6xv0dz6u6g +decimals = 18 + +[inj1ghdvetj39n6fze4lsfvqq42qjya0e8ljfx420r] +peggy_denom = inj1ghdvetj39n6fze4lsfvqq42qjya0e8ljfx420r decimals = 6 -[factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ] -peggy_denom = factory/inj1vr0te6wepj0pne8qaw5gt9jjm78g2aqgl4lz26/INJ +[inj1gkc8ajx5pfkvdux3574r90ahgmtkpnprx0fuaa] +peggy_denom = inj1gkc8ajx5pfkvdux3574r90ahgmtkpnprx0fuaa +decimals = 18 + +[inj1gulvsqvun9qcdfxrsfc33ym82fuccu55zsw6ap] +peggy_denom = inj1gulvsqvun9qcdfxrsfc33ym82fuccu55zsw6ap +decimals = 18 + +[inj1h0ka230k265jtv5hnujr6tszd66rjk3dutmfuj] +peggy_denom = inj1h0ka230k265jtv5hnujr6tszd66rjk3dutmfuj decimals = 6 -[factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC] -peggy_denom = factory/inj1vss35hmc5fzy0d4glcyt39w425pvwfsqk9zu3p/ABC +[inj1h2ewqh3mjzm72sfrtvxhzd34kxn0qstc6phl4a] +peggy_denom = inj1h2ewqh3mjzm72sfrtvxhzd34kxn0qstc6phl4a +decimals = 18 + +[inj1h37nmz0r2dt8l33kt2c6us5hj00ykzgxmvyw55] +peggy_denom = inj1h37nmz0r2dt8l33kt2c6us5hj00ykzgxmvyw55 +decimals = 18 + +[inj1h8l2xcn4h9v0m67qem8x7rmf2akjwc34tjmm7a] +peggy_denom = inj1h8l2xcn4h9v0m67qem8x7rmf2akjwc34tjmm7a +decimals = 18 + +[inj1h9tu7ul5pyu2fl2qwpsyvshhqt2g4xqaqxm89z] +peggy_denom = inj1h9tu7ul5pyu2fl2qwpsyvshhqt2g4xqaqxm89z decimals = 6 -[factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position] -peggy_denom = factory/inj1vyelgqnlmnwd8sq2rcmg7d0jglrvggdk6s5y4k/position -decimals = 0 +[inj1hd7pwkcwz9pweklkap04ucwztllxp70xu26dc8] +peggy_denom = inj1hd7pwkcwz9pweklkap04ucwztllxp70xu26dc8 +decimals = 18 -[factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black] -peggy_denom = factory/inj1w4ru8gx7mjhagafdn2ljumrc8s5aaefzmynuqd/black -decimals = 0 +[inj1hgh3dqc2kxl464qg9rnt3kctzplmsnqzycdtt7] +peggy_denom = inj1hgh3dqc2kxl464qg9rnt3kctzplmsnqzycdtt7 +decimals = 18 -[factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position] -peggy_denom = factory/inj1wc3a7mqvdvhe8mkglvzq6pmelex53e2x8safdv/position -decimals = 0 +[inj1hnap888nfhv2gnlp4zvjlyq9wmsw6hm3afvhuf] +peggy_denom = inj1hnap888nfhv2gnlp4zvjlyq9wmsw6hm3afvhuf +decimals = 18 -[factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position] -peggy_denom = factory/inj1whxcxhncnftrc76w0zns3l6934rqfenj5fl0kg/position -decimals = 0 +[inj1hsv0y599unrnv02xntzmcdquh4wagrns8gqfh7] +peggy_denom = inj1hsv0y599unrnv02xntzmcdquh4wagrns8gqfh7 +decimals = 18 -[factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ] -peggy_denom = factory/inj1wl8fjknkq2ge4tgynls5kdkkmwstj5fm3ts7s4/BINJ +[inj1j0spyxgnxavasfnj5r4pvc4wwmnd6psjf8j6rm] +peggy_denom = inj1j0spyxgnxavasfnj5r4pvc4wwmnd6psjf8j6rm decimals = 6 -[factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ] -peggy_denom = factory/inj1wm66m98g8yluvl7vzcmsq5fvh4c7eacs32u5xh/INJ +[inj1j36ddpvef5jgmp4ngy6kl0r45c2tftu4qjuke8] +peggy_denom = inj1j36ddpvef5jgmp4ngy6kl0r45c2tftu4qjuke8 decimals = 6 -[factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ] -peggy_denom = factory/inj1wrltqpkxk8w5whk09knfyq4tkx06j5c9553fwh/INJ +[inj1j4pwxtnf27qelps9erqg3fg47r9tz9qyl9l7gh] +peggy_denom = inj1j4pwxtnf27qelps9erqg3fg47r9tz9qyl9l7gh +decimals = 18 + +[inj1j9ld52dpgzyc6j42fv5ggk2xkzukm4tjun6449] +peggy_denom = inj1j9ld52dpgzyc6j42fv5ggk2xkzukm4tjun6449 decimals = 6 -[factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ] -peggy_denom = factory/inj1ws4f65dx7kmspn28v22lmta3hkfps9cqfjwkyj/INJ +[inj1jdn48px2andzq693c2uu4k3pnr9fm5rtywtvmz] +peggy_denom = inj1jdn48px2andzq693c2uu4k3pnr9fm5rtywtvmz decimals = 6 -[factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position] -peggy_denom = factory/inj1wud39wkdk6vlqy65v4ytqrmldagvaz8c7gtnjm/position -decimals = 0 +[inj1jnswzkkdvkc6chwzffggrlp69efghlqdha6jaq] +peggy_denom = inj1jnswzkkdvkc6chwzffggrlp69efghlqdha6jaq +decimals = 18 -[factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ] -peggy_denom = factory/inj1wx6k6wkamm5pudf43d8q77ug094rydd6gkg622/INJ +[inj1jt20t0scnm6r048rklny7z7gyc4lfmm6s5c96e] +peggy_denom = inj1jt20t0scnm6r048rklny7z7gyc4lfmm6s5c96e +decimals = 18 + +[inj1jusxykgkl04rgaam65gmvyyymth9flxjdpdruh] +peggy_denom = inj1jusxykgkl04rgaam65gmvyyymth9flxjdpdruh +decimals = 9 + +[inj1k0f8fqym9t3gz8qq3f72d3x5uk2gx4prs6mld5] +peggy_denom = inj1k0f8fqym9t3gz8qq3f72d3x5uk2gx4prs6mld5 +decimals = 18 + +[inj1k23r395k2q5z4fw0zhtyzdymx5let8qw7q76lw] +peggy_denom = inj1k23r395k2q5z4fw0zhtyzdymx5let8qw7q76lw decimals = 6 -[factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position] -peggy_denom = factory/inj1xaw8dvp6v05vsnxxwa4y7gpuddxhes97rqmcv6/position -decimals = 0 +[inj1k9r62py07wydch6sj5sfvun93e4qe0lg7jyatc] +peggy_denom = inj1k9r62py07wydch6sj5sfvun93e4qe0lg7jyatc +decimals = 8 -[factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position] -peggy_denom = factory/inj1xdmkzn2zpfh0rp38mjly8xza4xhx54vrlslqad/position -decimals = 0 +[inj1kjfeuqtp56newrdye4d5rczfkwe4dg3llc0kc9] +peggy_denom = inj1kjfeuqtp56newrdye4d5rczfkwe4dg3llc0kc9 +decimals = 18 -[factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position] -peggy_denom = factory/inj1xfl2jxuwpvpxxc5upxm8fxxzv6nxd65z5kpqny/position +[inj1kpsej4ejcwut5wgu4jyvwvyel6kezjzuf3fd6z] +peggy_denom = inj1kpsej4ejcwut5wgu4jyvwvyel6kezjzuf3fd6z +decimals = 8 + +[inj1ky5zcvc82t6hrfsu6da3d9u9u33jt30rjr0cnj] +peggy_denom = inj1ky5zcvc82t6hrfsu6da3d9u9u33jt30rjr0cnj decimals = 0 -[factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test] -peggy_denom = factory/inj1xhzt72xa3pyk25chwa3kh5j2dpuwehmycukh38/test +[inj1kz94v8anl9j64cqwntd30l8vqw2p03w3fk7d03] +peggy_denom = inj1kz94v8anl9j64cqwntd30l8vqw2p03w3fk7d03 decimals = 6 -[factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO] -peggy_denom = factory/inj1xns9khp247zkasydzvkcvv7et2qrf679gkudmy/FOMO +[inj1l3uhj7dd5sx5fk87z0pxu0jum6rkpgmmv37a66] +peggy_denom = inj1l3uhj7dd5sx5fk87z0pxu0jum6rkpgmmv37a66 decimals = 6 -[factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ] -peggy_denom = factory/inj1xnw3266sqst4xatdgu7qme69rf58vnlj99vsty/INJ +[inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0] +peggy_denom = inj1l73x8hh6du0h8upp65r7ltzpj5twadtp5490n0 +decimals = 18 + +[inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj] +peggy_denom = inj1l9eyrnv3ret8da3qh8j5aytp6q4f73crd505lj decimals = 6 -[factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position] -peggy_denom = factory/inj1y4mmnuck96ffjswgd37963f5ch9kph8sk99zuj/position -decimals = 0 +[inj1ljrzvjuupmglq62frdcywzlc9a90xrf3vrcp02] +peggy_denom = inj1ljrzvjuupmglq62frdcywzlc9a90xrf3vrcp02 +decimals = 18 -[factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ] -peggy_denom = factory/inj1y5lrg2p5cmlne4jr8uj479ns05srq59cw99gm8/INJ +[inj1llatk73a2935vky6nzv78w80ff5v3etqadzv76] +peggy_denom = inj1llatk73a2935vky6nzv78w80ff5v3etqadzv76 +decimals = 8 + +[inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r] +peggy_denom = inj1lmcfftadjkt4gt3lcvmz6qn4dhx59dv2m7yv8r decimals = 6 -[factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position] -peggy_denom = factory/inj1yc2pc60avmdv3sfvamt27nk3kxhcxlf53q8ysr/position -decimals = 0 +[inj1ltu2smt40xmz8lxvrg9xhkdc75rswkyflqf2p8] +peggy_denom = inj1ltu2smt40xmz8lxvrg9xhkdc75rswkyflqf2p8 +decimals = 6 -[factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position] -peggy_denom = factory/inj1yg49drflp8vmf4hj07jy9c8wl2fmqrfq09etpm/position -decimals = 0 +[inj1lvnuam0w70d4yj03vy30umqv4rr7gwfkfsemnc] +peggy_denom = inj1lvnuam0w70d4yj03vy30umqv4rr7gwfkfsemnc +decimals = 6 -[factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ] -peggy_denom = factory/inj1ykf3aln7wwx7la80z5xc7w572d7vwtq92x09h5/INJ +[inj1m2h20qlrhs5nr89s48gm083qdl7333j3v83yjg] +peggy_denom = inj1m2h20qlrhs5nr89s48gm083qdl7333j3v83yjg decimals = 6 -[factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position] -peggy_denom = factory/inj1yq82w2mugv4qvuy863p2urrwqegde4fyksmcmj/position -decimals = 0 +[inj1m6ntlp05hxg6gvmkzyjej8a5at0jemamydzx4g] +peggy_denom = inj1m6ntlp05hxg6gvmkzyjej8a5at0jemamydzx4g +decimals = 8 -[factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position] -peggy_denom = factory/inj1yqgc6sv5eyhkf3p3nynrq5lsffnwp5vwvwqgqf/position -decimals = 0 +[inj1m84527ec0zxfsssrp5c4an5xgjz9hp4d2ev0pz] +peggy_denom = inj1m84527ec0zxfsssrp5c4an5xgjz9hp4d2ev0pz +decimals = 6 -[factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position] -peggy_denom = factory/inj1yqnt9aswsjdujxxdeyzm4twqchjtaw2ddrxkqv/position -decimals = 0 +[inj1mas3j8u02wzcfysjhgrx0uj0qprua2lm0gx27r] +peggy_denom = inj1mas3j8u02wzcfysjhgrx0uj0qprua2lm0gx27r +decimals = 18 -[factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ] -peggy_denom = factory/inj1yt3dxjvwyq5f4hw86sadk5jd9nqu6dnml3v7sv/INJ +[inj1mdzxqh9kag3a9e7x5488vn8hkeh42cuw0hnhrf] +peggy_denom = inj1mdzxqh9kag3a9e7x5488vn8hkeh42cuw0hnhrf decimals = 6 -[factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position] -peggy_denom = factory/inj1yu54sj0phd59dgcd023hhlezxmtzqwgf44c6ka/position -decimals = 0 +[inj1mpm6l6g77c0flupzynj4lqvktdh5xuj0g4arn6] +peggy_denom = inj1mpm6l6g77c0flupzynj4lqvktdh5xuj0g4arn6 +decimals = 18 -[factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test] -peggy_denom = factory/inj1yuaz9qw8m75w7gxn3j7p9ph9pcsp8krpune70q/Test +[inj1mv9jlerndqham75cp2sfyzkzxdz2rwqx20mpd5] +peggy_denom = inj1mv9jlerndqham75cp2sfyzkzxdz2rwqx20mpd5 decimals = 6 -[factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position] -peggy_denom = factory/inj1z3mux0g3fw2ggem5qnuqcy46nl5wwsdcm9q5eg/position -decimals = 0 +[inj1nlcg7dgufuytaa2sfxam5hm0l38dyv3uk47kdf] +peggy_denom = inj1nlcg7dgufuytaa2sfxam5hm0l38dyv3uk47kdf +decimals = 18 -[factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position] -peggy_denom = factory/inj1z60w4nx27cyt8tygmwxe045aa5h8u0acupv3dl/position -decimals = 0 +[inj1nqy47ullz048d8lzck9yr89dnpfefrdx30c7fx] +peggy_denom = inj1nqy47ullz048d8lzck9yr89dnpfefrdx30c7fx +decimals = 18 -[factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP] -peggy_denom = factory/inj1z7mx2tc9ea4y2y0nx230pe7knm8fryk3rv6r2c/uLP +[inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4] +peggy_denom = inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 +decimals = 8 + +[inj1pvestds0e0f7y6znfjqa8vwws9ylz6eutny8c3] +peggy_denom = inj1pvestds0e0f7y6znfjqa8vwws9ylz6eutny8c3 decimals = 0 -[factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT] -peggy_denom = factory/inj1ze3ad8k5aw7ejwlpvwfdht9yslnpfqez45sd3v/BCAT +[inj1qaakagef76lgu56uhdc9rdsycdrznf7pjfjt2c] +peggy_denom = inj1qaakagef76lgu56uhdc9rdsycdrznf7pjfjt2c decimals = 6 -[factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ] -peggy_denom = factory/inj1zjd5nqyvyksjqzsc207v80pcd9a0r9fec8rvn6/INJ +[inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd] +peggy_denom = inj1qjn06jt7zjhdqxgud07nylkpgnaurq6xc5c4fd decimals = 6 -[factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ] -peggy_denom = factory/inj1zmlf85er8we52r9qsq8wdumwpkdrhqh0f0u27j/INJ -decimals = 6 +[inj1qqn3urdskeq9mlm37c375978kv3rxgjx2kff9p] +peggy_denom = inj1qqn3urdskeq9mlm37c375978kv3rxgjx2kff9p +decimals = 18 -[factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position] -peggy_denom = factory/inj1zt0ts2z4r0sx0g3ae87ct9r9pgjmxexe4lj2h3/position -decimals = 0 +[inj1qt32en8rjd0x486tganvc6u7q25xlr5wqr68xn] +peggy_denom = inj1qt32en8rjd0x486tganvc6u7q25xlr5wqr68xn +decimals = 18 -[factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position] -peggy_denom = factory/inj1zthvl3awskg6a7l2v4yq9srxjjatvl4ydesfhc/position -decimals = 0 +[inj1quy82cgpf0jajc76w7why9kt94ph99uff2q7xh] +peggy_denom = inj1quy82cgpf0jajc76w7why9kt94ph99uff2q7xh +decimals = 6 -[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/GOP] -peggy_denom = ibc/B6DEF77F4106DE5F5E1D5C7AA857392A8B5CE766733BA23589AD4760AF953819 -decimals = 0 +[inj1ra46mrdcc4qd7m8mhdjd9fkut50pa07lwxsvst] +peggy_denom = inj1ra46mrdcc4qd7m8mhdjd9fkut50pa07lwxsvst +decimals = 18 -[factory/neutron133xakkrfksq39wxy575unve2nyehg5npx75nph/MOO] -peggy_denom = ibc/572EB1D6454B3BF6474A30B06D56597D1DEE758569CC695FF628D4EA235EFD5D +[inj1rd2ej0vcg8crpgllv9k8f9dks96whhf3yqftd4] +peggy_denom = inj1rd2ej0vcg8crpgllv9k8f9dks96whhf3yqftd4 decimals = 0 -[factory/neutron154gg0wtm2v4h9ur8xg32ep64e8ef0g5twlsgvfeajqwghdryvyqsqhgk8e/APOLLO] -peggy_denom = ibc/1B47F9D980CBB32A87022E1381C15005DE942A71CB61C1B498DBC2A18F43A8FE +[inj1rdy2hzjw83hs2dec28lw6q3f8an5pma8l38uey] +peggy_denom = inj1rdy2hzjw83hs2dec28lw6q3f8an5pma8l38uey decimals = 0 -[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/djjtga] -peggy_denom = ibc/50DC83F6AD408BC81CE04004C86BF457F9ED9BF70839F8E6BA6A3903228948D7 -decimals = 0 +[inj1rluhqhev2v4kmz0m8qjfrlyrlrlqckajuf0ajs] +peggy_denom = inj1rluhqhev2v4kmz0m8qjfrlyrlrlqckajuf0ajs +decimals = 6 -[factory/osmo1q77cw0mmlluxu0wr29fcdd0tdnh78gzhkvhe4n6ulal9qvrtu43qtd0nh8/test] -peggy_denom = ibc/40C510742D7CE7F5EB2EF894AA9AD5056183D80628A73A04B48708A660FD088D -decimals = 0 +[inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f] +peggy_denom = inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +decimals = 18 -[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/9fELvUhFo6yWL34ZaLgPbCPzdk9MD1tAzMycgH45qShH] -peggy_denom = ibc/999FD9811C895A63FE1A2FCDDA24DEC6AF7D70D907BD97E9C455BDFD57B373CA -decimals = 0 +[inj1rtyuaxaqfxczuys3k3cdvlg89ut66ulmp8mvuy] +peggy_denom = inj1rtyuaxaqfxczuys3k3cdvlg89ut66ulmp8mvuy +decimals = 18 -[factory/sei189adguawugk3e55zn63z8r9ll29xrjwca636ra7v7gxuzn98sxyqwzt47l/Hq4tuDzhRBnxw3tFA5n6M52NVMVcC19XggbyDiJKCD6H] -peggy_denom = ibc/247FF5EB358DA07AE08BC0E975E1AD955494A51B6C11452271A216E67AF1E4D1 -decimals = 0 +[inj1rytr7mwrentqhng3gldplyf59k23qd3x5umc36] +peggy_denom = inj1rytr7mwrentqhng3gldplyf59k23qd3x5umc36 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/2Wb6ueMFc9WLc2eyYVha6qnwHKbwzUXdooXsg6XXVvos] -peggy_denom = ibc/8D59D4FCFE77CA4F11F9FD9E9ACA645197E9BFFE48B05ADA172D750D3C5F47E7 -decimals = 0 +[inj1ryzgvggaktks2pz69pugltfu7f3hpq7wc98t5e] +peggy_denom = inj1ryzgvggaktks2pz69pugltfu7f3hpq7wc98t5e +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/3wftBtqKjWFXFWhtsG6fjaLTbpnaLhN3bhfSMdvEVdXT] -peggy_denom = ibc/6C1F980F3D295DA21EC3AFD71008CC7674BA580EBEDBD76FD5E25E481067AF09 -decimals = 0 +[inj1s3w6k5snskregtfrjqdc2ee6t3llypw2yy4w3l] +peggy_denom = inj1s3w6k5snskregtfrjqdc2ee6t3llypw2yy4w3l +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/576uQXyQrjFdqzDRvBnXihn467ipuc12a5yN8v8H99f8] -peggy_denom = ibc/0F18C33D7C2C28E24A67BEFA2689A1552DCE9856E1BB3A16259403D5398EB23C -decimals = 0 +[inj1savfv8nemxsp0870m0dsqgprcwwr447jrj2yh5] +peggy_denom = inj1savfv8nemxsp0870m0dsqgprcwwr447jrj2yh5 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5MeVz64BbVszQaCqCTQ2zfWTmnQ5uKwNMaDDSJDRuqTY] -peggy_denom = ibc/B7936BF07D9035C66C83B81B61672A05F30DE4196BE0A016A6CD4EDD20CB8F24 +[inj1sfvyudz7m8jfsqu4s53uw2ls2k07yjg8tmcgzl] +peggy_denom = inj1sfvyudz7m8jfsqu4s53uw2ls2k07yjg8tmcgzl decimals = 0 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/5cKyTGhoHu1VFNPd6iXdKYTm3CkTtz1MeCdYLUGgF4zt] -peggy_denom = ibc/3C2EEA34EAF26698EE47A58FA2142369CE42E105E8452E1C074A32D34431484B -decimals = 0 +[inj1sgdvujejhvc0yqw26jz2kvg9fx2wvfvvjtjnjq] +peggy_denom = inj1sgdvujejhvc0yqw26jz2kvg9fx2wvfvvjtjnjq +decimals = 6 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/6wMmXNYNi8tYB32cCAGPoPrr6nHLKx4j9kpGv5moBnuT] -peggy_denom = ibc/13055E6ECA7C05091DD7B93DF81F0BB12479779DE3B9410CF445CC34B8361664 -decimals = 0 +[inj1shlkety7fs0n7l2lxz3pyg6hr0j6dkcdvgvjch] +peggy_denom = inj1shlkety7fs0n7l2lxz3pyg6hr0j6dkcdvgvjch +decimals = 8 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/7KQX8bVDa8W4EdpED8oHqhSfJsgF79XDcxcd8ELUws7G] -peggy_denom = ibc/0A44483A7AFF7C096B2A4FB00A12E912BE717CD7703CF7F33ED99DB35230D404 -decimals = 0 +[inj1shzx0tx7x74ew6ewjdhvw2l3a828tfaggk5lj3] +peggy_denom = inj1shzx0tx7x74ew6ewjdhvw2l3a828tfaggk5lj3 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8iuAc6DSeLvi2JDUtwJxLytsZT8R19itXebZsNReLLNi] -peggy_denom = ibc/6D434846D1535247426AA917BBEC53BE1A881D49A010BF7EDACBFCD84DE4A5B8 -decimals = 0 +[inj1sp8f3hg3qtjr75qxm89fgawwnme6lvldqxrz87] +peggy_denom = inj1sp8f3hg3qtjr75qxm89fgawwnme6lvldqxrz87 +decimals = 6 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/8sYgCzLRJC3J7qPn2bNbx6PiGcarhyx8rBhVaNnfvHCA] -peggy_denom = ibc/F433CC4D2A46173B47A691E8C432F11E47E8C06C574CEF798F6F7BA116EACCAC -decimals = 0 +[inj1spzwwtr2luljr300ng2gu52zg7wn7j44m92mdf] +peggy_denom = inj1spzwwtr2luljr300ng2gu52zg7wn7j44m92mdf +decimals = 10 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/9weDXCi5EPvG2xk6VTiKKxhijYuq79U6UzPwBniF1cET] -peggy_denom = ibc/C2C022DC63E598614F39C575BC5EF4EC54E5D081365D9BE090D75F743364E54D -decimals = 0 +[inj1ss3d6gw5xzk5gdt9w4qhp3px62mqygk69uxwyv] +peggy_denom = inj1ss3d6gw5xzk5gdt9w4qhp3px62mqygk69uxwyv +decimals = 8 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/AsSyBMk2D3FmntrGtd539XWDGwmJ7Uv8vVXQTwTjyqBw] -peggy_denom = ibc/7A39488A287BF7DBC4A33DDA2BE3DDAC0F281FBCFF23934B7194893C136AAA99 -decimals = 0 +[inj1ss6rtzavmpr9ssf0pcw8x20vxmphfqdmlfyz9t] +peggy_denom = inj1ss6rtzavmpr9ssf0pcw8x20vxmphfqdmlfyz9t +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BSWyXu2ZJFGaSau3aLDwNZMCDwenWhwPfWALpYna7WzV] -peggy_denom = ibc/CB8E08B5C734BDA8344DDCFE5C9CCCC91521763BA1BC9F61CADE6E8F0B556E3D -decimals = 0 +[inj1svrvyqm8uu6u4xnkz6tva207pztglcjylxe367] +peggy_denom = inj1svrvyqm8uu6u4xnkz6tva207pztglcjylxe367 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/BjqmpMWFUphe7Qr3v8rLCZh8aoH2qfi2S1z8649b62TY] -peggy_denom = ibc/4F72D2F3EAFB61D8615566B3C80AEF2778BB14B648929607568C79CD90416188 +[inj1sx8qf8upzccasf7ylv2adsek8nwzgwu944tqkd] +peggy_denom = inj1sx8qf8upzccasf7ylv2adsek8nwzgwu944tqkd decimals = 0 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/CroEB5zf21ea42ezHnpcv1jj1jANLY4A1sQL6y4UsHGR] -peggy_denom = ibc/8E7F71072C97C5D8D19978C7E38AE90C0FBCCE551AF95FEB000EA9EBBFD6396B +[inj1syak43khmndn5t0f67kmmdzjzuf0cz3tnhm6wd] +peggy_denom = inj1syak43khmndn5t0f67kmmdzjzuf0cz3tnhm6wd decimals = 0 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Cv4gKZrfUhNZtcjUDgdodrup397e9Nm7hMaqFwSCPVjj] -peggy_denom = ibc/44EC7BD858EC12CE9C2F882119F522937264B50DD26DE73270CA219242E9C1B2 -decimals = 0 +[inj1t9r3s40sr3jjd20kp2w8dunff2466zwr89n2xr] +peggy_denom = inj1t9r3s40sr3jjd20kp2w8dunff2466zwr89n2xr +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/EfeMLPMU8BcwMbzNy5DfbYCzRDvDVdo7nLZt7GZG4a8Y] -peggy_denom = ibc/366870891D57A5076D117307C42F597A000EB757793A9AB58019660B896292AA -decimals = 0 +[inj1tcgye8ekwd0fcnrwncdtt7k9r7eg7k824c0pdg] +peggy_denom = inj1tcgye8ekwd0fcnrwncdtt7k9r7eg7k824c0pdg +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Eh6t4Hgff8mveKYH5Csa7zyoq5hgKNnLF8qq9YhSsu7j] -peggy_denom = ibc/AA2394D484EADAC0B982A8979B18109FAEDD5D47E36D8153955369FEC16D027B -decimals = 0 +[inj1tjnjj9hvecuj3dpdvvl4yxhshgwzqyg57k7fnh] +peggy_denom = inj1tjnjj9hvecuj3dpdvvl4yxhshgwzqyg57k7fnh +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/Ej6p2SmCeEnkLsZR2pwSCK9L1LUQWgKsMd3iVdYMFaJq] -peggy_denom = ibc/6912080A54CAB152D10CED28050E6DBE87B49E4F77D6BA6D54A05DBF4C3CCA88 -decimals = 0 +[inj1tr8dz3dudtnc7z3umjg7s5nwcw387phnjsy3pp] +peggy_denom = inj1tr8dz3dudtnc7z3umjg7s5nwcw387phnjsy3pp +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/F6QdZRjBTFmK1BNMrws1D9uPqQkHE25qqR2bMpeTuLjb] -peggy_denom = ibc/473D128E740A340B0663BD09CFC9799A0254564448B62CAA557D65DB23D0FCCD -decimals = 0 +[inj1ttngjl2y886dcr7r34gp3r029f8l2pv8tdelk8] +peggy_denom = inj1ttngjl2y886dcr7r34gp3r029f8l2pv8tdelk8 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/FrbRcKDffWhKiHimzrWBpQRyM65uJkYDSf4J3QksasJ9] -peggy_denom = ibc/E2C56B24C032D2C54CF12EAD43432D65FDF22C64E819F97AAD3B141829EF3E60 -decimals = 0 +[inj1u0y6k9grtux3dlzpvj6hspkg6n0l0l2zmlhygu] +peggy_denom = inj1u0y6k9grtux3dlzpvj6hspkg6n0l0l2zmlhygu +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G4b8zJq7EUqVTwgbokQiHyYa5PzhQ1bLiyAeK3Yw9en8] -peggy_denom = ibc/683CD81C466CF3678E78B5E822FA07F0C23107B1F8FA06E80EAD32D569C4CF84 -decimals = 0 +[inj1u5mf7ueeym5qvvgtfkhgcu40gcc04fv7qmqx5u] +peggy_denom = inj1u5mf7ueeym5qvvgtfkhgcu40gcc04fv7qmqx5u +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/G8PQ2heLLT8uBjoCfkkD3pNmTGZo6hNtSEEuJUGn9daJ] -peggy_denom = ibc/65CF217605B92B4CD37AC22955C5C59DE39CFD2A7A2E667861CCAFC810C4F5BD -decimals = 0 +[inj1ufew4geh63l45ugk6aett2rdtatjm9xtycjcyd] +peggy_denom = inj1ufew4geh63l45ugk6aett2rdtatjm9xtycjcyd +decimals = 6 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/GGh9Ufn1SeDGrhzEkMyRKt5568VbbxZK2yvWNsd6PbXt] -peggy_denom = ibc/DC9E276D4E80CD04F8A8C681842A3A16C59F85963FB262E34BBB6CB4F5BFDB14 -decimals = 0 +[inj1uqhcsup58gjfxl26z9esenmr03hn8wyz2mlc02] +peggy_denom = inj1uqhcsup58gjfxl26z9esenmr03hn8wyz2mlc02 +decimals = 18 -[factory/wormhole14ejqjyq8um4p3xfqj74yld5waqljf88fz25yxnma0cngspxe3les00fpjx/HJk1XMDRNUbRrpKkNZYui7SwWDMjXZAsySzqgyNcQoU3] -peggy_denom = ibc/CC610E1295BCF3ADE3C3DD4ABF3496C6EAA7541A1E45696E9D642D7B0A27B127 -decimals = 0 +[inj1ur3qac37axxmuqpsegr7cts77t78jyupucpua3] +peggy_denom = inj1ur3qac37axxmuqpsegr7cts77t78jyupucpua3 +decimals = 8 -[factory:kujira13ryry75s34y4sl5st7g5mhk0he8rc2nn7ah6sl:SPERM] -peggy_denom = ibc/EBC2F00888A965121201A6150B7C55E0941E49438BC7F02385A632D6C4E68E2A -decimals = 0 +[inj1usr473hh8hlff874tvcl4pe6qzsmc08w3k32nd] +peggy_denom = inj1usr473hh8hlff874tvcl4pe6qzsmc08w3k32nd +decimals = 6 -[factory:kujira1e224c8ry0nuun5expxm00hmssl8qnsjkd02ft94p3m2a33xked2qypgys3:urcpt] -peggy_denom = ibc/49994E6147933B46B83CCEDE3528C6B3E5960ECE5A85548C2A519CF3B812E8B9 -decimals = 0 +[inj1uv2arm5gzd35zrxd7ghsslegn0cwpc9jwc0enz] +peggy_denom = inj1uv2arm5gzd35zrxd7ghsslegn0cwpc9jwc0enz +decimals = 18 -[factory:kujira1jelmu9tdmr6hqg0d6qw4g6c9mwrexrzuryh50fwcavcpthp5m0uq20853h:urcpt] -peggy_denom = ibc/E970A80269F0867B0E9C914004AB991E6AF94F3EF2D4E1DFC92E140ACB6BBD5C -decimals = 0 +[inj1vgm0pwes4fusmvha62grh5aq55yxdz2x5k58xw] +peggy_denom = inj1vgm0pwes4fusmvha62grh5aq55yxdz2x5k58xw +decimals = 18 -[factory:kujira1yntegc5v3tvl0xfrde0rupnt9kfnx0sy9lytge9g2mryjknudk6qg4zyw9:urcpt] -peggy_denom = ibc/D4D75686C76511349744536403E94B31AC010EB6EA1B579C01B2D64B6888E068 +[inj1vgmpx429y5jv8z5hkcxxv3r4x6hwtmxzhve0xz] +peggy_denom = inj1vgmpx429y5jv8z5hkcxxv3r4x6hwtmxzhve0xz decimals = 0 -[faot] -peggy_denom = inj1vnhhrcnnnr6tq96eaa8gcsuaz55ugnhs3dmfqq -decimals = 18 +[inj1vhsam3xn26fq6lpfpnsnrrg66tjfxts8p7hrrf] +peggy_denom = inj1vhsam3xn26fq6lpfpnsnrrg66tjfxts8p7hrrf +decimals = 6 -[fatPEPE] -peggy_denom = factory/inj1an9qflgvpvjdhczce6xwrh4afkaap77c72k4yd/fatpepe +[inj1vllv3w7np7t68acdn6xj85yd9dzkxdfcuyluz0] +peggy_denom = inj1vllv3w7np7t68acdn6xj85yd9dzkxdfcuyluz0 decimals = 6 -[fff] -peggy_denom = factory/inj1xy7dcllc7wn5prcy73xr7xhpt9zwg49c6szqcz/fff +[inj1vt2sgyzrna5uj6yetju8k0fjex4g8t7fr3w0vc] +peggy_denom = inj1vt2sgyzrna5uj6yetju8k0fjex4g8t7fr3w0vc decimals = 6 -[fiftycent] -peggy_denom = inj1rtgfdnja2xav84ta0twq8cmmvkqzycnu9uxzw5 +[inj1vulh2mq9awyexpsmntff0wyumafcte4p5pqeav] +peggy_denom = inj1vulh2mq9awyexpsmntff0wyumafcte4p5pqeav +decimals = 6 + +[inj1vwhkr9qmntsfe9vzegh7xevvfaj4lnx9t783nf] +peggy_denom = inj1vwhkr9qmntsfe9vzegh7xevvfaj4lnx9t783nf decimals = 18 -[fmXEN] -peggy_denom = inj14vluf5wc7tsptnfzrjs9g579uyp9gvvlwre5e4 -decimals = 8 +[inj1w2w4n4mjzlx5snwf65l54a2gh4x0kmpvzm43fy] +peggy_denom = inj1w2w4n4mjzlx5snwf65l54a2gh4x0kmpvzm43fy +decimals = 18 -[foo] -peggy_denom = factory/inj12vxhuaamfs33sxgnf95lxvzy9lpugpgjsrsxl3/foo +[inj1w2wlt28t93szklu38wnw4dsgegug5rk3jar5k5] +peggy_denom = inj1w2wlt28t93szklu38wnw4dsgegug5rk3jar5k5 decimals = 6 -[footjob] -peggy_denom = inj1gn7tah4p0uvgmtwgwe5lp9q7ce8d4yr8jxrfcv +[inj1w3j52pppjr452f8ukj5apwpf9sc4t4p5cmyfjl] +peggy_denom = inj1w3j52pppjr452f8ukj5apwpf9sc4t4p5cmyfjl +decimals = 6 + +[inj1wjh8gnp7a6yfcldnp82s0e4yt7n98xpm363c38] +peggy_denom = inj1wjh8gnp7a6yfcldnp82s0e4yt7n98xpm363c38 decimals = 18 -[fox] -peggy_denom = factory/inj1ddmyuzh42n8ymyhcm5jla3aaq9tucjnye02dlf/fox +[inj1wltxzzuvl9tz8jrawcw756wcawcjt4l4cmsjru] +peggy_denom = inj1wltxzzuvl9tz8jrawcw756wcawcjt4l4cmsjru +decimals = 18 + +[inj1wze83lt3jk84f89era4ldakyv3mf90pj4af9cx] +peggy_denom = inj1wze83lt3jk84f89era4ldakyv3mf90pj4af9cx decimals = 6 -[frINJa] -peggy_denom = factory/inj1sm0feg2fxpmx5yg3ywzdzyn0s93m6d9dt87jf5/frINJa -decimals = 7 +[inj1wzqsfnz6936efkejd9znvtp6m75eg085yl7wzc] +peggy_denom = inj1wzqsfnz6936efkejd9znvtp6m75eg085yl7wzc +decimals = 6 -[franklin] -peggy_denom = inj1zd0043cf6q7yft07aaqgsurgh53xy5gercpzuu +[inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40] +peggy_denom = inj1xcgprh58szttp0vqtztvcfy34tkpupr563ua40 decimals = 18 -[gay] -peggy_denom = inj15x48ts4jw429zd9vvkwxf0advg9j24z2q948fl +[inj1xnk5ca6u4hl9rfm2qretz6p5wjt3yptvng2jvd] +peggy_denom = inj1xnk5ca6u4hl9rfm2qretz6p5wjt3yptvng2jvd decimals = 18 -[gayasf] -peggy_denom = inj1qu6eldq9ftz2wvr43848ff8x5586xm0639kg7a +[inj1xvlxqaxw0ef0596d96ecfwpta29y2jc9n5w9s9] +peggy_denom = inj1xvlxqaxw0ef0596d96ecfwpta29y2jc9n5w9s9 +decimals = 8 + +[inj1xx04zkrkrplefzgdgl78mrq3qmy9e3fkgspujk] +peggy_denom = inj1xx04zkrkrplefzgdgl78mrq3qmy9e3fkgspujk decimals = 18 -[get] -peggy_denom = factory/inj1ldee0qev4khjdpw8wpqpyeyw0n0z8nnqtc423g/get +[inj1y7q956uxwk7xgyft49n7k3j3gt5faeskje6gq2] +peggy_denom = inj1y7q956uxwk7xgyft49n7k3j3gt5faeskje6gq2 decimals = 6 -[ginj] -peggy_denom = factory/inj1r4usuj62gywdwhq9uvx6tg0ywqpppcjqu7z4js/ginj -decimals = 6 +[inj1yd07kujagk0t6rlj0zca2xsm6qpekv8mmwqknv] +peggy_denom = inj1yd07kujagk0t6rlj0zca2xsm6qpekv8mmwqknv +decimals = 18 -[gipsyCOINS] -peggy_denom = inj1pyeutpz66lhapppt2ny36s57zfspglqtvdwywd +[inj1yevjg9fdp7px757d6g3j2dkpzmeczturx3vpme] +peggy_denom = inj1yevjg9fdp7px757d6g3j2dkpzmeczturx3vpme decimals = 6 -[godzilla] -peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/godzilla +[inj1ykfurk0jsxcz6hp9tqm8vn2p5k0hn76y6uans6] +peggy_denom = inj1ykfurk0jsxcz6hp9tqm8vn2p5k0hn76y6uans6 decimals = 6 -[gravity0xA0b73E1Ff0B80914AB6fe0444E65848C4C34450b] -peggy_denom = ibc/FF8F4C5D1664F946E88654921D6C1E81D5C167B8A58A4E75B559BAA2DBBF0101 -decimals = 0 +[inj1ypa69pvev7rlv8d2rdxkaxn23tk7rx5vgnxaam] +peggy_denom = inj1ypa69pvev7rlv8d2rdxkaxn23tk7rx5vgnxaam +decimals = 6 -[gravity0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48] -peggy_denom = ibc/7C2AA3086423029B3E915B5563975DB87EF2E552A40F996C7F6D19FFBD5B2AEA +[inj1yv2mdu33whk4z6xdjxu6fkzjtl5c0ghdgt337f] +peggy_denom = inj1yv2mdu33whk4z6xdjxu6fkzjtl5c0ghdgt337f decimals = 0 -[gravity0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2] -peggy_denom = ibc/ECC0DF3D9C80F79B81056569EE2140FD977886AB274FA08BA03E987264D6DE19 -decimals = 0 +[inj1z647rvv0cfv5xx3tgsdx77qclkwu2ng7tg2zq5] +peggy_denom = inj1z647rvv0cfv5xx3tgsdx77qclkwu2ng7tg2zq5 +decimals = 18 -[gravity0xe28b3B32B6c345A34Ff64674606124Dd5Aceca30] -peggy_denom = ibc/57E7FEFD5872F89EB1C792C4B06B51EA565AC644EA2F64B88F8FC40704F8E9C4 -decimals = 0 +[inj1z7d2f66wh0r653qp7lqpj6tx3z0yetnjahnsrd] +peggy_denom = inj1z7d2f66wh0r653qp7lqpj6tx3z0yetnjahnsrd +decimals = 18 -[gto] -peggy_denom = inj1ehnt0lcek8wdf0xj7y5mmz7nzr8j7ytjgk6l7g +[inj1zdhl0fk08tr8xwppych2f7apzdymw4r3gf9kyr] +peggy_denom = inj1zdhl0fk08tr8xwppych2f7apzdymw4r3gf9kyr decimals = 18 -[h2o] -peggy_denom = factory/inj1utlxkwfxhmfc826gu07w20mvguysavz72edy4n/fbi +[inj1zfcny0x77lt6z4rg04zt2mp6j4zuwm5uufkguz] +peggy_denom = inj1zfcny0x77lt6z4rg04zt2mp6j4zuwm5uufkguz decimals = 6 -[hINJ] -peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj18luqttqyckgpddndh8hvaq25d5nfwjc78m56lc -decimals = 18 - -[httuy] -peggy_denom = inj1996tdgklvleuja56gfpv9v3cc2uflmm9vavw05 +[inj1zhqnqzdg6738q9wjrkr50c6qkkd5ghar9fp36s] +peggy_denom = inj1zhqnqzdg6738q9wjrkr50c6qkkd5ghar9fp36s decimals = 18 -[hug] -peggy_denom = inj1ncjqkvnxpyyhvm475std34eyn5c7eydpxxagds -decimals = 18 +[inj1zr4fs5xkkf4h99sdalaxyglr3txjuewtyzjvg5] +peggy_denom = inj1zr4fs5xkkf4h99sdalaxyglr3txjuewtyzjvg5 +decimals = 8 -[inj] -peggy_denom = ibc/EA180E422271F35D66E7B9B57AFF072DABEE97EDA4522DAB91F97AE6DD45426D -decimals = 0 +[inj1zw35mh6q23cnxa0j6kdh2n4dtss795avxmn9kn] +peggy_denom = inj1zw35mh6q23cnxa0j6kdh2n4dtss795avxmn9kn +decimals = 6 [injJay] peggy_denom = factory/inj1ruwdh4vc29t75eryvxs7vwzt7trtrz885teuwa/injJay @@ -11068,7 +13557,7 @@ peggy_denom = inj17auxme00fj267ccyhx9y9ue4tuwwuadgxshl7x decimals = 18 [loki] -peggy_denom = ibc/72C208D790F59429C66542C648D69EDA1DC8A81C4B869C11444D906233678D3D +peggy_denom = ibc/28325391B9F257ABED965813D29AE67D1FE5C58E40AB6D753250CD83306EC7A3 decimals = 0 [lootbox1] @@ -11136,7 +13625,7 @@ peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj16jf4qkcarp3 decimals = 6 [nINJ] -peggy_denom = inj1rmzufd7h09sqfrre5dtvu5d09ta7c0t4jzkr2f +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj13xlpypcwl5fuc84uhqzzqumnrcfpptyl6w3vrf decimals = 18 [nTIA] @@ -11180,8 +13669,8 @@ peggy_denom = factory/inj1gxq2pk3ufkpng5s4qc62rcq5rssdxsvk955xdw/nonjainu decimals = 6 [nonjaktif] -peggy_denom = inj1ra46mrdcc4qd7m8mhdjd9fkut50pa07lwxsvst -decimals = 18 +peggy_denom = factory/inj1x6u4muldaqn2cm95yn7g07z5wwvpd6d6rpt4da/nonjaktif +decimals = 6 [notDOJO] peggy_denom = inj1n2l9mq2ndyp83u6me4hf7yw76xkx7h792juksq @@ -11204,23 +13693,63 @@ peggy_denom = inj1wazl9873fqgs4p7rjvn6a4qgqfdafacz9jzzjd decimals = 18 [orai] -peggy_denom = ibc/E247857D53653BA3592A6CCAF9914227153B938BA768C415FF3BAD6CE6CFA316 +peggy_denom = ibc/7FF5CED7EF2ED6DFBC5B1278B5BE9ECBFB5939CC04218AC244A5E51D64ED50C8 decimals = 0 [paam] peggy_denom = factory/inj1hg6n7nfhtevnxq87y2zj4xf28n4p38te6q56vx/paam decimals = 6 +[peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B] +peggy_denom = peggy0x138C2F1123cF3f82E4596d097c118eAc6684940B +decimals = 18 + +[peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B] +peggy_denom = peggy0x420412E765BFa6d85aaaC94b4f7b708C89be2e2B +decimals = 4 + +[peggy0x43123e1d077351267113ada8bE85A058f5D492De] +peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +decimals = 6 + +[peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32] +peggy_denom = peggy0x5A98FcBEA516Cf06857215779Fd812CA3beF1B32 +decimals = 18 + +[peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2] +peggy_denom = peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2 +decimals = 18 + +[peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[peggy0xbC0899E527007f1B8Ced694508FCb7a2b9a46F53] +peggy_denom = peggy0xbC0899E527007f1B8Ced694508FCb7a2b9a46F53 +decimals = 5 + [peggy0xdAC17F958D2ee523a2206206994597C13D831ec7] -peggy_denom = ibc/ECBEA5A9A992EE96B327CBA081AA35EB4E62C6A1A3990D2C0326E9A5840793A4 +peggy_denom = ibc/13EF490ADD26F95B3FEFBA0C8BC74345358B4C5A8D431AAE92CDB691CF8796FF decimals = 0 +[peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30] +peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +decimals = 18 + [peipei] peggy_denom = inj1rd0ympknmutwvvq8egl6j7ukjyqeh2uteqyyx7 decimals = 6 [pepe] -peggy_denom = inj1f2vr6hd9w4xujncyprw670l3g7x2esj50umn8k +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1f2vr6hd9w4xujncyprw670l3g7x2esj50umn8k +decimals = 18 + +[peresident] +peggy_denom = inj1txs2fdchzula47kt7pygs7fzxfjmp73zhqs4dj decimals = 18 [pigs] @@ -11236,7 +13765,7 @@ peggy_denom = factory/inj1rn2snthhvdt4m62uakp7snzk7melj2x8nfqkx5/popINJay decimals = 6 [ppica] -peggy_denom = ibc/8B42C90767030357E99BE35BB5BCBD5A69F6E9E20F4A9FD0498823FD10FF86F9 +peggy_denom = ibc/455C0229DFEB1ADCA527BAE29F4F5B30EE50F282DBEB7124D2836D2DD31514C8 decimals = 0 [pumping] @@ -11307,6 +13836,10 @@ decimals = 18 peggy_denom = factory/inj1a37dnkznmek8l5uyg24xl5f7rvftpvqsduex24/scorpion decimals = 6 +[sei] +peggy_denom = sei +decimals = 6 + [sentinel] peggy_denom = inj172tsvz4t82m28rrthmvatfzqaphen66ty06qzn decimals = 18 @@ -11564,8 +14097,8 @@ peggy_denom = inj1qt78z7xru0fcks54ca56uehuzwal026ghhtxdv decimals = 6 [spore] -peggy_denom = inj1uqhcsup58gjfxl26z9esenmr03hn8wyz2mlc02 -decimals = 18 +peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/spore +decimals = 6 [spuun] peggy_denom = factory/inj168pjvcxwdr28uv295fchjtkk6pc5cd0lg3h450/spuun @@ -11592,7 +14125,7 @@ peggy_denom = factory/inj1nhswhqrgfu3hpauvyeycz7pfealx4ack2c5hfp/squid decimals = 6 [stATOM] -peggy_denom = ibc/B024EC4AE846F690CB46C1CE886BE7DCE27CBBB6CE1E4EFBA4AA764E07B81A69 +peggy_denom = ibc/A8F39212ED30B6A8C2AC736665835720D3D7BE4A1D18D68566525EC25ECF1C9B decimals = 6 [stBAND] @@ -11660,7 +14193,7 @@ peggy_denom = ibc/FC8E98DF998AE88129183094E49383F94B3E5F1844C939D380AF18061FEF41 decimals = 6 [stinj] -peggy_denom = ibc/FAFBDE851E97E4B566B050B843F6BBCE14D7DC88DA69840850271BA8DF72EAEE +peggy_denom = ibc/E9BBE9BBF0925155892D6E47553E83B8476C880F65DEB33859E751C0B107B0B1 decimals = 0 [stkATOM] @@ -11720,8 +14253,8 @@ peggy_denom = inj14tepyvvxsn9yy2hgqrl4stqzm2h0vla9ee8ya9 decimals = 18 [test] -peggy_denom = inj1qqn3urdskeq9mlm37c375978kv3rxgjx2kff9p -decimals = 18 +peggy_denom = factory/inj18xg8yh445ernwxdquklwpngffqv3agfyt5uqqs/test +decimals = 6 [test1] peggy_denom = factory/inj1lq9wn94d49tt7gc834cxkm0j5kwlwu4gm65lhe/test1 @@ -11775,6 +14308,10 @@ decimals = 18 peggy_denom = factory/inj17pn6nwvk33404flhglujj4n5y3p2esy5x0cfhm/testuuu decimals = 6 +[tet1w3112] +peggy_denom = factory/inj1v5vml3038t0expy7vf5vkwj7t9xly9kudtjdg5/tet1w3112 +decimals = 6 + [toby] peggy_denom = factory/inj1temu696g738vldkgnn7fqmgvkq2l36qsng5ea7/toby decimals = 6 @@ -11836,11 +14373,11 @@ peggy_denom = ibc/3BADB97E59D4BB8A26AD5E5485EF0AF123982363D1174AA1C6DEA9BE9C7E93 decimals = 0 [uatom] -peggy_denom = ibc/F1EEC63548B066D76B9B82D04DE25C424932DABD9234116836BAF759E8130BC3 +peggy_denom = ibc/057B70A05AFF2A38C082ACE15A260080D29627CCBF1655EA38B043275AFAADCE decimals = 0 [uaxl] -peggy_denom = ibc/C49B72C4E85AE5361C3E0F0587B24F509CB16ECEB8970B6F917D697036AF49BE +peggy_denom = ibc/2FB8CEA9180069DD4DB8883CA8E263D9879F446D6895CDAA90487ABCCFB4A45C decimals = 0 [ubld] @@ -11848,7 +14385,7 @@ peggy_denom = ibc/40AE872789CC2B160222CC4301CA9B097493BD858EAD84218E2EC29C64F0BB decimals = 0 [ubtsg] -peggy_denom = ibc/AC45D6359281E50A7498B10B9F38B7BE4868628E45E531D68F77422EFE430365 +peggy_denom = ibc/861CA7EF82BD341F2EB80C6F47730908E14A4E569099C510C0DAD8DA07F6DCC6 decimals = 0 [ucmdx] @@ -11860,7 +14397,7 @@ peggy_denom = ibc/478A95ED132D071603C8AD0FC5E1A74717653880144E0D9B2508A230820921 decimals = 0 [ucrbrus] -peggy_denom = ibc/95B32740756E6DF2EAA242978EBF0FF6F3B632B8601DC12CB912D5957E8AB118 +peggy_denom = ibc/617A276F35F40221C033B0662301374A225A9784653C30184F9305398054525D decimals = 0 [ucre] @@ -11876,43 +14413,47 @@ peggy_denom = ibc/613786F0A8E01B0436DE4EBC2F922672063D8348AE5C7FEBA5CB22CD2B12E1 decimals = 0 [ukuji] -peggy_denom = ibc/B5BB79AC621108184E03AD6B82456EBC96041B877A1652445CF32619CC9DA5C1 +peggy_denom = ibc/B4524C4C8F51F77C94D4E901AA26DF4F0E530F44E285D5D777E1634907E94CBD decimals = 0 [uluna] -peggy_denom = ibc/BE3E2A75AFBA5F56017D7BB68FBAB013E08BF1633F92528197286C26967FBF42 +peggy_denom = ibc/2B3FA34CE2779629F4CBDD4D52EFF1FED8AD78EBA63786E946C7CE6D06034D0D decimals = 0 [ulvn] peggy_denom = factory/osmo1mlng7pz4pnyxtpq0akfwall37czyk9lukaucsrn30ameplhhshtqdvfm5c/ulvn decimals = 6 +[unknown] +peggy_denom = unknown +decimals = 0 + [unois] -peggy_denom = ibc/FA2E855E713B5D73C6AA54822791ADFD1BA73EFA5FDFDA903120A1FB0FF12733 +peggy_denom = ibc/D2C7259861170E5EE7B21DBEC44D4720EC6C97293F1CAA79B0A0FF84B508C012 decimals = 0 [untrn] -peggy_denom = ibc/C8099767548EA68F722AD0F8A8C807A5E6B6A8CA0A6FD7B8BD9B1AE96D19AC3E +peggy_denom = ibc/6E512756C29F76C31032D456A4C957309E377827A443F1267D19DE551EB76048 decimals = 0 [uosmo] -peggy_denom = ibc/D24B4564BCD51D3D02D9987D92571EAC5915676A9BD6D9B0C1D0254CB8A5EA34 +peggy_denom = ibc/49CE7E3072FB1C70C1B2DE9AD1E74D15E2AC2AFD62949DB82EC653EB3E2B0A84 decimals = 0 [uscrt] -peggy_denom = ibc/E801CF19C7B3FFC5FD81A1C9662BCFAE08F4976B054923BC0DA377F1863D3E56 +peggy_denom = ibc/3C38B741DF7CD6CAC484343A4994CFC74BC002D1840AAFD5416D9DAC61E37F10 decimals = 0 [usei] -peggy_denom = ibc/BE749147EF2813020A5A77D29183336CFAA1A53B67E522EF103D6803DE0E084B +peggy_denom = ibc/262300516331DBB83707BF21D485454F5608610B74F9232FB2503ABA3363BD59 decimals = 0 [ustrd] -peggy_denom = ibc/F72F979601BD2FCF748C2E93092E9CB55A8BDB738567AB42C19D403A7C636110 +peggy_denom = ibc/CACFB6FEEC434B66254E2E27B2ABAD991171212EC8F67C566024D90490B7A079 decimals = 0 [utia] -peggy_denom = ibc/FE2F22FEFB9E5F2EA063FD3135533B916577149A3D69CC2BF7BB4224BC9B1230 +peggy_denom = ibc/056FEA49A8266ECD3EEF407A17EDC3FCEED144BE5EEF3A09ED6BC33F7118009F decimals = 0 [uumee] @@ -11920,23 +14461,23 @@ peggy_denom = ibc/EE0EC814EF89AFCA8C9CB385F5A69CFF52FAAD00879BEA44DE78F9AABFFCCE decimals = 0 [uusd] -peggy_denom = ibc/C3BD5051E685B9A447352FB2D5773F8E4A015521CBD0A534B3F514FCA17C9030 +peggy_denom = ibc/B61DB68037EA3B6E9A1833093616CDFD8233EB014C1EA4C2D06E6A62B1FF2A64 decimals = 0 [uusdc] -peggy_denom = ibc/E43E4F1FD4B84EE30EDB8E0BE6F03E0A5596B292EAA0F198789DDF0C1301FB85 +peggy_denom = ibc/02FF79280203E6BF0E7EAF70C5D0396B81B3CC95BA309354A539511387161AA5 decimals = 0 [uusdt] -peggy_denom = ibc/D3FA7185FEB5D4A07F08F8A0847290A2BAC9372C5C5DF1E7F7BFEEDD852E9052 +peggy_denom = ibc/63ADE20D7FF880975E9EC5FEBE87DB7CFCE6E85AB7F8E5097952052583C237EC decimals = 0 [uwhale] -peggy_denom = ibc/CB9BA999A7CDA4CE00784BFF705A1D0BDB95AD80334FD0F95A5BA306078C96E9 +peggy_denom = ibc/08E058987E0EB7A4ABEF68956D4AB2247447BA95EF06E6B43CB7D128E2924355 decimals = 0 [uxprt] -peggy_denom = ibc/AB1E9C841105F28E9B70ED5EF1239B2D5E567F6E16818D87EFFA75E62778C8E4 +peggy_denom = ibc/A1D2A5E125114E63EE6E19FBA05E0949A14B5A51BB91D6193EEAE771C76C91E6 decimals = 0 [wBTC] @@ -11944,8 +14485,8 @@ peggy_denom = inj14au322k9munkmx5wrchz9q30juf5wjgz2cfqku decimals = 18 [wETH] -peggy_denom = peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2 -decimals = 18 +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/inj1k9r62py07wydch6sj5sfvun93e4qe0lg7jyatc +decimals = 8 [wLIBRA] peggy_denom = ibc/FCCACE2DFDF08422A050486E09697AE34D4C620DC51CFBEF59B60AE3946CC569 @@ -11967,16 +14508,20 @@ decimals = 6 peggy_denom = ibc/0C8737145CF8CAE5DC1007450882E251744B57119600E1A2DACE72C8C272849D decimals = 0 +[wif] +peggy_denom = wif +decimals = 6 + [winston] peggy_denom = inj128kf4kufhd0w4zwpz4ug5x9qd7pa4hqyhm3re4 decimals = 6 [wmatic-wei] -peggy_denom = ibc/D4ED143E25535EBF6374A1A077BE205A687B69872484DF064ED2BAD6E5C3D762 +peggy_denom = ibc/8042DF9D0B312FE068D0336E5E9AFFE408839DA15643D83CA9AB005D0A2E38D8 decimals = 0 [wstETH] -peggy_denom = ibc/E4BDC3A9935959C715961FFC6C12159EAD8FA4A5955D069EE19D0423FF810C6E +peggy_denom = ibc/1E0FC59FB8495BF927B10E9D515661494B1BBEDAA15D80E52FE2BADA64656D16 decimals = 18 [wynn] diff --git a/pyinjective/denoms_testnet.ini b/pyinjective/denoms_testnet.ini index bd39b4eb..4eba7b4d 100644 --- a/pyinjective/denoms_testnet.ini +++ b/pyinjective/denoms_testnet.ini @@ -538,8 +538,8 @@ peggy_denom = factory/inj14dvet9j73cak22sf7nzgn52ae8z4fdxzsn683v/ADN decimals = 6 [AK] -peggy_denom = peggy0x6F3050fa31c4CC2bB4A213B7d53c220Ac04Dd59D -decimals = 18 +peggy_denom = factory/inj10jmp6sgh4cc6zt3e8gw05wavvejgr5pw6m8j75/ak +decimals = 6 [AKK] peggy_denom = factory/inj1ygeap3ypldmjgl22al5rpqafemyw7dt6k45n8r/ak @@ -610,7 +610,7 @@ peggy_denom = inj1mhmln627samtkuwe459ylq763r4n7n69gxxc9x decimals = 18 [ASTRO] -peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +peggy_denom = ibc/E8AC6B792CDE60AB208CA060CA010A3881F682A7307F624347AB71B6A0B0BF89 decimals = 6 [ATJ] @@ -618,8 +618,8 @@ peggy_denom = factory/inj1xv73rnm0jwnens2ywgvz35d4k59raw5eqf5quw/auctiontestj decimals = 6 [ATOM] -peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB -decimals = 6 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/atom +decimals = 8 [ATT] peggy_denom = factory/inj1xuxqgygmk79xfaf38ncgdp4jwmszh9rn3pmuex/ATT @@ -706,8 +706,8 @@ peggy_denom = factory/inj14cxwqv9rt0hvmvmfawts8v6dvq6p26q0lkuajv/BIL decimals = 6 [BINJ] -peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj -decimals = 6 +peggy_denom = factory/inj10q36ygr0pkz7ezajcnjd2f0tat5n737yg6g6d5/binj +decimals = 18 [BITS] peggy_denom = factory/inj10gcvfpnn4932kzk56h5kp77mrfdqas8z63qr7n/BITS @@ -898,7 +898,7 @@ peggy_denom = factory/inj1f595c8ml3sfvey4cd85j9f4ur02mymz87huu78/COCKOC decimals = 6 [COKE] -peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +peggy_denom = factory/inj158g7dfclyg9rr6u4ddxg9d2afwevq5d79g2tm6/coke decimals = 6 [COMP] @@ -1066,7 +1066,7 @@ peggy_denom = factory/inj1any4rpwq7r850u6feajg5payvhwpunu9cxqevc/dojo decimals = 6 [DOT] -peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +peggy_denom = ibc/624BA9DD171915A2B9EA70F69638B2CEA179959850C1A586F6C485498F29EDD4 decimals = 10 [DREAM] @@ -1106,7 +1106,7 @@ peggy_denom = inj1zdj9kqnknztl2xclm5ssv25yre09f8908d4923 decimals = 18 [ELON] -peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +peggy_denom = inj10pqutl0av9ltrw9jq8d3wjwjayvz76jhfcfza0 decimals = 6 [ENA] @@ -1398,7 +1398,7 @@ peggy_denom = factory/inj18x8g8gkc3kch72wtkh46a926634m784m3wnj50/ING decimals = 6 [INJ] -peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +peggy_denom = inj decimals = 18 [INJAmanullahTest1] @@ -1642,7 +1642,7 @@ peggy_denom = factory/inj1h33jkaqqalcy3wf8um6ewk4hxmfwf8uern470k/kinja decimals = 6 [KIRA] -peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/kira +peggy_denom = factory/inj14ejqjyq8um4p3xfqj74yld5waqljf88f9eneuk/kira decimals = 6 [KISH6] @@ -1726,7 +1726,7 @@ peggy_denom = peggy0x514910771AF9Ca656af840dff83E8264EcF986CA decimals = 18 [LIOR] -peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +peggy_denom = factory/inj1cjus5ragdkvpmt627fw7wkj2ydsra9s0vap4zx/lior decimals = 6 [LOKI] @@ -1830,7 +1830,7 @@ peggy_denom = factory/inj1z08usf75ecfp3cqtwey6gx7nr79s3agal3k8xf/mila decimals = 6 [MILK] -peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +peggy_denom = factory/inj1fpl63h7at2epr55yn5svmqkq4fkye32vmxq8ry/milk decimals = 6 [MIRO] @@ -1982,7 +1982,7 @@ peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/NLT3 decimals = 6 [NOBI] -peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +peggy_denom = factory/inj1pjp9q2ycs7eaav8d5ny5956k5m6t0alpl33xd6/nobi decimals = 6 [NOBITCHES] @@ -2206,7 +2206,7 @@ peggy_denom = inj1tjcf9497fwmrnk22jfu5hsdq82qshga54ajvzy decimals = 6 [PYUSD] -peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +peggy_denom = ibc/4367FD29E33CDF0487219CD3E88D8C432BD4C2776C0C1034FF05A3E6451B8B11 decimals = 6 [PZZ] @@ -2242,8 +2242,8 @@ peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QAQA decimals = 0 [QAT] -peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 -decimals = 18 +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1m4g54lg2mhhm7a4h3ms5xlyecafhe4macgsuen +decimals = 8 [QATEST] peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/QATEST @@ -2422,7 +2422,7 @@ peggy_denom = factory/inj1t9em6lv5x94w0d66nng6tqkrtrlhcpj9penatm/SHSA decimals = 6 [SHURIKEN] -peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +peggy_denom = factory/inj1gflhshg8yrk8rrr3sgswhmsnygw9ghzdsn05a0/shuriken decimals = 6 [SKIPBIDIDOBDOBDOBYESYESYESYES] @@ -2458,7 +2458,7 @@ peggy_denom = peggy0xC011a73ee8576Fb46F5E1c5751cA3B9Fe0af2a6F decimals = 18 [SOL] -peggy_denom = inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 decimals = 8 [SOLlegacy] @@ -2966,7 +2966,7 @@ peggy_denom = inj1q6zlut7gtkzknkk773jecujwsdkgq882akqksk decimals = 6 [USDC] -peggy_denom = peggy0xf9152067989BDc8783fF586624124C05A529A5D1 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/usdc decimals = 6 [USDC-MPL] @@ -2982,7 +2982,7 @@ peggy_denom = inj1dngqzz6wphf07fkdam7dn55t8t3r6qenewy9zu decimals = 6 [USDCet] -peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw decimals = 6 [USDCgateway] @@ -3002,7 +3002,7 @@ peggy_denom = inj12pwnhtv7yat2s30xuf4gdk9qm85v4j3e60dgvu decimals = 6 [USDT] -peggy_denom = peggy0xC2C527C0CACF457746Bd31B2a698Fe89de2b6d49 +peggy_denom = peggy0x87aB3B4C8661e07D6372361211B96ed4Dc36B1B5 decimals = 6 [USDT_31DEC23] @@ -3058,8 +3058,8 @@ peggy_denom = ibc/6AB81EFD48DC233A206FAD0FB6F2691A456246C4A7F98D0CD37E2853DD0493 decimals = 0 [Unknown] -peggy_denom = unknown -decimals = 0 +peggy_denom = ibc/078184C66B073F0464BA0BBD736DD601A0C637F9C42B592DDA5D6A95289D99A4 +decimals = 6 [VATRENI] peggy_denom = inj1tn457ed2gg5vj2cur5khjjw63w73y3xhyhtaay @@ -8533,6 +8533,10 @@ decimals = 0 peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/ak decimals = 6 +[factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kira] +peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kira +decimals = 6 + [factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kirat] peggy_denom = factory/inj1jfuyujpvvkxq4566r3z3tv3jdy29pqra5ln0yk/kirat decimals = 0 @@ -8773,6 +8777,10 @@ decimals = 0 peggy_denom = factory/inj1lgcxyyvmnhtp42apwgvhhvlqvezwlqly998eex/nUSD decimals = 18 +[factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj] +peggy_denom = factory/inj1lhr06p7k3rdgk0knw5hfsde3fj87g2aq4e9a52/binj +decimals = 6 + [factory/inj1ljsmrpm3hlth5zk347lqr23rdzm2ktd4aathkl/position] peggy_denom = factory/inj1ljsmrpm3hlth5zk347lqr23rdzm2ktd4aathkl/position decimals = 0 @@ -9709,6 +9717,10 @@ decimals = 0 peggy_denom = factory/inj1s92j8qw73qhhuhlecj3ekux8ck60wj93ry5haw/position decimals = 0 +[factory/inj1s9dzsqrrq09z46ye7ffa9fldg3dt0e2cvx6yla/auction.0] +peggy_denom = factory/inj1s9dzsqrrq09z46ye7ffa9fldg3dt0e2cvx6yla/auction.0 +decimals = 0 + [factory/inj1sa2wmd8zhf893ex6da8jgnp06pcj2tv59mq457/position] peggy_denom = factory/inj1sa2wmd8zhf893ex6da8jgnp06pcj2tv59mq457/position decimals = 0 @@ -9737,6 +9749,10 @@ decimals = 0 peggy_denom = factory/inj1sf4jk2ku0syp7x6lns8dau73sc2grtqpf3try5/test123 decimals = 6 +[factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/lior] +peggy_denom = factory/inj1sg3yjgjlwhtrepeuusj4jwv209rh6cmk882cw3/lior +decimals = 6 + [factory/inj1sg9htcd8tqgxlnsl9qe2mm5y4l9zq0mq6qhph9/position] peggy_denom = factory/inj1sg9htcd8tqgxlnsl9qe2mm5y4l9zq0mq6qhph9/position decimals = 0 @@ -10145,6 +10161,10 @@ decimals = 0 peggy_denom = factory/inj1tgn4tyjf0y20mxpydwv3454l3ze0uwdl3cgpaf/position decimals = 0 +[factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior] +peggy_denom = factory/inj1tgphgjqsz8fupkfjx6cy275e3s0l8xfu6rd6jh/lior +decimals = 6 + [factory/inj1tk4ml8fce5ghx7y2gtnqhw57e9m59ep27497xv/uLP] peggy_denom = factory/inj1tk4ml8fce5ghx7y2gtnqhw57e9m59ep27497xv/uLP decimals = 0 @@ -10801,6 +10821,10 @@ decimals = 18 peggy_denom = factory/inj1x8v44tuhlfk8f64j4vehftwggfzdjtthmeddwm/test1 decimals = 8 +[factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi] +peggy_denom = factory/inj1xawhm3d8lf9n0rqdljpal033yackja3dt0kvp0/nobi +decimals = 6 + [factory/inj1xcj5al0gdrs7mwcn84jhsj5a2kgsqj4c9qk5en/injMiam] peggy_denom = factory/inj1xcj5al0gdrs7mwcn84jhsj5a2kgsqj4c9qk5en/injMiam decimals = 0 @@ -10881,6 +10905,10 @@ decimals = 6 peggy_denom = factory/inj1xwdxxej579ns9gcs80jfxvl50yctvptxtpn2fa/DREAM decimals = 6 +[factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/kira] +peggy_denom = factory/inj1xy3kvlr4q4wdd6lrelsrw2fk2ged0any44hhwq/kira +decimals = 6 + [factory/inj1xyr5tt9ltrdm9uvnerwtv4sz9hllqvgt3pkea2/position] peggy_denom = factory/inj1xyr5tt9ltrdm9uvnerwtv4sz9hllqvgt3pkea2/position decimals = 0 @@ -10941,6 +10969,10 @@ decimals = 0 peggy_denom = factory/inj1yfxejgk5n6jljvf9f5sxex7k22td5vkqnugnvm/ak decimals = 6 +[factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk] +peggy_denom = factory/inj1yg24mn8enl5e6v4jl2j6cce47mx4vyd6e8dpck/milk +decimals = 6 + [factory/inj1yhyhvdj0lsjnvvrsv6r0wplzvg5w3ye5nskecp/position] peggy_denom = factory/inj1yhyhvdj0lsjnvvrsv6r0wplzvg5w3ye5nskecp/position decimals = 0 @@ -11057,6 +11089,10 @@ decimals = 0 peggy_denom = factory/inj1z3qduw4n3uq549xx47sertmrclyratf498x63e/position decimals = 0 +[factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken] +peggy_denom = factory/inj1z426atp9k68uv49kaam7m0vnehw5fulxkyvde0/shuriken +decimals = 6 + [factory/inj1z4phq0clwmns79duanyg7nk2eankp3we7h4sdk/position] peggy_denom = factory/inj1z4phq0clwmns79duanyg7nk2eankp3we7h4sdk/position decimals = 0 @@ -11222,7 +11258,7 @@ peggy_denom = factory/inj1gvhyp8un5l9jpxpd90rdtj3ejd6qser2s2jxtz/good decimals = 6 [hINJ] -peggy_denom = inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc +peggy_denom = factory/inj1hdvy6tl89llqy3ze8lv6mz5qh66sx9enn0jxg6/inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc decimals = 18 [hng] @@ -11313,6 +11349,10 @@ decimals = 0 peggy_denom = ibc/E40FBDD3CB829D3A57D8A5588783C39620B4E4F26B08970DE0F8173D60E3E6E1 decimals = 0 +[ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839] +peggy_denom = ibc/EBD5A24C554198EBAF44979C5B4D2C2D312E6EBAB71962C92F735499C7575839 +decimals = 6 + [ibc/F14B1670FD61AC2BA511C6260D940A120A47B27AAF8322FCDBBAD8E9967BB518] peggy_denom = ibc/F14B1670FD61AC2BA511C6260D940A120A47B27AAF8322FCDBBAD8E9967BB518 decimals = 0 @@ -11321,6 +11361,26 @@ decimals = 0 peggy_denom = factory/inj1dskr075p0ktts987r8h3jxcjce6h73flvmm8a4/inj-test decimals = 6 +[inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9] +peggy_denom = inj12ngevx045zpvacus9s6anr258gkwpmthnz80e9 +decimals = 8 + +[inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw] +peggy_denom = inj12sqy9uzzl3h3vqxam7sz9f0yvmhampcgesh3qw +decimals = 6 + +[inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp] +peggy_denom = inj14eaxewvy7a3fk948c3g3qham98mcqpm8v5y0dp +decimals = 6 + +[inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc] +peggy_denom = inj1mz7mfhgx8tuvjqut03qdujrkzwlx9xhcj6yldc +decimals = 18 + +[inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4] +peggy_denom = inj1plsk58sxqjw9828aqzeskmc8xy9eu5kppw3jg4 +decimals = 8 + [injjj] peggy_denom = factory/inj1dqagu9cx72lph0rg3ghhuwj20cw9f8x7rq2zz6/injjj decimals = 6 @@ -11401,6 +11461,86 @@ decimals = 6 peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pal decimals = 6 +[peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9] +peggy_denom = peggy0x1902e18fEB1234D00d880f1fACA5C8d74e8501E9 +decimals = 18 + +[peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599] +peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +decimals = 8 + +[peggy0x43123e1d077351267113ada8bE85A058f5D492De] +peggy_denom = peggy0x43123e1d077351267113ada8bE85A058f5D492De +decimals = 6 + +[peggy0x43871C5e85144EC340A3A63109F3F11C3745FE4E] +peggy_denom = peggy0x43871C5e85144EC340A3A63109F3F11C3745FE4E +decimals = 18 + +[peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7] +peggy_denom = peggy0x44C21afAaF20c270EBbF5914Cfc3b5022173FEB7 +decimals = 0 + +[peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369] +peggy_denom = peggy0x5Ac3A2F6205a481C7a8984E4291E450e52cd0369 +decimals = 18 + +[peggy0x6F3050fa31c4CC2bB4A213B7d53c220Ac04Dd59D] +peggy_denom = peggy0x6F3050fa31c4CC2bB4A213B7d53c220Ac04Dd59D +decimals = 18 + +[peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8] +peggy_denom = peggy0x6c3ea9036406852006290770BEdFcAbA0e23A0e8 +decimals = 6 + +[peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB] +peggy_denom = peggy0x8D983cb9388EaC77af0474fA441C4815500Cb7BB +decimals = 6 + +[peggy0x91Efc46E7C52ab1fFca310Ca7972AeA48891E5CD] +peggy_denom = peggy0x91Efc46E7C52ab1fFca310Ca7972AeA48891E5CD +decimals = 18 + +[peggy0x9ff0b0dA21e77D775eB27A4845eCbF9700bfCF0B] +peggy_denom = peggy0x9ff0b0dA21e77D775eB27A4845eCbF9700bfCF0B +decimals = 18 + +[peggy0xB4FBF271143F4FBf7B91A5ded31805e42b2208d6] +peggy_denom = peggy0xB4FBF271143F4FBf7B91A5ded31805e42b2208d6 +decimals = 18 + +[peggy0xBe8d71D26525440A03311cc7fa372262c5354A3c] +peggy_denom = peggy0xBe8d71D26525440A03311cc7fa372262c5354A3c +decimals = 18 + +[peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2] +peggy_denom = peggy0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2 +decimals = 18 + +[peggy0xC2C527C0CACF457746Bd31B2a698Fe89de2b6d49] +peggy_denom = peggy0xC2C527C0CACF457746Bd31B2a698Fe89de2b6d49 +decimals = 6 + +[peggy0xD87Ba7A50B2E7E660f678A895E4B72E7CB4CCd9C] +peggy_denom = peggy0xD87Ba7A50B2E7E660f678A895E4B72E7CB4CCd9C +decimals = 6 + +[peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080] +peggy_denom = peggy0xFfFFfFff1FcaCBd218EDc0EbA20Fc2308C778080 +decimals = 10 + +[peggy0xaA8E23Fb1079EA71e0a56F48a2aA51851D8433D0] +peggy_denom = peggy0xaA8E23Fb1079EA71e0a56F48a2aA51851D8433D0 +decimals = 6 + +[peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30] +peggy_denom = peggy0xe28b3b32b6c345a34ff64674606124dd5aceca30 +decimals = 18 + +[peggy0xf9152067989BDc8783fF586624124C05A529A5D1] +peggy_denom = peggy0xf9152067989BDc8783fF586624124C05A529A5D1 +decimals = 6 + [pip] peggy_denom = factory/inj1p30u767z9wwxmnh986snpp0c9u0sxwc9mnyexy/pip decimals = 6 @@ -12189,6 +12329,10 @@ decimals = 6 peggy_denom = factory/inj1wt8aa8ct7eap805lsz9jh8spezf6mkxe0ejp79/tst1 decimals = 6 +[unknown] +peggy_denom = unknown +decimals = 0 + [usssyn] peggy_denom = factory/inj1mlalkqq4egj7mz68x47tmpnf57aj7480g4evxa/usssyn decimals = 0 @@ -12198,12 +12342,12 @@ peggy_denom = factory/inj17gkuet8f6pssxd8nycm3qr9d9y699rupv6397z/uyO decimals = 0 [wBTC] -peggy_denom = peggy0x2260FAC5E5542a773Aa44fBCfeDf7C193bc2C599 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/wbtc decimals = 8 [wETH] -peggy_denom = peggy0xB4FBF271143F4FBf7B91A5ded31805e42b2208d6 -decimals = 18 +peggy_denom = factory/inj17vytdwqczqz72j65saukplrktd4gyfme5agf6c/weth +decimals = 8 [wUSDM] peggy_denom = peggy0x57F5E098CaD7A3D1Eed53991D4d66C45C9AF7812 From ab3371e39c950249204780cda4d887fdc3e4ca99 Mon Sep 17 00:00:00 2001 From: Abel Armoa <30988000+aarmoa@users.noreply.github.com> Date: Tue, 30 Jul 2024 12:23:34 -0300 Subject: [PATCH 63/63] (feat) Added the method in Composer, to allow order cancellation just using the order's identifiers --- pyinjective/composer.py | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/pyinjective/composer.py b/pyinjective/composer.py index 6937ef74..e5f031e1 100644 --- a/pyinjective/composer.py +++ b/pyinjective/composer.py @@ -211,6 +211,21 @@ def order_data( cid=cid, ) + def order_data_without_mask( + self, + market_id: str, + subaccount_id: str, + order_hash: Optional[str] = None, + cid: Optional[str] = None, + ) -> injective_exchange_tx_pb.OrderData: + return injective_exchange_tx_pb.OrderData( + market_id=market_id, + subaccount_id=subaccount_id, + order_hash=order_hash, + order_mask=1, + cid=cid, + ) + def SpotOrder( self, market_id: str,